diff --git a/lib/core/settings/domain/settings_entity.dart b/lib/core/settings/domain/settings_entity.dart index 460dd3b0d..b32ec137b 100644 --- a/lib/core/settings/domain/settings_entity.dart +++ b/lib/core/settings/domain/settings_entity.dart @@ -48,7 +48,8 @@ enum Language { russian('ru', 'RU', 'Русский'), german('de', 'DE', 'Deutsch'), italian('it', 'IT', 'Italiano'), - portuguese('pt', 'PT', 'Português'); + portuguese('pt', 'PT', 'Português'), + simplifiedChinese('zh', 'CN', '简体中文'); final String languageCode; final String? countryCode; diff --git a/lib/features/bip329_labels/page.dart b/lib/features/bip329_labels/page.dart index e531b0d4a..4afb6398e 100644 --- a/lib/features/bip329_labels/page.dart +++ b/lib/features/bip329_labels/page.dart @@ -43,13 +43,21 @@ class Bip329LabelsPage extends StatelessWidget { exportSuccess: (labelsCount) { SnackBarUtils.showSnackBar( context, - context.loc.bip329LabelsExportSuccess(labelsCount), + labelsCount == 1 + ? context.loc.bip329LabelsExportSuccessSingular + : context.loc.bip329LabelsExportSuccessPlural( + labelsCount, + ), ); }, importSuccess: (labelsCount) { SnackBarUtils.showSnackBar( context, - context.loc.bip329LabelsImportSuccess(labelsCount), + labelsCount == 1 + ? context.loc.bip329LabelsImportSuccessSingular + : context.loc.bip329LabelsImportSuccessPlural( + labelsCount, + ), ); }, error: (message) { diff --git a/lib/features/onboarding/ui/screens/advanced_options.dart b/lib/features/onboarding/ui/screens/advanced_options.dart index 338a41e0f..d76d03c90 100644 --- a/lib/features/onboarding/ui/screens/advanced_options.dart +++ b/lib/features/onboarding/ui/screens/advanced_options.dart @@ -7,6 +7,7 @@ import 'package:bb_mobile/core/widgets/settings_entry_item.dart'; import 'package:bb_mobile/features/electrum_settings/frameworks/ui/routing/electrum_settings_router.dart'; import 'package:bb_mobile/features/recoverbull/ui/pages/settings_page.dart'; import 'package:bb_mobile/features/settings/presentation/bloc/settings_cubit.dart'; +import 'package:bb_mobile/features/settings/ui/widgets/translation_warning_bottom_sheet.dart'; import 'package:bb_mobile/features/tor_settings/presentation/bloc/tor_settings_cubit.dart'; import 'package:bb_mobile/features/tor_settings/ui/widgets/tor_proxy_widget.dart'; import 'package:flutter/material.dart'; @@ -102,6 +103,9 @@ class _AdvancedOptionsState extends State { context.read().changeLanguage( newLanguage, ); + if (newLanguage != Language.unitedStatesEnglish) { + TranslationWarningBottomSheet.show(context); + } } }, ), diff --git a/lib/features/settings/ui/screens/app_settings/app_settings_screen.dart b/lib/features/settings/ui/screens/app_settings/app_settings_screen.dart index 54ae18267..e23992340 100644 --- a/lib/features/settings/ui/screens/app_settings/app_settings_screen.dart +++ b/lib/features/settings/ui/screens/app_settings/app_settings_screen.dart @@ -4,6 +4,7 @@ import 'package:bb_mobile/core/widgets/settings_entry_item.dart'; import 'package:bb_mobile/features/settings/presentation/bloc/settings_cubit.dart'; import 'package:bb_mobile/features/settings/ui/settings_router.dart'; import 'package:bb_mobile/features/settings/ui/widgets/dev_mode_switch.dart'; +import 'package:bb_mobile/features/settings/ui/widgets/translation_warning_bottom_sheet.dart'; import 'package:bb_mobile/features/tor_settings/ui/tor_settings_router.dart'; import 'package:flutter/material.dart'; import 'package:flutter_bloc/flutter_bloc.dart'; @@ -49,6 +50,9 @@ class AppSettingsScreen extends StatelessWidget { context.read().changeLanguage( newLanguage, ); + if (newLanguage != Language.unitedStatesEnglish) { + TranslationWarningBottomSheet.show(context); + } } }, ), diff --git a/lib/features/settings/ui/widgets/translation_warning_bottom_sheet.dart b/lib/features/settings/ui/widgets/translation_warning_bottom_sheet.dart new file mode 100644 index 000000000..561baf624 --- /dev/null +++ b/lib/features/settings/ui/widgets/translation_warning_bottom_sheet.dart @@ -0,0 +1,87 @@ +import 'package:bb_mobile/core/themes/app_theme.dart'; +import 'package:bb_mobile/core/utils/build_context_x.dart'; +import 'package:bb_mobile/core/widgets/bottom_sheet/x.dart'; +import 'package:bb_mobile/core/widgets/buttons/button.dart'; +import 'package:bb_mobile/core/widgets/text/text.dart'; +import 'package:flutter/material.dart'; +import 'package:url_launcher/url_launcher.dart'; + +class TranslationWarningBottomSheet extends StatelessWidget { + const TranslationWarningBottomSheet({super.key}); + + static const String _weblateUrl = 'https://hosted.weblate.org/engage/bull/'; + static bool _hasBeenShown = false; + + static Future show(BuildContext context) { + if (_hasBeenShown) return Future.value(); + _hasBeenShown = true; + + return BlurredBottomSheet.show( + context: context, + child: const TranslationWarningBottomSheet(), + ); + } + + Future _openWeblate() async { + final url = Uri.parse(_weblateUrl); + await launchUrl(url, mode: LaunchMode.externalApplication); + } + + @override + Widget build(BuildContext context) { + return Container( + decoration: const BoxDecoration( + borderRadius: BorderRadius.vertical(top: Radius.circular(16)), + ), + child: SafeArea( + child: Padding( + padding: const EdgeInsets.all(24), + child: Column( + mainAxisSize: MainAxisSize.min, + children: [ + Container( + width: 40, + height: 4, + decoration: BoxDecoration( + color: context.appColors.outline.withValues(alpha: 0.3), + borderRadius: BorderRadius.circular(2), + ), + ), + const SizedBox(height: 24), + Icon(Icons.translate, size: 48, color: context.appColors.primary), + const SizedBox(height: 16), + BBText( + context.loc.translationWarningTitle, + style: context.font.headlineSmall?.copyWith( + fontWeight: FontWeight.bold, + ), + textAlign: TextAlign.center, + ), + const SizedBox(height: 8), + BBText( + context.loc.translationWarningDescription, + style: context.font.bodyMedium?.copyWith( + color: context.appColors.secondary.withValues(alpha: 0.7), + ), + textAlign: TextAlign.center, + maxLines: 6, + overflow: TextOverflow.ellipsis, + ), + const SizedBox(height: 24), + + BBButton.big( + label: context.loc.translationWarningContributeButton, + onPressed: () async { + Navigator.of(context).pop(); + await _openWeblate(); + }, + bgColor: context.appColors.secondary, + textColor: context.appColors.onSecondary, + ), + ], + ), + ), + ), + ); + } +} diff --git a/localization/app_de.arb b/localization/app_de.arb index 5a31318e7..14939f057 100644 --- a/localization/app_de.arb +++ b/localization/app_de.arb @@ -1,12181 +1,4128 @@ { - "bitboxErrorMultipleDevicesFound": "Mehrere BitBox-Geräte gefunden. Bitte stellen Sie sicher, dass nur ein Gerät angeschlossen ist.", - "@bitboxErrorMultipleDevicesFound": { - "description": "Error when multiple BitBox devices are connected" - }, - "payTransactionBroadcast": "Übertragung von Transaktionen", - "@payTransactionBroadcast": { - "description": "Success message after broadcasting" - }, - "fundExchangeSepaDescriptionExactly": "genau.", - "@fundExchangeSepaDescriptionExactly": { - "description": "Emphasized word 'exactly' in SEPA description" - }, - "payPleasePayInvoice": "Bitte zahlen Sie diese Rechnung", - "@payPleasePayInvoice": { - "description": "Title for receive payment screen" - }, - "swapMax": "MAX", - "@swapMax": { - "description": "MAX button label" - }, - "importQrDeviceSpecterStep2": "Geben Sie Ihre PIN ein", - "@importQrDeviceSpecterStep2": { - "description": "Specter instruction step 2" - }, - "importColdcardInstructionsStep10": "Setup komplett", - "@importColdcardInstructionsStep10": { - "description": "ImportColdcardQ: Final instruction step" - }, - "buyPayoutWillBeSentIn": "Ihre Auszahlung wird gesendet ", - "@buyPayoutWillBeSentIn": { - "description": "Text before countdown timer for payout" - }, - "fundExchangeInstantSepaInfo": "Nur für Transaktionen unter 20.000 €. Für größere Transaktionen verwenden Sie die Regelmäßige SEPA-Option.", - "@fundExchangeInstantSepaInfo": { - "description": "Info message for Instant SEPA transaction limits" - }, - "transactionLabelSwapId": "Swap-ID", - "@transactionLabelSwapId": { - "description": "Label for swap ID" - }, - "dcaChooseWalletTitle": "Wählen Sie Bitcoin Wallet", - "@dcaChooseWalletTitle": { - "description": "AppBar title for wallet selection screen" - }, - "torSettingsPortHint": "9050", - "@torSettingsPortHint": { - "description": "Hint text for port input showing default value" - }, - "electrumTimeoutPositiveError": "Timeout muss positiv sein", - "@electrumTimeoutPositiveError": { - "description": "Validation error for non-positive Timeout value" - }, - "bitboxScreenNeedHelpButton": "Brauchen Sie Hilfe?", - "@bitboxScreenNeedHelpButton": { - "description": "Button to show help instructions" - }, - "sellSendPaymentAboveMax": "Sie versuchen, über den maximalen Betrag zu verkaufen, der mit dieser Geldbörse verkauft werden kann.", - "@sellSendPaymentAboveMax": { - "description": "Above max amount error" - }, - "fundExchangeETransferLabelSecretAnswer": "Geheime Antwort", - "@fundExchangeETransferLabelSecretAnswer": { - "description": "Label for E-transfer security answer" - }, - "payPayinAmount": "Zahlbetrag", - "@payPayinAmount": { - "description": "Label for amount user pays in" - }, - "transactionDetailLabelTransactionFee": "Transaktionsgebühren", - "@transactionDetailLabelTransactionFee": { - "description": "Label for transaction fee" - }, - "jadeStep13": "Die Bull Bitcoin Geldbörse wird Sie bitten, den QR-Code auf der Jade zu scannen. Scan es.", - "@jadeStep13": { - "description": "Jade instruction for scanning signed PSBT" - }, - "transactionSwapDescLnSendPending": "Ihr Swap wurde initiiert. Wir senden die on-chain-Transaktion, um Ihre Gelder zu sperren.", - "@transactionSwapDescLnSendPending": { - "description": "Description for pending Lightning send swap" - }, - "payInstitutionNumber": "Institutionsnummer", - "@payInstitutionNumber": { - "description": "Label for institution number" - }, - "sendScheduledPayment": "Geplante Zahlung", - "@sendScheduledPayment": { - "description": "Feature to delay transaction" - }, - "fundExchangeLabelBicCode": "BIC-Code", - "@fundExchangeLabelBicCode": { - "description": "Label for BIC code field" - }, - "fundExchangeCanadaPostStep6": "6. Der Kassierer gibt Ihnen einen Eingang, halten Sie es als Ihr Zahlungsnachweis", - "@fundExchangeCanadaPostStep6": { - "description": "Step 6 for Canada Post payment process" - }, - "withdrawOwnershipQuestion": "Zu wem gehört dieses Konto?", - "@withdrawOwnershipQuestion": { - "description": "Question asking about account ownership" - }, - "sendSendNetworkFee": "Netzwerkgebühr senden", - "@sendSendNetworkFee": { - "description": "Label for network fee on send side of swap" - }, - "exchangeDcaUnableToGetConfig": "Unfähig, DCA-Konfiguration zu erhalten", - "@exchangeDcaUnableToGetConfig": { - "description": "Error message when DCA configuration cannot be retrieved" - }, - "psbtFlowClickScan": "Klicken Sie auf Scan", - "@psbtFlowClickScan": { - "description": "Instruction to click scan button on device" - }, - "sellInstitutionNumber": "Institutionsnummer", - "@sellInstitutionNumber": { - "description": "Label for bank institution code" - }, - "recoverbullGoogleDriveErrorDisplay": "Fehler: {error}", - "@recoverbullGoogleDriveErrorDisplay": { - "description": "Error message display format", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "mempoolSettingsCustomServer": "Benutzerdefinierter Server", - "@mempoolSettingsCustomServer": { - "description": "Label for custom mempool server section" - }, - "fundExchangeMethodRegularSepa": "Regelmäßige SEPA", - "@fundExchangeMethodRegularSepa": { - "description": "Payment method: Regular SEPA (Europe)" - }, - "addressViewTransactions": "Transaktionen", - "@addressViewTransactions": { - "description": "Label for number of transactions" - }, - "fundExchangeSinpeLabelPhone": "Senden Sie diese Telefonnummer", - "@fundExchangeSinpeLabelPhone": { - "description": "Label for SINPE Móvil phone number field" - }, - "importQrDeviceKruxStep3": "Klicken Sie auf XPUB - QR Code", - "@importQrDeviceKruxStep3": { - "description": "Krux instruction step 3" - }, - "passportStep1": "Login zu Ihrem Passport-Gerät", - "@passportStep1": { - "description": "Passport instruction step 1" - }, - "sellAdvancedOptions": "Erweiterte Optionen", - "@sellAdvancedOptions": { - "description": "Title for advanced options bottom sheet" - }, - "bip329LabelsImportSuccess": "{count, plural, =1{1 Label importiert} other{{count} Labels importiert}}", - "@bip329LabelsImportSuccess": { - "description": "Success message after importing labels", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "withdrawOwnershipOtherAccount": "Das ist jemand anderes Konto", - "@withdrawOwnershipOtherAccount": { - "description": "Option indicating the account belongs to someone else" - }, - "receiveInvoice": "Blitzanfall", - "@receiveInvoice": { - "description": "Label for Lightning invoice" - }, - "receiveGenerateAddress": "Neue Adresse generieren", - "@receiveGenerateAddress": { - "description": "Button to create new on-chain address" - }, - "kruxStep3": "Klicken Sie auf PSBT", - "@kruxStep3": { - "description": "Krux instruction step 3" - }, - "hwColdcardQ": "Kaltkarte Q", - "@hwColdcardQ": { - "description": "Name of Coldcard Q hardware wallet" - }, - "fundExchangeCrIbanCrcTransferCodeWarning": "Sie müssen den Transfercode als \"Nachricht\" oder \"Anweisung\" oder \"Beschreibung\" bei der Zahlung hinzufügen. Wenn Sie vergessen, diesen Code einzubeziehen, kann Ihre Zahlung abgelehnt werden.", - "@fundExchangeCrIbanCrcTransferCodeWarning": { - "description": "Warning about including transfer code in payment" - }, - "paySinpeBeneficiario": "Steuerempfänger", - "@paySinpeBeneficiario": { - "description": "Label for beneficiary in SINPE details" - }, - "exchangeDcaAddressDisplay": "(X0X)", - "@exchangeDcaAddressDisplay": { - "description": "Format for displaying address label and address", - "placeholders": { - "addressLabel": { - "type": "String", - "description": "The address label (e.g., 'Bitcoin address')" - }, - "address": { - "type": "String", - "description": "The actual address" - } - } - }, - "autoswapAlwaysBlockEnabledInfo": "Wenn aktiviert, werden Auto-Transfers mit Gebühren über der gesetzten Grenze immer gesperrt", - "@autoswapAlwaysBlockEnabledInfo": { - "description": "Info text when always block is enabled" - }, - "electrumServerAlreadyExists": "Dieser Server existiert bereits", - "@electrumServerAlreadyExists": { - "description": "Error message when trying to add a duplicate server" - }, - "sellPaymentMethod": "Zahlungsmethode", - "@sellPaymentMethod": { - "description": "Section for selecting how to receive fiat" - }, - "transactionNoteHint": "Anmerkung", - "@transactionNoteHint": { - "description": "Hint text for note input field" - }, - "transactionLabelPreimage": "Vorwort", - "@transactionLabelPreimage": { - "description": "Label for preimage in Lightning swap details" - }, - "coreSwapsChainCanCoop": "Der Transfer wird im Moment abgeschlossen.", - "@coreSwapsChainCanCoop": { - "description": "Status message for chain swap that can complete cooperatively" - }, - "importColdcardInstructionsStep2": "Geben Sie gegebenenfalls einen Passphrasen ein", - "@importColdcardInstructionsStep2": { - "description": "ImportColdcardQ: Second instruction step" - }, - "satsSuffix": " sättigung", - "@satsSuffix": { - "description": "Unit suffix for satoshi amounts" - }, - "recoverbullErrorPasswordNotSet": "Passwort wird nicht gesetzt", - "@recoverbullErrorPasswordNotSet": { - "description": "Error when attempting operation without setting password" - }, - "sellSendPaymentExchangeRate": "Wechselkurs", - "@sellSendPaymentExchangeRate": { - "description": "Field label for exchange rate" - }, - "systemLabelAutoSwap": "Auto Swap", - "@systemLabelAutoSwap": { - "description": "System label for automatic swap transactions" - }, - "fundExchangeSinpeTitle": "INPE Transfer", - "@fundExchangeSinpeTitle": { - "description": "Screen title for SINPE transfer (Costa Rica)" - }, - "payExpiresIn": "Expires in {time}", - "@payExpiresIn": { - "description": "Label showing invoice expiration time", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "transactionDetailLabelConfirmationTime": "Bestätigungszeit", - "@transactionDetailLabelConfirmationTime": { - "description": "Label for confirmation time" - }, - "fundExchangeCanadaPostStep5": "5. Bezahlung mit Bargeld oder Debitkarte", - "@fundExchangeCanadaPostStep5": { - "description": "Step 5 for Canada Post payment process" - }, - "importQrDeviceKruxName": "Krups", - "@importQrDeviceKruxName": { - "description": "Name of Krux device" - }, - "addressViewNoAddressesFound": "Keine Adressen gefunden", - "@addressViewNoAddressesFound": { - "description": "Empty state message when no addresses are available" - }, - "backupWalletErrorSaveBackup": "Versäumt, die Sicherung zu speichern", - "@backupWalletErrorSaveBackup": { - "description": "Error when backup save operation fails" - }, - "exchangeReferralsTitle": "Referral Codes", - "@exchangeReferralsTitle": { - "description": "Title for the referral codes section" - }, - "onboardingRecoverYourWallet": "Recover Ihr Geldbeutel", - "@onboardingRecoverYourWallet": { - "description": "Title for the recover wallet section in onboarding" - }, - "bitboxScreenTroubleshootingStep2": "Stellen Sie sicher, dass Ihr Telefon USB-Berechtigungen aktiviert hat.", - "@bitboxScreenTroubleshootingStep2": { - "description": "Troubleshooting step 2" - }, - "replaceByFeeErrorNoFeeRateSelected": "Bitte wählen Sie einen Gebührensatz", - "@replaceByFeeErrorNoFeeRateSelected": { - "description": "Error message when no fee rate is selected" - }, - "transactionSwapDescChainPending": "Ihr Transfer wurde erstellt, aber noch nicht initiiert.", - "@transactionSwapDescChainPending": { - "description": "Description for pending chain swap" - }, - "coreScreensTransferFeeLabel": "Transfergebühr", - "@coreScreensTransferFeeLabel": { - "description": "Label for transfer fee field" - }, - "onboardingEncryptedVaultDescription": "Wiederherstellen Sie Ihr Backup über Cloud mit Ihrer PIN.", - "@onboardingEncryptedVaultDescription": { - "description": "Description for the encrypted vault recovery option in onboarding" - }, - "transactionOrderLabelPayoutStatus": "Status der Auszahlung", - "@transactionOrderLabelPayoutStatus": { - "description": "Label for order payout status" - }, - "transactionSwapStatusSwapStatus": "Swap Status", - "@transactionSwapStatusSwapStatus": { - "description": "Header for swap status section" - }, - "arkAboutDurationSeconds": "{seconds} Sekunden", - "@arkAboutDurationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "int" - } - } - }, - "receiveInvoiceCopied": "Invoice kopiert zu Clipboard", - "@receiveInvoiceCopied": { - "description": "Toast message after copying invoice" - }, - "kruxStep7": " - Erhöhung der Bildschirmhelligkeit auf Ihrem Gerät", - "@kruxStep7": { - "description": "Krux troubleshooting tip 1" - }, - "autoswapUpdateSettingsError": "Fehler beim Update von Auto-Swap-Einstellungen", - "@autoswapUpdateSettingsError": { - "description": "Error message when updating settings fails" - }, - "transactionStatusTransferFailed": "Versäumt", - "@transactionStatusTransferFailed": { - "description": "Status label for failed transfers" - }, - "jadeStep11": "Die Jade zeigt Ihnen dann einen eigenen QR-Code.", - "@jadeStep11": { - "description": "Jade instruction about signed PSBT QR" - }, - "buyConfirmExternalWallet": "Externe Bitcoin Geldbörse", - "@buyConfirmExternalWallet": { - "description": "External wallet payout method" - }, - "bitboxActionPairDeviceProcessing": "Koppeleinrichtung", - "@bitboxActionPairDeviceProcessing": { - "description": "Processing text for pair device" - }, - "exchangeCurrencyDropdownTitle": "Währung", - "@exchangeCurrencyDropdownTitle": { - "description": "Title for the currency selection dropdown" - }, - "receiveServerNetworkFees": "Server Network Fees", - "@receiveServerNetworkFees": { - "description": "Label for network fees charged by the swap server" - }, - "importQrDeviceImporting": "Portemonnaie...", - "@importQrDeviceImporting": { - "description": "Status while importing from QR device" - }, - "rbfFastest": "Fast", - "@rbfFastest": { - "description": "Label for fastest fee option" - }, - "buyConfirmExpressWithdrawal": "Bestätigen Sie den ausdrücklichen Widerruf", - "@buyConfirmExpressWithdrawal": { - "description": "Title for express withdrawal confirmation screen" - }, - "arkReceiveBoardingAddress": "BTC Boarding Address", - "@arkReceiveBoardingAddress": { - "description": "Label for BTC boarding address" - }, - "sellSendPaymentTitle": "Zahlung bestätigen", - "@sellSendPaymentTitle": { - "description": "Title on sell payment screen" - }, - "recoverbullReenterConfirm": "Bitte geben Sie Ihre {inputType} erneut ein, um zu bestätigen.", - "@recoverbullReenterConfirm": { - "description": "Instruction to re-enter PIN or password for confirmation", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "importWatchOnlyCopiedToClipboard": "Zu Clipboard gewickelt", - "@importWatchOnlyCopiedToClipboard": { - "description": "Snackbar message shown when QR code content is copied" - }, - "dcaLightningAddressInvalidError": "Bitte geben Sie eine gültige Lightning-Adresse ein", - "@dcaLightningAddressInvalidError": { - "description": "Validation error when Lightning address format is invalid" - }, - "ledgerButtonNeedHelp": "Brauchen Sie Hilfe?", - "@ledgerButtonNeedHelp": { - "description": "Button label to show help/troubleshooting instructions" - }, - "backupInstruction4": "Machen Sie keine digitalen Kopien Ihrer Sicherung. Schreiben Sie es auf einem Stück Papier, oder graviert in Metall.", - "@backupInstruction4": { - "description": "Fourth backup instruction about not making digital copies" - }, - "hwKrux": "Krups", - "@hwKrux": { - "description": "Name of Krux hardware wallet" - }, - "transactionFilterTransfer": "Transfer", - "@transactionFilterTransfer": { - "description": "Filter option to show only transfer/swap transactions" - }, - "recoverbullSelectVaultImportSuccess": "Ihr Tresor wurde erfolgreich importiert", - "@recoverbullSelectVaultImportSuccess": { - "description": "Success message shown on vault selected page" - }, - "mempoolServerNotUsed": "Nicht verwendet (custom server active)", - "@mempoolServerNotUsed": { - "description": "Label shown when default server is not used because custom server is active" - }, - "recoverbullSelectErrorPrefix": "Fehler:", - "@recoverbullSelectErrorPrefix": { - "description": "Prefix text shown before error messages" - }, - "bitboxErrorDeviceMismatch": "Gerätefehler erkannt.", - "@bitboxErrorDeviceMismatch": { - "description": "Error when connected device does not match expected device" - }, - "arkReceiveBtcAddress": "Anschrift", - "@arkReceiveBtcAddress": { - "description": "Label for Bitcoin address" - }, - "exchangeLandingRecommendedExchange": "Empfohlene Bitcoin Exchange", - "@exchangeLandingRecommendedExchange": { - "description": "Subtitle on landing screen v2 describing Bull Bitcoin as recommended" - }, - "backupWalletHowToDecideVaultMoreInfo": "Besuchen Sie Recoverybull.com für weitere Informationen.", - "@backupWalletHowToDecideVaultMoreInfo": { - "description": "Link text to external resource about vault locations" - }, - "recoverbullGoBackEdit": "<< Zurück und bearbeiten", - "@recoverbullGoBackEdit": { - "description": "Button text to return to previous screen for editing" - }, - "importWatchOnlyWalletGuides": "Wallet Guides", - "@importWatchOnlyWalletGuides": { - "description": "Button label for wallet documentation and guides" - }, - "receiveConfirming": "Bestätigung... ({count}/{required})", - "@receiveConfirming": { - "description": "Shows confirmation progress", - "placeholders": { - "count": { - "type": "int" - }, - "required": { - "type": "int" - } - } - }, - "fundExchangeInfoPaymentDescription": "Fügen Sie in der Zahlungsbeschreibung Ihren Transfercode hinzu.", - "@fundExchangeInfoPaymentDescription": { - "description": "Info about adding transfer code to payment description" - }, - "payInstantPayments": "Sofortzahlungen", - "@payInstantPayments": { - "description": "Display text for instant payment wallet" - }, - "importWatchOnlyImportButton": "Import Watch-Only Wallet", - "@importWatchOnlyImportButton": { - "description": "Button to confirm watch-only import" - }, - "fundExchangeCrIbanCrcDescriptionBold": "genau", - "@fundExchangeCrIbanCrcDescriptionBold": { - "description": "Bold emphasis word for CR IBAN transfer instructions" - }, - "electrumTitle": "Electrum Server Einstellungen", - "@electrumTitle": { - "description": "AppBar title for Electrum settings screen" - }, - "importQrDeviceJadeStep7": "Wählen Sie bei Bedarf \"Optionen\" aus, um den Adresstyp zu ändern", - "@importQrDeviceJadeStep7": { - "description": "Jade instruction step 7" - }, - "transactionNetworkLightning": "Beleuchtung", - "@transactionNetworkLightning": { - "description": "Label for Lightning network transactions" - }, - "paySecurityQuestionLength": "{count}/40 Zeichen", - "@paySecurityQuestionLength": { - "description": "Character count for security question", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "sendBroadcastingTransaction": "Übertragen der Transaktion.", - "@sendBroadcastingTransaction": { - "description": "Message shown while broadcasting transaction to network" - }, - "pinCodeMinLengthError": "PIN muss mindestens {minLength} Ziffern lang sein", - "@pinCodeMinLengthError": { - "description": "Error message when PIN is too short", - "placeholders": { - "minLength": { - "type": "String" - } - } - }, - "swapReceiveExactAmountLabel": "Erhalten Sie genauen Betrag", - "@swapReceiveExactAmountLabel": { - "description": "Label when receive exact amount toggle is on" - }, - "arkContinueButton": "Fortsetzung", - "@arkContinueButton": { - "description": "Continue button text used in ark send flow" - }, - "ledgerImportButton": "Start Import", - "@ledgerImportButton": { - "description": "Button label to start importing Ledger wallet" - }, - "dcaActivate": "Wiederkehrender Kauf aktivieren", - "@dcaActivate": { - "description": "Label to activate DCA" - }, - "labelInputLabel": "Bezeichnung", - "@labelInputLabel": { - "description": "Label for wallet label input field" - }, - "bitboxActionPairDeviceButton": "Beginn der Paarung", - "@bitboxActionPairDeviceButton": { - "description": "Button text for pair device" - }, - "importQrDeviceSpecterName": "Art", - "@importQrDeviceSpecterName": { - "description": "Name of Specter device" - }, - "transactionDetailLabelSwapFees": "Swapgebühren", - "@transactionDetailLabelSwapFees": { - "description": "Label for swap fees" - }, - "broadcastSignedTxFee": "Gebühren", - "@broadcastSignedTxFee": { - "description": "Label for transaction fee" - }, - "recoverbullRecoveryBalanceLabel": "Bilanz: {amount}", - "@recoverbullRecoveryBalanceLabel": { - "description": "Label showing total wallet balance found", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyFundYourAccount": "Ihr Konto finanzieren", - "@buyFundYourAccount": { - "description": "Button to fund exchange account" - }, - "sellReplaceByFeeActivated": "Ersatz-by-fee aktiviert", - "@sellReplaceByFeeActivated": { - "description": "Label for RBF toggle" - }, - "globalDefaultBitcoinWalletLabel": "Sicheres Bitcoin", - "@globalDefaultBitcoinWalletLabel": { - "description": "Default label for Bitcoin wallets when used as the default wallet" - }, - "arkAboutServerUrl": "Server URL", - "@arkAboutServerUrl": { - "description": "Field label for server URL" - }, - "fundExchangeLabelRecipientAddress": "Empfängeradresse", - "@fundExchangeLabelRecipientAddress": { - "description": "Label for recipient address field" - }, - "dcaWalletLiquidSubtitle": "Erfordert kompatible Geldbörse", - "@dcaWalletLiquidSubtitle": { - "description": "Subtitle/description for Liquid wallet option" - }, - "fundExchangeCrIbanCrcTitle": "Banküberweisung (CRC)", - "@fundExchangeCrIbanCrcTitle": { - "description": "Screen title for Costa Rica bank transfer in Colones" - }, - "appUnlockButton": "Entriegelung", - "@appUnlockButton": { - "description": "Button label to unlock the app" - }, - "payServiceFee": "Servicegebühr", - "@payServiceFee": { - "description": "Label for service provider fee" - }, - "transactionStatusSwapExpired": "Swap abgelaufen", - "@transactionStatusSwapExpired": { - "description": "Status label for expired swaps" - }, - "swapAmountPlaceholder": "0)", - "@swapAmountPlaceholder": { - "description": "Placeholder for amount input fields" - }, - "fundExchangeMethodInstantSepaSubtitle": "Schnellster - Nur für Transaktionen unter 20.000 €", - "@fundExchangeMethodInstantSepaSubtitle": { - "description": "Subtitle for Instant SEPA payment method" - }, - "dcaConfirmError": "Etwas ging schief: {error}", - "@dcaConfirmError": { - "description": "DCA confirmation error message", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "exchangeDcaNetworkLiquid": "Flüssiges Netz", - "@exchangeDcaNetworkLiquid": { - "description": "DCA network option: Liquid" - }, - "fundExchangeSepaDescription": "Senden Sie eine SEPA-Überweisung von Ihrem Bankkonto mit den untenstehenden Daten ", - "@fundExchangeSepaDescription": { - "description": "Description for SEPA transfer (first part, before 'exactly')" - }, - "sendAddress": "Anschrift: ", - "@sendAddress": { - "description": "Label prefix for address field" - }, - "receiveBitcoinNetwork": "Bitcoin", - "@receiveBitcoinNetwork": { - "description": "Bitcoin on-chain network option" - }, - "fundExchangeCrIbanCrcPaymentDescriptionHelp": "Ihr Transfercode.", - "@fundExchangeCrIbanCrcPaymentDescriptionHelp": { - "description": "Help text explaining payment description is the transfer code" - }, - "testBackupWriteDownPhrase": "Schreiben Sie Ihre Wiederherstellung Phrase\nin der richtigen Reihenfolge", - "@testBackupWriteDownPhrase": { - "description": "Main instruction header for physical backup screen" - }, - "jadeStep8": " - Versuchen Sie, Ihr Gerät näher oder weiter weg zu bewegen", - "@jadeStep8": { - "description": "Jade troubleshooting tip 3" - }, - "payNotLoggedIn": "Nicht eingeloggt", - "@payNotLoggedIn": { - "description": "Title for not logged in card" - }, - "importQrDeviceSpecterStep7": "Disable \"Use SLIP-132\"", - "@importQrDeviceSpecterStep7": { - "description": "Specter instruction step 7" - }, - "customLocationTitle": "Individueller Standort", - "@customLocationTitle": { - "description": "Title for custom location screen" - }, - "importQrDeviceJadeStep5": "Wählen Sie \"Wallet\" aus der Optionenliste", - "@importQrDeviceJadeStep5": { - "description": "Jade instruction step 5" - }, - "arkSettled": "Mit einem Quadratmetergewicht von mehr als 10 kg", - "@arkSettled": { - "description": "Label for settled balance in Ark balance breakdown" - }, - "transactionFilterBuy": "Kaufen", - "@transactionFilterBuy": { - "description": "Filter option to show only buy orders" - }, - "approximateFiatPrefix": "~", - "@approximateFiatPrefix": { - "description": "Prefix indicating approximate fiat equivalent value" - }, - "sendEstimatedDeliveryHoursToDays": "stunden bis tage", - "@sendEstimatedDeliveryHoursToDays": { - "description": "Estimated delivery time ranging from hours to days" - }, - "coreWalletTransactionStatusPending": "Ausgaben", - "@coreWalletTransactionStatusPending": { - "description": "Display name for pending wallet transaction status" - }, - "ledgerActionFailedMessage": "{action} Nicht verfügbar", - "@ledgerActionFailedMessage": { - "description": "Error message when a Ledger action fails", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "testBackupErrorLoadWallets": "Versäumt, Brieftaschen zu laden: {error}", - "@testBackupErrorLoadWallets": { - "description": "Error when loading wallets fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "fundExchangeLabelBankAccountCountry": "Bankkonto", - "@fundExchangeLabelBankAccountCountry": { - "description": "Label for bank account country field" - }, - "walletAddressTypeNestedSegwit": "Eingebettet Segwit", - "@walletAddressTypeNestedSegwit": { - "description": "Address type for BIP49 wallets" - }, - "dcaConfirmDeactivate": "Ja, deaktivieren", - "@dcaConfirmDeactivate": { - "description": "Confirm deactivation button" - }, - "exchangeLandingFeature2": "DCA, Limit-Bestellungen und Auto-buy", - "@exchangeLandingFeature2": { - "description": "Second feature bullet point" - }, - "payPaymentPending": "Zahlung anhängig", - "@payPaymentPending": { - "description": "Status message for in-flight payment" - }, - "payConfirmHighFee": "Die Gebühr für diese Zahlung beträgt {percentage}% des Betrags. Weiter?", - "@payConfirmHighFee": { - "description": "Confirmation prompt when fee percentage is high", - "placeholders": { - "percentage": { - "type": "String" - } - } - }, - "payPayoutAmount": "Auszahlungsbetrag", - "@payPayoutAmount": { - "description": "Label for amount user receives" - }, - "autoswapMaxBalanceInfo": "Wenn die Geldwaage das Doppelte dieses Betrags überschreitet, wird Auto-Transfer auslösen, um das Gleichgewicht auf diese Ebene zu reduzieren", - "@autoswapMaxBalanceInfo": { - "description": "Info tooltip for max balance field" - }, - "payPhone": "Telefon", - "@payPhone": { - "description": "Label for phone details" - }, - "recoverbullTorNetwork": "Tor Network", - "@recoverbullTorNetwork": { - "description": "Label for Tor network connection status" - }, - "transactionDetailLabelTransferStatus": "Übertragungsstatus", - "@transactionDetailLabelTransferStatus": { - "description": "Label for transfer status" - }, - "importColdcardInstructionsTitle": "Coldcard Q Anleitung", - "@importColdcardInstructionsTitle": { - "description": "ImportColdcardQ: Title of instructions bottom sheet" - }, - "sendVerifyOnDevice": "Verifizieren Sie das Gerät", - "@sendVerifyOnDevice": { - "description": "Instruction to check hardware wallet screen" - }, - "sendAmountRequested": "Beantragter Betrag ", - "@sendAmountRequested": { - "description": "Label for the requested amount in a payment request" - }, - "exchangeTransactionsTitle": "Transaktionen", - "@exchangeTransactionsTitle": { - "description": "Title for the transactions section in exchange" - }, - "payRoutingFailed": "Routing gescheitert", - "@payRoutingFailed": { - "description": "Error when Lightning payment routing fails" - }, - "payCard": "Karte", - "@payCard": { - "description": "Label for card details" - }, - "sendFreezeCoin": "Eingebettet", - "@sendFreezeCoin": { - "description": "Action to prevent UTXO from being spent" - }, - "fundExchangeLabelTransitNumber": "Übergangsnummer", - "@fundExchangeLabelTransitNumber": { - "description": "Label for transit number field" - }, - "buyConfirmYouReceive": "Sie erhalten", - "@buyConfirmYouReceive": { - "description": "Field label for receive amount" - }, - "buyDocumentUpload": "Dokumente hochladen", - "@buyDocumentUpload": { - "description": "Section for ID document submission" - }, - "walletAddressTypeConfidentialSegwit": "Vertrauliche Segwit", - "@walletAddressTypeConfidentialSegwit": { - "description": "Address type for Liquid wallets" - }, - "transactionDetailRetryTransfer": "Retry Transfer {action}", - "@transactionDetailRetryTransfer": { - "description": "Button label to retry a failed transfer action", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "sendTransferFeeDescription": "Dies ist die Gesamtgebühr, die vom gesendeten Betrag abgezogen wird", - "@sendTransferFeeDescription": { - "description": "Explanation of what the transfer fee represents" - }, - "bitcoinSettingsWalletsTitle": "Geldbörsen", - "@bitcoinSettingsWalletsTitle": { - "description": "Title for the wallets section in Bitcoin settings" - }, - "arkReceiveSegmentBoarding": "Durchführung", - "@arkReceiveSegmentBoarding": { - "description": "Segment option for Boarding (BTC) address type" - }, - "seedsignerStep12": "Die Bull Bitcoin Geldbörse wird Sie bitten, den QR-Code auf dem SeedSigner zu scannen. Scan es.", - "@seedsignerStep12": { - "description": "SeedSigner instruction for scanning signed PSBT" - }, - "psbtFlowKeystoneTitle": "Keystone Anleitung", - "@psbtFlowKeystoneTitle": { - "description": "Title for Keystone device signing instructions" - }, - "transactionLabelTransferStatus": "Übertragungsstatus", - "@transactionLabelTransferStatus": { - "description": "Label for transfer status" - }, - "arkSessionDuration": "Sitzungsdauer", - "@arkSessionDuration": { - "description": "Label for session duration field" - }, - "buyAboveMaxAmountError": "Sie versuchen, über dem maximalen Betrag zu kaufen.", - "@buyAboveMaxAmountError": { - "description": "Error message for amount above maximum during buy" - }, - "electrumTimeoutWarning": "Ihr Timeout ({timeoutValue} Sekunden) ist niedriger als der empfohlene Wert ({recommended} Sekunden) für diesen Stop Gap.", - "@electrumTimeoutWarning": { - "description": "Warning message when timeout is too low for the configured Stop Gap", - "placeholders": { - "timeoutValue": { - "type": "String" - }, - "recommended": { - "type": "String" - } - } - }, - "sendShowPsbt": "PSBT anzeigen", - "@sendShowPsbt": { - "description": "Button to display PSBT for external signing" - }, - "ledgerErrorUnknownOccurred": "Unbekannter Fehler aufgetreten", - "@ledgerErrorUnknownOccurred": { - "description": "Error message when an unknown error occurs during Ledger operation" - }, - "receiveAddress": "Anschrift", - "@receiveAddress": { - "description": "Label for generated address" - }, - "broadcastSignedTxAmount": "Betrag", - "@broadcastSignedTxAmount": { - "description": "Label for transaction amount" - }, - "hwJade": "Blockstream Jade", - "@hwJade": { - "description": "Name of Blockstream Jade hardware wallet" - }, - "keystoneStep14": "Es ist jetzt bereit zu senden! Sobald Sie auf Sendung klicken, wird die Transaktion im Bitcoin-Netzwerk veröffentlicht und die Mittel werden gesendet.", - "@keystoneStep14": { - "description": "Keystone final instruction about broadcasting" - }, - "recoverbullErrorConnectionFailed": "Nicht angeschlossen an den Ziel-Schlüsselserver. Bitte versuchen Sie es später wieder!", - "@recoverbullErrorConnectionFailed": { - "description": "Error message when server connection fails" - }, - "testBackupDigitalCopy": "Digitales Exemplar", - "@testBackupDigitalCopy": { - "description": "Label with X mark warning against making digital copies" - }, - "fundExchangeLabelMemo": "Memo", - "@fundExchangeLabelMemo": { - "description": "Label for memo/reference field" - }, - "paySearchPayments": "Suchzahlungen...", - "@paySearchPayments": { - "description": "Search box placeholder" - }, - "payPendingPayments": "Ausgaben", - "@payPendingPayments": { - "description": "Filter for pending payments" - }, - "passwordMinLengthError": "{pinOrPassword} muss mindestens 6 Ziffern lang sein", - "@passwordMinLengthError": { - "description": "Error message for password minimum length", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "coreSwapsLnSendExpired": "Swap abgelaufen", - "@coreSwapsLnSendExpired": { - "description": "Status message for expired Lightning send swap" - }, - "sellSendPaymentUsdBalance": "USD Saldo", - "@sellSendPaymentUsdBalance": { - "description": "USD balance payout method" - }, - "backupWalletEncryptedVaultTag": "Einfach und einfach (1 Minute)", - "@backupWalletEncryptedVaultTag": { - "description": "Tag indicating difficulty and time for encrypted vault backup" - }, - "payBroadcastFailed": "Broadcast fehlgeschlagen", - "@payBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, - "arkSettleTransactions": "Settle Transactions", - "@arkSettleTransactions": { - "description": "Bottom sheet title for settling pending transactions" - }, - "transactionLabelConfirmationTime": "Bestätigungszeit", - "@transactionLabelConfirmationTime": { - "description": "Label for transaction confirmation timestamp" - }, - "languageSettingsScreenTitle": "Sprache", - "@languageSettingsScreenTitle": { - "description": "The title of the language settings screen" - }, - "payNetworkFees": "Netzgebühren", - "@payNetworkFees": { - "description": "Label for network fees amount" - }, - "bitboxScreenSegwitBip84": "Segwit (BIP84)", - "@bitboxScreenSegwitBip84": { - "description": "Script type display name for BIP84" - }, - "bitboxScreenConnectingSubtext": "Sichere Verbindung aufbauen...", - "@bitboxScreenConnectingSubtext": { - "description": "Subtext when connecting" - }, - "receiveShareAddress": "Anschrift", - "@receiveShareAddress": { - "description": "Button to share via system share sheet" - }, - "arkTxPending": "Ausgaben", - "@arkTxPending": { - "description": "Status label for pending Ark transactions" - }, - "payAboveMaxAmountError": "Sie versuchen, über den maximalen Betrag zu zahlen, der mit dieser Geldbörse bezahlt werden kann.", - "@payAboveMaxAmountError": { - "description": "Error message for amount above maximum" - }, - "sharedWithBullBitcoin": "mit Bull Bitcoin geteilt.", - "@sharedWithBullBitcoin": { - "description": "End part of privacy assurance message" - }, - "jadeStep7": " - Halten Sie den QR-Code stabil und zentriert", - "@jadeStep7": { - "description": "Jade troubleshooting tip 2" - }, - "sendCouldNotBuildTransaction": "Konnte Transaction nicht aufbauen", - "@sendCouldNotBuildTransaction": { - "description": "Error message when a transaction cannot be built" - }, - "allSeedViewIUnderstandButton": "Ich verstehe", - "@allSeedViewIUnderstandButton": { - "description": "Button label to acknowledge security warning" - }, - "coreScreensExternalTransfer": "Externer Transfer", - "@coreScreensExternalTransfer": { - "description": "Title for external transfer action" - }, - "fundExchangeSinpeWarningNoBitcoin": "Nicht gesetzt", - "@fundExchangeSinpeWarningNoBitcoin": { - "description": "Bold warning text at start of bitcoin warning message" - }, - "ledgerHelpStep3": "Stellen Sie sicher, dass Ihr Ledger Bluetooth eingeschaltet hat.", - "@ledgerHelpStep3": { - "description": "Third troubleshooting step for Ledger connection issues" - }, - "coreSwapsChainFailedRefunding": "Transfer wird in Kürze zurückerstattet.", - "@coreSwapsChainFailedRefunding": { - "description": "Status message for failed chain swap that will be refunded" - }, - "sendSelectAmount": "Wählen Sie den Betrag", - "@sendSelectAmount": { - "description": "Label for selecting the amount to send" - }, - "sellKYCRejected": "KYC-Prüfung abgelehnt", - "@sellKYCRejected": { - "description": "Error when verification fails" - }, - "electrumNetworkLiquid": "Flüssig", - "@electrumNetworkLiquid": { - "description": "Liquid network tab label" - }, - "buyBelowMinAmountError": "Sie versuchen, unter dem Mindestbetrag zu kaufen.", - "@buyBelowMinAmountError": { - "description": "Error message for amount below minimum during buy" - }, - "exchangeLandingFeature6": "Einheitliche Transaktionsgeschichte", - "@exchangeLandingFeature6": { - "description": "Sixth feature bullet point" - }, - "transactionStatusPaymentRefunded": "Zahlung zurückerstattet", - "@transactionStatusPaymentRefunded": { - "description": "Status label for refunded payments" - }, - "pinCodeSecurityPinTitle": "SicherheitspIN", - "@pinCodeSecurityPinTitle": { - "description": "AppBar title for PIN settings screen" - }, - "bitboxActionImportWalletSuccessSubtext": "Ihre BitBox Geldbörse wurde erfolgreich importiert.", - "@bitboxActionImportWalletSuccessSubtext": { - "description": "Success subtext for import wallet" - }, - "electrumEmptyFieldError": "Dieses Feld kann nicht leer sein", - "@electrumEmptyFieldError": { - "description": "Validation error for empty field" - }, - "transactionStatusPaymentInProgress": "Zahlung in Progress", - "@transactionStatusPaymentInProgress": { - "description": "Status label for Lightning payments in progress" - }, - "connectHardwareWalletKrux": "Krups", - "@connectHardwareWalletKrux": { - "description": "Krux hardware wallet option" - }, - "receiveSelectNetwork": "Wählen Sie Netzwerk", - "@receiveSelectNetwork": { - "description": "Dropdown to choose receiving network" - }, - "sellLoadingGeneric": "Die...", - "@sellLoadingGeneric": { - "description": "Generic loading message" - }, - "ledgerWalletTypeSegwit": "Segwit (BIP84)", - "@ledgerWalletTypeSegwit": { - "description": "Display name for Segwit wallet type (BIP84)" - }, - "bip85Mnemonic": "Mnemonic", - "@bip85Mnemonic": { - "description": "Label for mnemonic type entropy" - }, - "importQrDeviceSeedsignerName": "SeedSigner", - "@importQrDeviceSeedsignerName": { - "description": "Name of SeedSigner device" - }, - "payFeeTooHigh": "Fee ist ungewöhnlich hoch", - "@payFeeTooHigh": { - "description": "Warning when calculated fee is higher than expected" - }, - "fundExchangeBankTransferWireTitle": "Banküberweisung (Draht)", - "@fundExchangeBankTransferWireTitle": { - "description": "Screen title for bank transfer wire payment details" - }, - "psbtFlowPartProgress": "Teil {current} von {total}", - "@psbtFlowPartProgress": { - "description": "Progress indicator for animated QR code parts", - "placeholders": { - "current": { - "type": "String" - }, - "total": { - "type": "String" - } - } - }, - "receiveShareInvoice": "Teilen Invoice", - "@receiveShareInvoice": { - "description": "Button to share invoice" - }, - "buyCantBuyMoreThan": "Sie können nicht mehr kaufen als", - "@buyCantBuyMoreThan": { - "description": "Error message for amount above maximum" - }, - "dcaUnableToGetConfig": "Unfähig, DCA-Konfiguration zu erhalten", - "@dcaUnableToGetConfig": { - "description": "Error message when DCA config unavailable" - }, - "exchangeAuthLoginFailed": "Zurück zur Übersicht", - "@exchangeAuthLoginFailed": { - "description": "Login failure dialog title" - }, - "arkAvailable": "Verfügbar", - "@arkAvailable": { - "description": "Label for available balance in Ark balance breakdown" - }, - "transactionSwapDescChainFailed": "Es gab ein Problem mit Ihrem Transfer. Bitte kontaktieren Sie die Unterstützung, wenn die Mittel nicht innerhalb von 24 Stunden zurückgegeben wurden.", - "@transactionSwapDescChainFailed": { - "description": "Description for failed chain swap" - }, - "testBackupWarningMessage": "Ohne eine Sicherung verlieren Sie schließlich den Zugang zu Ihrem Geld. Es ist kritisch wichtig, eine Sicherung zu tun.", - "@testBackupWarningMessage": { - "description": "Warning message emphasizing importance of backups" - }, - "arkNetwork": "Netzwerk", - "@arkNetwork": { - "description": "Label for network field" - }, - "importWatchOnlyYpub": "ypub", - "@importWatchOnlyYpub": { - "description": "Label for ypub import method" - }, - "ledgerVerifyTitle": "Adresse auf Ledger überprüfen", - "@ledgerVerifyTitle": { - "description": "Title for verifying an address on Ledger device" - }, - "recoverbullSwitchToPassword": "Wählen Sie ein Passwort statt", - "@recoverbullSwitchToPassword": { - "description": "Button text to switch from PIN to password input" - }, - "exchangeDcaNetworkBitcoin": "Bitcoin Network", - "@exchangeDcaNetworkBitcoin": { - "description": "DCA network option: Bitcoin" - }, - "autoswapWarningTitle": "Autoswap ist mit den folgenden Einstellungen aktiviert:", - "@autoswapWarningTitle": { - "description": "Title text in the autoswap warning bottom sheet" - }, - "seedsignerStep1": "Schalten Sie Ihr SeedSigner Gerät ein", - "@seedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, - "backupWalletHowToDecideBackupLosePhysical": "Eine der häufigsten Möglichkeiten, wie Menschen verlieren ihre Bitcoin ist, weil sie die physische Sicherung verlieren. Jeder, der Ihre physische Sicherung findet, wird in der Lage sein, alle Ihre Bitcoin zu nehmen. Wenn Sie sehr zuversichtlich sind, dass Sie es gut verstecken können und nie verlieren, ist es eine gute Option.", - "@backupWalletHowToDecideBackupLosePhysical": { - "description": "Explanation of physical backup risks in decision help modal" - }, - "transactionSwapDescLnSendDefault": "Ihr Swap ist im Gange. Dieser Prozess ist automatisiert und kann einige Zeit zum Abschluss nehmen.", - "@transactionSwapDescLnSendDefault": { - "description": "Default description for Lightning send swap" - }, - "recoverbullErrorMissingBytes": "Vermisste Bytes von der Reaktion von Tor. Wiederholen, aber wenn das Problem anhält, ist es ein bekanntes Problem für einige Geräte mit Tor.", - "@recoverbullErrorMissingBytes": { - "description": "Error message when Tor response is incomplete" - }, - "coreScreensReceiveNetworkFeeLabel": "Netzwerkgebühren empfangen", - "@coreScreensReceiveNetworkFeeLabel": { - "description": "Label for receive network fee field" - }, - "payEstimatedFee": "Geschätzte Gebühren", - "@payEstimatedFee": { - "description": "Label for estimated network fee" - }, - "sendSendAmount": "Betrag", - "@sendSendAmount": { - "description": "Label for amount being sent in swap" - }, - "sendSelectedUtxosInsufficient": "Ausgewählte utxos deckt den erforderlichen Betrag nicht ab", - "@sendSelectedUtxosInsufficient": { - "description": "Error message when selected UTXOs don't cover the required amount" - }, - "swapErrorBalanceTooLow": "Saldo zu niedrig für minimale Swap-Menge", - "@swapErrorBalanceTooLow": { - "description": "Error when balance is below minimum swap limit" - }, - "replaceByFeeErrorGeneric": "Beim Versuch, die Transaktion zu ersetzen, trat ein Fehler auf", - "@replaceByFeeErrorGeneric": { - "description": "Generic error message for replace-by-fee operation failures" - }, - "fundExchangeWarningTactic5": "Sie bitten Bitcoin auf einer anderen Plattform zu senden", - "@fundExchangeWarningTactic5": { - "description": "Fifth scammer tactic warning" - }, - "rbfCustomFee": "Zollgebühren", - "@rbfCustomFee": { - "description": "Label for custom fee option" - }, - "importQrDeviceFingerprint": "Fingerabdruck", - "@importQrDeviceFingerprint": { - "description": "Label for device fingerprint" - }, - "physicalBackupRecommendationText": "Sie sind zuversichtlich in Ihren eigenen operativen Sicherheitsfunktionen, um Ihre Bitcoin Samenwörter zu verstecken und zu erhalten.", - "@physicalBackupRecommendationText": { - "description": "Text explaining when to use physical backup" - }, - "importWatchOnlyDescriptor": "Beschreibung", - "@importWatchOnlyDescriptor": { - "description": "Label for descriptor import method" - }, - "payPaymentInProgress": "Zahlung in Progress!", - "@payPaymentInProgress": { - "description": "Title for payment in progress screen" - }, - "payOrderAlreadyConfirmed": "Dieser Zahlungsauftrag wurde bereits bestätigt.", - "@payOrderAlreadyConfirmed": { - "description": "Error message when pay order is already confirmed" - }, - "ledgerProcessingSign": "Unterzeichnen von Transaktion", - "@ledgerProcessingSign": { - "description": "Status message shown while signing transaction with Ledger" - }, - "jadeStep6": " - Erhöhung der Bildschirmhelligkeit auf Ihrem Gerät", - "@jadeStep6": { - "description": "Jade troubleshooting tip 1" - }, - "fundExchangeETransferLabelEmail": "Senden Sie den E-Transfer an diese E-Mail", - "@fundExchangeETransferLabelEmail": { - "description": "Label for E-transfer recipient email" - }, - "pinCodeCreateButton": "PIN erstellen", - "@pinCodeCreateButton": { - "description": "Button label to create a new PIN" - }, - "bitcoinSettingsTestnetModeTitle": "Testnet-Modus", - "@bitcoinSettingsTestnetModeTitle": { - "description": "Title for the testnet mode toggle in Bitcoin settings" - }, - "buyTitle": "Bitcoin kaufen", - "@buyTitle": { - "description": "Screen title for buying Bitcoin" - }, - "fromLabel": "Von", - "@fromLabel": { - "description": "Label for source wallet in transaction details" - }, - "sellCompleteKYC": "Vollständige KYC", - "@sellCompleteKYC": { - "description": "Button to start verification process" - }, - "hwConnectTitle": "Hardware Wallet verbinden", - "@hwConnectTitle": { - "description": "AppBar title for hardware wallet selection screen" - }, - "payRequiresSwap": "Diese Zahlung erfordert einen Swap", - "@payRequiresSwap": { - "description": "Info message when payment needs submarine swap" - }, - "exchangeSecurityManage2FAPasswordLabel": "2FA und Passwort verwalten", - "@exchangeSecurityManage2FAPasswordLabel": { - "description": "Label for managing 2FA and password in exchange security settings" - }, - "backupWalletSuccessTitle": "Backup abgeschlossen!", - "@backupWalletSuccessTitle": { - "description": "Success screen title after backup is completed" - }, - "transactionSwapDescLnSendFailed": "Es gab ein Problem mit Ihrem Swap. Ihre Gelder werden automatisch an Ihre Geldbörse zurückgegeben.", - "@transactionSwapDescLnSendFailed": { - "description": "Description for failed Lightning send swap" - }, - "sendCoinAmount": "Betrag: {amount}", - "@sendCoinAmount": { - "description": "Label for UTXO amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "payTotalFees": "Gesamtkosten", - "@payTotalFees": { - "description": "Label for sum of all fees" - }, - "fundExchangeOnlineBillPaymentHelpBillerName": "Fügen Sie dieses Unternehmen als Zahler hinzu - es ist Bull Bitcoin's Zahlungsprozessor", - "@fundExchangeOnlineBillPaymentHelpBillerName": { - "description": "Help text for biller name field" - }, - "payPayoutMethod": "Zahlungsmethode", - "@payPayoutMethod": { - "description": "Label for payout method section" - }, - "ledgerVerifyButton": "Adresse verifizieren", - "@ledgerVerifyButton": { - "description": "Button label to start address verification on Ledger" - }, - "sendErrorSwapFeesNotLoaded": "Swap Gebühren nicht geladen", - "@sendErrorSwapFeesNotLoaded": { - "description": "Error when swap fee information is unavailable" - }, - "walletDetailsCopyButton": "Kopie", - "@walletDetailsCopyButton": { - "description": "Button label for copying wallet details to clipboard" - }, - "backupWalletGoogleDrivePrivacyMessage3": "ihr telefon verlassen und ist ", - "@backupWalletGoogleDrivePrivacyMessage3": { - "description": "Third part of privacy message" - }, - "backupCompletedDescription": "Jetzt testen wir Ihr Backup, um sicherzustellen, dass alles richtig gemacht wurde.", - "@backupCompletedDescription": { - "description": "Description prompting user to test their backup" - }, - "sendErrorInsufficientFundsForFees": "Nicht genug Mittel zur Deckung von Betrag und Gebühren", - "@sendErrorInsufficientFundsForFees": { - "description": "Error when wallet cannot cover transaction amount plus fees" - }, - "buyConfirmPayoutMethod": "Zahlungsmethode", - "@buyConfirmPayoutMethod": { - "description": "Field label for payout method" - }, - "durationMinutes": "{minutes} Minuten", - "@durationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "dcaConfirmNetworkLiquid": "Flüssig", - "@dcaConfirmNetworkLiquid": { - "description": "Liquid network label" - }, - "walletDetailsAddressTypeLabel": "Anschrift", - "@walletDetailsAddressTypeLabel": { - "description": "Label for the address type field in wallet details" - }, - "emptyMnemonicWordsError": "Geben Sie alle Wörter Ihrer mnemonic", - "@emptyMnemonicWordsError": { - "description": "Error message when not all mnemonic words are filled in" - }, - "testBackupTapWordsInOrder": "Tippen Sie auf die Wiederherstellungswörter in der\nRechtsbehelf", - "@testBackupTapWordsInOrder": { - "description": "Instruction header for word selection quiz" - }, - "transactionSwapDescLnSendExpired": "Dieser Swap ist abgelaufen. Ihre Mittel werden automatisch an Ihre Geldbörse zurückgegeben.", - "@transactionSwapDescLnSendExpired": { - "description": "Description for expired Lightning send swap" - }, - "testBackupButton": "Test Backup", - "@testBackupButton": { - "description": "Button label to test backup" - }, - "receiveNotePlaceholder": "Anmerkung", - "@receiveNotePlaceholder": { - "description": "Placeholder text for note input field" - }, - "coreScreensInternalTransfer": "Interne Übertragung", - "@coreScreensInternalTransfer": { - "description": "Title for internal transfer action" - }, - "sendSwapWillTakeTime": "Es wird eine Weile dauern, um zu bestätigen", - "@sendSwapWillTakeTime": { - "description": "Message warning swap confirmation takes time" - }, - "autoswapSelectWalletError": "Bitte wählen Sie einen Empfänger Bitcoin Wallet", - "@autoswapSelectWalletError": { - "description": "Validation error when trying to enable auto transfer without selecting a wallet" - }, - "sellServiceFee": "Servicegebühr", - "@sellServiceFee": { - "description": "Label for Bull Bitcoin service fee" - }, - "connectHardwareWalletTitle": "Hardware Wallet verbinden", - "@connectHardwareWalletTitle": { - "description": "Title for connect hardware wallet page" - }, - "replaceByFeeCustomFeeTitle": "Zollgebühren", - "@replaceByFeeCustomFeeTitle": { - "description": "Title for custom fee input section" - }, - "kruxStep14": "Die Bull Bitcoin Geldbörse wird Sie bitten, den QR-Code auf der Krux zu scannen. Scan es.", - "@kruxStep14": { - "description": "Krux instruction for scanning signed PSBT" - }, - "payAvailableBalance": "Verfügbar: {amount}", - "@payAvailableBalance": { - "description": "Label showing available wallet balance", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "payCheckingStatus": "Zahlungsstatus prüfen...", - "@payCheckingStatus": { - "description": "Loading message while verifying payment status" - }, - "payMemo": "Memo", - "@payMemo": { - "description": "Label for optional payment note" - }, - "languageSettingsLabel": "Sprache", - "@languageSettingsLabel": { - "description": "The label for the button to access the language settings" - }, - "fundExchangeMethodCrIbanCrc": "Costa Rica IBAN (CRC)", - "@fundExchangeMethodCrIbanCrc": { - "description": "Payment method: Costa Rica IBAN in Colones" - }, - "walletDeletionFailedTitle": "Löschen Verfehlt", - "@walletDeletionFailedTitle": { - "description": "Title for the wallet deletion failed dialog" - }, - "payPayFromWallet": "Bezahlung von Geldbeuteln", - "@payPayFromWallet": { - "description": "Label for wallet used for payment" - }, - "broadcastSignedTxNfcTitle": "NFC", - "@broadcastSignedTxNfcTitle": { - "description": "Title for NFC scanning page" - }, - "buyYouPay": "Sie zahlen", - "@buyYouPay": { - "description": "Label for amount user pays" - }, - "payOrderAlreadyConfirmedError": "Dieser Zahlungsauftrag wurde bereits bestätigt.", - "@payOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed order" - }, - "passportStep12": "Die Bull Bitcoin Brieftasche wird Sie bitten, den QR-Code auf dem Passport zu scannen. Scan es.", - "@passportStep12": { - "description": "Passport instruction for scanning signed PSBT" - }, - "paySelectRecipient": "Wählen Sie Empfänger", - "@paySelectRecipient": { - "description": "Screen title for recipient selection" - }, - "payNoActiveWallet": "Keine aktive Brieftasche", - "@payNoActiveWallet": { - "description": "Error when no wallet is selected" - }, - "importQrDeviceKruxStep4": "Klicken Sie auf die Schaltfläche \"Kamera öffnen\"", - "@importQrDeviceKruxStep4": { - "description": "Krux instruction step 4" - }, - "appStartupErrorMessageWithBackup": "Auf v5.4.0 wurde ein kritischer Fehler in einer unserer Abhängigkeiten entdeckt, die die private Schlüsselspeicherung beeinflussen. Ihre App wurde dadurch beeinflusst. Sie müssen diese App löschen und sie mit Ihrem gesicherten Saatgut neu installieren.", - "@appStartupErrorMessageWithBackup": { - "description": "Error message shown when app startup fails due to seed storage issue and user has a backup" - }, - "payPasteInvoice": "Paste Invoice", - "@payPasteInvoice": { - "description": "Button text to paste invoice from clipboard" - }, - "labelErrorUnexpected": "Unerwartete Fehler: {message}", - "@labelErrorUnexpected": { - "description": "Error message for unexpected label errors", - "placeholders": { - "message": { - "type": "String" - } - } - }, - "arkStatusSettled": "Mit einem Quadratmetergewicht von mehr als 10 kg", - "@arkStatusSettled": { - "description": "Status label for settled redeem transactions" - }, - "dcaWalletBitcoinSubtitle": "Mindestens 0,001 BTC", - "@dcaWalletBitcoinSubtitle": { - "description": "Subtitle/description for Bitcoin wallet option" - }, - "bitboxScreenEnterPasswordSubtext": "Bitte geben Sie Ihr Passwort auf dem BitBox-Gerät ein, um fortzufahren.", - "@bitboxScreenEnterPasswordSubtext": { - "description": "Subtext when waiting for password" - }, - "systemLabelSwaps": "Swaps", - "@systemLabelSwaps": { - "description": "System label for swap transactions" - }, - "sendOpenTheCamera": "Öffne die Kamera", - "@sendOpenTheCamera": { - "description": "Button label for opening the camera to scan QR codes" - }, - "passportStep11": "Klicken Sie auf \"Ich bin fertig\" in der Bull Bitcoin Geldbörse.", - "@passportStep11": { - "description": "Passport instruction to return to app" - }, - "sendSwapId": "Swap-ID", - "@sendSwapId": { - "description": "Label for swap identifier in transaction details" - }, - "electrumServerOnline": "Online", - "@electrumServerOnline": { - "description": "Status text for online servers" - }, - "fundExchangeAccountTitle": "Ihr Konto finanzieren", - "@fundExchangeAccountTitle": { - "description": "Main title on the fund exchange account screen" - }, - "fundExchangeWarningTactic1": "Sie sind vielversprechende Kapitalrendite", - "@fundExchangeWarningTactic1": { - "description": "First scammer tactic warning" - }, - "testBackupDefaultWallets": "Standard Wallis", - "@testBackupDefaultWallets": { - "description": "Label shown when testing the default wallets" - }, - "receiveSendNetworkFee": "Netzwerkgebühr senden", - "@receiveSendNetworkFee": { - "description": "Label for the network fee on the sending network in a swap transaction" - }, - "autoswapRecipientWalletInfoText": "Wählen Sie, welche Bitcoin Geldbörse die übertragenen Gelder erhält (erforderlich)", - "@autoswapRecipientWalletInfoText": { - "description": "Help text explaining wallet selection" - }, - "withdrawAboveMaxAmountError": "Sie versuchen, über den maximalen Betrag zurückzuziehen.", - "@withdrawAboveMaxAmountError": { - "description": "Error message for amount above maximum during withdraw" - }, - "psbtFlowScanDeviceQr": "Die Bull Bitcoin Brieftasche wird Sie bitten, den QR-Code auf dem {device} zu scannen. Scan es.", - "@psbtFlowScanDeviceQr": { - "description": "Instruction to scan QR code from hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "exchangeAuthLoginFailedMessage": "Ein Fehler ist aufgetreten, bitte versuchen Sie erneut einzuloggen.", - "@exchangeAuthLoginFailedMessage": { - "description": "Message shown when exchange login fails" - }, - "passportStep13": "Die Transaktion wird in der Bull Bitcoin Geldbörse importiert.", - "@passportStep13": { - "description": "Passport instruction about import completion" - }, - "importQrDeviceKeystoneStep3": "Klicken Sie auf die drei Punkte oben rechts", - "@importQrDeviceKeystoneStep3": { - "description": "Keystone instruction step 3" - }, - "exchangeAmountInputValidationInvalid": "Invalide", - "@exchangeAmountInputValidationInvalid": { - "description": "Validation message when amount is invalid" - }, - "exchangeAccountInfoLoadErrorMessage": "Unfähig, Kontoinformationen zu laden", - "@exchangeAccountInfoLoadErrorMessage": { - "description": "Error message when account information fails to load" - }, - "dcaWalletSelectionContinueButton": "Fortsetzung", - "@dcaWalletSelectionContinueButton": { - "description": "Button label to proceed to confirmation screen" - }, - "pinButtonChange": "Veränderung PIN", - "@pinButtonChange": { - "description": "Button label when PIN already exists" - }, - "sendErrorInsufficientFundsForPayment": "Nicht genug Geld zur Verfügung, um diese Zahlung.", - "@sendErrorInsufficientFundsForPayment": { - "description": "Error when insufficient funds available" - }, - "fundExchangeETransferTitle": "E-Transfer Details", - "@fundExchangeETransferTitle": { - "description": "Screen title for E-Transfer payment details" - }, - "verifyButton": "Überprüfung", - "@verifyButton": { - "description": "Button label to verify recovery phrase" - }, - "swapTitle": "Interne Übertragung", - "@swapTitle": { - "description": "AppBar title for swap/internal transfer screen" - }, - "sendOutputTooSmall": "Leistung unter Staubgrenze", - "@sendOutputTooSmall": { - "description": "Error for tiny output amount" - }, - "copiedToClipboardMessage": "Zu Clipboard gewickelt", - "@copiedToClipboardMessage": { - "description": "Snackbar confirmation message after copying to clipboard" - }, - "torSettingsStatusConnected": "Verbunden", - "@torSettingsStatusConnected": { - "description": "Status title when Tor is connected" - }, - "receiveNote": "Anmerkung", - "@receiveNote": { - "description": "Label for adding a note to a receive transaction" - }, - "arkCopiedToClipboard": "{label} in die Zwischenablage kopiert", - "@arkCopiedToClipboard": { - "description": "SnackBar message when field is copied", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "arkRecipientAddress": "Empfängeradresse", - "@arkRecipientAddress": { - "description": "Label for recipient address input field" - }, - "payLightningNetwork": "Blitznetz", - "@payLightningNetwork": { - "description": "Option for Lightning Network payment" - }, - "shareLogsLabel": "Protokolle teilen", - "@shareLogsLabel": { - "description": "List tile label to share application logs" - }, - "ledgerSuccessVerifyTitle": "Bestätigungsadresse für Ledger...", - "@ledgerSuccessVerifyTitle": { - "description": "Success message title for address verification on Ledger" - }, - "payCorporateNameHint": "Name des Unternehmens", - "@payCorporateNameHint": { - "description": "Hint for corporate name input" - }, - "sellExternalWallet": "Außenwander", - "@sellExternalWallet": { - "description": "Option for external wallet" - }, - "backupSettingsFailedToDeriveKey": "Versäumt, den Sicherungsschlüssel abzuleiten", - "@backupSettingsFailedToDeriveKey": { - "description": "Error message when backup key derivation fails" - }, - "googleDriveProvider": "Google Drive", - "@googleDriveProvider": { - "description": "Name of Google Drive provider" - }, - "sellAccountName": "Name des Kontos", - "@sellAccountName": { - "description": "Label for bank account holder name" - }, - "statusCheckUnknown": "Unbekannt", - "@statusCheckUnknown": { - "description": "Status text when service status is unknown" - }, - "howToDecideVaultLocationText2": "Ein benutzerdefinierter Standort kann viel sicherer sein, je nachdem, welcher Ort Sie wählen. Sie müssen auch sicherstellen, nicht die Sicherungsdatei zu verlieren oder das Gerät zu verlieren, auf dem Ihre Sicherungsdatei gespeichert ist.", - "@howToDecideVaultLocationText2": { - "description": "Second paragraph explaining custom location benefits" - }, - "logSettingsLogsTitle": "Logs", - "@logSettingsLogsTitle": { - "description": "Title for the logs section in settings" - }, - "fundExchangeOnlineBillPaymentHelpAccountNumber": "Diese einzigartige Kontonummer wird nur für Sie erstellt", - "@fundExchangeOnlineBillPaymentHelpAccountNumber": { - "description": "Help text for account number field" - }, - "psbtFlowReadyToBroadcast": "Es ist jetzt bereit zu senden! Sobald Sie auf Sendung klicken, wird die Transaktion im Bitcoin-Netzwerk veröffentlicht und die Mittel werden gesendet.", - "@psbtFlowReadyToBroadcast": { - "description": "Final message that transaction is ready to broadcast" - }, - "sendErrorLiquidWalletRequired": "Flüssige Geldbörse muss für eine Flüssigkeit zum Blitzwechsel verwendet werden", - "@sendErrorLiquidWalletRequired": { - "description": "Error when wrong wallet type used for Liquid to Lightning swap" - }, - "arkDurationMinutes": "{minutes} Minuten", - "@arkDurationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "dcaSetupInsufficientBalance": "Unzureichende Balance", - "@dcaSetupInsufficientBalance": { - "description": "Insufficient balance error title" - }, - "swapTransferRefundedMessage": "Der Transfer wurde erfolgreich zurückerstattet.", - "@swapTransferRefundedMessage": { - "description": "Refund completion message" - }, - "payInvalidState": "Invalider Staat", - "@payInvalidState": { - "description": "Error message for invalid state" - }, - "receiveWaitForPayjoin": "Warten Sie, bis der Absender die payjoin Transaktion beendet", - "@receiveWaitForPayjoin": { - "description": "Instructions to wait for the sender during a payjoin transaction" - }, - "seedsignerStep5": " - Erhöhung der Bildschirmhelligkeit auf Ihrem Gerät", - "@seedsignerStep5": { - "description": "SeedSigner troubleshooting tip 1" - }, - "transactionSwapDescLnReceiveExpired": "Dieser Swap ist abgelaufen. Alle gesendeten Mittel werden automatisch an den Absender zurückgegeben.", - "@transactionSwapDescLnReceiveExpired": { - "description": "Description for expired Lightning receive swap" - }, - "sellKYCApproved": "KYC genehmigt", - "@sellKYCApproved": { - "description": "Status when verification complete" - }, - "arkTransaction": "transaktion", - "@arkTransaction": { - "description": "Singular form for transaction count" - }, - "dcaFrequencyMonthly": "monat", - "@dcaFrequencyMonthly": { - "description": "Monthly DCA frequency" - }, - "buyKYCLevel": "KYC Ebene", - "@buyKYCLevel": { - "description": "Label for verification tier" - }, - "passportInstructionsTitle": "Anleitung für die Stiftung Passport", - "@passportInstructionsTitle": { - "description": "Title for Passport signing instructions modal" - }, - "ledgerSuccessImportTitle": "Brieftasche erfolgreich importiert", - "@ledgerSuccessImportTitle": { - "description": "Success message title after importing Ledger wallet" - }, - "physicalBackupTitle": "Physische Sicherung", - "@physicalBackupTitle": { - "description": "Title for physical backup option" - }, - "exchangeReferralsMissionLink": "bullbitcoin.com/mission", - "@exchangeReferralsMissionLink": { - "description": "Link to the Bull Bitcoin mission page" - }, - "swapTransferPendingMessage": "Die Übertragung ist im Gange. Bitcoin Transaktionen können eine Weile dauern, um zu bestätigen. Du kannst nach Hause zurückkehren und warten.", - "@swapTransferPendingMessage": { - "description": "Message shown during pending swap" - }, - "transactionSwapLiquidToBitcoin": "L-BTC → BTC", - "@transactionSwapLiquidToBitcoin": { - "description": "Label for Liquid to Bitcoin swap" - }, - "testBackupDecryptVault": "Verschlüsselung Tresor", - "@testBackupDecryptVault": { - "description": "Button text to decrypt the vault" - }, - "transactionDetailBumpFees": "Bumpgebühren", - "@transactionDetailBumpFees": { - "description": "Button label to increase transaction fees via RBF" - }, - "psbtFlowNoPartsToDisplay": "Keine Teile zur Anzeige", - "@psbtFlowNoPartsToDisplay": { - "description": "Message when there are no QR code parts to show" - }, - "addressCardCopiedMessage": "Adresse kopiert zu Clipboard", - "@addressCardCopiedMessage": { - "description": "Success message when an address is copied to clipboard" - }, - "totalFeeLabel": "Gesamtkosten", - "@totalFeeLabel": { - "description": "Label for expandable total fee breakdown in swap" - }, - "mempoolCustomServerBottomSheetDescription": "Geben Sie die URL Ihres benutzerdefinierten Mempool-Servers ein. Der Server wird vor dem Speichern validiert.", - "@mempoolCustomServerBottomSheetDescription": { - "description": "Description in bottom sheet for adding/editing custom server" - }, - "sellBelowMinAmountError": "Sie versuchen, unter dem Mindestbetrag zu verkaufen, der mit dieser Geldbörse verkauft werden kann.", - "@sellBelowMinAmountError": { - "description": "Error message for amount below minimum" - }, - "buyAwaitingConfirmation": "Voraussichtliche Bestätigung ", - "@buyAwaitingConfirmation": { - "description": "Text shown while waiting for order confirmation" - }, - "payExpired": "Ausgenommen", - "@payExpired": { - "description": "Status label for expired invoice" - }, - "recoverbullBalance": "Bilanz: {balance}", - "@recoverbullBalance": { - "description": "Label showing wallet balance during vault recovery", - "placeholders": { - "balance": { - "type": "String" - } - } - }, - "exchangeSecurityAccessSettingsButton": "Zugriffseinstellungen", - "@exchangeSecurityAccessSettingsButton": { - "description": "Button label for accessing security settings in exchange" - }, - "payPaymentSuccessful": "Zahlung erfolgreich", - "@payPaymentSuccessful": { - "description": "Success message after payment completes" - }, - "exchangeHomeWithdraw": "Rückzug", - "@exchangeHomeWithdraw": { - "description": "Withdraw button label" - }, - "importMnemonicSegwit": "Segwit", - "@importMnemonicSegwit": { - "description": "Label for Segwit (BIP84) wallet type" - }, - "importQrDeviceJadeStep6": "Wählen Sie \"Export Xpub\" aus dem Brieftasche Menü", - "@importQrDeviceJadeStep6": { - "description": "Jade instruction step 6" - }, - "buyContinue": "Fortsetzung", - "@buyContinue": { - "description": "Button to continue to next step" - }, - "recoverbullEnterToDecrypt": "Bitte geben Sie Ihre {inputType} ein, um Ihren Tresor zu entschlüsseln.", - "@recoverbullEnterToDecrypt": { - "description": "Instruction to enter PIN or password for vault decryption", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "swapTransferTitle": "Transfer", - "@swapTransferTitle": { - "description": "AppBar title on the main swap page" - }, - "testBackupSuccessTitle": "Test erfolgreich abgeschlossen!", - "@testBackupSuccessTitle": { - "description": "Success screen title after completing backup verification" - }, - "recoverbullSelectTakeYourTime": "Nehmen Sie Ihre Zeit", - "@recoverbullSelectTakeYourTime": { - "description": "Description tag for custom location provider option" - }, - "sendConfirmCustomFee": "Bestätigen Sie die Sondergebühr", - "@sendConfirmCustomFee": { - "description": "Button label for confirming a custom fee" - }, - "coreScreensTotalFeesLabel": "Gesamtkosten", - "@coreScreensTotalFeesLabel": { - "description": "Label for total fees field" - }, - "mempoolSettingsDescription": "Konfigurieren Sie benutzerdefinierte Mempool-Server für verschiedene Netzwerke. Jedes Netzwerk kann einen eigenen Server für Blockexplorer und Gebührenschätzung verwenden.", - "@mempoolSettingsDescription": { - "description": "Description text for mempool settings screen" - }, - "transactionSwapProgressClaim": "Anspruch", - "@transactionSwapProgressClaim": { - "description": "Swap progress step: claim" - }, - "exchangeHomeDeposit": "Anzahl", - "@exchangeHomeDeposit": { - "description": "Deposit button label" - }, - "sendFrom": "Von", - "@sendFrom": { - "description": "Label for the sender/source in a transaction" - }, - "sendTransactionBuilt": "Transaction ready", - "@sendTransactionBuilt": { - "description": "Success after transaction constructed" - }, - "bitboxErrorOperationCancelled": "Die Operation wurde aufgehoben. Bitte versuchen Sie es noch mal.", - "@bitboxErrorOperationCancelled": { - "description": "Error when BitBox operation is cancelled" - }, - "dcaOrderTypeLabel": "Bestelltyp", - "@dcaOrderTypeLabel": { - "description": "Label for order type detail row" - }, - "withdrawConfirmCard": "Karte", - "@withdrawConfirmCard": { - "description": "Field label for debit card" - }, - "dcaSuccessMessageHourly": "Sie kaufen {amount} jede Stunde", - "@dcaSuccessMessageHourly": { - "description": "Success message for hourly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "loginButton": "LOGIN", - "@loginButton": { - "description": "Button to navigate to login screen" - }, - "revealingVaultKeyButton": "Wiederholen...", - "@revealingVaultKeyButton": { - "description": "Button label shown while revealing vault key" - }, - "arkAboutNetwork": "Netzwerk", - "@arkAboutNetwork": { - "description": "Field label for network" - }, - "payLastName": "Vorname", - "@payLastName": { - "description": "Label for last name field" - }, - "transactionPayjoinStatusExpired": "Ausgenommen", - "@transactionPayjoinStatusExpired": { - "description": "Payjoin status: expired" - }, - "fundExchangeMethodBankTransferWire": "Banküberweisung (Wire oder EFT)", - "@fundExchangeMethodBankTransferWire": { - "description": "Payment method: Bank Transfer Wire or EFT (Canada)" - }, - "psbtFlowLoginToDevice": "Login zu Ihrem {device} Gerät", - "@psbtFlowLoginToDevice": { - "description": "Instruction to login to hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "fundExchangeJurisdictionCostaRica": "🇨🇷 Costa Rica Rica", - "@fundExchangeJurisdictionCostaRica": { - "description": "Dropdown option for Costa Rica jurisdiction" - }, - "payCalculating": "Berechnung...", - "@payCalculating": { - "description": "Text shown while calculating fees" - }, - "transactionDetailLabelTransferId": "Transfer ID", - "@transactionDetailLabelTransferId": { - "description": "Label for transfer ID" - }, - "fundExchangeContinueButton": "Fortsetzung", - "@fundExchangeContinueButton": { - "description": "Button label to continue from warning screen to payment method details" - }, - "currencySettingsDefaultFiatCurrencyLabel": "Default Fiat Währung", - "@currencySettingsDefaultFiatCurrencyLabel": { - "description": "Label for the default fiat currency setting" - }, - "payRecipient": "Empfänger", - "@payRecipient": { - "description": "Label for recipient" - }, - "fundExchangeCrIbanUsdRecipientNameHelp": "Nutzen Sie unseren offiziellen Firmennamen. Verwenden Sie nicht \"Bull Bitcoin\".", - "@fundExchangeCrIbanUsdRecipientNameHelp": { - "description": "Help text for recipient name field explaining to use corporate name" - }, - "sendUnfreezeCoin": "Unfreeze Coin", - "@sendUnfreezeCoin": { - "description": "Action to allow spending frozen UTXO" - }, - "sellEurBalance": "EUR Saldo", - "@sellEurBalance": { - "description": "Display text for EUR balance payout method" - }, - "jadeInstructionsTitle": "Blockstream Jade PSBT Anleitung", - "@jadeInstructionsTitle": { - "description": "Title for Jade signing instructions modal" - }, - "scanNfcButton": "NFC", - "@scanNfcButton": { - "description": "Button label to initiate NFC scanning" - }, - "testBackupChooseVaultLocation": "Wählen Sie den Speicherort", - "@testBackupChooseVaultLocation": { - "description": "AppBar title for encrypted vault provider selection screen" - }, - "torSettingsInfoDescription": "• Tor Proxy gilt nur für Bitcoin (nicht Flüssigkeit)\n• Default Orbot port ist 9050\n• Stellen Sie sicher, dass Orbot läuft, bevor es\n• Verbindung kann langsamer durch Tor", - "@torSettingsInfoDescription": { - "description": "Information about Tor proxy usage" - }, - "dcaAddressBitcoin": "Bitcoin Adresse", - "@dcaAddressBitcoin": { - "description": "Bitcoin address label" - }, - "sendErrorAmountBelowMinimum": "Betrag unterhalb der Mindestswapgrenze: {minLimit} satt", - "@sendErrorAmountBelowMinimum": { - "description": "Error with specific minimum swap amount", - "placeholders": { - "minLimit": { - "type": "String" - } - } - }, - "recoverbullGoogleDriveErrorFetchFailed": "Versäumt, Tresore von Google Drive zu holen", - "@recoverbullGoogleDriveErrorFetchFailed": { - "description": "Error message when fetching drive backups fails" - }, - "systemLabelExchangeBuy": "Kaufen", - "@systemLabelExchangeBuy": { - "description": "System label for exchange buy transactions" - }, - "sendRecipientAddress": "Adresse des Empfängers", - "@sendRecipientAddress": { - "description": "Label for the recipient address field" - }, - "arkTxTypeBoarding": "Durchführung", - "@arkTxTypeBoarding": { - "description": "Transaction type label for boarding transactions" - }, - "exchangeAmountInputValidationInsufficient": "Unzureichende Bilanz", - "@exchangeAmountInputValidationInsufficient": { - "description": "Validation message when amount exceeds available balance" - }, - "psbtFlowReviewTransaction": "Sobald die Transaktion in Ihrem {device} importiert wird, überprüfen Sie die Zieladresse und den Betrag.", - "@psbtFlowReviewTransaction": { - "description": "Instruction to review transaction details on device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "arkTransactions": "transaktionen", - "@arkTransactions": { - "description": "Plural form for transaction count" - }, - "broadcastSignedTxCameraButton": "Kamera", - "@broadcastSignedTxCameraButton": { - "description": "Button to open camera QR scanner" - }, - "importQrDeviceJadeName": "Blockstream Jade", - "@importQrDeviceJadeName": { - "description": "Name of Blockstream Jade device" - }, - "importWalletImportMnemonic": "Import Mnemonic", - "@importWalletImportMnemonic": { - "description": "Button to import wallet from seed phrase" - }, - "bip85NextMnemonic": "Nächster Mnemonic", - "@bip85NextMnemonic": { - "description": "Button to derive next mnemonic entropy" - }, - "bitboxErrorNoActiveConnection": "Keine aktive Verbindung zum BitBox Gerät.", - "@bitboxErrorNoActiveConnection": { - "description": "Error when there is no active connection to BitBox" - }, - "dcaFundAccountButton": "Ihr Konto finanzieren", - "@dcaFundAccountButton": { - "description": "Button label to navigate to funding screen" - }, - "arkSendTitle": "Bitte", - "@arkSendTitle": { - "description": "AppBar title for Ark send screen" - }, - "recoverbullVaultRecovery": "Vault Recovery", - "@recoverbullVaultRecovery": { - "description": "Screen title for vault recovery process" - }, - "transactionDetailLabelAmountReceived": "Eingegangene Beträge", - "@transactionDetailLabelAmountReceived": { - "description": "Label for amount received" - }, - "bitboxCubitOperationTimeout": "Die Operation hat gedauert. Bitte versuchen Sie es noch mal.", - "@bitboxCubitOperationTimeout": { - "description": "Error interpretation for timeout" - }, - "receivePaymentReceived": "Zahlung erhalten!", - "@receivePaymentReceived": { - "description": "Success message after receiving payment" - }, - "backupWalletHowToDecideVaultCloudSecurity": "Cloud-Speicheranbieter wie Google oder Apple haben keinen Zugriff auf Ihr Bitcoin, da das Verschlüsselungs-Passwort zu stark ist. Sie können nur auf Ihr Bitcoin zugreifen, in dem unwahrscheinlichen Fall, dass sie mit dem Schlüsselserver zusammenhängen (der Online-Dienst, der Ihr Verschlüsselungskennwort speichert). Wenn der Schlüsselserver jemals gehackt wird, könnte Ihr Bitcoin mit Google oder Apple Cloud gefährdet sein.", - "@backupWalletHowToDecideVaultCloudSecurity": { - "description": "Explanation of cloud storage security in vault location decision help modal" - }, - "howToDecideBackupText1": "Eine der häufigsten Möglichkeiten, wie Menschen verlieren ihre Bitcoin ist, weil sie die physische Sicherung verlieren. Jeder, der Ihre physische Sicherung findet, wird in der Lage sein, alle Ihre Bitcoin zu nehmen. Wenn Sie sehr zuversichtlich sind, dass Sie es gut verstecken können und nie verlieren, ist es eine gute Option.", - "@howToDecideBackupText1": { - "description": "First paragraph explaining backup method decision" - }, - "payOrderNotFound": "Der Lohnauftrag wurde nicht gefunden. Bitte versuchen Sie es noch mal.", - "@payOrderNotFound": { - "description": "Error message when pay order is not found" - }, - "coldcardStep13": "Die Bull Bitcoin Geldbörse wird Sie bitten, den QR-Code auf der Coldcard zu scannen. Scan es.", - "@coldcardStep13": { - "description": "Coldcard instruction for scanning signed PSBT" - }, - "psbtFlowIncreaseBrightness": "Erhöhen Sie die Bildschirmhelligkeit auf Ihrem Gerät", - "@psbtFlowIncreaseBrightness": { - "description": "Troubleshooting tip to increase brightness" - }, - "payCoinjoinCompleted": "CoinJoin abgeschlossen", - "@payCoinjoinCompleted": { - "description": "Success message after CoinJoin" - }, - "electrumAddCustomServer": "Individueller Server", - "@electrumAddCustomServer": { - "description": "Add custom server bottom sheet title" - }, - "psbtFlowClickSign": "Klicken Sie auf", - "@psbtFlowClickSign": { - "description": "Instruction to click sign button on device" - }, - "rbfSatsPerVbyte": "sats/vB", - "@rbfSatsPerVbyte": { - "description": "Unit label for fee rate input" - }, - "broadcastSignedTxDoneButton": "KAPITEL", - "@broadcastSignedTxDoneButton": { - "description": "Button to finish after successful broadcast" - }, - "sendRecommendedFee": "Empfohlen: {rate} sat/vB", - "@sendRecommendedFee": { - "description": "Suggested fee rate", - "placeholders": { - "rate": { - "type": "String" - } - } - }, - "mempoolCustomServerUrl": "Server URL", - "@mempoolCustomServerUrl": { - "description": "Label for custom mempool server URL input field" - }, - "buyOrderAlreadyConfirmedError": "Dieser Kaufauftrag wurde bereits bestätigt.", - "@buyOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed buy order" - }, - "fundExchangeArsBankTransferTitle": "Banküberweisung", - "@fundExchangeArsBankTransferTitle": { - "description": "Screen title for Argentina bank transfer" - }, - "transactionLabelReceiveAmount": "Betrag", - "@transactionLabelReceiveAmount": { - "description": "Label for receive amount in swap details" - }, - "sendServerNetworkFees": "Server Network Fees", - "@sendServerNetworkFees": { - "description": "Label for Boltz server fees" - }, - "importWatchOnlyImport": "Einfuhr", - "@importWatchOnlyImport": { - "description": "Button label to import watch-only wallet" - }, - "backupWalletBackupButton": "Backup", - "@backupWalletBackupButton": { - "description": "Button text to proceed with physical backup" - }, - "mempoolSettingsTitle": "Mempool Server", - "@mempoolSettingsTitle": { - "description": "Title for mempool settings screen" - }, - "recoverbullErrorVaultCreationFailed": "Vault-Erstellung fehlgeschlagen, es kann die Datei oder der Schlüssel sein", - "@recoverbullErrorVaultCreationFailed": { - "description": "Error message when overall vault creation fails" - }, - "sellSendPaymentFeePriority": "Gebührenpriorität", - "@sellSendPaymentFeePriority": { - "description": "Field label for fee priority" - }, - "bitboxActionSignTransactionProcessing": "Unterzeichnen von Transaktion", - "@bitboxActionSignTransactionProcessing": { - "description": "Processing text for sign transaction" - }, - "sellWalletBalance": "Bilanz: {amount}", - "@sellWalletBalance": { - "description": "Shows available balance", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "recoverbullGoogleDriveNoBackupsFound": "Keine Backups gefunden", - "@recoverbullGoogleDriveNoBackupsFound": { - "description": "Message displayed when no backups are found in Google Drive" - }, - "sellSelectNetwork": "Wählen Sie Netzwerk", - "@sellSelectNetwork": { - "description": "Screen title for network selection" - }, - "sellSendPaymentOrderNumber": "Bestellnummer", - "@sellSendPaymentOrderNumber": { - "description": "Field label for order number" - }, - "arkDust": "Staub", - "@arkDust": { - "description": "Label for dust amount field" - }, - "dcaConfirmPaymentMethod": "Zahlungsmethode", - "@dcaConfirmPaymentMethod": { - "description": "Field label for payment method" - }, - "bitcoinSettingsImportWalletTitle": "Import Wallet", - "@bitcoinSettingsImportWalletTitle": { - "description": "Title for the import wallet option in Bitcoin settings" - }, - "backupWalletErrorGoogleDriveConnection": "Nicht angeschlossen an Google Drive", - "@backupWalletErrorGoogleDriveConnection": { - "description": "Error when Google Drive connection fails" - }, - "payEnterInvoice": "Invoice", - "@payEnterInvoice": { - "description": "Placeholder text for invoice input field" - }, - "broadcastSignedTxPasteHint": "Einfügen eines PSBT oder Transaktion HEX", - "@broadcastSignedTxPasteHint": { - "description": "Hint text for paste input field" - }, - "transactionLabelAmountSent": "Betrag", - "@transactionLabelAmountSent": { - "description": "Label for sent amount" - }, - "testBackupPassphrase": "Passphrasen", - "@testBackupPassphrase": { - "description": "Label for optional passphrase field" - }, - "arkSetupEnable": "Aktivieren Sie Ark", - "@arkSetupEnable": { - "description": "Button to enable Ark" - }, - "walletDeletionErrorDefaultWallet": "Sie können keine Standard Geldbörse löschen.", - "@walletDeletionErrorDefaultWallet": { - "description": "Error message when attempting to delete a default wallet" - }, - "confirmTransferTitle": "Über uns", - "@confirmTransferTitle": { - "description": "Title for confirmation screen when transferring between wallets" - }, - "payFeeBreakdown": "Gebührenaufschlüsselung", - "@payFeeBreakdown": { - "description": "Section header for detailed fee information" - }, - "coreSwapsLnSendPaid": "Rechnung wird bezahlt, nachdem Ihre Zahlung eine Bestätigung erhält.", - "@coreSwapsLnSendPaid": { - "description": "Status message for paid Lightning send swap" - }, - "fundExchangeCrBankTransferDescription2": ". Die Mittel werden zu Ihrem Kontostand hinzugefügt.", - "@fundExchangeCrBankTransferDescription2": { - "description": "Second part of Costa Rica bank transfer description" - }, - "sellAmount": "Verkauf", - "@sellAmount": { - "description": "Label for Bitcoin amount input" - }, - "transactionLabelSwapStatus": "Swap-Status", - "@transactionLabelSwapStatus": { - "description": "Label for swap status" - }, - "ledgerErrorDeviceLocked": "Ledger Gerät ist gesperrt. Bitte entsperren Sie Ihr Gerät und versuchen Sie es erneut.", - "@ledgerErrorDeviceLocked": { - "description": "Error message when Ledger device is locked (error code 5515)" - }, - "importQrDeviceSeedsignerStep5": "Wählen Sie \"Single Sig\", dann wählen Sie Ihren bevorzugten Skript-Typ (wählen Sie Native Segwit, wenn nicht sicher).", - "@importQrDeviceSeedsignerStep5": { - "description": "SeedSigner instruction step 5" - }, - "recoverbullRecoveryErrorWalletMismatch": "Es gibt bereits eine andere Standard-Walette. Sie können nur eine Standard Geldbörse haben.", - "@recoverbullRecoveryErrorWalletMismatch": { - "description": "Error when different default wallet already exists" - }, - "payNoRecipientsFound": "Keine Empfänger gefunden zu zahlen.", - "@payNoRecipientsFound": { - "description": "Message when no recipients found" - }, - "payNoInvoiceData": "Keine Rechnungsdaten verfügbar", - "@payNoInvoiceData": { - "description": "Message when no invoice data available" - }, - "recoverbullErrorInvalidCredentials": "Falsches Passwort für diese Sicherungsdatei", - "@recoverbullErrorInvalidCredentials": { - "description": "Error message when wrong password is entered for vault" - }, - "paySinpeMonto": "Betrag", - "@paySinpeMonto": { - "description": "Label for amount in SINPE order details" - }, - "arkDurationSeconds": "{seconds} Sekunden", - "@arkDurationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "String" - } - } - }, - "receiveCopyOrScanAddressOnly": "Adresse nur kopieren oder scannen", - "@receiveCopyOrScanAddressOnly": { - "description": "Option to copy or scan only the address without amount or other details" - }, - "transactionDetailAccelerate": "Beschleunigen", - "@transactionDetailAccelerate": { - "description": "Button label for accelerating (RBF) an unconfirmed transaction" - }, - "importQrDevicePassportStep11": "Geben Sie ein Etikett für Ihre Passport Geldbörse ein und tippen Sie auf \"Import\"", - "@importQrDevicePassportStep11": { - "description": "Passport instruction step 11" - }, - "fundExchangeJurisdictionCanada": "🇨🇦 Kanada", - "@fundExchangeJurisdictionCanada": { - "description": "Dropdown option for Canada jurisdiction" - }, - "withdrawBelowMinAmountError": "Sie versuchen, unter dem Mindestbetrag zurückzutreten.", - "@withdrawBelowMinAmountError": { - "description": "Error message for amount below minimum during withdraw" - }, - "recoverbullTransactions": "Transaktionen: {count}", - "@recoverbullTransactions": { - "description": "Label showing transaction count during vault recovery", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "swapYouPay": "Sie bezahlen", - "@swapYouPay": { - "description": "Label in swap card for payment amount" - }, - "encryptedVaultTitle": "Verschlüsselter Tresor", - "@encryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, - "fundExchangeCrIbanUsdLabelIban": "IBAN Kontonummer (nur US-Dollar)", - "@fundExchangeCrIbanUsdLabelIban": { - "description": "Label for IBAN number field for USD only" - }, - "chooseAccessPinTitle": "Wählen Sie Zugriff {pinOrPassword}", - "@chooseAccessPinTitle": { - "description": "Title for choosing access PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "importWalletSeedSigner": "SeedSigner", - "@importWalletSeedSigner": { - "description": "Button label for SeedSigner hardware wallet" - }, - "featureComingSoonTitle": "Feature kommt bald", - "@featureComingSoonTitle": { - "description": "Title for coming soon bottom sheet" - }, - "swapProgressRefundInProgress": "Transfer Refund in Progress", - "@swapProgressRefundInProgress": { - "description": "Refund in progress status" - }, - "transactionDetailLabelPayjoinExpired": "Ausgenommen", - "@transactionDetailLabelPayjoinExpired": { - "description": "Payjoin expired status" - }, - "payBillerName": "Billing Name", - "@payBillerName": { - "description": "Label for biller name field" - }, - "sendErrorBitcoinWalletRequired": "Bitcoin Geldbörse muss für ein Bitcoin verwendet werden, um Swap zu leuchten", - "@sendErrorBitcoinWalletRequired": { - "description": "Error when wrong wallet type used for Bitcoin to Lightning swap" - }, - "pinCodeManageTitle": "Verwalten Sie Ihre Sicherheit PIN", - "@pinCodeManageTitle": { - "description": "Header title for PIN management section" - }, - "buyConfirmBitcoinPrice": "Bitcoin Preis", - "@buyConfirmBitcoinPrice": { - "description": "Field label for Bitcoin price" - }, - "arkUnifiedAddressCopied": "Einheitliche Adresse kopiert", - "@arkUnifiedAddressCopied": { - "description": "SnackBar message when unified address is copied to clipboard" - }, - "transactionSwapDescLnSendCompleted": "Die Lightning-Zahlung wurde erfolgreich gesendet! Ihr Swap ist jetzt komplett.", - "@transactionSwapDescLnSendCompleted": { - "description": "Description for completed Lightning send swap" - }, - "sellOrderAlreadyConfirmedError": "Dieser Verkaufsauftrag wurde bereits bestätigt.", - "@sellOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed order" - }, - "paySinpeEnviado": "SINPE ENVIADO!", - "@paySinpeEnviado": { - "description": "Success message for SINPE payment (Spanish, kept as is)" - }, - "withdrawConfirmPhone": "Telefon", - "@withdrawConfirmPhone": { - "description": "Field label for phone number" - }, - "payNoDetailsAvailable": "Keine Angaben verfügbar", - "@payNoDetailsAvailable": { - "description": "Message when recipient details not available" - }, - "allSeedViewOldWallets": "Alte Geldbörsen ({count})", - "@allSeedViewOldWallets": { - "description": "Section header for old wallets with count", - "placeholders": { - "count": { - "type": "int", - "format": "decimalPattern" - } - } - }, - "sellOrderPlaced": "Verkauf Bestellung erfolgreich platziert", - "@sellOrderPlaced": { - "description": "Success message after order submission" - }, - "buyInsufficientFundsError": "Unzureichende Mittel in Ihrem Bull Bitcoin-Konto, um diesen Kaufauftrag abzuschließen.", - "@buyInsufficientFundsError": { - "description": "Error message for insufficient funds during buy" - }, - "ledgerHelpStep4": "Stellen Sie sicher, dass Sie die neueste Version der Bitcoin App von Ledger Live installiert haben.", - "@ledgerHelpStep4": { - "description": "Fourth troubleshooting step for Ledger connection issues" - }, - "recoverbullPleaseWait": "Bitte warten Sie, während wir eine sichere Verbindung aufbauen...", - "@recoverbullPleaseWait": { - "description": "Message shown during connection establishment" - }, - "broadcastSignedTxBroadcast": "Broadcast", - "@broadcastSignedTxBroadcast": { - "description": "Button to broadcast signed transaction" - }, - "lastKnownEncryptedVault": "Letzte bekannte Verschlüsselung Standard: {date}", - "@lastKnownEncryptedVault": { - "description": "Label showing last known encrypted vault date", - "placeholders": { - "date": { - "type": "String", - "example": "2025-01-20 15:30:45" - } - } - }, - "fundExchangeInfoTransferCode": "Sie müssen den Transfercode als \"Nachricht\" oder \"Anweisung\" bei der Zahlung hinzufügen.", - "@fundExchangeInfoTransferCode": { - "description": "Info card message about transfer code importance" - }, - "hwChooseDevice": "Wählen Sie die Hardwarebörse, die Sie anschließen möchten", - "@hwChooseDevice": { - "description": "Instruction text for hardware wallet selection" - }, - "transactionListNoTransactions": "Noch keine Transaktionen.", - "@transactionListNoTransactions": { - "description": "Message displayed when there are no transactions" - }, - "torSettingsConnectionStatus": "Verbindungsstatus", - "@torSettingsConnectionStatus": { - "description": "Title for connection status card" - }, - "backupInstruction1": "Wenn Sie Ihre 12 Wortsicherung verlieren, werden Sie nicht in der Lage, den Zugriff auf die Bitcoin Wallet wiederherzustellen.", - "@backupInstruction1": { - "description": "First backup instruction warning about losing 12 word backup" - }, - "sendErrorInvalidAddressOrInvoice": "Invalide Bitcoin-Zahlungsadresse oder Invoice", - "@sendErrorInvalidAddressOrInvoice": { - "description": "Error when payment request is invalid" - }, - "transactionLabelAmountReceived": "Eingegangene Beträge", - "@transactionLabelAmountReceived": { - "description": "Label for received amount" - }, - "recoverbullRecoveryTitle": "Recoverbull vault Wiederherstellung", - "@recoverbullRecoveryTitle": { - "description": "AppBar title for vault recovery screen" - }, - "broadcastSignedTxScanQR": "Scannen Sie den QR-Code von Ihrer Hardware Geldbörse", - "@broadcastSignedTxScanQR": { - "description": "Instruction to scan signed PSBT QR code" - }, - "transactionStatusTransferInProgress": "Transfer in Progress", - "@transactionStatusTransferInProgress": { - "description": "Status label for transfers in progress" - }, - "ledgerSuccessSignDescription": "Ihre Transaktion wurde erfolgreich unterzeichnet.", - "@ledgerSuccessSignDescription": { - "description": "Success message description after signing transaction with Ledger" - }, - "exchangeSupportChatMessageRequired": "Eine Nachricht ist erforderlich", - "@exchangeSupportChatMessageRequired": { - "description": "Placeholder text when attachments are present but no message text" - }, - "buyEstimatedFeeValue": "Geschätzter Gebührenwert", - "@buyEstimatedFeeValue": { - "description": "Label for estimated fee value in fiat" - }, - "payName": "Name", - "@payName": { - "description": "Label for name field" - }, - "sendSignWithBitBox": "Mit BitBox anmelden", - "@sendSignWithBitBox": { - "description": "Button to sign transaction with BitBox hardware wallet" - }, - "sendSwapRefundInProgress": "Swap-Refund im Fortschritt", - "@sendSwapRefundInProgress": { - "description": "Title when swap failed and refund is processing" - }, - "exchangeKycLimited": "Unternehmen", - "@exchangeKycLimited": { - "description": "Limited KYC level label" - }, - "backupWalletHowToDecideVaultCustomRecommendationText": "sie sind zuversichtlich, dass sie nicht verlieren die tresor-datei und es wird immer noch zugänglich sein, wenn sie ihr telefon verlieren.", - "@backupWalletHowToDecideVaultCustomRecommendationText": { - "description": "Recommendation text for when to use custom location" - }, - "swapErrorAmountBelowMinimum": "Betrag liegt unter dem Mindestswapbetrag: {min} sats", - "@swapErrorAmountBelowMinimum": { - "description": "Error shown when amount is below minimum", - "placeholders": { - "min": { - "type": "String" - } - } - }, - "settingsGithubLabel": "Github", - "@settingsGithubLabel": { - "description": "Label for the Github link in settings" - }, - "sellTransactionFee": "Transaktionsgebühren", - "@sellTransactionFee": { - "description": "Label for Bitcoin network fee" - }, - "coldcardStep5": "Wenn Sie Probleme beim Scannen haben:", - "@coldcardStep5": { - "description": "Coldcard troubleshooting header" - }, - "buyExpressWithdrawal": "Rücknahme von Express", - "@buyExpressWithdrawal": { - "description": "Fast withdrawal option" - }, - "payPaymentConfirmed": "Zahlung bestätigt", - "@payPaymentConfirmed": { - "description": "Status message for confirmed payment" - }, - "transactionOrderLabelOrderNumber": "Bestellnummer", - "@transactionOrderLabelOrderNumber": { - "description": "Label for order number" - }, - "buyEnterAmount": "Betrag", - "@buyEnterAmount": { - "description": "Label for amount input field in buy flow" - }, - "sellShowQrCode": "QR Code anzeigen", - "@sellShowQrCode": { - "description": "Button to show QR code" - }, - "receiveConfirmed": "Bestätigt", - "@receiveConfirmed": { - "description": "Status when fully confirmed" - }, - "walletOptionsWalletDetailsTitle": "Wallet Details", - "@walletOptionsWalletDetailsTitle": { - "description": "Title for the wallet details screen" - }, - "sellSecureBitcoinWallet": "Sichere Bitcoin Wallet", - "@sellSecureBitcoinWallet": { - "description": "Display text for secure Bitcoin wallet" - }, - "ledgerWalletTypeLegacy": "Vermächtnis (BIP44)", - "@ledgerWalletTypeLegacy": { - "description": "Display name for Legacy wallet type (BIP44)" - }, - "transactionDetailTransferProgress": "Transfers", - "@transactionDetailTransferProgress": { - "description": "Title for ongoing transfer details" - }, - "sendNormalFee": "Normal", - "@sendNormalFee": { - "description": "Standard fee tier" - }, - "importWalletConnectHardware": "Hardware Wallet verbinden", - "@importWalletConnectHardware": { - "description": "Button to connect hardware wallet" - }, - "transactionDetailLabelPayinAmount": "Zahlbetrag", - "@transactionDetailLabelPayinAmount": { - "description": "Label for payin amount" - }, - "importWalletSectionHardware": "Eisenwaren", - "@importWalletSectionHardware": { - "description": "Section header for hardware wallet types" - }, - "connectHardwareWalletDescription": "Wählen Sie die Hardwarebörse, die Sie anschließen möchten", - "@connectHardwareWalletDescription": { - "description": "Description text on connect hardware wallet page" - }, - "sendEstimatedDelivery10Minutes": "10 minuten", - "@sendEstimatedDelivery10Minutes": { - "description": "Estimated delivery time of approximately 10 minutes" - }, - "enterPinToContinueMessage": "Geben Sie Ihre {pinOrPassword} ein, um fortzufahren", - "@enterPinToContinueMessage": { - "description": "Message prompting user to enter PIN/password to continue", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "swapTransferFrom": "Transfer von", - "@swapTransferFrom": { - "description": "Label for source wallet dropdown" - }, - "errorSharingLogsMessage": "Fehlerfreigabe von Protokollen: {error}", - "@errorSharingLogsMessage": { - "description": "Error message when log sharing fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payShowQrCode": "QR Code anzeigen", - "@payShowQrCode": { - "description": "Button to show QR code" - }, - "onboardingRecoverWalletButtonLabel": "Recover Wallet", - "@onboardingRecoverWalletButtonLabel": { - "description": "The label for the button to recover a wallet from the onboarding screen" - }, - "torSettingsPortValidationEmpty": "Bitte geben Sie eine Portnummer ein", - "@torSettingsPortValidationEmpty": { - "description": "Validation error when port is empty" - }, - "ledgerHelpStep1": "Starten Sie Ihr Ledger Gerät.", - "@ledgerHelpStep1": { - "description": "First troubleshooting step for Ledger connection issues" - }, - "swapAvailableBalance": "Verfügbare Bilanz", - "@swapAvailableBalance": { - "description": "Available balance label" - }, - "fundExchangeCrIbanCrcLabelPaymentDescription": "Zahlungsbeschreibung", - "@fundExchangeCrIbanCrcLabelPaymentDescription": { - "description": "Label for payment description field in CR IBAN transfer" - }, - "walletTypeWatchSigner": "Uhren", - "@walletTypeWatchSigner": { - "description": "Wallet type label for watch-signer wallets" - }, - "settingsWalletBackupTitle": "Zurück zur Übersicht", - "@settingsWalletBackupTitle": { - "description": "Title for the wallet backup section in the settings menu" - }, - "ledgerConnectingSubtext": "Sichere Verbindung aufbauen...", - "@ledgerConnectingSubtext": { - "description": "Subtext shown while connecting to Ledger" - }, - "transactionError": "Fehler - {error}", - "@transactionError": { - "description": "Error message displayed when transaction loading fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "coreSwapsLnSendPending": "Swap ist noch nicht initialisiert.", - "@coreSwapsLnSendPending": { - "description": "Status message for pending Lightning send swap" - }, - "recoverbullVaultCreatedSuccess": "Vault erfolgreich erstellt", - "@recoverbullVaultCreatedSuccess": { - "description": "Success message after vault creation" - }, - "payAmount": "Betrag", - "@payAmount": { - "description": "Label for amount" - }, - "sellMaximumAmount": "Maximaler Verkaufsbetrag: {amount}", - "@sellMaximumAmount": { - "description": "Error for amount above maximum", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellViewDetailsButton": "Details anzeigen", - "@sellViewDetailsButton": { - "description": "Button text to view order details" - }, - "receiveGenerateInvoice": "Invoice generieren", - "@receiveGenerateInvoice": { - "description": "Button to create Lightning invoice" - }, - "kruxStep8": " - Bewegen Sie den roten Laser über QR-Code", - "@kruxStep8": { - "description": "Krux troubleshooting tip 2" - }, - "coreScreensFeeDeductionExplanation": "Dies ist die Gesamtgebühr, die vom gesendeten Betrag abgezogen wird", - "@coreScreensFeeDeductionExplanation": { - "description": "Explanation text for fee deduction" - }, - "transactionSwapProgressInitiated": "Einleitung", - "@transactionSwapProgressInitiated": { - "description": "Swap progress step: initiated" - }, - "fundExchangeTitle": "Finanzierung", - "@fundExchangeTitle": { - "description": "AppBar title for funding screen" - }, - "dcaNetworkValidationError": "Bitte wählen Sie ein Netzwerk", - "@dcaNetworkValidationError": { - "description": "Form validation error when no network is selected" - }, - "coldcardStep12": "Klicken Sie auf \"Ich bin fertig\" in der Bull Bitcoin Geldbörse.", - "@coldcardStep12": { - "description": "Coldcard instruction to return to app" - }, - "autoswapAlwaysBlockDisabledInfo": "Wenn deaktiviert, erhalten Sie die Möglichkeit, einen Autotransfer zu ermöglichen, der aufgrund hoher Gebühren blockiert wird", - "@autoswapAlwaysBlockDisabledInfo": { - "description": "Info text when always block is disabled" - }, - "bip85Index": "Index: {index}", - "@bip85Index": { - "description": "Shows derivation index", - "placeholders": { - "index": { - "type": "int" - } - } - }, - "broadcastSignedTxPageTitle": "Broadcast unterzeichnete Transaktion", - "@broadcastSignedTxPageTitle": { - "description": "Page title for broadcast signed transaction screen" - }, - "sendInsufficientBalance": "Unzureichende Bilanz", - "@sendInsufficientBalance": { - "description": "Error message when the wallet has insufficient balance to send" - }, - "paySecurityAnswer": "Sicherheitsantwort", - "@paySecurityAnswer": { - "description": "Label for security answer field" - }, - "walletArkInstantPayments": "Ark Instant Zahlungen", - "@walletArkInstantPayments": { - "description": "Title for Ark wallet card" - }, - "importQrDeviceError": "Versäumt, Brieftasche zu importieren", - "@importQrDeviceError": { - "description": "Error message when import fails" - }, - "onboardingSplashDescription": "Souveräne Selbstverwahrung Bitcoin Geldbörse und Bitcoin-nur Austauschservice.", - "@onboardingSplashDescription": { - "description": "Description of the app displayed in onboarding splash screen" - }, - "statusCheckOffline": "Offline", - "@statusCheckOffline": { - "description": "Status text when a service is offline" - }, - "fundExchangeCrIbanCrcDescriptionEnd": ". Fonds werden zu Ihrem Kontostand hinzugefügt.", - "@fundExchangeCrIbanCrcDescriptionEnd": { - "description": "End of description for CR IBAN CRC transfer" - }, - "payAccount": "Gesamt", - "@payAccount": { - "description": "Label for account details" - }, - "testBackupGoogleDrivePrivacyPart2": "nicht ", - "@testBackupGoogleDrivePrivacyPart2": { - "description": "Second part (emphasized) of privacy message" - }, - "buyCompleteKyc": "Vollständige KYC", - "@buyCompleteKyc": { - "description": "Button to complete KYC verification" - }, - "vaultSuccessfullyImported": "Ihr Tresor wurde erfolgreich importiert", - "@vaultSuccessfullyImported": { - "description": "Message shown when vault is imported successfully" - }, - "payAccountNumberHint": "Kontonummer eingeben", - "@payAccountNumberHint": { - "description": "Hint for account number input" - }, - "buyOrderNotFoundError": "Der Kaufauftrag wurde nicht gefunden. Bitte versuchen Sie es noch mal.", - "@buyOrderNotFoundError": { - "description": "Error message for order not found during buy" - }, - "backupWalletGoogleDrivePrivacyMessage2": "nicht ", - "@backupWalletGoogleDrivePrivacyMessage2": { - "description": "Second part of privacy message (bold)" - }, - "payAddressRequired": "Anschrift erforderlich", - "@payAddressRequired": { - "description": "Validation error for empty address field" - }, - "arkTransactionDetails": "Transaction details", - "@arkTransactionDetails": { - "description": "AppBar title for transaction details page" - }, - "payTotalAmount": "Gesamtbetrag", - "@payTotalAmount": { - "description": "Label for sum of all payment amounts" - }, - "exchangeLegacyTransactionsTitle": "Vermächtnistransaktionen", - "@exchangeLegacyTransactionsTitle": { - "description": "Title for the legacy transactions section in exchange" - }, - "autoswapWarningDontShowAgain": "Zeigen Sie diese Warnung nicht wieder.", - "@autoswapWarningDontShowAgain": { - "description": "Checkbox label for dismissing the autoswap warning" - }, - "sellInsufficientBalance": "Unzureichende Geldbörse Balance", - "@sellInsufficientBalance": { - "description": "Error when wallet lacks funds" - }, - "recoverWalletButton": "Recover Wallet", - "@recoverWalletButton": { - "description": "Button label to recover wallet" - }, - "mempoolCustomServerDeleteMessage": "Sind Sie sicher, dass Sie diesen benutzerdefinierten Mempool-Server löschen möchten? Der Standardserver wird stattdessen verwendet.", - "@mempoolCustomServerDeleteMessage": { - "description": "Message for delete custom server confirmation dialog" - }, - "coldcardStep6": " - Erhöhung der Bildschirmhelligkeit auf Ihrem Gerät", - "@coldcardStep6": { - "description": "Coldcard troubleshooting tip 1" - }, - "exchangeAppSettingsValidationWarning": "Bitte setzen Sie vor dem Speichern sowohl Sprache als auch Währungspräferenzen ein.", - "@exchangeAppSettingsValidationWarning": { - "description": "Warning message when language and currency preferences are not both set" - }, - "sellCashPickup": "Bargeld Abholung", - "@sellCashPickup": { - "description": "Option for in-person cash" - }, - "coreSwapsLnReceivePaid": "Der Absender hat die Rechnung bezahlt.", - "@coreSwapsLnReceivePaid": { - "description": "Status message for paid Lightning receive swap" - }, - "payInProgress": "Zahlung in Progress!", - "@payInProgress": { - "description": "Title for payment in progress screen" - }, - "recoverbullRecoveryErrorKeyDerivationFailed": "Lokale Backup-Schlüsselableitung fehlgeschlagen.", - "@recoverbullRecoveryErrorKeyDerivationFailed": { - "description": "Error when app fails to derive backup encryption key" - }, - "swapValidationInsufficientBalance": "Unzureichende Bilanz", - "@swapValidationInsufficientBalance": { - "description": "Validation error when amount exceeds wallet balance" - }, - "transactionLabelFromWallet": "Von der Geldbörse", - "@transactionLabelFromWallet": { - "description": "Label for source wallet" - }, - "recoverbullErrorRateLimited": "Rate begrenzt. Bitte versuchen Sie es erneut in {retryIn}", - "@recoverbullErrorRateLimited": { - "description": "Error message when rate limited by the server", - "placeholders": { - "retryIn": { - "type": "String" - } - } - }, - "importWatchOnlyExtendedPublicKey": "Erweiterte Öffentlichkeit Schlüssel", - "@importWatchOnlyExtendedPublicKey": { - "description": "Label for extended public key (xpub/ypub/zpub) display" - }, - "autoswapAlwaysBlock": "Immer hohe Gebühren blockieren", - "@autoswapAlwaysBlock": { - "description": "Toggle label for always block high fees" - }, - "walletDeletionConfirmationTitle": "Löschen Sie Wallet", - "@walletDeletionConfirmationTitle": { - "description": "Title for the wallet deletion confirmation dialog" - }, - "sendNetworkFees": "Netzgebühren", - "@sendNetworkFees": { - "description": "Label for network transaction fees" - }, - "mempoolNetworkBitcoinMainnet": "Bitcoin Mainnet", - "@mempoolNetworkBitcoinMainnet": { - "description": "Label for Bitcoin Mainnet network" - }, - "paySinpeOrigen": "Ursprung", - "@paySinpeOrigen": { - "description": "Label for origin in SINPE details" - }, - "networkFeeLabel": "Netzwerkgebühren", - "@networkFeeLabel": { - "description": "Breakdown component showing network fee portion" - }, - "recoverbullMemorizeWarning": "Sie müssen dieses {inputType} merken, um den Zugang zu Ihrer Geldbörse wiederherzustellen. Es muss mindestens 6 Ziffern betragen. Wenn Sie diese {inputType} verlieren, können Sie Ihr Backup nicht wiederherstellen.", - "@recoverbullMemorizeWarning": { - "description": "Warning message about memorizing PIN or password", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "kruxStep15": "Die Transaktion wird in der Bull Bitcoin Geldbörse importiert.", - "@kruxStep15": { - "description": "Krux instruction about import completion" - }, - "fundExchangeETransferLabelSecretQuestion": "Geheime Frage", - "@fundExchangeETransferLabelSecretQuestion": { - "description": "Label for E-transfer security question" - }, - "importColdcardButtonPurchase": "Kaufeinrichtung", - "@importColdcardButtonPurchase": { - "description": "ImportColdcardQ: Button to navigate to Coinkite store" - }, - "jadeStep15": "Es ist jetzt bereit zu senden! Sobald Sie auf Sendung klicken, wird die Transaktion im Bitcoin-Netzwerk veröffentlicht und die Mittel werden gesendet.", - "@jadeStep15": { - "description": "Jade final instruction about broadcasting" - }, - "confirmButton": "Bestätigen", - "@confirmButton": { - "description": "Button label to confirm action" - }, - "transactionSwapInfoClaimableTransfer": "Der Transfer wird innerhalb weniger Sekunden automatisch abgeschlossen. Falls nicht, können Sie einen manuellen Anspruch versuchen, indem Sie auf die Schaltfläche \"Retry Transfer Claim\" klicken.", - "@transactionSwapInfoClaimableTransfer": { - "description": "Additional info for claimable transfers" - }, - "payActualFee": "Tatsächliche Gebühren", - "@payActualFee": { - "description": "Label for actual fee paid after transaction" - }, - "electrumValidateDomain": "Gültige Domain", - "@electrumValidateDomain": { - "description": "Validate Domain switch label in advanced options" - }, - "importQrDeviceJadeFirmwareWarning": "Stellen Sie sicher, dass Ihr Gerät auf die neueste Firmware aktualisiert wird", - "@importQrDeviceJadeFirmwareWarning": { - "description": "Warning message to update Jade firmware" - }, - "arkPreconfirmed": "Vorbestätigt", - "@arkPreconfirmed": { - "description": "Label for preconfirmed balance in Ark balance breakdown" - }, - "recoverbullSelectFileNotSelectedError": "Datei nicht ausgewählt", - "@recoverbullSelectFileNotSelectedError": { - "description": "Error when user cancels file selection" - }, - "arkDurationDay": "{days} Tag", - "@arkDurationDay": { - "description": "Duration format for singular day", - "placeholders": { - "days": { - "type": "String" - } - } - }, - "arkSendButton": "Bitte", - "@arkSendButton": { - "description": "Bottom button to navigate to send page" - }, - "buyInputContinue": "Fortsetzung", - "@buyInputContinue": { - "description": "Continue button on buy input" - }, - "fundExchangeMethodSpeiTransferSubtitle": "Überweisungsmittel mit CLABE", - "@fundExchangeMethodSpeiTransferSubtitle": { - "description": "Subtitle for SPEI transfer payment method" - }, - "importQrDeviceJadeStep3": "Folgen Sie den Anweisungen des Geräts, um die Jade zu entsperren", - "@importQrDeviceJadeStep3": { - "description": "Jade instruction step 3" - }, - "paySecurityQuestionLengthError": "Muss 10-40 Zeichen sein", - "@paySecurityQuestionLengthError": { - "description": "Error for invalid security question length" - }, - "sendSigningFailed": "Unterzeichnen fehlgeschlagen", - "@sendSigningFailed": { - "description": "Error during hardware wallet signing" - }, - "bitboxErrorDeviceNotPaired": "Gerät nicht gepaart. Bitte füllen Sie zuerst den Paarungsprozess aus.", - "@bitboxErrorDeviceNotPaired": { - "description": "Error when BitBox device is not paired" - }, - "transferIdLabel": "Transfer ID", - "@transferIdLabel": { - "description": "Label for swap transfer ID" - }, - "paySelectActiveWallet": "Bitte wählen Sie eine Geldbörse", - "@paySelectActiveWallet": { - "description": "Prompt to choose a wallet" - }, - "arkDurationHours": "{hours} Stunden", - "@arkDurationHours": { - "description": "Duration format for plural hours", - "placeholders": { - "hours": { - "type": "String" - } - } - }, - "transcribeLabel": "Transkription", - "@transcribeLabel": { - "description": "Label indicating user should transcribe the words" - }, - "pinCodeProcessing": "Verarbeitung", - "@pinCodeProcessing": { - "description": "Status screen title while processing PIN changes" - }, - "transactionDetailLabelRefunded": "Zurückerstattet", - "@transactionDetailLabelRefunded": { - "description": "Label for refunded status" - }, - "dcaFrequencyHourly": "stunde", - "@dcaFrequencyHourly": { - "description": "Hourly DCA frequency" - }, - "swapValidationSelectFromWallet": "Bitte wählen Sie eine Brieftasche aus", - "@swapValidationSelectFromWallet": { - "description": "Validation error when no source wallet selected" - }, - "sendSwapInitiated": "Swap initiiert", - "@sendSwapInitiated": { - "description": "Title when chain swap begins" - }, - "backupSettingsKeyWarningMessage": "Es ist kritisch wichtig, dass Sie nicht den Sicherungsschlüssel an der gleichen Stelle speichern, wo Sie Ihre Sicherungsdatei speichern. Speichern Sie sie immer auf separaten Geräten oder separaten Cloud-Anbietern.", - "@backupSettingsKeyWarningMessage": { - "description": "Detailed warning about storing backup key separately" - }, - "recoverbullEnterToTest": "Bitte geben Sie Ihre {inputType} ein, um Ihren Tresor zu testen.", - "@recoverbullEnterToTest": { - "description": "Instruction to enter PIN or password to test vault recovery", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "fundExchangeCrBankTransferDescription1": "Senden Sie eine Banküberweisung von Ihrem Bankkonto mit den untenstehenden Daten ", - "@fundExchangeCrBankTransferDescription1": { - "description": "First part of Costa Rica bank transfer description" - }, - "fundExchangeHelpBeneficiaryName": "Nutzen Sie unseren offiziellen Firmennamen. Verwenden Sie nicht \"Bull Bitcoin\".", - "@fundExchangeHelpBeneficiaryName": { - "description": "Help text for beneficiary name field" - }, - "payRecipientType": "Empfängertyp", - "@payRecipientType": { - "description": "Label for recipient type" - }, - "sellOrderCompleted": "Bestellung abgeschlossen!", - "@sellOrderCompleted": { - "description": "Success message for completed order" - }, - "importQrDeviceSpecterStep10": "Geben Sie ein Etikett für Ihren Specter Geldbeutel ein und tippen Sie auf Import", - "@importQrDeviceSpecterStep10": { - "description": "Specter instruction step 10" - }, - "recoverbullSelectVaultSelected": "Vault Ausgewählt", - "@recoverbullSelectVaultSelected": { - "description": "AppBar title shown after vault has been selected" - }, - "dcaWalletTypeBitcoin": "Bitcoin (BTC)", - "@dcaWalletTypeBitcoin": { - "description": "Radio button option for Bitcoin wallet" - }, - "payNoPayments": "Noch keine Zahlungen", - "@payNoPayments": { - "description": "Empty state message" - }, - "onboardingEncryptedVault": "Verschlüsselter Tresor", - "@onboardingEncryptedVault": { - "description": "Title for the encrypted vault recovery option in onboarding" - }, - "exchangeAccountInfoTitle": "Informationen Ã1⁄4ber das Konto", - "@exchangeAccountInfoTitle": { - "description": "Title for the account information section" - }, - "exchangeDcaActivateTitle": "Wiederkehrender Kauf aktivieren", - "@exchangeDcaActivateTitle": { - "description": "Title shown when DCA is inactive and can be activated" - }, - "buyConfirmationTime": "Bestätigungszeit", - "@buyConfirmationTime": { - "description": "Label for estimated confirmation time" - }, - "encryptedVaultRecommendation": "Verschlüsselter Tresor: ", - "@encryptedVaultRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, - "payLightningInvoice": "Blitzanfall", - "@payLightningInvoice": { - "description": "Label indicating invoice type is Lightning Network" - }, - "transactionOrderLabelPayoutAmount": "Auszahlungsbetrag", - "@transactionOrderLabelPayoutAmount": { - "description": "Label for order payout amount" - }, - "recoverbullSelectEnterBackupKeyManually": "Sicherungsschlüssel manuell eingeben >>", - "@recoverbullSelectEnterBackupKeyManually": { - "description": "Button text to manually enter backup key" - }, - "exportingVaultButton": "Exportieren...", - "@exportingVaultButton": { - "description": "Button label shown while exporting vault" - }, - "payCoinjoinInProgress": "CoinJoin im Fortschritt...", - "@payCoinjoinInProgress": { - "description": "Status during CoinJoin process" - }, - "testBackupAllWordsSelected": "Sie haben alle Wörter ausgewählt", - "@testBackupAllWordsSelected": { - "description": "Message shown when user has selected all 12 words" - }, - "ledgerProcessingImportSubtext": "Richten Sie Ihre Uhr nur Geldbörse...", - "@ledgerProcessingImportSubtext": { - "description": "Processing subtext shown while importing Ledger wallet" - }, - "digitalCopyLabel": "Digitales Exemplar", - "@digitalCopyLabel": { - "description": "Label for digital copy (with X mark)" - }, - "receiveNewAddress": "Neue Adresse", - "@receiveNewAddress": { - "description": "Button label for generating a new receive address" - }, - "arkAmount": "Betrag", - "@arkAmount": { - "description": "Label for transaction amount field in details table" - }, - "fundExchangeWarningTactic7": "Sie sagen Ihnen, dass Sie sich nicht um diese Warnung sorgen", - "@fundExchangeWarningTactic7": { - "description": "Seventh scammer tactic warning" - }, - "importQrDeviceSpecterStep1": "Leistung auf Ihrem Spektergerät", - "@importQrDeviceSpecterStep1": { - "description": "Specter instruction step 1" - }, - "transactionNoteAddTitle": "Anmerkung", - "@transactionNoteAddTitle": { - "description": "Title for add note dialog" - }, - "paySecurityAnswerHint": "Sicherheitsantwort eingeben", - "@paySecurityAnswerHint": { - "description": "Hint for security answer input" - }, - "bitboxActionImportWalletTitle": "BitBox Wallet importieren", - "@bitboxActionImportWalletTitle": { - "description": "Title for import wallet action" - }, - "backupSettingsError": "Fehler", - "@backupSettingsError": { - "description": "Header text for error message display" - }, - "exchangeFeatureCustomerSupport": "• Chat mit Kundenbetreuung", - "@exchangeFeatureCustomerSupport": { - "description": "Feature bullet point describing customer support chat feature" - }, - "sellPleasePayInvoice": "Bitte zahlen Sie diese Rechnung", - "@sellPleasePayInvoice": { - "description": "Title for receive payment screen" - }, - "fundExchangeMethodCanadaPost": "In-Person Bargeld oder Debit bei Canada Post", - "@fundExchangeMethodCanadaPost": { - "description": "Payment method: In-person at Canada Post" - }, - "payInvoiceDecoded": "Invoice erfolgreich decodiert", - "@payInvoiceDecoded": { - "description": "Success message after decoding" - }, - "coreScreensAmountLabel": "Betrag", - "@coreScreensAmountLabel": { - "description": "Label for amount field" - }, - "receiveSwapId": "Swap-ID", - "@receiveSwapId": { - "description": "Label for the swap identifier in a receive transaction" - }, - "transactionLabelCompletedAt": "Abgeschlossen bei", - "@transactionLabelCompletedAt": { - "description": "Label for completion timestamp" - }, - "pinCodeCreateTitle": "Neue Pin erstellen", - "@pinCodeCreateTitle": { - "description": "Title for creating a new PIN code" - }, - "swapTransferRefundInProgressTitle": "Transfer Refund in Progress", - "@swapTransferRefundInProgressTitle": { - "description": "Title when swap is being refunded" - }, - "swapYouReceive": "Sie erhalten", - "@swapYouReceive": { - "description": "Label in swap card for receiving amount" - }, - "recoverbullSelectCustomLocationProvider": "Kundenspezifischer Standort", - "@recoverbullSelectCustomLocationProvider": { - "description": "Name label for custom location backup provider option" - }, - "electrumInvalidRetryError": "Invalid Retry Zählwert: {value}", - "@electrumInvalidRetryError": { - "description": "Error message for invalid Retry Count value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "paySelectNetwork": "Wählen Sie Netzwerk", - "@paySelectNetwork": { - "description": "Screen title for network selection" - }, - "informationWillNotLeave": "Diese Informationen ", - "@informationWillNotLeave": { - "description": "First part of privacy assurance message" - }, - "backupWalletInstructionSecurityRisk": "Jeder mit Zugriff auf Ihre 12-Worte-Backup kann Ihre Bitcoins stehlen. Versteck es gut.", - "@backupWalletInstructionSecurityRisk": { - "description": "Security warning about protecting backup from theft" - }, - "sellCadBalance": "CAD Saldo", - "@sellCadBalance": { - "description": "Display text for CAD balance payout method" - }, - "doNotShareWarning": "NICHT MIT EINEM ANDEREN", - "@doNotShareWarning": { - "description": "Warning to not share recovery phrase with anyone" - }, - "torSettingsPortNumber": "Hafen Nummer", - "@torSettingsPortNumber": { - "description": "Label for port number input field" - }, - "payNameHint": "Empfängername eingeben", - "@payNameHint": { - "description": "Hint for name input" - }, - "autoswapWarningTriggerAmount": "Auslösungsbetrag von 0,02 BTC", - "@autoswapWarningTriggerAmount": { - "description": "Trigger amount text shown in the autoswap warning bottom sheet" - }, - "legacySeedViewScreenTitle": "Legacy Seeds", - "@legacySeedViewScreenTitle": { - "description": "AppBar title for legacy seeds screen" - }, - "recoverbullErrorCheckStatusFailed": "Versäumt, den Tresorstatus zu überprüfen", - "@recoverbullErrorCheckStatusFailed": { - "description": "Error message when vault status check fails" - }, - "pleaseWaitFetching": "Bitte warten Sie, während wir Ihre Backup-Datei holen.", - "@pleaseWaitFetching": { - "description": "Message asking user to wait while fetching backup" - }, - "backupWalletPhysicalBackupTag": "Vertrauenslos (nehmen Sie Ihre Zeit)", - "@backupWalletPhysicalBackupTag": { - "description": "Tag indicating difficulty and trust model for physical backup" - }, - "electrumReset": "Zurück zur Übersicht", - "@electrumReset": { - "description": "Reset button label in advanced options" - }, - "payInsufficientBalanceError": "Unzureichende Balance in der ausgewählten Geldbörse, um diese Bezahlung Bestellung abzuschließen.", - "@payInsufficientBalanceError": { - "description": "Error message for insufficient balance" - }, - "backupCompletedTitle": "Backup abgeschlossen!", - "@backupCompletedTitle": { - "description": "Title shown when backup is completed successfully" - }, - "arkDate": "Datum", - "@arkDate": { - "description": "Label for transaction date field in details table" - }, - "psbtFlowInstructions": "Anweisungen", - "@psbtFlowInstructions": { - "description": "Instructions section header in psbt flow" - }, - "systemLabelExchangeSell": "Verkauf", - "@systemLabelExchangeSell": { - "description": "System label for exchange sell transactions" - }, - "sendHighFeeWarning": "Warnung vor hoher Gebühr", - "@sendHighFeeWarning": { - "description": "Warning title for high transaction fees" - }, - "electrumStopGapNegativeError": "Stop Gap kann nicht negativ sein", - "@electrumStopGapNegativeError": { - "description": "Validation error for negative Stop Gap value" - }, - "walletButtonSend": "Bitte", - "@walletButtonSend": { - "description": "Button label to send funds" - }, - "importColdcardInstructionsStep9": "Geben Sie ein 'Label' für Ihre Coldcard Q Geldbörse ein und tippen Sie auf \"Import\"", - "@importColdcardInstructionsStep9": { - "description": "ImportColdcardQ: Ninth instruction step" - }, - "bitboxScreenTroubleshootingStep1": "Stellen Sie sicher, dass Sie die neueste Firmware auf Ihrer BitBox installiert haben.", - "@bitboxScreenTroubleshootingStep1": { - "description": "Troubleshooting step 1" - }, - "backupSettingsExportVault": "Export Vault", - "@backupSettingsExportVault": { - "description": "Button text to export encrypted vault file" - }, - "bitboxActionUnlockDeviceTitle": "BitBox Gerät blockieren", - "@bitboxActionUnlockDeviceTitle": { - "description": "Title for unlock device action" - }, - "withdrawRecipientsNewTab": "Neuer Empfänger", - "@withdrawRecipientsNewTab": { - "description": "Tab label for new recipient" - }, - "autoswapRecipientRequired": "*", - "@autoswapRecipientRequired": { - "description": "Required field indicator" - }, - "exchangeLandingFeature4": "Banküberweisungen senden und Rechnungen bezahlen", - "@exchangeLandingFeature4": { - "description": "Fourth feature bullet point" - }, - "sellSendPaymentPayFromWallet": "Bezahlung von Geldbeuteln", - "@sellSendPaymentPayFromWallet": { - "description": "Field label for source wallet" - }, - "settingsServicesStatusTitle": "Dienstleistungen", - "@settingsServicesStatusTitle": { - "description": "Title for the services status section in the settings menu" - }, - "sellPriceWillRefreshIn": "Preis wird erfrischt ", - "@sellPriceWillRefreshIn": { - "description": "Text before countdown timer for price refresh" - }, - "labelDeleteFailed": "Nicht zu löschen \"{label}\". Bitte versuchen Sie es noch mal.", - "@labelDeleteFailed": { - "description": "Error message when label deletion fails", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "kruxStep16": "Es ist jetzt bereit zu senden! Sobald Sie auf Sendung klicken, wird die Transaktion im Bitcoin-Netzwerk veröffentlicht und die Mittel werden gesendet.", - "@kruxStep16": { - "description": "Krux final instruction about broadcasting" - }, - "recoverbullRecoveryErrorVaultCorrupted": "Ausgewählte Sicherungsdatei ist beschädigt.", - "@recoverbullRecoveryErrorVaultCorrupted": { - "description": "Error when vault backup file cannot be decrypted or is invalid" - }, - "buyVerifyIdentity": "Verifizierte Identität", - "@buyVerifyIdentity": { - "description": "Button to start KYC process" - }, - "exchangeDcaCancelDialogConfirmButton": "Ja, deaktivieren", - "@exchangeDcaCancelDialogConfirmButton": { - "description": "Button label to confirm DCA deactivation" - }, - "electrumServerUrlHint": "{network} {environment} Server URL", - "@electrumServerUrlHint": { - "description": "Hint text for server URL input", - "placeholders": { - "network": { - "type": "String" - }, - "environment": { - "type": "String" - } - } - }, - "payEmailHint": "E-Mail-Adresse", - "@payEmailHint": { - "description": "Hint for email input" - }, - "backupWalletGoogleDrivePermissionWarning": "Google wird Sie bitten, personenbezogene Daten mit dieser App zu teilen.", - "@backupWalletGoogleDrivePermissionWarning": { - "description": "Warning message about Google Drive permission request" - }, - "bitboxScreenVerifyAddressSubtext": "Vergleichen Sie diese Adresse mit Ihrem BitBox02-Bildschirm", - "@bitboxScreenVerifyAddressSubtext": { - "description": "Subtext when showing address verification" - }, - "importQrDeviceSeedsignerStep9": "Geben Sie ein Etikett für Ihre SeedSigner Geldbörse ein und tippen Sie auf Import", - "@importQrDeviceSeedsignerStep9": { - "description": "SeedSigner instruction step 9" - }, - "testCompletedSuccessMessage": "Sie sind in der Lage, den Zugang zu einer verlorenen Bitcoin Geldbörse zu erholen", - "@testCompletedSuccessMessage": { - "description": "Message shown when backup test is successful" - }, - "importWatchOnlyScanQR": "Scan QR", - "@importWatchOnlyScanQR": { - "description": "Button to scan QR code for watch-only import" - }, - "selectAmountTitle": "Wählen Sie den Betrag", - "@selectAmountTitle": { - "description": "Title for manual coin selection bottom sheet" - }, - "buyYouBought": "Sie kauften {amount}", - "@buyYouBought": { - "description": "Success message with amount bought", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "routeErrorMessage": "Seite nicht gefunden", - "@routeErrorMessage": { - "description": "Error message displayed when user navigates to non-existent route" - }, - "connectHardwareWalletPassport": "Stiftungspass", - "@connectHardwareWalletPassport": { - "description": "Foundation Passport hardware wallet option" - }, - "autoswapTriggerBalanceError": "Trigger-Balance muss mindestens 2x der Basis-Balance", - "@autoswapTriggerBalanceError": { - "description": "Validation error shown when trigger balance is less than 2x the base balance" - }, - "receiveEnterHere": "Hier...", - "@receiveEnterHere": { - "description": "Placeholder text for input fields in receive" - }, - "receiveNetworkFee": "Netzwerkgebühren", - "@receiveNetworkFee": { - "description": "Label for the network fee in a receive transaction" - }, - "payLiquidFee": "Flüssige Gebühren", - "@payLiquidFee": { - "description": "Label for Liquid Network transaction fee" - }, - "fundExchangeSepaTitle": "SEPA Transfer", - "@fundExchangeSepaTitle": { - "description": "Screen title for SEPA transfer payment details" - }, - "autoswapLoadSettingsError": "Fehler beim Laden von Auto-Swap-Einstellungen", - "@autoswapLoadSettingsError": { - "description": "Error message when loading settings fails" - }, - "durationSeconds": "{seconds} Sekunden", - "@durationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "String" - } - } - }, - "broadcastSignedTxReviewTransaction": "Review Transaction", - "@broadcastSignedTxReviewTransaction": { - "description": "Section header for transaction review" - }, - "walletArkExperimental": "Experimentelle", - "@walletArkExperimental": { - "description": "Description for Ark wallet indicating experimental status" - }, - "importQrDeviceKeystoneStep5": "Wählen Sie BULL Wallet Option", - "@importQrDeviceKeystoneStep5": { - "description": "Keystone instruction step 5" - }, - "electrumLoadFailedError": "Nicht geladene Server{reason}", - "@electrumLoadFailedError": { - "description": "Error message when loading servers fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "ledgerVerifyAddressLabel": "Anschrift:", - "@ledgerVerifyAddressLabel": { - "description": "Label for the address being verified on Ledger" - }, - "buyAccelerateTransaction": "Beschleunigung der Transaktion", - "@buyAccelerateTransaction": { - "description": "Title for transaction acceleration option" - }, - "backupSettingsTested": "Geprüft", - "@backupSettingsTested": { - "description": "Status text shown when backup has been tested" - }, - "receiveLiquidConfirmationMessage": "Es wird in ein paar Sekunden bestätigt", - "@receiveLiquidConfirmationMessage": { - "description": "Message indicating quick confirmation time for Liquid transactions" - }, - "jadeStep1": "Login zu Ihrem Jade Gerät", - "@jadeStep1": { - "description": "Jade instruction step 1" - }, - "recoverbullSelectDriveBackups": "Laufwerkssicherungen", - "@recoverbullSelectDriveBackups": { - "description": "AppBar title for screen showing list of Google Drive backups" - }, - "settingsSecurityPinTitle": "Sicherheitsnadel", - "@settingsSecurityPinTitle": { - "description": "Title for the security PIN section in the settings menu" - }, - "testBackupErrorFailedToFetch": "Fehler beim Backup: {error}", - "@testBackupErrorFailedToFetch": { - "description": "Error when backup fetch fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "arkDurationMinute": "{minutes} Minute", - "@arkDurationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "psbtFlowTroubleScanningTitle": "Wenn Sie Probleme beim Scannen haben:", - "@psbtFlowTroubleScanningTitle": { - "description": "Header for troubleshooting scanning issues" - }, - "arkReceiveUnifiedCopied": "Einheitliche Adresse kopiert", - "@arkReceiveUnifiedCopied": { - "description": "Snackbar message when unified address copied" - }, - "importQrDeviceJadeStep9": "Scannen Sie den QR-Code, den Sie auf Ihrem Gerät sehen.", - "@importQrDeviceJadeStep9": { - "description": "Jade instruction step 9" - }, - "sellArsBalance": "ARS Balance", - "@sellArsBalance": { - "description": "Display text for ARS balance payout method" - }, - "fundExchangeCanadaPostStep1": "ANHANG Gehen Sie zu jedem Kanada Post Standort", - "@fundExchangeCanadaPostStep1": { - "description": "Step 1 for Canada Post payment process" - }, - "exchangeKycLight": "Licht", - "@exchangeKycLight": { - "description": "Light KYC level label" - }, - "seedsignerInstructionsTitle": "SeedSigner Anleitung", - "@seedsignerInstructionsTitle": { - "description": "Title for SeedSigner signing instructions modal" - }, - "exchangeAmountInputValidationEmpty": "Bitte geben Sie einen Betrag ein", - "@exchangeAmountInputValidationEmpty": { - "description": "Validation message when amount field is empty" - }, - "bitboxActionPairDeviceProcessingSubtext": "Bitte überprüfen Sie den Paarungscode auf Ihrem BitBox Gerät...", - "@bitboxActionPairDeviceProcessingSubtext": { - "description": "Processing subtext for pair device" - }, - "recoverbullKeyServer": "Schlüsselserver ", - "@recoverbullKeyServer": { - "description": "Label for key server connection status" - }, - "recoverbullPasswordTooCommon": "Dieses Passwort ist zu häufig. Bitte wählen Sie eine andere", - "@recoverbullPasswordTooCommon": { - "description": "Validation error for commonly used passwords" - }, - "backupInstruction3": "Jeder mit Zugriff auf Ihre 12-Worte-Backup kann Ihre Bitcoins stehlen. Versteck es gut.", - "@backupInstruction3": { - "description": "Third backup instruction warning about backup security" - }, - "arkRedeemButton": "Rede", - "@arkRedeemButton": { - "description": "Confirm button to execute collaborative redeem" - }, - "fundExchangeLabelBeneficiaryAddress": "Steueranschrift", - "@fundExchangeLabelBeneficiaryAddress": { - "description": "Label for beneficiary address field" - }, - "testBackupVerify": "Überprüfung", - "@testBackupVerify": { - "description": "Button text to verify the selected word order" - }, - "transactionDetailLabelCreatedAt": "Erstellt bei", - "@transactionDetailLabelCreatedAt": { - "description": "Label for creation time" - }, - "fundExchangeJurisdictionArgentina": "🇦🇷 Argentinien", - "@fundExchangeJurisdictionArgentina": { - "description": "Dropdown option for Argentina jurisdiction" - }, - "walletNetworkBitcoin": "Bitcoin Network", - "@walletNetworkBitcoin": { - "description": "Network label for Bitcoin mainnet" - }, - "electrumAdvancedOptions": "Erweiterte Optionen", - "@electrumAdvancedOptions": { - "description": "Advanced options button label" - }, - "autoswapWarningCardSubtitle": "Ein Swap wird ausgelöst, wenn Ihre Instant Payments Balance über 0,02 BTC.", - "@autoswapWarningCardSubtitle": { - "description": "Subtitle text shown on the autoswap warning card on home screen" - }, - "transactionStatusConfirmed": "Bestätigt", - "@transactionStatusConfirmed": { - "description": "Status label for confirmed transactions" - }, - "dcaFrequencyDaily": "tag", - "@dcaFrequencyDaily": { - "description": "Daily DCA frequency" - }, - "transactionLabelSendAmount": "Betrag", - "@transactionLabelSendAmount": { - "description": "Label for send amount in swap details" - }, - "testedStatus": "Geprüft", - "@testedStatus": { - "description": "Status text indicating backup has been tested" - }, - "fundExchangeWarningTactic6": "Sie wollen, dass Sie Ihren Bildschirm teilen", - "@fundExchangeWarningTactic6": { - "description": "Sixth scammer tactic warning" - }, - "buyYouReceive": "Sie erhalten", - "@buyYouReceive": { - "description": "Label for amount user receives" - }, - "payFilterPayments": "Filter Zahlungen", - "@payFilterPayments": { - "description": "Button to filter payment list" - }, - "exchangeFileUploadButton": "Hochladen", - "@exchangeFileUploadButton": { - "description": "Button label for uploading files in exchange" - }, - "payCopied": "Copied!", - "@payCopied": { - "description": "Success message after copying" - }, - "transactionLabelReceiveNetworkFee": "Netzwerkgebühren empfangen", - "@transactionLabelReceiveNetworkFee": { - "description": "Label for receive network fee in swap details" - }, - "bitboxScreenTroubleshootingTitle": "BitBox02 Fehlerbehebung", - "@bitboxScreenTroubleshootingTitle": { - "description": "Title for troubleshooting instructions" - }, - "broadcastSignedTxPushTxButton": "PFZ", - "@broadcastSignedTxPushTxButton": { - "description": "Button to use PushTx NFC device" - }, - "fundExchangeCrIbanUsdDescriptionBold": "genau", - "@fundExchangeCrIbanUsdDescriptionBold": { - "description": "Bold emphasis word for CR IBAN USD transfer instructions" - }, - "fundExchangeSelectCountry": "Wählen Sie Ihr Land und Ihre Zahlungsmethode", - "@fundExchangeSelectCountry": { - "description": "Instruction text" - }, - "fundExchangeCostaRicaMethodSinpeSubtitle": "Transfer Colones mit SINPE", - "@fundExchangeCostaRicaMethodSinpeSubtitle": { - "description": "Subtitle description for SINPE Móvil payment method" - }, - "kruxStep2": "Klicken Sie auf", - "@kruxStep2": { - "description": "Krux instruction step 2" - }, - "fundExchangeArsBankTransferDescription": "Senden Sie eine Banküberweisung von Ihrem Bankkonto mit den genauen Argentinien Bankdaten unten.", - "@fundExchangeArsBankTransferDescription": { - "description": "Description for Argentina bank transfer method" - }, - "importWatchOnlyFingerprint": "Fingerabdruck", - "@importWatchOnlyFingerprint": { - "description": "Label for wallet fingerprint field" - }, - "exchangeBitcoinWalletsEnterAddressHint": "Anschrift", - "@exchangeBitcoinWalletsEnterAddressHint": { - "description": "Hint text for entering an address in exchange Bitcoin wallets" - }, - "dcaViewSettings": "Einstellungen anzeigen", - "@dcaViewSettings": { - "description": "Link to view DCA settings" - }, - "withdrawAmountContinue": "Fortsetzung", - "@withdrawAmountContinue": { - "description": "Continue button on amount screen" - }, - "allSeedViewSecurityWarningMessage": "Die Anzeige von Saatphrasen ist ein Sicherheitsrisiko. Jeder, der Ihren Samensatz sieht, kann auf Ihr Geld zugreifen. Stellen Sie sicher, dass Sie in einer privaten Lage sind und dass niemand Ihren Bildschirm sehen kann.", - "@allSeedViewSecurityWarningMessage": { - "description": "Security warning message about displaying seed phrases" - }, - "walletNetworkBitcoinTestnet": "Bitcoin Testnet", - "@walletNetworkBitcoinTestnet": { - "description": "Network label for Bitcoin testnet" - }, - "recoverbullSeeMoreVaults": "Mehr Tresore anzeigen", - "@recoverbullSeeMoreVaults": { - "description": "Button text to view additional vault options" - }, - "sellPayFromWallet": "Bezahlung von Geldbeuteln", - "@sellPayFromWallet": { - "description": "Label for wallet used for payment" - }, - "pinProtectionDescription": "Ihre PIN schützt den Zugriff auf Ihre Geldbörse und Einstellungen. Halten Sie es unvergesslich.", - "@pinProtectionDescription": { - "description": "Informational text explaining PIN purpose" - }, - "kruxStep5": "Scannen Sie den QR-Code in der Bull Brieftasche", - "@kruxStep5": { - "description": "Krux instruction step 5" - }, - "backupSettingsLabelsButton": "Etiketten", - "@backupSettingsLabelsButton": { - "description": "Button text to manage transaction labels" - }, - "payMediumPriority": "Mittel", - "@payMediumPriority": { - "description": "Medium fee priority option" - }, - "payWhichWalletQuestion": "Welche Brieftasche wollen Sie bezahlen?", - "@payWhichWalletQuestion": { - "description": "Question prompting user to select wallet" - }, - "dcaHideSettings": "Einstellungen verbergen", - "@dcaHideSettings": { - "description": "Link to hide DCA settings" - }, - "exchangeDcaCancelDialogMessage": "Ihr wiederkehrender Bitcoin Kaufplan wird aufhören, und geplante Kaufe werden enden. Um neu zu starten, müssen Sie einen neuen Plan einrichten.", - "@exchangeDcaCancelDialogMessage": { - "description": "Message explaining the consequences of canceling DCA" - }, - "transactionSwapDescChainExpired": "Diese Übertragung ist abgelaufen. Ihre Mittel werden automatisch an Ihre Geldbörse zurückgegeben.", - "@transactionSwapDescChainExpired": { - "description": "Description for expired chain swap" - }, - "payValidating": "Gültig...", - "@payValidating": { - "description": "Text shown while validating SINPE" - }, - "sendDone": "KAPITEL", - "@sendDone": { - "description": "Button label for completing the send flow" - }, - "exchangeBitcoinWalletsTitle": "Standard Bitcoin Wallets", - "@exchangeBitcoinWalletsTitle": { - "description": "Title for the default Bitcoin wallets section in exchange" - }, - "importColdcardInstructionsStep1": "Melden Sie sich an Ihrem Coldcard Q Gerät", - "@importColdcardInstructionsStep1": { - "description": "ImportColdcardQ: First instruction step" - }, - "transactionLabelSwapStatusRefunded": "Zurückerstattet", - "@transactionLabelSwapStatusRefunded": { - "description": "Status label for refunded swaps" - }, - "receiveLightningInvoice": "Lichtrechnung", - "@receiveLightningInvoice": { - "description": "Label for a Lightning Network invoice" - }, - "pinCodeContinue": "Fortsetzung", - "@pinCodeContinue": { - "description": "Button label to continue with PIN entry" - }, - "payInvoiceTitle": "Invokation bezahlen", - "@payInvoiceTitle": { - "description": "AppBar title for the pay invoice screen" - }, - "swapProgressGoHome": "Geh nach Hause", - "@swapProgressGoHome": { - "description": "Go home button on progress screen" - }, - "replaceByFeeSatsVbUnit": "sats/vB", - "@replaceByFeeSatsVbUnit": { - "description": "Unit label for satoshis per virtual byte" - }, - "fundExchangeCrIbanUsdDescription": "Senden Sie eine Banküberweisung von Ihrem Bankkonto mit den untenstehenden Daten ", - "@fundExchangeCrIbanUsdDescription": { - "description": "First part of description for CR IBAN USD transfer" - }, - "coreScreensSendAmountLabel": "Betrag", - "@coreScreensSendAmountLabel": { - "description": "Label for send amount field" - }, - "backupSettingsRecoverBullSettings": "Recoverbull", - "@backupSettingsRecoverBullSettings": { - "description": "Button text for Recoverbull" - }, - "fundExchangeLabelBankAddress": "Anschrift unserer Bank", - "@fundExchangeLabelBankAddress": { - "description": "Label for bank address field" - }, - "exchangeDcaAddressLabelLiquid": "ANHANG", - "@exchangeDcaAddressLabelLiquid": { - "description": "Label for Liquid address in DCA settings" - }, - "backupWalletGoogleDrivePrivacyMessage5": "mit Bull Bitcoin geteilt.", - "@backupWalletGoogleDrivePrivacyMessage5": { - "description": "Fifth part of privacy message" - }, - "settingsDevModeUnderstandButton": "Ich verstehe", - "@settingsDevModeUnderstandButton": { - "description": "Button label to acknowledge developer mode warning" - }, - "recoverbullSelectQuickAndEasy": "Schnell und einfach", - "@recoverbullSelectQuickAndEasy": { - "description": "Description tag for Google Drive and iCloud provider options" - }, - "exchangeFileUploadTitle": "Secure File Upload", - "@exchangeFileUploadTitle": { - "description": "Title for the secure file upload section in exchange" - }, - "backupWalletHowToDecideBackupPhysicalRecommendationText": "Sie sind zuversichtlich in Ihren eigenen operativen Sicherheitsfunktionen, um Ihre Bitcoin Samenwörter zu verstecken und zu erhalten.", - "@backupWalletHowToDecideBackupPhysicalRecommendationText": { - "description": "Recommendation text for when to use physical backup" - }, - "bitboxCubitHandshakeFailed": "Versäumt, eine sichere Verbindung herzustellen. Bitte versuchen Sie es noch mal.", - "@bitboxCubitHandshakeFailed": { - "description": "Error interpretation for handshake failure" - }, - "sendErrorAmountAboveSwapLimits": "Betrag über Swapsgrenzen", - "@sendErrorAmountAboveSwapLimits": { - "description": "Error when amount exceeds maximum swap limit" - }, - "backupWalletHowToDecideBackupEncryptedVault": "Der verschlüsselte Tresor verhindert, dass Sie Diebe suchen, um Ihr Backup zu stehlen. Es verhindert auch, dass Sie versehentlich Ihr Backup verlieren, da es in Ihrer Cloud gespeichert wird. Cloud-Speicheranbieter wie Google oder Apple haben keinen Zugriff auf Ihr Bitcoin, da das Verschlüsselungs-Passwort zu stark ist. Es gibt eine kleine Möglichkeit, dass der Webserver, der die Verschlüsselungsschlüssel Ihres Backups speichert, beeinträchtigt werden könnte. In diesem Fall könnte die Sicherheit des Backups in Ihrem Cloud-Konto gefährdet sein.", - "@backupWalletHowToDecideBackupEncryptedVault": { - "description": "Explanation of encrypted vault benefits and risks in decision help modal" - }, - "coreSwapsChainCompletedRefunded": "Überweisung wurde zurückerstattet.", - "@coreSwapsChainCompletedRefunded": { - "description": "Status message for chain swap completed via refund" - }, - "payClabeHint": "CLABE Nummer eingeben", - "@payClabeHint": { - "description": "Hint for CLABE input" - }, - "fundExchangeLabelBankCountry": "Mitgliedstaat", - "@fundExchangeLabelBankCountry": { - "description": "Label for bank country field" - }, - "seedsignerStep11": "Klicken Sie auf \"Ich bin fertig\" in der Bull Bitcoin Geldbörse.", - "@seedsignerStep11": { - "description": "SeedSigner instruction to return to app" - }, - "transactionDetailLabelPayjoinStatus": "Status des Payjos", - "@transactionDetailLabelPayjoinStatus": { - "description": "Label for payjoin status" - }, - "fundExchangeBankTransferSubtitle": "Senden Sie eine Banküberweisung von Ihrem Bankkonto", - "@fundExchangeBankTransferSubtitle": { - "description": "Bank transfer subtitle" - }, - "recoverbullErrorInvalidVaultFile": "Ungültige Tresordatei.", - "@recoverbullErrorInvalidVaultFile": { - "description": "Error message when vault file format is invalid" - }, - "sellProcessingOrder": "Bearbeitungsauftrag...", - "@sellProcessingOrder": { - "description": "Loading message during order submission" - }, - "sellUpdatingRate": "Aktualisierender Wechselkurs...", - "@sellUpdatingRate": { - "description": "Loading message while fetching new rate" - }, - "importQrDeviceKeystoneStep6": "Tippen Sie auf Ihrem mobilen Gerät auf offene Kamera", - "@importQrDeviceKeystoneStep6": { - "description": "Keystone instruction step 6" - }, - "bip85Hex": "HEX", - "@bip85Hex": { - "description": "Label for hex type entropy" - }, - "testYourWalletTitle": "Testen Sie Ihre Brieftasche", - "@testYourWalletTitle": { - "description": "Title for test your wallet screen" - }, - "storeItSafelyMessage": "Speichern Sie es irgendwo sicher.", - "@storeItSafelyMessage": { - "description": "Instruction to store recovery phrase safely" - }, - "receiveLightningNetwork": "Beleuchtung", - "@receiveLightningNetwork": { - "description": "Lightning Network option" - }, - "receiveVerifyAddressError": "Unfähig, die Adresse zu überprüfen: Fehlende Brieftasche oder Adressinformationen", - "@receiveVerifyAddressError": { - "description": "Error message when address verification is not possible" - }, - "arkForfeitAddress": "Forfeit Adresse", - "@arkForfeitAddress": { - "description": "Label for forfeit address field" - }, - "swapTransferRefundedTitle": "Überweisung zurückerstattet", - "@swapTransferRefundedTitle": { - "description": "Title when swap has been refunded" - }, - "bitboxErrorConnectionFailed": "Nicht angeschlossen BitBox Gerät. Bitte überprüfen Sie Ihre Verbindung.", - "@bitboxErrorConnectionFailed": { - "description": "Error when connection to BitBox device fails" - }, - "exchangeFileUploadDocumentTitle": "Nachladen eines Dokuments", - "@exchangeFileUploadDocumentTitle": { - "description": "Title for uploading documents in exchange" - }, - "dcaInsufficientBalanceDescription": "Sie haben nicht genug Balance, um diese Bestellung zu erstellen.", - "@dcaInsufficientBalanceDescription": { - "description": "InfoCard description explaining insufficient balance error" - }, - "pinButtonContinue": "Fortsetzung", - "@pinButtonContinue": { - "description": "Button label to proceed after entering new PIN" - }, - "importColdcardSuccess": "Coldcard Wallet importiert", - "@importColdcardSuccess": { - "description": "Success message" - }, - "withdrawUnauthenticatedError": "Sie sind nicht authentifiziert. Bitte loggen Sie sich ein, um fortzufahren.", - "@withdrawUnauthenticatedError": { - "description": "Error message for unauthenticated user during withdraw" - }, - "sellBitcoinAmount": "Bitcoin Menge", - "@sellBitcoinAmount": { - "description": "Label for Bitcoin amount" - }, - "recoverbullTestCompletedTitle": "Test erfolgreich abgeschlossen!", - "@recoverbullTestCompletedTitle": { - "description": "Success title after completing backup test" - }, - "arkBtcAddress": "Anschrift", - "@arkBtcAddress": { - "description": "Label for the Bitcoin address field" - }, - "transactionFilterReceive": "Empfang", - "@transactionFilterReceive": { - "description": "Filter option to show only received transactions" - }, - "recoverbullErrorInvalidFlow": "Invalider Fluss", - "@recoverbullErrorInvalidFlow": { - "description": "Error message for invalid operation flow" - }, - "exchangeDcaFrequencyDay": "tag", - "@exchangeDcaFrequencyDay": { - "description": "DCA frequency unit: day" - }, - "payBumpFee": "Bump Fee", - "@payBumpFee": { - "description": "Button to increase fee of pending transaction" - }, - "bitboxActionImportWalletProcessingSubtext": "Richten Sie Ihre Uhr nur Geldbörse...", - "@bitboxActionImportWalletProcessingSubtext": { - "description": "Processing subtext for import wallet" - }, - "psbtFlowDone": "Ich bin fertig", - "@psbtFlowDone": { - "description": "Button to complete psbt flow signing process" - }, - "exchangeHomeDepositButton": "Anzahl", - "@exchangeHomeDepositButton": { - "description": "Button label for depositing funds to the exchange" - }, - "testBackupRecoverWallet": "Recover Wallet", - "@testBackupRecoverWallet": { - "description": "AppBar title for fetched backup info screen" - }, - "fundExchangeMethodSinpeTransferSubtitle": "Transfer Colones mit SINPE", - "@fundExchangeMethodSinpeTransferSubtitle": { - "description": "Subtitle for SINPE Transfer payment method" - }, - "arkInstantPayments": "Ark Instant Zahlungen", - "@arkInstantPayments": { - "description": "Main page title in top bar" - }, - "sendEstimatedDelivery": "Geschätzte Lieferung ~ ", - "@sendEstimatedDelivery": { - "description": "Label prefix for estimated delivery time" - }, - "fundExchangeMethodOnlineBillPayment": "Online Bill Zahlung", - "@fundExchangeMethodOnlineBillPayment": { - "description": "Payment method: Online Bill Payment (Canada)" - }, - "coreScreensTransferIdLabel": "Transfer ID", - "@coreScreensTransferIdLabel": { - "description": "Label for transfer ID field" - }, - "howToDecideBackupText2": "Der verschlüsselte Tresor verhindert, dass Sie Diebe suchen, um Ihr Backup zu stehlen. Es verhindert auch, dass Sie versehentlich Ihr Backup verlieren, da es in Ihrer Cloud gespeichert wird. Cloud-Speicheranbieter wie Google oder Apple haben keinen Zugriff auf Ihr Bitcoin, da das Verschlüsselungs-Passwort zu stark ist. Es gibt eine kleine Möglichkeit, dass der Webserver, der die Verschlüsselungsschlüssel Ihres Backups speichert, beeinträchtigt werden könnte. In diesem Fall könnte die Sicherheit des Backups in Ihrem Cloud-Konto gefährdet sein.", - "@howToDecideBackupText2": { - "description": "Second paragraph explaining encrypted vault benefits and risks" - }, - "sellIBAN": "IBAN", - "@sellIBAN": { - "description": "Label for International Bank Account Number" - }, - "allSeedViewPassphraseLabel": "Passphrase:", - "@allSeedViewPassphraseLabel": { - "description": "Label for passphrase display" - }, - "dcaBuyingMessage": "Sie kaufen {amount} jeden {frequency} über {network}, solange es Geld in Ihrem Konto gibt.", - "@dcaBuyingMessage": { - "description": "DCA status message", - "placeholders": { - "amount": { - "type": "String" - }, - "frequency": { - "type": "String" - }, - "network": { - "type": "String" - } - } - }, - "exchangeCurrencyDropdownValidation": "Bitte wählen Sie eine Währung", - "@exchangeCurrencyDropdownValidation": { - "description": "Validation message when no currency is selected" - }, - "withdrawConfirmTitle": "Rücknahme bestätigen", - "@withdrawConfirmTitle": { - "description": "Title on confirmation screen" - }, - "importQrDeviceSpecterStep3": "Geben Sie Ihren Samen/Schlüssel ein (wählen Sie, welche Option Sie je haben)", - "@importQrDeviceSpecterStep3": { - "description": "Specter instruction step 3" - }, - "payPayeeAccountNumber": "Zahlungskontonummer", - "@payPayeeAccountNumber": { - "description": "Label for payee account number" - }, - "importMnemonicBalanceLabel": "Bilanz: {amount}", - "@importMnemonicBalanceLabel": { - "description": "ImportMnemonic: Balance label with amount in wallet type card", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "fundExchangeWarningConfirmation": "Ich bestätige, dass ich nicht gebeten werde, Bitcoin von jemand anderem zu kaufen.", - "@fundExchangeWarningConfirmation": { - "description": "Confirmation checkbox text that user is not being coerced to buy Bitcoin" - }, - "recoverbullSelectCustomLocationError": "Nicht verfügbar, um die Datei vom benutzerdefinierten Standort auszuwählen", - "@recoverbullSelectCustomLocationError": { - "description": "Error when file selection from custom location fails" - }, - "mempoolCustomServerDeleteTitle": "Benutzerdefinierten Server löschen?", - "@mempoolCustomServerDeleteTitle": { - "description": "Title for delete custom server confirmation dialog" - }, - "confirmSendTitle": "Bestätigen Sie", - "@confirmSendTitle": { - "description": "Title for send confirmation screen when sending bitcoin" - }, - "buyKYCLevel1": "Ebene 1 - Basis", - "@buyKYCLevel1": { - "description": "Basic verification tier" - }, - "sendErrorAmountAboveMaximum": "Höchstbetrag: {maxLimit} satt", - "@sendErrorAmountAboveMaximum": { - "description": "Error with specific maximum swap amount", - "placeholders": { - "maxLimit": { - "type": "String" - } - } - }, - "coreSwapsLnSendCompletedSuccess": "Swap ist erfolgreich abgeschlossen.", - "@coreSwapsLnSendCompletedSuccess": { - "description": "Status message for successfully completed Lightning send swap" - }, - "importColdcardScanning": "Scannen...", - "@importColdcardScanning": { - "description": "Status while scanning" - }, - "transactionLabelTransferFee": "Transfergebühr", - "@transactionLabelTransferFee": { - "description": "Label for transfer fee component" - }, - "visitRecoverBullMessage": "Besuchen Sie Recoverybull.com für weitere Informationen.", - "@visitRecoverBullMessage": { - "description": "Message with link to more information" - }, - "payMyFiatRecipients": "Meine Fiat Empfänger", - "@payMyFiatRecipients": { - "description": "Tab label for saved recipients" - }, - "exchangeLandingFeature1": "Bitcoin direkt in Selbst-Krankheit kaufen", - "@exchangeLandingFeature1": { - "description": "First feature bullet point" - }, - "bitboxCubitPermissionDenied": "USB-Berechtigung verweigert. Bitte erteilen Sie die Erlaubnis, auf Ihr BitBox-Gerät zuzugreifen.", - "@bitboxCubitPermissionDenied": { - "description": "Error interpretation for permission denied" - }, - "swapTransferTo": "Überweisung", - "@swapTransferTo": { - "description": "Label for destination wallet dropdown" - }, - "testBackupPinMessage": "Testen Sie, um sicherzustellen, dass Sie sich an Ihr Backup erinnern {pinOrPassword}", - "@testBackupPinMessage": { - "description": "Message prompting user to test backup PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "bitcoinSettingsMempoolServerTitle": "Mempool Server Einstellungen", - "@bitcoinSettingsMempoolServerTitle": { - "description": "Title for the Mempool server settings section in Bitcoin settings" - }, - "transactionSwapDescLnReceiveDefault": "Ihr Swap ist im Gange. Dieser Prozess ist automatisiert und kann einige Zeit zum Abschluss nehmen.", - "@transactionSwapDescLnReceiveDefault": { - "description": "Default description for Lightning receive swap" - }, - "selectCoinsManuallyLabel": "Münzen manuell auswählen", - "@selectCoinsManuallyLabel": { - "description": "List tile option to manually select UTXOs" - }, - "psbtFlowSeedSignerTitle": "SeedSigner Anleitung", - "@psbtFlowSeedSignerTitle": { - "description": "Title for SeedSigner device signing instructions" - }, - "appUnlockAttemptSingular": "fehlgeschlagen", - "@appUnlockAttemptSingular": { - "description": "Singular form of 'attempt' for failed unlock attempts" - }, - "importQrDevicePassportStep2": "Geben Sie Ihre PIN ein", - "@importQrDevicePassportStep2": { - "description": "Passport instruction step 2" - }, - "transactionOrderLabelPayoutMethod": "Zahlungsmethode", - "@transactionOrderLabelPayoutMethod": { - "description": "Label for order payout method" - }, - "buyShouldBuyAtLeast": "Sie sollten zumindest kaufen", - "@buyShouldBuyAtLeast": { - "description": "Error message for amount below minimum" - }, - "pinCodeCreateDescription": "Ihre PIN schützt den Zugriff auf Ihre Geldbörse und Einstellungen. Halten Sie es unvergesslich.", - "@pinCodeCreateDescription": { - "description": "Description explaining the purpose of the PIN code" - }, - "payCorporate": "Unternehmen", - "@payCorporate": { - "description": "Label for corporate checkbox" - }, - "recoverbullErrorRecoveryFailed": "Versäumt, den Tresor wiederherzustellen", - "@recoverbullErrorRecoveryFailed": { - "description": "Error message when vault recovery fails" - }, - "buyMax": "Max", - "@buyMax": { - "description": "Button to fill maximum amount" - }, - "onboardingCreateNewWallet": "Neue Brieftasche erstellen", - "@onboardingCreateNewWallet": { - "description": "Button label for creating a new wallet in onboarding" - }, - "buyExpressWithdrawalDesc": "Bitcoin sofort nach Zahlung erhalten", - "@buyExpressWithdrawalDesc": { - "description": "Explanation of express withdrawal feature" - }, - "backupIdLabel": "Backup-ID:", - "@backupIdLabel": { - "description": "Label for backup ID" - }, - "sellBalanceWillBeCredited": "Ihr Kontostand wird gutgeschrieben, nachdem Ihre Transaktion 1 Bestätigung onchain erhält.", - "@sellBalanceWillBeCredited": { - "description": "Information about balance crediting" - }, - "payExchangeRate": "Wechselkurs", - "@payExchangeRate": { - "description": "Label for exchange rate" - }, - "startBackupButton": "Starten Sie Backup", - "@startBackupButton": { - "description": "Button label to start backup process" - }, - "buyInputTitle": "Bitcoin kaufen", - "@buyInputTitle": { - "description": "AppBar title for buy input screen" - }, - "arkSendRecipientTitle": "Senden an Recipient", - "@arkSendRecipientTitle": { - "description": "Title for the ark send recipient page" - }, - "importMnemonicImport": "Einfuhr", - "@importMnemonicImport": { - "description": "Button to import selected wallet type" - }, - "recoverbullPasswordTooShort": "Passwort muss mindestens 6 Zeichen lang sein", - "@recoverbullPasswordTooShort": { - "description": "Validation error for passwords under minimum length" - }, - "arkAddressPlaceholder": "ark1qp9wsjfpsj5v5ex022v6..", - "@arkAddressPlaceholder": { - "description": "Placeholder text for recipient address input" - }, - "payNetwork": "Netzwerk", - "@payNetwork": { - "description": "Label for network" - }, - "sendBuildFailed": "Versäumt, Transaktion aufzubauen", - "@sendBuildFailed": { - "description": "Error during transaction construction" - }, - "paySwapFee": "Swap Fee", - "@paySwapFee": { - "description": "Label for submarine swap fee" - }, - "exchangeAccountSettingsTitle": "Kontoeinstellungen austauschen", - "@exchangeAccountSettingsTitle": { - "description": "Title for the exchange account settings screen" - }, - "arkBoardingConfirmed": "Einsetzung bestätigt", - "@arkBoardingConfirmed": { - "description": "Label for confirmed boarding balance in Ark balance breakdown" - }, - "broadcastSignedTxTitle": "Übertragung von Sendungen", - "@broadcastSignedTxTitle": { - "description": "AppBar title for broadcast signed transaction screen" - }, - "backupWalletVaultProviderTakeYourTime": "Nehmen Sie Ihre Zeit", - "@backupWalletVaultProviderTakeYourTime": { - "description": "Tag for custom location provider" - }, - "arkSettleIncludeRecoverable": "Include erholbare vtxos", - "@arkSettleIncludeRecoverable": { - "description": "Toggle label for including recoverable vtxos" - }, - "ledgerWalletTypeSegwitDescription": "Native SegWit - Empfohlen", - "@ledgerWalletTypeSegwitDescription": { - "description": "Description for Segwit wallet type" - }, - "exchangeAccountInfoFirstNameLabel": "Vorname", - "@exchangeAccountInfoFirstNameLabel": { - "description": "Label for first name field in account information" - }, - "payPaymentFailed": "Zahlung fehlgeschlagen", - "@payPaymentFailed": { - "description": "Error message when payment fails" - }, - "sendRefundProcessed": "Ihre Rückerstattung wurde verarbeitet.", - "@sendRefundProcessed": { - "description": "Message confirming refund completion" - }, - "exchangeKycCardSubtitle": "Um Transaktionslimits zu entfernen", - "@exchangeKycCardSubtitle": { - "description": "Subtitle explaining why to complete KYC" - }, - "importColdcardInvalidQR": "Invalid Coldcard QR Code", - "@importColdcardInvalidQR": { - "description": "Error for invalid QR format" - }, - "testBackupTranscribe": "Transkription", - "@testBackupTranscribe": { - "description": "Label with checkmark indicating users should transcribe the phrase" - }, - "sendUnconfirmed": "Nicht bestätigt", - "@sendUnconfirmed": { - "description": "Status for 0-conf UTXO" - }, - "testBackupRetrieveVaultDescription": "Testen Sie, um sicherzustellen, dass Sie Ihren verschlüsselten Tresor abrufen können.", - "@testBackupRetrieveVaultDescription": { - "description": "Description explaining purpose of vault location selection" - }, - "fundExchangeLabelCvu": "LEBENSLAUF", - "@fundExchangeLabelCvu": { - "description": "Label for CVU (Clave Virtual Uniforme) number in Argentina" - }, - "electrumStopGap": "Hör auf", - "@electrumStopGap": { - "description": "Stop Gap field label and hint in advanced options" - }, - "payBroadcastingTransaction": "Rundfunktransaktion...", - "@payBroadcastingTransaction": { - "description": "Status message while broadcasting to network" - }, - "bip329LabelsImportButton": "Importetiketten", - "@bip329LabelsImportButton": { - "description": "Button text to import labels" - }, - "fiatCurrencySettingsLabel": "Fiskalwährung", - "@fiatCurrencySettingsLabel": { - "description": "The label for the button to access the fiat currency settings" - }, - "arkStatusConfirmed": "Bestätigt", - "@arkStatusConfirmed": { - "description": "Status label for confirmed boarding transactions" - }, - "withdrawConfirmAmount": "Betrag", - "@withdrawConfirmAmount": { - "description": "Field label for withdrawal amount" - }, - "transactionSwapDoNotUninstall": "Deinstallieren Sie die App nicht, bis der Swap abgeschlossen ist.", - "@transactionSwapDoNotUninstall": { - "description": "Warning message to not uninstall app during swap" - }, - "payDefaultCommentHint": "Standardkommentar eingeben", - "@payDefaultCommentHint": { - "description": "Hint for default comment input" - }, - "labelErrorSystemCannotDelete": "Systemetiketten können nicht gelöscht werden.", - "@labelErrorSystemCannotDelete": { - "description": "Error message when trying to delete a system label" - }, - "copyDialogButton": "Kopie", - "@copyDialogButton": { - "description": "Button in modal dialog to copy value to clipboard" - }, - "bitboxActionImportWalletProcessing": "Wallet importieren", - "@bitboxActionImportWalletProcessing": { - "description": "Processing text for import wallet" - }, - "swapConfirmTransferTitle": "Über uns", - "@swapConfirmTransferTitle": { - "description": "AppBar title on the confirmation page" - }, - "payTransitNumberHint": "Warenbezeichnung", - "@payTransitNumberHint": { - "description": "Hint for transit number input" - }, - "recoverbullSwitchToPIN": "Wählen Sie stattdessen eine PIN", - "@recoverbullSwitchToPIN": { - "description": "Button text to switch from password to PIN input" - }, - "payQrCode": "QR Code Code", - "@payQrCode": { - "description": "Title for QR code bottom sheet" - }, - "exchangeAccountInfoVerificationLevelLabel": "Prüfstand", - "@exchangeAccountInfoVerificationLevelLabel": { - "description": "Label for verification level field in account information" - }, - "walletDetailsDerivationPathLabel": "Ableitungspfad", - "@walletDetailsDerivationPathLabel": { - "description": "Label for the derivation path field in wallet details" - }, - "exchangeBitcoinWalletsBitcoinAddressLabel": "Bitcoin Adresse", - "@exchangeBitcoinWalletsBitcoinAddressLabel": { - "description": "Label for Bitcoin address field in exchange Bitcoin wallets" - }, - "transactionDetailLabelExchangeRate": "Wechselkurs", - "@transactionDetailLabelExchangeRate": { - "description": "Label for exchange rate" - }, - "electrumServerOffline": "Offline", - "@electrumServerOffline": { - "description": "Status text for offline servers" - }, - "sendTransferFee": "Transfergebühr", - "@sendTransferFee": { - "description": "Label for total swap transfer fee" - }, - "fundExchangeLabelIbanCrcOnly": "IBAN Kontonummer (nur für Colones)", - "@fundExchangeLabelIbanCrcOnly": { - "description": "Label for IBAN field - Colones only" - }, - "arkServerPubkey": "Server", - "@arkServerPubkey": { - "description": "Label for server public key field" - }, - "testBackupPhysicalBackupDescription": "Schreiben Sie 12 Wörter auf einem Stück Papier. Halten Sie sie sicher und stellen Sie sicher, sie nicht zu verlieren.", - "@testBackupPhysicalBackupDescription": { - "description": "Description for physical backup option" - }, - "sendInitiatingSwap": "Initiieren Swap...", - "@sendInitiatingSwap": { - "description": "Loading message during swap setup" - }, - "sellLightningNetwork": "Blitznetz", - "@sellLightningNetwork": { - "description": "Option for Lightning Network payment" - }, - "buySelectWallet": "Wählen Sie Wallet", - "@buySelectWallet": { - "description": "Label for wallet selection dropdown" - }, - "testBackupErrorIncorrectOrder": "Falsche Wortordnung. Bitte versuchen Sie es noch mal.", - "@testBackupErrorIncorrectOrder": { - "description": "Error when words are selected in wrong order" - }, - "importColdcardInstructionsStep6": "Wählen Sie \"Bull Bitcoin\" als Exportoption", - "@importColdcardInstructionsStep6": { - "description": "ImportColdcardQ: Sixth instruction step" - }, - "swapValidationSelectToWallet": "Bitte wählen Sie eine Brieftasche, um zu transferieren", - "@swapValidationSelectToWallet": { - "description": "Validation error when no destination wallet selected" - }, - "receiveWaitForSenderToFinish": "Warten Sie, bis der Absender die payjoin Transaktion beendet", - "@receiveWaitForSenderToFinish": { - "description": "Instructions to wait for the sender during a payjoin transaction" - }, - "arkSetupTitle": "Ark Setup", - "@arkSetupTitle": { - "description": "AppBar title for Ark setup screen" - }, - "seedsignerStep3": "Scannen Sie den QR-Code in der Bull Brieftasche", - "@seedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, - "sellErrorLoadUtxos": "Nicht geladen UTXOs: {error}", - "@sellErrorLoadUtxos": { - "description": "Error message when loading UTXOs fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "payDecodingInvoice": "Abrechnung...", - "@payDecodingInvoice": { - "description": "Loading message while parsing invoice" - }, - "importColdcardInstructionsStep5": "Wählen Sie \"Export Wallet\"", - "@importColdcardInstructionsStep5": { - "description": "ImportColdcardQ: Fifth instruction step" - }, - "electrumStopGapTooHighError": "Stop Gap scheint zu hoch. (Max. {maxStopGap}", - "@electrumStopGapTooHighError": { - "description": "Validation error for Stop Gap exceeding maximum", - "placeholders": { - "maxStopGap": { - "type": "String" - } - } - }, - "electrumTimeoutTooHighError": "Timeout scheint zu hoch. (Max. {maxTimeout} Sekunden)", - "@electrumTimeoutTooHighError": { - "description": "Validation error for Timeout exceeding maximum", - "placeholders": { - "maxTimeout": { - "type": "String" - } - } - }, - "sellInstantPayments": "Sofortzahlungen", - "@sellInstantPayments": { - "description": "Display text for instant payment wallet" - }, - "priceChartFetchingHistory": "Fetching Price History...", - "@priceChartFetchingHistory": { - "description": "Message shown while fetching price history when no local data is available" - }, - "sellDone": "KAPITEL", - "@sellDone": { - "description": "Button to close bottom sheet" - }, - "payFromWallet": "Von Wallet", - "@payFromWallet": { - "description": "Label showing source wallet" - }, - "dcaConfirmRecurringBuyTitle": "Bestätigen Sie erneut Kaufen", - "@dcaConfirmRecurringBuyTitle": { - "description": "AppBar title for confirmation screen" - }, - "transactionSwapBitcoinToLiquid": "BTC → L-BTC", - "@transactionSwapBitcoinToLiquid": { - "description": "Label for Bitcoin to Liquid swap" - }, - "sellBankDetails": "Details der Bank", - "@sellBankDetails": { - "description": "Section header for bank account info" - }, - "pinStatusCheckingDescription": "Überprüfung des PIN-Status", - "@pinStatusCheckingDescription": { - "description": "Status screen description during initialization" - }, - "coreScreensConfirmButton": "Bestätigen", - "@coreScreensConfirmButton": { - "description": "Text for confirm button" - }, - "passportStep6": " - Bewegen Sie den roten Laser über QR-Code", - "@passportStep6": { - "description": "Passport troubleshooting tip 2" - }, - "importQrDeviceSpecterStep8": "Tippen Sie auf Ihrem mobilen Gerät auf offene Kamera", - "@importQrDeviceSpecterStep8": { - "description": "Specter instruction step 8" - }, - "sellSendPaymentContinue": "Fortsetzung", - "@sellSendPaymentContinue": { - "description": "Continue button on sell payment" - }, - "coreSwapsStatusPending": "Ausgaben", - "@coreSwapsStatusPending": { - "description": "Display name for pending swap status" - }, - "electrumDragToReorder": "(Long Press to drag and change prior)", - "@electrumDragToReorder": { - "description": "Instruction text for reordering servers" - }, - "keystoneStep4": "Wenn Sie Probleme beim Scannen haben:", - "@keystoneStep4": { - "description": "Keystone troubleshooting header" - }, - "autoswapTriggerAtBalanceInfoText": "Autoswap wird auslösen, wenn Ihr Gleichgewicht über diesem Betrag geht.", - "@autoswapTriggerAtBalanceInfoText": { - "description": "Info text explaining when autoswap will trigger" - }, - "exchangeLandingDisclaimerNotAvailable": "Cryptocurrency Exchange Services sind in der Bull Bitcoin mobilen Anwendung nicht verfügbar.", - "@exchangeLandingDisclaimerNotAvailable": { - "description": "Disclaimer informing users that exchange services are not available in the mobile app" - }, - "sendCustomFeeRate": "Kundenspezifische Gebührensätze", - "@sendCustomFeeRate": { - "description": "Option to manually set fee" - }, - "ledgerHelpTitle": "Ledger Fehlerbehebung", - "@ledgerHelpTitle": { - "description": "Title for Ledger troubleshooting help modal" - }, - "swapErrorAmountExceedsMaximum": "Höchstbetrag", - "@swapErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum swap limit" - }, - "transactionLabelTotalSwapFees": "Swap Gebühren insgesamt", - "@transactionLabelTotalSwapFees": { - "description": "Label for total swap fees" - }, - "errorLabel": "Fehler", - "@errorLabel": { - "description": "Label for error messages" - }, - "receiveInsufficientInboundLiquidity": "Unzureichende Lichtaufnahmekapazität", - "@receiveInsufficientInboundLiquidity": { - "description": "Error when Lightning channels lack inbound capacity" - }, - "withdrawRecipientsMyTab": "Meine Fiat Empfänger", - "@withdrawRecipientsMyTab": { - "description": "Tab label for existing recipients" - }, - "sendFeeRateTooLow": "Gebührensatz zu niedrig", - "@sendFeeRateTooLow": { - "description": "Error for insufficient fee" - }, - "payLastNameHint": "Nachname eingeben", - "@payLastNameHint": { - "description": "Hint for last name input" - }, - "exchangeLandingRestriction": "Der Zugang zu den Austauschdiensten wird auf Länder beschränkt, in denen Bull Bitcoin legal arbeiten kann und KYC benötigen kann.", - "@exchangeLandingRestriction": { - "description": "Legal restriction notice" - }, - "transactionDetailLabelToWallet": "Zur Brieftasche", - "@transactionDetailLabelToWallet": { - "description": "Label for destination wallet" - }, - "fundExchangeLabelRecipientName": "Empfängername", - "@fundExchangeLabelRecipientName": { - "description": "Label for recipient name field (alternative to beneficiary name)" - }, - "arkToday": "Heute", - "@arkToday": { - "description": "Date label for transactions from today" - }, - "importQrDeviceJadeStep2": "Wählen Sie \"QR-Modus\" aus dem Hauptmenü", - "@importQrDeviceJadeStep2": { - "description": "Jade instruction step 2" - }, - "rbfErrorAlreadyConfirmed": "Die ursprüngliche Transaktion wurde bestätigt", - "@rbfErrorAlreadyConfirmed": { - "description": "Error when trying to RBF a confirmed transaction" - }, - "psbtFlowMoveBack": "Versuchen Sie, Ihr Gerät zurück ein wenig", - "@psbtFlowMoveBack": { - "description": "Troubleshooting tip to adjust scanning distance" - }, - "exchangeReferralsContactSupportMessage": "Kontakt-Unterstützung zu unserem Empfehlungsprogramm", - "@exchangeReferralsContactSupportMessage": { - "description": "Message prompting users to contact support about the referral program" - }, - "sellSendPaymentEurBalance": "EUR Saldo", - "@sellSendPaymentEurBalance": { - "description": "EUR balance payout method" - }, - "exchangeAccountTitle": "Wechselkurskonten", - "@exchangeAccountTitle": { - "description": "Title for the exchange account section" - }, - "swapProgressCompleted": "Abgeschlossen", - "@swapProgressCompleted": { - "description": "Completed transfer status" - }, - "keystoneStep2": "Klicken Sie auf Scan", - "@keystoneStep2": { - "description": "Keystone instruction step 2" - }, - "sendContinue": "Fortsetzung", - "@sendContinue": { - "description": "Button label for continuing in the send flow" - }, - "transactionDetailRetrySwap": "Retry Swap {action}", - "@transactionDetailRetrySwap": { - "description": "Button label to retry a failed swap action", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "sendErrorSwapCreationFailed": "Versäumt, Swap zu erstellen.", - "@sendErrorSwapCreationFailed": { - "description": "Error when swap creation fails" - }, - "arkNoBalanceData": "Keine Bilanzdaten verfügbar", - "@arkNoBalanceData": { - "description": "Message shown when Ark balance data is not available" - }, - "autoswapWarningCardTitle": "Autoswap ist aktiviert.", - "@autoswapWarningCardTitle": { - "description": "Title text shown on the autoswap warning card on home screen" - }, - "coreSwapsChainCompletedSuccess": "Transfer ist erfolgreich abgeschlossen.", - "@coreSwapsChainCompletedSuccess": { - "description": "Status message for successfully completed chain swap" - }, - "physicalBackupRecommendation": "Physikalische Sicherung: ", - "@physicalBackupRecommendation": { - "description": "Bold label for physical backup recommendation" - }, - "autoswapMaxBalance": "Max Instant Wallet Balance", - "@autoswapMaxBalance": { - "description": "Field label for max balance threshold" - }, - "importQrDeviceImport": "Einfuhr", - "@importQrDeviceImport": { - "description": "Button to confirm import from QR device" - }, - "importQrDeviceScanPrompt": "Scannen Sie den QR-Code von Ihrem {deviceName}", - "@importQrDeviceScanPrompt": { - "description": "Instruction to scan QR from device", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "fundExchangeCostaRicaMethodSinpeTitle": "INPE Móvil", - "@fundExchangeCostaRicaMethodSinpeTitle": { - "description": "Payment method title for SINPE Móvil in method list" - }, - "sellBitcoinOnChain": "Bitcoin on-chain", - "@sellBitcoinOnChain": { - "description": "Option for Bitcoin on-chain payment" - }, - "fundExchangeLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (Costa Rica business ID number)" - }, - "exchangeRecipientsComingSoon": "Rezepte - Soon", - "@exchangeRecipientsComingSoon": { - "description": "Message indicating that the recipients feature is coming soon" - }, - "ledgerWalletTypeLabel": "Wallet Type:", - "@ledgerWalletTypeLabel": { - "description": "Label for wallet type/script type selection" - }, - "bip85ExperimentalWarning": "Experimentelle\nBackup Ihrer Ableitungspfade manuell", - "@bip85ExperimentalWarning": { - "description": "Warning message about experimental feature" - }, - "addressViewBalance": "Saldo", - "@addressViewBalance": { - "description": "Label for address balance" - }, - "recoverbullLookingForBalance": "Suche nach Balance und Transaktionen..", - "@recoverbullLookingForBalance": { - "description": "Loading message while scanning wallet" - }, - "recoverbullSelectNoBackupsFound": "Keine Backups gefunden", - "@recoverbullSelectNoBackupsFound": { - "description": "Empty state message when no backup files found in Google Drive" - }, - "importMnemonicNestedSegwit": "Eingebettet Segwit", - "@importMnemonicNestedSegwit": { - "description": "Label for Nested Segwit (BIP49) wallet type" - }, - "sendReplaceByFeeActivated": "Ersatz-by-fee aktiviert", - "@sendReplaceByFeeActivated": { - "description": "Message indicating that replace-by-fee (RBF) is activated" - }, - "psbtFlowScanQrOption": "Wählen Sie \"Scan QR\" Option", - "@psbtFlowScanQrOption": { - "description": "Instruction to select scan QR menu option" - }, - "coreSwapsLnReceiveFailed": "Swap hat versagt.", - "@coreSwapsLnReceiveFailed": { - "description": "Status message for failed Lightning receive swap" - }, - "fundExchangeCostaRicaMethodIbanUsdSubtitle": "Transferfonds in US-Dollar (USD)", - "@fundExchangeCostaRicaMethodIbanUsdSubtitle": { - "description": "Subtitle description for IBAN USD payment method" - }, - "transactionDetailLabelPayinStatus": "Zahlungsstatus", - "@transactionDetailLabelPayinStatus": { - "description": "Label for payin status" - }, - "importQrDeviceSpecterStep9": "Scannen Sie den QR-Code auf Ihrem Specter", - "@importQrDeviceSpecterStep9": { - "description": "Specter instruction step 9" - }, - "settingsRecoverbullTitle": "Recoverbull", - "@settingsRecoverbullTitle": { - "description": "Title for the Recoverbull backup section in app settings" - }, - "buyInputKycPending": "KYC ID Verifikation", - "@buyInputKycPending": { - "description": "KYC pending info card title" - }, - "importWatchOnlySelectDerivation": "Ableitung auswählen", - "@importWatchOnlySelectDerivation": { - "description": "Title for bottom sheet to select wallet derivation type" - }, - "walletAddressTypeLegacy": "Vermächtnis", - "@walletAddressTypeLegacy": { - "description": "Address type for BIP44 wallets" - }, - "hwPassport": "Stiftungspass", - "@hwPassport": { - "description": "Name of Foundation Passport hardware wallet" - }, - "electrumInvalidStopGapError": "Ungültiger Stopp Gap-Wert: {value}", - "@electrumInvalidStopGapError": { - "description": "Error message for invalid Stop Gap value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "dcaFrequencyWeekly": "woche", - "@dcaFrequencyWeekly": { - "description": "Weekly DCA frequency" - }, - "fundExchangeMethodRegularSepaSubtitle": "Nur für größere Transaktionen über 20.000 €", - "@fundExchangeMethodRegularSepaSubtitle": { - "description": "Subtitle for Regular SEPA payment method" - }, - "settingsTelegramLabel": "Telegramm", - "@settingsTelegramLabel": { - "description": "Label for the Telegram link in settings" - }, - "walletDetailsSignerDeviceNotSupported": "Nicht unterstützt", - "@walletDetailsSignerDeviceNotSupported": { - "description": "Message displayed when a signer device is not supported" - }, - "exchangeLandingDisclaimerLegal": "Der Zugang zu den Austauschdiensten wird auf Länder beschränkt, in denen Bull Bitcoin legal arbeiten kann und KYC benötigen kann.", - "@exchangeLandingDisclaimerLegal": { - "description": "Legal disclaimer about exchange service availability and KYC requirements" - }, - "backupWalletEncryptedVaultTitle": "Verschlüsselter Tresor", - "@backupWalletEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, - "mempoolNetworkLiquidMainnet": "Flüssiges Mainnet", - "@mempoolNetworkLiquidMainnet": { - "description": "Label for Liquid Mainnet network" - }, - "sellFromAnotherWallet": "Verkauf von einer anderen Bitcoin Geldbörse", - "@sellFromAnotherWallet": { - "description": "Subtitle for external wallet option" - }, - "automaticallyFetchKeyButton": "Automatische Fetch-Taste >>", - "@automaticallyFetchKeyButton": { - "description": "Button label to automatically fetch key" - }, - "importColdcardButtonOpenCamera": "Öffnen Sie die Kamera", - "@importColdcardButtonOpenCamera": { - "description": "ImportColdcardQ: Button to open camera for QR scanning" - }, - "recoverbullReenterRequired": "Re-enter Ihr {inputType}", - "@recoverbullReenterRequired": { - "description": "Label for confirmation input field", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "payFeePriority": "Gebührenpriorität", - "@payFeePriority": { - "description": "Label for fee priority selection" - }, - "buyInsufficientBalanceDescription": "Sie haben nicht genug Balance, um diese Bestellung zu erstellen.", - "@buyInsufficientBalanceDescription": { - "description": "Description for insufficient balance error" - }, - "sendSelectNetworkFee": "Netzwerkgebühr auswählen", - "@sendSelectNetworkFee": { - "description": "Label for selecting the network fee in the send flow" - }, - "exchangeDcaFrequencyWeek": "woche", - "@exchangeDcaFrequencyWeek": { - "description": "DCA frequency unit: week" - }, - "keystoneStep6": " - Bewegen Sie den roten Laser über QR-Code", - "@keystoneStep6": { - "description": "Keystone troubleshooting tip 2" - }, - "walletDeletionErrorGeneric": "Versäumt, Brieftasche zu löschen, bitte versuchen Sie es erneut.", - "@walletDeletionErrorGeneric": { - "description": "Generic error message when wallet deletion fails" - }, - "fundExchangeLabelTransferCode": "Überweisungscode (als Zahlungsbeschreibung angegeben)", - "@fundExchangeLabelTransferCode": { - "description": "Label for transfer code field" - }, - "sellNoInvoiceData": "Keine Rechnungsdaten verfügbar", - "@sellNoInvoiceData": { - "description": "Message when no invoice data available" - }, - "ledgerInstructionsIos": "Stellen Sie sicher, dass Ihr Ledger mit der Bitcoin App geöffnet und Bluetooth aktiviert wird.", - "@ledgerInstructionsIos": { - "description": "Connection instructions for iOS devices (Bluetooth only)" - }, - "replaceByFeeScreenTitle": "Ersetzen gegen Gebühr", - "@replaceByFeeScreenTitle": { - "description": "Screen title for replace by fee feature" - }, - "arkReceiveCopyAddress": "Kopienadresse", - "@arkReceiveCopyAddress": { - "description": "Copy address button label" - }, - "testBackupErrorWriteFailed": "Schreibe zum Speichern fehlgeschlagen: {error}", - "@testBackupErrorWriteFailed": { - "description": "Error when writing verification status to storage fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "exchangeDcaNetworkLightning": "Blitznetz", - "@exchangeDcaNetworkLightning": { - "description": "DCA network option: Lightning" - }, - "sendType": "Typ: ", - "@sendType": { - "description": "Label prefix for transaction type field" - }, - "buyBitcoinAddressHint": "BC1QYL7J673H...6Y6ALV70M0", - "@buyBitcoinAddressHint": { - "description": "Placeholder hint for bitcoin address input" - }, - "exchangeHomeWithdrawButton": "Rückzug", - "@exchangeHomeWithdrawButton": { - "description": "Button label for withdrawing funds from the exchange" - }, - "transactionListOngoingTransfersTitle": "Weiterführende Transfers", - "@transactionListOngoingTransfersTitle": { - "description": "Title for ongoing transfers section" - }, - "arkSendAmountTitle": "Betrag", - "@arkSendAmountTitle": { - "description": "Title for the ark send amount page" - }, - "addressViewAddress": "Anschrift", - "@addressViewAddress": { - "description": "Label for address field" - }, - "payOnChainFee": "Vor-Chain Fee", - "@payOnChainFee": { - "description": "Label for Bitcoin on-chain transaction fee" - }, - "arkReceiveUnifiedAddress": "Einheitliche Adresse (BIP21)", - "@arkReceiveUnifiedAddress": { - "description": "Label for unified BIP21 address" - }, - "sellHowToPayInvoice": "Wie möchten Sie diese Rechnung bezahlen?", - "@sellHowToPayInvoice": { - "description": "Question for payment method selection" - }, - "payUseCoinjoin": "Verwenden Sie CoinJoin", - "@payUseCoinjoin": { - "description": "Option to use CoinJoin for privacy" - }, - "autoswapWarningExplanation": "Wenn Ihr Gleichgewicht den Triggerbetrag überschreitet, wird ein Swap ausgelöst. Der Basisbetrag wird in Ihrem Instant Payment Geldbeutel aufbewahrt und der Restbetrag wird in Ihrem Secure Bitcoin Geldbeutel vertauscht.", - "@autoswapWarningExplanation": { - "description": "Explanation text in the autoswap warning bottom sheet" - }, - "recoverbullVaultRecoveryTitle": "Recoverbull vault Wiederherstellung", - "@recoverbullVaultRecoveryTitle": { - "description": "Title for recoverbull vault recovery screen" - }, - "passportStep14": "Es ist jetzt bereit zu senden! Sobald Sie auf Sendung klicken, wird die Transaktion im Bitcoin-Netzwerk veröffentlicht und die Mittel werden gesendet.", - "@passportStep14": { - "description": "Passport final instruction about broadcasting" - }, - "settingsCurrencyTitle": "Währung", - "@settingsCurrencyTitle": { - "description": "Title for the currency settings section in the settings menu" - }, - "transactionSwapDescChainClaimable": "Die Lockup-Transaktion wurde bestätigt. Sie beanspruchen nun die Mittel, um Ihre Übertragung abzuschließen.", - "@transactionSwapDescChainClaimable": { - "description": "Description for claimable chain swap" - }, - "sendSwapDetails": "Swap Details", - "@sendSwapDetails": { - "description": "Section header for swap information" - }, - "onboardingPhysicalBackupDescription": "Recover Ihre Brieftasche über 12 Wörter.", - "@onboardingPhysicalBackupDescription": { - "description": "Description for the physical backup recovery option in onboarding" - }, - "psbtFlowSelectSeed": "Sobald die Transaktion in Ihrem {device} importiert wird, sollten Sie den Samen auswählen, mit dem Sie sich anmelden möchten.", - "@psbtFlowSelectSeed": { - "description": "Instruction to select seed on device for signing", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "pinStatusLoading": "Beladung", - "@pinStatusLoading": { - "description": "Status screen title during initialization" - }, - "payTitle": "Zahl", - "@payTitle": { - "description": "Screen title for pay feature" - }, - "buyInputKycMessage": "Sie müssen zuerst die ID Verifikation abschließen", - "@buyInputKycMessage": { - "description": "KYC pending info card message" - }, - "ledgerSuccessAddressVerified": "Adresse erfolgreich verifiziert!", - "@ledgerSuccessAddressVerified": { - "description": "Success snackbar message after address verification" - }, - "fundExchangeCrIbanUsdLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanUsdLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (legal ID number in Costa Rica) for USD" - }, - "arkSettleDescription": "Finalisieren Sie anstehende Transaktionen und schließen Sie wiederherstellbare vtxos bei Bedarf ein", - "@arkSettleDescription": { - "description": "Description explaining what settling transactions does" - }, - "backupWalletHowToDecideVaultCustomRecommendation": "Benutzerdefinierte Lage: ", - "@backupWalletHowToDecideVaultCustomRecommendation": { - "description": "Bold label for custom location recommendation" - }, - "arkSendSuccessMessage": "Ihre Ark Transaktion war erfolgreich!", - "@arkSendSuccessMessage": { - "description": "Success message shown after Ark send transaction completes" - }, - "sendSats": "sättigung", - "@sendSats": { - "description": "Unit label for satoshis" - }, - "electrumInvalidTimeoutError": "Invalider Timeout-Wert: {value}", - "@electrumInvalidTimeoutError": { - "description": "Error message for invalid Timeout value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "exchangeKycLevelLimited": "Unternehmen", - "@exchangeKycLevelLimited": { - "description": "KYC verification level: Limited" - }, - "withdrawConfirmEmail": "E-Mail senden", - "@withdrawConfirmEmail": { - "description": "Field label for email (Interac)" - }, - "buyNetworkFees": "Netzgebühren", - "@buyNetworkFees": { - "description": "Label for network fees amount" - }, - "coldcardStep7": " - Bewegen Sie den roten Laser über QR-Code", - "@coldcardStep7": { - "description": "Coldcard troubleshooting tip 2" - }, - "transactionSwapDescChainRefundable": "Der Transfer wird zurückerstattet. Ihre Gelder werden automatisch an Ihre Geldbörse zurückgegeben.", - "@transactionSwapDescChainRefundable": { - "description": "Description for refundable chain swap" - }, - "sendPaymentWillTakeTime": "Zahlung nimmt Zeit", - "@sendPaymentWillTakeTime": { - "description": "Title warning of delayed payment" - }, - "fundExchangeSpeiTitle": "SPEI-Transfer", - "@fundExchangeSpeiTitle": { - "description": "Screen title for SPEI transfer (Mexico)" - }, - "receivePaymentNormally": "Zahlung normalerweise empfangen", - "@receivePaymentNormally": { - "description": "Option to receive payment without payjoin if it fails" - }, - "kruxStep10": "Sobald die Transaktion in Ihrem Krux importiert wird, überprüfen Sie die Zieladresse und den Betrag.", - "@kruxStep10": { - "description": "Krux instruction for reviewing transaction" - }, - "bitboxErrorHandshakeFailed": "Versäumt, eine sichere Verbindung herzustellen. Bitte versuchen Sie es noch mal.", - "@bitboxErrorHandshakeFailed": { - "description": "Error when handshake with BitBox device fails" - }, - "sellKYCRequired": "KYC-Prüfung erforderlich", - "@sellKYCRequired": { - "description": "Error when identity verification needed" - }, - "coldcardStep8": " - Versuchen Sie, Ihr Gerät ein bisschen zurück zu bewegen", - "@coldcardStep8": { - "description": "Coldcard troubleshooting tip 3" - }, - "bitboxScreenDefaultWalletLabel": "BitBox Wallet", - "@bitboxScreenDefaultWalletLabel": { - "description": "Default label for imported BitBox wallet" - }, - "replaceByFeeBroadcastButton": "Broadcast", - "@replaceByFeeBroadcastButton": { - "description": "Button to broadcast the replacement transaction" - }, - "swapExternalTransferLabel": "Externer Transfer", - "@swapExternalTransferLabel": { - "description": "Label for external transfer toggle" - }, - "transactionPayjoinNoProposal": "Kein Payjoin-Vorschlag vom Empfänger?", - "@transactionPayjoinNoProposal": { - "description": "Message displayed when payjoin proposal is not received" - }, - "importQrDevicePassportStep4": "Wählen Sie \"Connect Wallet\"", - "@importQrDevicePassportStep4": { - "description": "Passport instruction step 4" - }, - "payAddRecipient": "Add Recipient", - "@payAddRecipient": { - "description": "Button to add another payment recipient" - }, - "recoverbullVaultImportedSuccess": "Ihr Tresor wurde erfolgreich importiert", - "@recoverbullVaultImportedSuccess": { - "description": "Success message after vault import" - }, - "backupKeySeparationWarning": "Es ist kritisch wichtig, dass Sie nicht den Sicherungsschlüssel an der gleichen Stelle speichern, wo Sie Ihre Sicherungsdatei speichern. Speichern Sie sie immer auf separaten Geräten oder separaten Cloud-Anbietern.", - "@backupKeySeparationWarning": { - "description": "Warning about storing backup key and file separately" - }, - "confirmAccessPinTitle": "Zugang bestätigen {pinOrPassword}", - "@confirmAccessPinTitle": { - "description": "Title for confirming access PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "sellErrorUnexpectedOrderType": "Erwartet SellOrder aber erhielt einen anderen Bestelltyp", - "@sellErrorUnexpectedOrderType": { - "description": "Error message when wrong order type is received" - }, - "pinCreateHeadline": "Neue Pin erstellen", - "@pinCreateHeadline": { - "description": "Headline text on PIN creation screen" - }, - "transactionSwapProgressConfirmed": "Bestätigt", - "@transactionSwapProgressConfirmed": { - "description": "Swap progress step: confirmed" - }, - "sellRoutingNumber": "Routing Number", - "@sellRoutingNumber": { - "description": "Label for bank routing/transit number" - }, - "sellDailyLimitReached": "Tägliche Verkaufsgrenze erreicht", - "@sellDailyLimitReached": { - "description": "Error when hitting daily maximum" - }, - "requiredHint": "Erforderlich", - "@requiredHint": { - "description": "Placeholder hint for required label field" - }, - "arkUnilateralExitDelay": "Einseitige Ausstiegsverzögerung", - "@arkUnilateralExitDelay": { - "description": "Label for unilateral exit delay field" - }, - "arkStatusPending": "Ausgaben", - "@arkStatusPending": { - "description": "Status label for pending transactions" - }, - "importWatchOnlyXpub": "xpub", - "@importWatchOnlyXpub": { - "description": "Label for xpub import method" - }, - "dcaInsufficientBalanceTitle": "Unzureichende Balance", - "@dcaInsufficientBalanceTitle": { - "description": "InfoCard title when user has insufficient funds" - }, - "backupImportanceMessage": "Ohne eine Sicherung verlieren Sie schließlich den Zugang zu Ihrem Geld. Es ist kritisch wichtig, eine Sicherung zu tun.", - "@backupImportanceMessage": { - "description": "Critical warning message about the importance of backing up the wallet" - }, - "testBackupGoogleDrivePermission": "Google wird Sie bitten, personenbezogene Daten mit dieser App zu teilen.", - "@testBackupGoogleDrivePermission": { - "description": "Progress screen description explaining Google Drive permission request" - }, - "testnetModeSettingsLabel": "Testnet-Modus", - "@testnetModeSettingsLabel": { - "description": "The label for the testnet mode settings" - }, - "testBackupErrorUnexpectedSuccess": "Unerwartete Erfolge: Backup sollte an bestehende Geldbörse passen", - "@testBackupErrorUnexpectedSuccess": { - "description": "Error for unexpected successful vault restoration" - }, - "coreScreensReceiveAmountLabel": "Betrag", - "@coreScreensReceiveAmountLabel": { - "description": "Label for receive amount field" - }, - "payAllTypes": "Alle Arten", - "@payAllTypes": { - "description": "Option for all types filter" - }, - "systemLabelPayjoin": "Payjoin", - "@systemLabelPayjoin": { - "description": "System label for payjoin transactions" - }, - "onboardingScreenTitle": "Willkommen", - "@onboardingScreenTitle": { - "description": "The title of the onboarding screen" - }, - "pinCodeConfirmTitle": "Bestätigen Sie den neuen Pin", - "@pinCodeConfirmTitle": { - "description": "Title for confirming the new PIN code" - }, - "arkSetupExperimentalWarning": "Ark ist noch experimentell.\n\nIhr Ark Portemonnaie wird von Ihrem Haupt Wallet Samen Phrase abgeleitet. Keine zusätzliche Sicherung ist erforderlich, Ihre vorhandene Geldbörsensicherung stellt auch Ihre Ark-Fonds wieder her.\n\nIndem Sie fortfahren, erkennen Sie die experimentelle Natur von Ark und das Risiko, Geld zu verlieren.\n\nEntwicklerhinweis: Das Ark-Geheimnis wird aus dem Haupt-Walzenkern mit einer beliebigen BIP-85-Ableitung abgeleitet (Index 11811).", - "@arkSetupExperimentalWarning": { - "description": "Ark experimental warning text" - }, - "keyServerLabel": "Schlüsselserver ", - "@keyServerLabel": { - "description": "Label for key server status" - }, - "recoverbullEnterToView": "Bitte geben Sie Ihre {inputType} ein, um Ihren Tresorschlüssel anzuzeigen.", - "@recoverbullEnterToView": { - "description": "Instruction to enter PIN or password to view vault key", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "payReviewPayment": "Rückzahlung", - "@payReviewPayment": { - "description": "Title for payment review screen" - }, - "electrumBitcoinSslInfo": "Wenn kein Protokoll angegeben ist, wird ssl standardmäßig verwendet.", - "@electrumBitcoinSslInfo": { - "description": "Info text for Bitcoin server protocol" - }, - "transactionTitle": "Transaktionen", - "@transactionTitle": { - "description": "Title for the transactions screen" - }, - "sellQrCode": "QR Code Code", - "@sellQrCode": { - "description": "Title for QR code bottom sheet" - }, - "walletOptionsUnnamedWalletFallback": "Nicht benannte Geldbörse", - "@walletOptionsUnnamedWalletFallback": { - "description": "Fallback name displayed for wallets without a specified name" - }, - "fundExchangeRegularSepaInfo": "Nur für Transaktionen über 20.000 €. Für kleinere Transaktionen verwenden Sie die Instant SEPA Option.", - "@fundExchangeRegularSepaInfo": { - "description": "Info message for Regular SEPA transaction limits" - }, - "fundExchangeDoneButton": "KAPITEL", - "@fundExchangeDoneButton": { - "description": "Button label to finish and exit the funding flow" - }, - "buyKYCLevel3": "Ebene 3 - Voll", - "@buyKYCLevel3": { - "description": "Full verification tier" - }, - "appStartupErrorMessageNoBackup": "Auf v5.4.0 wurde ein kritischer Fehler in einer unserer Abhängigkeiten entdeckt, die die private Schlüsselspeicherung beeinflussen. Ihre App wurde dadurch beeinflusst. Kontaktieren Sie unser Support-Team.", - "@appStartupErrorMessageNoBackup": { - "description": "Error message shown when app startup fails due to seed storage issue and user has no backup" - }, - "sellGoHome": "Geh nach Hause", - "@sellGoHome": { - "description": "Button to go to home screen" - }, - "keystoneStep8": "Sobald die Transaktion in Ihrem Keystone importiert wird, überprüfen Sie die Zieladresse und den Betrag.", - "@keystoneStep8": { - "description": "Keystone instruction for reviewing transaction" - }, - "psbtFlowSpecterTitle": "Musteranleitung", - "@psbtFlowSpecterTitle": { - "description": "Title for Specter device signing instructions" - }, - "importMnemonicChecking": "Sieh...", - "@importMnemonicChecking": { - "description": "Status while checking wallet type" - }, - "sendConnectDevice": "Schließen Sie das Gerät", - "@sendConnectDevice": { - "description": "Prompt to plug in hardware wallet" - }, - "connectHardwareWalletSeedSigner": "SeedSigner", - "@connectHardwareWalletSeedSigner": { - "description": "SeedSigner hardware wallet option" - }, - "importQrDevicePassportStep7": "Wählen Sie \"QR-Code\"", - "@importQrDevicePassportStep7": { - "description": "Passport instruction step 7" - }, - "delete": "Löschen", - "@delete": { - "description": "Generic delete button label" - }, - "connectingToKeyServer": "Verbinden mit Key Server über Tor.\nDas kann eine Minute dauern.", - "@connectingToKeyServer": { - "description": "Message shown while connecting to key server via Tor" - }, - "bitboxErrorDeviceNotFound": "BitBox Gerät nicht gefunden.", - "@bitboxErrorDeviceNotFound": { - "description": "Error when BitBox device cannot be found" - }, - "ledgerScanningMessage": "Auf der Suche nach Ledger Geräten in der Nähe...", - "@ledgerScanningMessage": { - "description": "Message shown while scanning for Ledger devices" - }, - "sellInsufficientBalanceError": "Unzureichende Balance in der ausgewählten Geldbörse, um diese Verkaufsordnung zu vervollständigen.", - "@sellInsufficientBalanceError": { - "description": "Error message for insufficient balance" - }, - "transactionSwapDescLnReceivePending": "Ihr Swap wurde initiiert. Wir warten darauf, dass eine Zahlung auf dem Lightning-Netzwerk erhalten wird.", - "@transactionSwapDescLnReceivePending": { - "description": "Description for pending Lightning receive swap" - }, - "tryAgainButton": "Noch einmal", - "@tryAgainButton": { - "description": "Default button text for error state" - }, - "psbtFlowHoldSteady": "Halten Sie den QR-Code stabil und zentriert", - "@psbtFlowHoldSteady": { - "description": "Troubleshooting tip to hold QR code still" - }, - "swapConfirmTitle": "Über uns", - "@swapConfirmTitle": { - "description": "AppBar title for swap confirmation screen" - }, - "testBackupGoogleDrivePrivacyPart1": "Diese Informationen ", - "@testBackupGoogleDrivePrivacyPart1": { - "description": "First part of privacy message" - }, - "connectHardwareWalletKeystone": "Schlüssel", - "@connectHardwareWalletKeystone": { - "description": "Keystone hardware wallet option" - }, - "importWalletTitle": "Neue Brieftasche hinzufügen", - "@importWalletTitle": { - "description": "AppBar title for wallet import selection screen" - }, - "mempoolSettingsDefaultServer": "Default Server", - "@mempoolSettingsDefaultServer": { - "description": "Label for default mempool server section" - }, - "sendPasteAddressOrInvoice": "Einfügen einer Zahlungsadresse oder Rechnung", - "@sendPasteAddressOrInvoice": { - "description": "Placeholder text for the payment address or invoice input field" - }, - "swapToLabel": "Zu", - "@swapToLabel": { - "description": "Label for destination wallet dropdown or address input" - }, - "payLoadingRecipients": "Empfänger laden...", - "@payLoadingRecipients": { - "description": "Message while loading recipients" - }, - "sendSignatureReceived": "Eingang der Unterschrift", - "@sendSignatureReceived": { - "description": "Success after hardware wallet signs" - }, - "failedToDeriveBackupKey": "Versäumt, den Sicherungsschlüssel abzuleiten", - "@failedToDeriveBackupKey": { - "description": "Error message when backup key derivation fails" - }, - "recoverbullGoogleDriveErrorExportFailed": "Fehler beim Export von Google Drive", - "@recoverbullGoogleDriveErrorExportFailed": { - "description": "Error message when exporting a drive backup fails" - }, - "exchangeKycLevelLight": "Licht", - "@exchangeKycLevelLight": { - "description": "KYC verification level: Light" - }, - "transactionLabelCreatedAt": "Erstellt bei", - "@transactionLabelCreatedAt": { - "description": "Label for creation timestamp" - }, - "bip329LabelsExportSuccess": "{count, plural, =1{1 Label exportiert} other{{count} Labels exportiert}}", - "@bip329LabelsExportSuccess": { - "description": "Success message after exporting labels", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "fundExchangeMethodOnlineBillPaymentSubtitle": "Slowest Option, kann aber über Online-Banking (3-4 Werktage)", - "@fundExchangeMethodOnlineBillPaymentSubtitle": { - "description": "Subtitle for Online Bill Payment method" - }, - "walletDeletionErrorWalletNotFound": "Die Brieftasche, die Sie löschen möchten, existiert nicht.", - "@walletDeletionErrorWalletNotFound": { - "description": "Error message when the wallet to delete cannot be found" - }, - "payEnableRBF": "RBF aktivieren", - "@payEnableRBF": { - "description": "Checkbox to enable Replace-By-Fee" - }, - "transactionDetailLabelFromWallet": "Von der Geldbörse", - "@transactionDetailLabelFromWallet": { - "description": "Label for source wallet" - }, - "settingsLanguageTitle": "Sprache", - "@settingsLanguageTitle": { - "description": "Title for the language selection in app settings" - }, - "importQrDeviceInvalidQR": "Invalid QR-Code", - "@importQrDeviceInvalidQR": { - "description": "Error for invalid QR code format" - }, - "exchangeAppSettingsSaveSuccessMessage": "Einstellungen erfolgreich gespeichert", - "@exchangeAppSettingsSaveSuccessMessage": { - "description": "Success message displayed when exchange app settings are saved" - }, - "addressViewShowQR": "QR Code anzeigen", - "@addressViewShowQR": { - "description": "Button to display address as QR code" - }, - "testBackupVaultSuccessMessage": "Ihr Tresor wurde erfolgreich importiert", - "@testBackupVaultSuccessMessage": { - "description": "Success message after vault is imported" - }, - "exchangeSupportChatInputHint": "Geben Sie eine Nachricht ein...", - "@exchangeSupportChatInputHint": { - "description": "Placeholder text for the message input field" - }, - "electrumTestnet": "Testnet", - "@electrumTestnet": { - "description": "Testnet environment label" - }, - "sellSelectWallet": "Wählen Sie Wallet", - "@sellSelectWallet": { - "description": "Dropdown to choose source wallet" - }, - "mempoolCustomServerAdd": "Individueller Server", - "@mempoolCustomServerAdd": { - "description": "Button text to add custom mempool server" - }, - "sendHighFeeWarningDescription": "Gesamtgebühr ist {feePercent}% des Betrags, den Sie senden", - "@sendHighFeeWarningDescription": { - "description": "Warning message showing fee as percentage of send amount", - "placeholders": { - "feePercent": { - "type": "String" - } - } - }, - "withdrawConfirmButton": "Rücknahme bestätigen", - "@withdrawConfirmButton": { - "description": "Button to confirm withdrawal" - }, - "fundExchangeLabelBankAccountDetails": "Angaben zum Bankkonto", - "@fundExchangeLabelBankAccountDetails": { - "description": "Label for bank account details field" - }, - "payLiquidAddress": "Anschrift", - "@payLiquidAddress": { - "description": "Label indicating payment destination is Liquid address" - }, - "sellTotalFees": "Gesamtkosten", - "@sellTotalFees": { - "description": "Label for sum of all fees" - }, - "importWatchOnlyUnknown": "Unbekannt", - "@importWatchOnlyUnknown": { - "description": "Default value when signing device is unknown" - }, - "bitboxScreenNestedSegwitBip49": "Eingebettet Segwit (BIP49)", - "@bitboxScreenNestedSegwitBip49": { - "description": "Script type display name for BIP49" - }, - "payContinue": "Fortsetzung", - "@payContinue": { - "description": "Button to continue to next step" - }, - "importColdcardInstructionsStep8": "Scannen Sie den QR-Code auf Ihrem Coldcard Q", - "@importColdcardInstructionsStep8": { - "description": "ImportColdcardQ: Eighth instruction step" - }, - "dcaSuccessMessageMonthly": "Sie kaufen {amount} jeden Monat", - "@dcaSuccessMessageMonthly": { - "description": "Success message for monthly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sendSelectedCoins": "{count} Münzen ausgewählt", - "@sendSelectedCoins": { - "description": "Label showing number of UTXOs selected", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "rbfErrorNoFeeRate": "Bitte wählen Sie einen Gebührensatz", - "@rbfErrorNoFeeRate": { - "description": "Error when no fee rate is selected" - }, - "backupWalletGoogleDrivePrivacyMessage1": "Diese Informationen ", - "@backupWalletGoogleDrivePrivacyMessage1": { - "description": "First part of privacy message about Google Drive data" - }, - "labelErrorUnsupportedType": "Dieser Typ {type} wird nicht unterstützt", - "@labelErrorUnsupportedType": { - "description": "Error message when label type is not supported", - "placeholders": { - "type": { - "type": "String" - } - } - }, - "paySatsPerByte": "{sats}", - "@paySatsPerByte": { - "description": "Fee rate format", - "placeholders": { - "sats": { - "type": "String" - } - } - }, - "payRbfActivated": "Ersatz-by-fee aktiviert", - "@payRbfActivated": { - "description": "Label for RBF toggle" - }, - "dcaConfirmNetworkLightning": "Beleuchtung", - "@dcaConfirmNetworkLightning": { - "description": "Lightning network label" - }, - "ledgerDefaultWalletLabel": "Ledger Wallet", - "@ledgerDefaultWalletLabel": { - "description": "Default label for imported Ledger wallet" - }, - "importWalletSpecter": "Art", - "@importWalletSpecter": { - "description": "Button label for Specter hardware wallet" - }, - "customLocationProvider": "Kundenspezifischer Standort", - "@customLocationProvider": { - "description": "Name of custom location provider" - }, - "dcaSelectFrequencyLabel": "Wählen Sie Frequenz", - "@dcaSelectFrequencyLabel": { - "description": "Label above frequency selection radio buttons" - }, - "transactionSwapDescChainCompleted": "Ihr Transfer wurde erfolgreich abgeschlossen! Die Mittel sollten jetzt in Ihrer Geldbörse verfügbar sein.", - "@transactionSwapDescChainCompleted": { - "description": "Description for completed chain swap" - }, - "coreSwapsLnSendRefundable": "Swap ist bereit, zurückerstattet werden.", - "@coreSwapsLnSendRefundable": { - "description": "Status message for refundable Lightning send swap" - }, - "backupInstruction2": "Ohne ein Backup, wenn Sie Ihr Telefon verlieren oder brechen, oder wenn Sie die Bull Bitcoin App deinstallieren, werden Ihre Bitcoins für immer verloren gehen.", - "@backupInstruction2": { - "description": "Second backup instruction warning about losing phone or app" - }, - "swapGoHomeButton": "Geh nach Hause", - "@swapGoHomeButton": { - "description": "Button to return home from progress page" - }, - "sendFeeRateTooHigh": "Gebührenquote scheint sehr hoch", - "@sendFeeRateTooHigh": { - "description": "Warning for excessive fee" - }, - "ledgerHelpStep2": "Stellen Sie sicher, dass Ihr Telefon Bluetooth eingeschaltet und erlaubt.", - "@ledgerHelpStep2": { - "description": "Second troubleshooting step for Ledger connection issues" - }, - "fundExchangeCrIbanUsdPaymentDescriptionHelp": "Ihr Transfercode.", - "@fundExchangeCrIbanUsdPaymentDescriptionHelp": { - "description": "Help text explaining payment description is the transfer code" - }, - "recoverVia12WordsDescription": "Recover Ihre Brieftasche über 12 Wörter.", - "@recoverVia12WordsDescription": { - "description": "Description for recovering via 12 words" - }, - "fundExchangeFundAccount": "Ihr Konto finanzieren", - "@fundExchangeFundAccount": { - "description": "Main heading on funding screen" - }, - "electrumServerSettingsLabel": "Electrum Server (Bitcoin node)", - "@electrumServerSettingsLabel": { - "description": "The label for the button to access the electrum server settings" - }, - "dcaEnterLightningAddressLabel": "Lightning-Adresse eingeben", - "@dcaEnterLightningAddressLabel": { - "description": "Label for Lightning address text input field" - }, - "statusCheckOnline": "Online", - "@statusCheckOnline": { - "description": "Status text when a service is online" - }, - "buyPayoutMethod": "Zahlungsmethode", - "@buyPayoutMethod": { - "description": "Label for payout method" - }, - "exchangeAmountInputTitle": "Betrag", - "@exchangeAmountInputTitle": { - "description": "Title for the amount input field" - }, - "electrumCloseTooltip": "Schließen", - "@electrumCloseTooltip": { - "description": "Close button tooltip" - }, - "payIbanHint": "Geben Sie IBAN", - "@payIbanHint": { - "description": "Hint for IBAN input" - }, - "sendCoinConfirmations": "{count} Bestätigungen", - "@sendCoinConfirmations": { - "description": "Label for UTXO confirmation count", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "fundExchangeLabelRecipientNameArs": "Empfängername", - "@fundExchangeLabelRecipientNameArs": { - "description": "Label for recipient name in Argentina transfer" - }, - "sendTo": "Zu", - "@sendTo": { - "description": "Label for the recipient/destination in a transaction" - }, - "gotItButton": "Verstanden", - "@gotItButton": { - "description": "Button label to acknowledge successful test" - }, - "walletTypeLiquidLightningNetwork": "Flüssigkeits- und Blitznetz", - "@walletTypeLiquidLightningNetwork": { - "description": "Wallet type label for Liquid and Lightning network" - }, - "sendFeePriority": "Gebührenpriorität", - "@sendFeePriority": { - "description": "Label for selecting fee priority level" - }, - "transactionPayjoinSendWithout": "Senden ohne payjoin", - "@transactionPayjoinSendWithout": { - "description": "Button label to send transaction without payjoin" - }, - "paySelectCountry": "Wählen Sie Land", - "@paySelectCountry": { - "description": "Hint for country dropdown" - }, - "importMnemonicTransactionsLabel": "Transaktionen: {count}", - "@importMnemonicTransactionsLabel": { - "description": "ImportMnemonic: Transactions label with count in wallet type card", - "placeholders": { - "count": { - "type": "String" - } - } - }, - "exchangeSettingsReferralsTitle": "Schiedsverfahren", - "@exchangeSettingsReferralsTitle": { - "description": "Title for the referrals section in exchange settings" - }, - "autoswapAlwaysBlockInfoEnabled": "Wenn aktiviert, werden Auto-Transfers mit Gebühren über der gesetzten Grenze immer gesperrt", - "@autoswapAlwaysBlockInfoEnabled": { - "description": "Help text when always block is enabled" - }, - "importMnemonicSelectScriptType": "Import Mnemonic", - "@importMnemonicSelectScriptType": { - "description": "AppBar title for script type selection" - }, - "sellSendPaymentCadBalance": "CAD Saldo", - "@sellSendPaymentCadBalance": { - "description": "CAD balance payout method" - }, - "recoverbullConnectingTor": "Verbinden mit Key Server über Tor.\nDas kann eine Minute dauern.", - "@recoverbullConnectingTor": { - "description": "Message shown while establishing Tor connection" - }, - "fundExchangeCanadaPostStep2": "2. Fragen Sie den Kassierer, um den QR-Code \"Loadhub\" zu scannen", - "@fundExchangeCanadaPostStep2": { - "description": "Step 2 for Canada Post payment process" - }, - "recoverbullEnterVaultKeyInstead": "Geben Sie stattdessen einen Tresorschlüssel ein", - "@recoverbullEnterVaultKeyInstead": { - "description": "Button text to switch to manual vault key entry" - }, - "exchangeAccountInfoEmailLabel": "E-Mail senden", - "@exchangeAccountInfoEmailLabel": { - "description": "Label for email field in account information" - }, - "legacySeedViewNoSeedsMessage": "Keine vermächtlichen Samen gefunden.", - "@legacySeedViewNoSeedsMessage": { - "description": "Message shown when no legacy seeds are found" - }, - "arkAboutDustValue": "{dust} SATS", - "@arkAboutDustValue": { - "description": "Dust value format", - "placeholders": { - "dust": { - "type": "int" - } - } - }, - "keystoneStep5": " - Erhöhung der Bildschirmhelligkeit auf Ihrem Gerät", - "@keystoneStep5": { - "description": "Keystone troubleshooting tip 1" - }, - "sendSelectCoinsManually": "Münzen manuell auswählen", - "@sendSelectCoinsManually": { - "description": "Label for manually selecting coins (UTXOs) in the send flow" - }, - "importMnemonicEmpty": "Leere", - "@importMnemonicEmpty": { - "description": "Status for wallet type with no transactions" - }, - "electrumBitcoinServerInfo": "Geben Sie die Serveradresse im Format ein: host:port (z.B. example.com:50001)", - "@electrumBitcoinServerInfo": { - "description": "Info text for Bitcoin server URL format" - }, - "recoverbullErrorServiceUnavailable": "Service nicht verfügbar. Bitte überprüfen Sie Ihre Verbindung.", - "@recoverbullErrorServiceUnavailable": { - "description": "Error message when key server service is unavailable" - }, - "arkSettleTitle": "Settle Transactions", - "@arkSettleTitle": { - "description": "Settle bottom sheet title" - }, - "sendErrorInsufficientBalanceForSwap": "Nicht genug Balance, um diesen Swap über Liquid zu bezahlen und nicht innerhalb von Swap-Grenzen, um über Bitcoin zu zahlen.", - "@sendErrorInsufficientBalanceForSwap": { - "description": "Error when balance insufficient for swap through either network" - }, - "psbtFlowJadeTitle": "Blockstream Jade PSBT Anleitung", - "@psbtFlowJadeTitle": { - "description": "Title for Blockstream Jade PSBT signing instructions" - }, - "torSettingsDescUnknown": "Nicht zu bestimmen Torstatus. Stellen Sie sicher, dass Orbot installiert und läuft.", - "@torSettingsDescUnknown": { - "description": "Description when Tor status is unknown" - }, - "transactionFilterPayjoin": "Payjoin", - "@transactionFilterPayjoin": { - "description": "Filter option to show only payjoin transactions" - }, - "importQrDeviceKeystoneStep8": "Geben Sie ein Etikett für Ihre Keystone Geldbörse ein und tippen Sie auf Import", - "@importQrDeviceKeystoneStep8": { - "description": "Keystone instruction step 8" - }, - "dcaContinueButton": "Fortsetzung", - "@dcaContinueButton": { - "description": "Button label to proceed to next step in DCA flow" - }, - "fundExchangeCrIbanUsdTitle": "Banküberweisung (USD)", - "@fundExchangeCrIbanUsdTitle": { - "description": "Screen title for Costa Rica bank transfer in US Dollars" - }, - "buyStandardWithdrawalDesc": "Bitcoin nach Zahlungsabwicklung (1-3 Tage)", - "@buyStandardWithdrawalDesc": { - "description": "Explanation of standard withdrawal timing" - }, - "psbtFlowColdcardTitle": "Coldcard Q Anleitung", - "@psbtFlowColdcardTitle": { - "description": "Title for Coldcard Q device signing instructions" - }, - "sendRelativeFees": "Relative Gebühren", - "@sendRelativeFees": { - "description": "Label for relative fee display mode (sats per vByte)" - }, - "payToAddress": "Anschrift", - "@payToAddress": { - "description": "Label showing destination address" - }, - "sellCopyInvoice": "Kopie der Rechnung", - "@sellCopyInvoice": { - "description": "Button to copy invoice" - }, - "coreScreensNetworkFeesLabel": "Netzgebühren", - "@coreScreensNetworkFeesLabel": { - "description": "Label for network fees field" - }, - "kruxStep9": " - Versuchen Sie, Ihr Gerät ein bisschen zurück zu bewegen", - "@kruxStep9": { - "description": "Krux troubleshooting tip 3" - }, - "sendReceiveNetworkFee": "Netzwerkgebühren empfangen", - "@sendReceiveNetworkFee": { - "description": "Label for network fee on receive side" - }, - "arkTxPayment": "Zahlung", - "@arkTxPayment": { - "description": "Transaction type label for Ark payment transactions" - }, - "importQrDeviceSeedsignerStep6": "Wählen Sie \"Sparrow\" als Exportoption", - "@importQrDeviceSeedsignerStep6": { - "description": "SeedSigner instruction step 6" - }, - "swapValidationMaximumAmount": "Maximaler Betrag ist {amount} {currency}", - "@swapValidationMaximumAmount": { - "description": "Validation error when amount exceeds maximum", - "placeholders": { - "amount": { - "type": "String" - }, - "currency": { - "type": "String" - } - } - }, - "fundExchangeETransferLabelBeneficiaryName": "Verwendung als E-Transfer-Empfänger", - "@fundExchangeETransferLabelBeneficiaryName": { - "description": "Label for E-transfer beneficiary name" - }, - "backupWalletErrorFileSystemPath": "Nicht ausgewählter Dateisystempfad", - "@backupWalletErrorFileSystemPath": { - "description": "Error when file system path selection fails" - }, - "coreSwapsLnSendCanCoop": "Swap wird momentan komplett.", - "@coreSwapsLnSendCanCoop": { - "description": "Status message for Lightning send swap that can complete cooperatively" - }, - "electrumServerNotUsed": "Nicht verwendet", - "@electrumServerNotUsed": { - "description": "Status text for disabled servers" - }, - "backupWalletHowToDecideBackupPhysicalRecommendation": "Physikalische Sicherung: ", - "@backupWalletHowToDecideBackupPhysicalRecommendation": { - "description": "Bold label for physical backup recommendation" - }, - "payDebitCardNumber": "Kreditkartennummer", - "@payDebitCardNumber": { - "description": "Label for debit card number field" - }, - "receiveRequestInboundLiquidity": "Anfrage Aufnahmekapazität", - "@receiveRequestInboundLiquidity": { - "description": "Button to open channel for receiving" - }, - "backupWalletHowToDecideBackupMoreInfo": "Besuchen Sie Recoverybull.com für weitere Informationen.", - "@backupWalletHowToDecideBackupMoreInfo": { - "description": "Link text to external resource" - }, - "walletAutoTransferBlockedMessage": "Versuch, {amount} BTC zu übertragen. Die aktuelle Gebühr beträgt {currentFee}% des Transferbetrags und die Gebührenschwelle wird auf {thresholdFee}% gesetzt", - "@walletAutoTransferBlockedMessage": { - "description": "Message explaining why auto-transfer was blocked", - "placeholders": { - "amount": { - "type": "String" - }, - "currentFee": { - "type": "String" - }, - "thresholdFee": { - "type": "String" - } - } - }, - "kruxStep11": "Klicken Sie auf die Schaltflächen, um die Transaktion auf Ihrem Krux zu unterzeichnen.", - "@kruxStep11": { - "description": "Krux instruction for signing" - }, - "exchangeSupportChatEmptyState": "Noch keine Nachrichten. Starten Sie ein Gespräch!", - "@exchangeSupportChatEmptyState": { - "description": "Message shown when there are no chat messages" - }, - "payExternalWalletDescription": "Bezahlen von einer anderen Bitcoin Geldbörse", - "@payExternalWalletDescription": { - "description": "Description for external wallet option" - }, - "electrumRetryCountEmptyError": "Retry Count kann nicht leer sein", - "@electrumRetryCountEmptyError": { - "description": "Validation error for empty Retry Count field" - }, - "ledgerErrorBitcoinAppNotOpen": "Bitte öffnen Sie die Bitcoin App auf Ihrem Ledger Gerät und versuchen Sie es erneut.", - "@ledgerErrorBitcoinAppNotOpen": { - "description": "Error message when Bitcoin app is not open on Ledger (error codes 6e01, 6a87, 6d02, 6511, 6e00)" - }, - "physicalBackupTag": "Vertrauenslos (nehmen Sie Ihre Zeit)", - "@physicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes time" - }, - "arkIncludeRecoverableVtxos": "Include erholbare vtxos", - "@arkIncludeRecoverableVtxos": { - "description": "Label for toggle switch to include recoverable vtxos when settling" - }, - "payCompletedDescription": "Ihre Zahlung wurde abgeschlossen und der Empfänger hat die Mittel erhalten.", - "@payCompletedDescription": { - "description": "Description for payment completed" - }, - "recoverbullConnecting": "Verbindung", - "@recoverbullConnecting": { - "description": "Status label indicating connection in progress" - }, - "swapExternalAddressHint": "Externe Brieftasche Adresse", - "@swapExternalAddressHint": { - "description": "Hint text for external address input" - }, - "torSettingsDescConnecting": "Gründung Toranschluss", - "@torSettingsDescConnecting": { - "description": "Description when Tor is connecting" - }, - "ledgerWalletTypeLegacyDescription": "P2PKH - Älteres Format", - "@ledgerWalletTypeLegacyDescription": { - "description": "Description for Legacy wallet type" - }, - "dcaConfirmationDescription": "Bestellungen werden automatisch nach diesen Einstellungen platziert. Sie können sie jederzeit deaktivieren.", - "@dcaConfirmationDescription": { - "description": "Explanation text at the top of confirmation screen" - }, - "appleICloudProvider": "Apple iCloud", - "@appleICloudProvider": { - "description": "Name of Apple iCloud provider" - }, - "exchangeAccountInfoVerificationNotVerified": "Nicht verifiziert", - "@exchangeAccountInfoVerificationNotVerified": { - "description": "Status label for not verified verification level" - }, - "fundExchangeWarningDescription": "Wenn jemand Sie bitten, Bitcoin zu kaufen oder \"Hilfe Sie\", seien Sie vorsichtig, sie können versuchen, Sie zu betrügen!", - "@fundExchangeWarningDescription": { - "description": "Warning message about potential scammers when funding account" - }, - "transactionDetailLabelTransactionId": "Transaktions-ID", - "@transactionDetailLabelTransactionId": { - "description": "Label for transaction ID in details" - }, - "arkReceiveTitle": "Wir haben", - "@arkReceiveTitle": { - "description": "AppBar title for Ark receive screen" - }, - "payDebitCardNumberHint": "Debitkartennummer eingeben", - "@payDebitCardNumberHint": { - "description": "Hint for debit card number input" - }, - "backupWalletHowToDecideBackupEncryptedRecommendation": "Verschlüsselter Tresor: ", - "@backupWalletHowToDecideBackupEncryptedRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, - "seedsignerStep9": "Überprüfen Sie die Zieladresse und den Betrag und bestätigen Sie die Anmeldung auf Ihrem SeedSigner.", - "@seedsignerStep9": { - "description": "SeedSigner instruction for reviewing and signing" - }, - "logoutButton": "Anmeldung", - "@logoutButton": { - "description": "Button to confirm logout action" - }, - "payReplaceByFee": "Ersatz-By-Fee (RBF)", - "@payReplaceByFee": { - "description": "Label for RBF feature" - }, - "coreSwapsLnReceiveClaimable": "Swap ist bereit, beansprucht zu werden.", - "@coreSwapsLnReceiveClaimable": { - "description": "Status message for claimable Lightning receive swap" - }, - "pinButtonCreate": "PIN erstellen", - "@pinButtonCreate": { - "description": "Button label when no PIN exists" - }, - "fundExchangeJurisdictionEurope": "Europa (SEPA)", - "@fundExchangeJurisdictionEurope": { - "description": "Dropdown option for Europe SEPA jurisdiction" - }, - "settingsExchangeSettingsTitle": "Austauscheinstellungen", - "@settingsExchangeSettingsTitle": { - "description": "Title for the exchange settings section in the settings menu" - }, - "sellFeePriority": "Gebührenpriorität", - "@sellFeePriority": { - "description": "Label for fee priority selection" - }, - "exchangeFeatureSelfCustody": "• Bitcoin direkt in Selbst-Krankheit kaufen", - "@exchangeFeatureSelfCustody": { - "description": "Feature bullet point describing self-custody Bitcoin purchases" - }, - "arkBoardingUnconfirmed": "Nicht bestätigt", - "@arkBoardingUnconfirmed": { - "description": "Label for unconfirmed boarding balance in Ark balance breakdown" - }, - "fundExchangeLabelPaymentDescription": "Zahlungsbeschreibung", - "@fundExchangeLabelPaymentDescription": { - "description": "Label for payment description field" - }, - "payAmountTooHigh": "Höchstbetrag", - "@payAmountTooHigh": { - "description": "Error when payment amount exceeds maximum allowed" - }, - "dcaConfirmPaymentBalance": "{currency} Balance", - "@dcaConfirmPaymentBalance": { - "description": "Payment method balance format", - "placeholders": { - "currency": { - "type": "String" - } - } - }, - "torSettingsPortValidationInvalid": "Bitte geben Sie eine gültige Nummer ein", - "@torSettingsPortValidationInvalid": { - "description": "Validation error when port is not a valid number" - }, - "sellBankTransfer": "Banküberweisung", - "@sellBankTransfer": { - "description": "Option for bank deposit" - }, - "importQrDeviceSeedsignerStep3": "Scannen Sie einen SeedQR oder geben Sie Ihren 12- oder 24-Worte-Samensatz ein", - "@importQrDeviceSeedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, - "replaceByFeeFastestTitle": "Fast", - "@replaceByFeeFastestTitle": { - "description": "Title for fastest fee option" - }, - "transactionLabelBitcoinTransactionId": "Bitcoin Transaktion ID", - "@transactionLabelBitcoinTransactionId": { - "description": "Label for Bitcoin network transaction ID" - }, - "sellPayinAmount": "Zahlbetrag", - "@sellPayinAmount": { - "description": "Label for amount user pays in" - }, - "exchangeKycRemoveLimits": "Um Transaktionslimits zu entfernen", - "@exchangeKycRemoveLimits": { - "description": "KYC card subtitle" - }, - "autoswapMaxBalanceInfoText": "Wenn die Geldwaage das Doppelte dieses Betrags überschreitet, wird Auto-Transfer auslösen, um das Gleichgewicht auf diese Ebene zu reduzieren", - "@autoswapMaxBalanceInfoText": { - "description": "Help text explaining how the max balance threshold works" - }, - "sellSendPaymentBelowMin": "Sie versuchen, unter dem Mindestbetrag zu verkaufen, der mit dieser Geldbörse verkauft werden kann.", - "@sellSendPaymentBelowMin": { - "description": "Below min amount error" - }, - "dcaWalletSelectionDescription": "Bitcoin-Käufe werden automatisch nach diesem Zeitplan platziert.", - "@dcaWalletSelectionDescription": { - "description": "Explanation text at the top of wallet selection screen" - }, - "sendTypeSend": "Bitte", - "@sendTypeSend": { - "description": "Send type name for Bitcoin/Liquid transactions" - }, - "payFeeBumpSuccessful": "Fee Stoß erfolgreich", - "@payFeeBumpSuccessful": { - "description": "Success message after fee bump" - }, - "importQrDeviceKruxStep1": "Drehen Sie Ihr Krux Gerät", - "@importQrDeviceKruxStep1": { - "description": "Krux instruction step 1" - }, - "transactionSwapProgressFundsClaimed": "Fonds\nAnspruch", - "@transactionSwapProgressFundsClaimed": { - "description": "Swap progress step: funds claimed" - }, - "recoverbullSelectAppleIcloud": "Apple iCloud", - "@recoverbullSelectAppleIcloud": { - "description": "Name label for Apple iCloud backup provider option" - }, - "dcaAddressLightning": "Beleuchtungsadresse", - "@dcaAddressLightning": { - "description": "Lightning address label" - }, - "keystoneStep13": "Die Transaktion wird in der Bull Bitcoin Geldbörse importiert.", - "@keystoneStep13": { - "description": "Keystone instruction about import completion" - }, - "receiveGenerationFailed": "Nicht generiert {type}", - "@receiveGenerationFailed": { - "description": "Error when address/invoice generation fails", - "placeholders": { - "type": { - "type": "String" - } - } - }, - "coreSwapsLnReceiveCanCoop": "Swap wird momentan komplett.", - "@coreSwapsLnReceiveCanCoop": { - "description": "Status message for Lightning receive swap that can complete cooperatively" - }, - "addressViewAddressesTitle": "Anschriften", - "@addressViewAddressesTitle": { - "description": "Title for the addresses section in wallet options" - }, - "withdrawRecipientsNoRecipients": "Keine Empfänger gefunden, sich zurückzuziehen.", - "@withdrawRecipientsNoRecipients": { - "description": "Empty state message" - }, - "transactionSwapProgressPaymentMade": "Zahlung\nMademoiselle", - "@transactionSwapProgressPaymentMade": { - "description": "Swap progress step: payment made" - }, - "importQrDeviceSpecterStep4": "Folgen Sie den Aufforderungen nach Ihrer gewählten Methode", - "@importQrDeviceSpecterStep4": { - "description": "Specter instruction step 4" - }, - "coreSwapsChainPending": "Transfer ist noch nicht initialisiert.", - "@coreSwapsChainPending": { - "description": "Status message for pending chain swap" - }, - "importWalletImportWatchOnly": "Importieren Sie nur Uhr", - "@importWalletImportWatchOnly": { - "description": "Button to import watch-only wallet" - }, - "coldcardStep9": "Sobald die Transaktion in Ihrer Coldcard importiert wird, überprüfen Sie die Zieladresse und den Betrag.", - "@coldcardStep9": { - "description": "Coldcard instruction for reviewing transaction" - }, - "sendErrorArkExperimentalOnly": "ARK-Zahlungsanfragen sind nur bei experimenteller Ark-Funktion verfügbar.", - "@sendErrorArkExperimentalOnly": { - "description": "Error when ARK payment is attempted without experimental feature enabled" - }, - "exchangeKycComplete": "Füllen Sie Ihre KYC", - "@exchangeKycComplete": { - "description": "KYC card title" - }, - "enterBackupKeyManuallyDescription": "Wenn Sie Ihren Backup-Schlüssel exportiert haben und ihn selbst in einem seperate-Standort gespeichert haben, können Sie ihn hier manuell eingeben. Andernfalls, zurück zum vorherigen Bildschirm.", - "@enterBackupKeyManuallyDescription": { - "description": "Description for entering backup key manually" - }, - "sellBitcoinPriceLabel": "Bitcoin Preis", - "@sellBitcoinPriceLabel": { - "description": "Label for Bitcoin price display" - }, - "receiveCopyAddress": "Anschrift", - "@receiveCopyAddress": { - "description": "Button to copy address to clipboard" - }, - "mempoolNetworkBitcoinTestnet": "Bitcoin Testnet", - "@mempoolNetworkBitcoinTestnet": { - "description": "Label for Bitcoin Testnet network" - }, - "transactionLabelPayjoinStatus": "Status des Payjos", - "@transactionLabelPayjoinStatus": { - "description": "Label for payjoin status" - }, - "passportStep2": "Klicken Sie auf QR Code unterschreiben", - "@passportStep2": { - "description": "Passport instruction step 2" - }, - "pinCodeRemoveButton": "Security PIN entfernen", - "@pinCodeRemoveButton": { - "description": "Button label to remove the security PIN" - }, - "withdrawOwnershipMyAccount": "Das ist mein Konto", - "@withdrawOwnershipMyAccount": { - "description": "Option indicating the account belongs to the user" - }, - "payAddMemo": "Memo hinzufügen (optional)", - "@payAddMemo": { - "description": "Placeholder for memo input field" - }, - "transactionNetworkBitcoin": "Bitcoin", - "@transactionNetworkBitcoin": { - "description": "Label for Bitcoin network transactions" - }, - "recoverbullSelectVaultProvider": "Wählen Sie Vault Provider", - "@recoverbullSelectVaultProvider": { - "description": "Screen title for vault provider selection" - }, - "replaceByFeeOriginalTransactionTitle": "Ursprüngliche Transaktion", - "@replaceByFeeOriginalTransactionTitle": { - "description": "Title for original transaction section" - }, - "testBackupPhysicalBackupTag": "Vertrauenslos (nehmen Sie Ihre Zeit)", - "@testBackupPhysicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes longer" - }, - "testBackupTitle": "Testen Sie Ihre Geldbeutelsicherung", - "@testBackupTitle": { - "description": "AppBar title for main backup options screen" - }, - "coreSwapsLnSendFailed": "Swap hat versagt.", - "@coreSwapsLnSendFailed": { - "description": "Status message for failed Lightning send swap" - }, - "recoverbullErrorDecryptFailed": "Versäumt, den Tresor zu entschlüsseln", - "@recoverbullErrorDecryptFailed": { - "description": "Error message when vault decryption fails" - }, - "keystoneStep9": "Klicken Sie auf die Schaltflächen, um die Transaktion auf Ihrem Keystone zu unterzeichnen.", - "@keystoneStep9": { - "description": "Keystone instruction for signing" - }, - "totalFeesLabel": "Gesamtkosten", - "@totalFeesLabel": { - "description": "Label for total fees in lightning swap" - }, - "payInProgressDescription": "Ihre Zahlung wurde eingeleitet und der Empfänger erhält die Mittel, nachdem Ihre Transaktion 1 Bestätigung onchain erhält.", - "@payInProgressDescription": { - "description": "Description for payment in progress" - }, - "importQrDevicePassportStep10": "Wählen Sie in der BULL Geldbörse App \"Segwit (BIP84)\" als Ableitungsoption", - "@importQrDevicePassportStep10": { - "description": "Passport instruction step 10" - }, - "payHighPriority": "Hoch", - "@payHighPriority": { - "description": "High fee priority option" - }, - "buyBitcoinPrice": "Bitcoin Preis", - "@buyBitcoinPrice": { - "description": "Label for Bitcoin exchange rate" - }, - "sendFrozenCoin": "Gefroren", - "@sendFrozenCoin": { - "description": "Status for manually frozen UTXO" - }, - "importColdcardInstructionsStep4": "Überprüfen Sie, ob Ihre Firmware auf Version 1.3.4Q aktualisiert wird", - "@importColdcardInstructionsStep4": { - "description": "ImportColdcardQ: Fourth instruction step" - }, - "lastBackupTestLabel": "Letzter Backup-Test: {date}", - "@lastBackupTestLabel": { - "description": "Label showing the date of the last backup test", - "placeholders": { - "date": { - "type": "String", - "example": "2025-01-20 15:30:45" - } - } - }, - "sendBroadcastTransaction": "Übertragung von Sendungen", - "@sendBroadcastTransaction": { - "description": "Button label for broadcasting a transaction to the network" - }, - "receiveBitcoinConfirmationMessage": "Bitcoin Transaktion wird eine Weile dauern, um zu bestätigen.", - "@receiveBitcoinConfirmationMessage": { - "description": "Information message about Bitcoin transaction confirmation time" - }, - "walletTypeWatchOnly": "Nur zu sehen", - "@walletTypeWatchOnly": { - "description": "Wallet type label for watch-only wallets" - }, - "psbtFlowKruxTitle": "Krux Anleitung", - "@psbtFlowKruxTitle": { - "description": "Title for Krux device signing instructions" - }, - "recoverbullDecryptVault": "Verschlüsselung Tresor", - "@recoverbullDecryptVault": { - "description": "Button text to decrypt the selected vault" - }, - "connectHardwareWalletJade": "Blockstream Jade", - "@connectHardwareWalletJade": { - "description": "Blockstream Jade hardware wallet option" - }, - "coreSwapsChainRefundable": "Transfer ist bereit, zurückerstattet werden.", - "@coreSwapsChainRefundable": { - "description": "Status message for refundable chain swap" - }, - "buyInputCompleteKyc": "Vollständige KYC", - "@buyInputCompleteKyc": { - "description": "Button to complete KYC" - }, - "transactionFeesTotalDeducted": "Dies ist die Gesamtgebühr, die vom gesendeten Betrag abgezogen wird", - "@transactionFeesTotalDeducted": { - "description": "Fee deduction explanation for sending swaps" - }, - "autoswapMaxFee": "Max Transfer Fee", - "@autoswapMaxFee": { - "description": "Field label for max fee threshold" - }, - "sellReviewOrder": "Review Sell Order", - "@sellReviewOrder": { - "description": "Title for order confirmation screen" - }, - "payDescription": "Warenbezeichnung", - "@payDescription": { - "description": "Label for payment description/memo field" - }, - "buySecureBitcoinWallet": "Sichere Bitcoin Wallet", - "@buySecureBitcoinWallet": { - "description": "Label for secure Bitcoin wallet" - }, - "sendEnterRelativeFee": "Betreten Sie die relative Gebühr in sats/vB", - "@sendEnterRelativeFee": { - "description": "Placeholder for relative fee rate input field" - }, - "importQrDevicePassportStep1": "Power auf Ihrem Passport-Gerät", - "@importQrDevicePassportStep1": { - "description": "Passport instruction step 1" - }, - "fundExchangeMethodArsBankTransferSubtitle": "Senden Sie eine Banküberweisung von Ihrem Bankkonto", - "@fundExchangeMethodArsBankTransferSubtitle": { - "description": "Subtitle for Argentina bank transfer payment method" - }, - "transactionOrderLabelExchangeRate": "Wechselkurs", - "@transactionOrderLabelExchangeRate": { - "description": "Label for order exchange rate" - }, - "backupSettingsScreenTitle": "Backup-Einstellungen", - "@backupSettingsScreenTitle": { - "description": "AppBar title for backup settings screen" - }, - "fundExchangeBankTransferWireDescription": "Senden Sie eine Überweisung von Ihrem Bankkonto mit Bull Bitcoin Bankverbindung unten. Ihre Bank kann nur einige Teile dieser Daten benötigen.", - "@fundExchangeBankTransferWireDescription": { - "description": "Description of how to use bank transfer wire method" - }, - "importQrDeviceKeystoneStep7": "Scannen Sie den QR-Code auf Ihrem Keystone", - "@importQrDeviceKeystoneStep7": { - "description": "Keystone instruction step 7" - }, - "coldcardStep3": "Wählen Sie \"Scannen Sie jeden QR-Code\" Option", - "@coldcardStep3": { - "description": "Coldcard instruction step 3" - }, - "coldcardStep14": "Die Transaktion wird in der Bull Bitcoin Geldbörse importiert.", - "@coldcardStep14": { - "description": "Coldcard instruction about import completion" - }, - "pinCodeSettingsLabel": "PIN-Code", - "@pinCodeSettingsLabel": { - "description": "The label for the button to access the PIN code settings" - }, - "buyExternalBitcoinWallet": "Externe Bitcoin Geldbörse", - "@buyExternalBitcoinWallet": { - "description": "Label for external wallet option" - }, - "passwordTooCommonError": "Diese {pinOrPassword} ist zu häufig. Bitte wählen Sie eine andere.", - "@passwordTooCommonError": { - "description": "Error message for common password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "importWalletJade": "Blockstream Jade", - "@importWalletJade": { - "description": "Button label for Blockstream Jade hardware wallet" - }, - "payInvalidInvoice": "Invalide Rechnung", - "@payInvalidInvoice": { - "description": "Error message when invoice format is invalid" - }, - "receiveTotalFee": "Gesamtkosten", - "@receiveTotalFee": { - "description": "Label for the total fee in a receive transaction" - }, - "importQrDeviceButtonOpenCamera": "Öffnen Sie die Kamera", - "@importQrDeviceButtonOpenCamera": { - "description": "ImportQrDevice: Button to open camera for QR scanning" - }, - "recoverbullFetchingVaultKey": "Fechtengewölbe Schlüssel", - "@recoverbullFetchingVaultKey": { - "description": "Screen title while fetching vault key from server" - }, - "dcaConfirmFrequency": "Häufigkeit", - "@dcaConfirmFrequency": { - "description": "Field label for frequency" - }, - "recoverbullGoogleDriveDeleteVaultTitle": "Löschen von Vault", - "@recoverbullGoogleDriveDeleteVaultTitle": { - "description": "Title for delete vault confirmation dialog" - }, - "advancedOptionsTitle": "Erweiterte Optionen", - "@advancedOptionsTitle": { - "description": "Bottom sheet header/title for advanced sending options" - }, - "dcaConfirmOrderType": "Bestelltyp", - "@dcaConfirmOrderType": { - "description": "Field label for order type" - }, - "payPriceWillRefreshIn": "Preis wird erfrischt ", - "@payPriceWillRefreshIn": { - "description": "Text before countdown timer for price refresh" - }, - "recoverbullGoogleDriveErrorDeleteFailed": "Fehler aus Google Drive löschen", - "@recoverbullGoogleDriveErrorDeleteFailed": { - "description": "Error message when deleting a drive backup fails" - }, - "broadcastSignedTxTo": "Zu", - "@broadcastSignedTxTo": { - "description": "Label for destination address" - }, - "arkAboutDurationDays": "{days} Tage", - "@arkAboutDurationDays": { - "description": "Duration format for plural days", - "placeholders": { - "days": { - "type": "int" - } - } - }, - "payPaymentDetails": "Details zum Thema", - "@payPaymentDetails": { - "description": "Section header for payment information" - }, - "bitboxActionVerifyAddressTitle": "Adresse auf BitBox überprüfen", - "@bitboxActionVerifyAddressTitle": { - "description": "Title for verify address action" - }, - "psbtSignTransaction": "Transaktion", - "@psbtSignTransaction": { - "description": "AppBar title for PSBT signing screen" - }, - "sellRemainingLimit": "Noch heute: {amount}", - "@sellRemainingLimit": { - "description": "Shows remaining daily limit", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "bitboxActionImportWalletSuccess": "Brieftasche erfolgreich importiert", - "@bitboxActionImportWalletSuccess": { - "description": "Success text for import wallet" - }, - "nextButton": "Nächste", - "@nextButton": { - "description": "Button label to go to next step" - }, - "ledgerSignButton": "Starten Sie die Anmeldung", - "@ledgerSignButton": { - "description": "Button label to start signing transaction with Ledger" - }, - "dcaNetworkLiquid": "Flüssiges Netz", - "@dcaNetworkLiquid": { - "description": "Liquid network label for DCA" - }, - "fundExchangeMethodSinpeTransfer": "INPE Transfer", - "@fundExchangeMethodSinpeTransfer": { - "description": "Payment method: SINPE Transfer (Costa Rica)" - }, - "dcaCancelTitle": "Bitcoin Recurring Kaufen?", - "@dcaCancelTitle": { - "description": "Dialog title for DCA cancellation" - }, - "payFromAnotherWallet": "Bezahlen von einer anderen Bitcoin Geldbörse", - "@payFromAnotherWallet": { - "description": "Subtitle for external wallet option" - }, - "importMnemonicHasBalance": "Hat Balance", - "@importMnemonicHasBalance": { - "description": "Status for wallet type with balance" - }, - "dcaLightningAddressEmptyError": "Bitte geben Sie eine Lightning-Adresse ein", - "@dcaLightningAddressEmptyError": { - "description": "Validation error when Lightning address field is empty" - }, - "googleAppleCloudRecommendationText": "sie möchten sicherstellen, dass sie nie den zugriff auf ihre tresordatei verlieren, auch wenn sie ihre geräte verlieren.", - "@googleAppleCloudRecommendationText": { - "description": "Text explaining when to use Google/Apple cloud" - }, - "closeDialogButton": "Schließen", - "@closeDialogButton": { - "description": "Button to close the value display modal dialog" - }, - "jadeStep14": "Die Transaktion wird in der Bull Bitcoin Geldbörse importiert.", - "@jadeStep14": { - "description": "Jade instruction about import completion" - }, - "payCorporateName": "Name des Unternehmens", - "@payCorporateName": { - "description": "Label for corporate name field" - }, - "importColdcardError": "Nicht importiert Coldcard", - "@importColdcardError": { - "description": "Error message" - }, - "transactionStatusPayjoinRequested": "Payjoin beantragt", - "@transactionStatusPayjoinRequested": { - "description": "Status label for payjoin transaction requests" - }, - "payOwnerNameHint": "Name des Eigentümers", - "@payOwnerNameHint": { - "description": "Hint for owner name input" - }, - "customLocationRecommendationText": "sie sind zuversichtlich, dass sie nicht verlieren die tresor-datei und es wird immer noch zugänglich sein, wenn sie ihr telefon verlieren.", - "@customLocationRecommendationText": { - "description": "Text explaining when to use custom location" - }, - "arkAboutForfeitAddress": "Forfeit Adresse", - "@arkAboutForfeitAddress": { - "description": "Field label for forfeit address" - }, - "kruxStep13": "Klicken Sie auf \"Ich bin fertig\" in der Bull Bitcoin Geldbörse.", - "@kruxStep13": { - "description": "Krux instruction to return to app" - }, - "transactionSwapInfoRefundableTransfer": "Dieser Transfer wird innerhalb weniger Sekunden automatisch zurückerstattet. Falls nicht, können Sie eine manuelle Rückerstattung versuchen, indem Sie auf die Schaltfläche \"Retry Transfer Refund\" klicken.", - "@transactionSwapInfoRefundableTransfer": { - "description": "Additional info for refundable transfers" - }, - "payBitcoinPrice": "Bitcoin Preis", - "@payBitcoinPrice": { - "description": "Label for Bitcoin exchange rate" - }, - "confirmLogoutMessage": "Sind Sie sicher, dass Sie sich aus Ihrem Bull Bitcoin-Konto anmelden möchten? Sie müssen sich erneut einloggen, um auf Exchange-Funktionen zuzugreifen.", - "@confirmLogoutMessage": { - "description": "Confirmation message explaining logout consequences" - }, - "receivePaymentInProgress": "Zahlungen im laufenden", - "@receivePaymentInProgress": { - "description": "Status message when a payment is being processed" - }, - "dcaSuccessMessageDaily": "Sie kaufen {amount} jeden Tag", - "@dcaSuccessMessageDaily": { - "description": "Success message for daily frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "walletNetworkLiquidTestnet": "Flüssiges Testnet", - "@walletNetworkLiquidTestnet": { - "description": "Network label for Liquid testnet" - }, - "electrumDeleteFailedError": "Nicht zu löschen benutzerdefinierte Server{reason}", - "@electrumDeleteFailedError": { - "description": "Error message when deleting custom server fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "receiveBoltzSwapFee": "Boltz Swap Fee", - "@receiveBoltzSwapFee": { - "description": "Label for the Boltz swap service fee in a receive transaction" - }, - "swapInfoBanner": "Übertragen Sie Bitcoin nahtlos zwischen Ihren Geldbörsen. Halten Sie nur Geld in der Instant Payment Wallet für Tagesausgaben.", - "@swapInfoBanner": { - "description": "Info banner on swap amount screen" - }, - "payRBFEnabled": "RBF aktiviert", - "@payRBFEnabled": { - "description": "Status when RBF is enabled" - }, - "takeYourTimeTag": "Nehmen Sie Ihre Zeit", - "@takeYourTimeTag": { - "description": "Tag for options requiring more time" - }, - "arkAboutDust": "Staub", - "@arkAboutDust": { - "description": "Field label for dust amount" - }, - "ledgerSuccessVerifyDescription": "Die Adresse wurde auf Ihrem Ledger Gerät überprüft.", - "@ledgerSuccessVerifyDescription": { - "description": "Success message description after verifying address on Ledger" - }, - "bip85Title": "BIP85 Deterministische Entropie", - "@bip85Title": { - "description": "AppBar title for BIP85 entropy derivation screen" - }, - "sendSwapTimeout": "Swap gezeitigt", - "@sendSwapTimeout": { - "description": "Error when swap expires" - }, - "networkFeesLabel": "Netzgebühren", - "@networkFeesLabel": { - "description": "Label for network transaction fees in onchain send" - }, - "backupWalletPhysicalBackupDescription": "Schreiben Sie 12 Wörter auf einem Stück Papier. Halten Sie sie sicher und stellen Sie sicher, sie nicht zu verlieren.", - "@backupWalletPhysicalBackupDescription": { - "description": "Description of physical backup method" - }, - "sendSwapInProgressBitcoin": "Der Swap ist im Gange. Bitcoin Transaktionen können eine Weile dauern, um zu bestätigen. Du kannst nach Hause zurückkehren und warten.", - "@sendSwapInProgressBitcoin": { - "description": "Message for Bitcoin swap in progress" - }, - "electrumDeleteServerTitle": "Benutzerdefinierten Server löschen", - "@electrumDeleteServerTitle": { - "description": "Delete server dialog title" - }, - "buySelfie": "Selfie mit ID", - "@buySelfie": { - "description": "Type of document required" - }, - "arkAboutSecretKey": "Geheimer Schlüssel", - "@arkAboutSecretKey": { - "description": "Label for secret key field in about page" - }, - "sellMxnBalance": "MXN Saldo", - "@sellMxnBalance": { - "description": "Display text for MXN balance payout method" - }, - "fundExchangeWarningTactic4": "Sie bitten Bitcoin an ihre Adresse zu senden", - "@fundExchangeWarningTactic4": { - "description": "Fourth scammer tactic warning" - }, - "fundExchangeSinpeDescription": "Transfer Colones mit SINPE", - "@fundExchangeSinpeDescription": { - "description": "Description for SINPE transfer method" - }, - "wordsDropdownSuffix": " worte", - "@wordsDropdownSuffix": { - "description": "Suffix for mnemonic length dropdown" - }, - "arkTxTypeRedeem": "Rede", - "@arkTxTypeRedeem": { - "description": "Transaction type label for redeem transactions" - }, - "receiveVerifyAddressOnLedger": "Adresse auf Ledger überprüfen", - "@receiveVerifyAddressOnLedger": { - "description": "Button label for verifying an address on a Ledger hardware wallet" - }, - "buyWaitForFreeWithdrawal": "Warten Sie auf kostenlose Auszahlung", - "@buyWaitForFreeWithdrawal": { - "description": "Button to wait for free (slower) withdrawal" - }, - "sellSendPaymentCrcBalance": "CRC Saldo", - "@sellSendPaymentCrcBalance": { - "description": "CRC balance payout method" - }, - "backupSettingsKeyWarningBold": "Warnung: Seien Sie vorsichtig, wo Sie den Sicherungsschlüssel speichern.", - "@backupSettingsKeyWarningBold": { - "description": "Bold warning message in backup key warning modal" - }, - "settingsArkTitle": "Kork", - "@settingsArkTitle": { - "description": "Title for the Ark protocol section in Bitcoin settings" - }, - "exchangeLandingConnectAccount": "Verbinden Sie Ihr Bull Bitcoin Austauschkonto", - "@exchangeLandingConnectAccount": { - "description": "Subtitle text on the exchange landing screen encouraging users to connect" - }, - "recoverYourWalletTitle": "Recover Ihr Geldbeutel", - "@recoverYourWalletTitle": { - "description": "Title for recover wallet screen" - }, - "importWatchOnlyLabel": "Bezeichnung", - "@importWatchOnlyLabel": { - "description": "Label for wallet name/label input field" - }, - "settingsAppSettingsTitle": "App-Einstellungen", - "@settingsAppSettingsTitle": { - "description": "Title for the app settings section in the settings menu" - }, - "dcaWalletLightningSubtitle": "Erfordert kompatible Geldbörse, maximal 0,25 BTC", - "@dcaWalletLightningSubtitle": { - "description": "Subtitle/description for Lightning wallet option" - }, - "dcaNetworkBitcoin": "Bitcoin Network", - "@dcaNetworkBitcoin": { - "description": "Bitcoin network label for DCA" - }, - "swapTransferRefundInProgressMessage": "Es gab einen Fehler bei der Übertragung. Ihre Rückerstattung ist im Gange.", - "@swapTransferRefundInProgressMessage": { - "description": "Message during refund process" - }, - "importQrDevicePassportName": "Stiftungspass", - "@importQrDevicePassportName": { - "description": "Name of Foundation Passport device" - }, - "fundExchangeMethodCanadaPostSubtitle": "Beste für diejenigen, die lieber zahlen in Person", - "@fundExchangeMethodCanadaPostSubtitle": { - "description": "Subtitle for Canada Post payment method" - }, - "importColdcardMultisigPrompt": "Für Multisig Geldbörsen, scannen Sie die Brieftasche Deskriptor QR Code", - "@importColdcardMultisigPrompt": { - "description": "Additional instruction for multisig" - }, - "passphraseLabel": "Passphrasen", - "@passphraseLabel": { - "description": "Label for optional passphrase input field" - }, - "recoverbullConfirmInput": "Bestätigen {inputType}", - "@recoverbullConfirmInput": { - "description": "Label to confirm input (PIN or password)", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "transactionSwapDescLnReceiveCompleted": "Ihr Swap wurde erfolgreich abgeschlossen! Die Mittel sollten jetzt in Ihrer Geldbörse verfügbar sein.", - "@transactionSwapDescLnReceiveCompleted": { - "description": "Description for completed Lightning receive swap" - }, - "psbtFlowSignTransaction": "Transaktion", - "@psbtFlowSignTransaction": { - "description": "Title for psbt flow signing screen" - }, - "payAllPayments": "Alle Zahlungen", - "@payAllPayments": { - "description": "Filter option to show all" - }, - "fundExchangeSinpeDescriptionBold": "sie wird abgelehnt.", - "@fundExchangeSinpeDescriptionBold": { - "description": "Bold text warning that payment from wrong number will be rejected" - }, - "transactionDetailLabelPayoutStatus": "Status der Auszahlung", - "@transactionDetailLabelPayoutStatus": { - "description": "Label for payout status" - }, - "buyInputFundAccount": "Ihr Konto finanzieren", - "@buyInputFundAccount": { - "description": "Button to fund account" - }, - "importWatchOnlyZpub": "zpub", - "@importWatchOnlyZpub": { - "description": "Label for zpub import method" - }, - "testBackupNext": "Nächste", - "@testBackupNext": { - "description": "Button to proceed to verification quiz" - }, - "payBillerSearchHint": "Geben Sie zuerst 3 Buchstaben des Billernamens ein", - "@payBillerSearchHint": { - "description": "Hint for biller search field" - }, - "coreSwapsLnSendCompletedRefunded": "Swap wurde zurückerstattet.", - "@coreSwapsLnSendCompletedRefunded": { - "description": "Status message for Lightning send swap completed via refund" - }, - "transactionSwapInfoClaimableSwap": "Der Swap wird innerhalb weniger Sekunden automatisch abgeschlossen. Falls nicht, können Sie einen manuellen Anspruch versuchen, indem Sie auf die Schaltfläche \"Retry Swap Claim\" klicken.", - "@transactionSwapInfoClaimableSwap": { - "description": "Additional info for claimable swaps" - }, - "mempoolCustomServerLabel": "ZOLL", - "@mempoolCustomServerLabel": { - "description": "Label badge for custom server" - }, - "arkAboutSessionDuration": "Sitzungsdauer", - "@arkAboutSessionDuration": { - "description": "Field label for session duration" - }, - "transferFeeLabel": "Transfergebühr", - "@transferFeeLabel": { - "description": "Breakdown component showing Boltz transfer fee portion" - }, - "pinValidationError": "PIN muss mindestens {minLength} Ziffern lang sein", - "@pinValidationError": { - "description": "Error message when PIN is too short", - "placeholders": { - "minLength": { - "type": "String" - } - } - }, - "buyConfirmationTimeValue": "~10 minuten", - "@buyConfirmationTimeValue": { - "description": "Value for estimated confirmation time" - }, - "dcaOrderTypeValue": "Recuring kaufen", - "@dcaOrderTypeValue": { - "description": "Value for order type" - }, - "ledgerConnectingMessage": "Anschluss an {deviceName}", - "@ledgerConnectingMessage": { - "description": "Message shown while connecting to a specific Ledger device", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "buyConfirmAwaitingConfirmation": "Voraussichtliche Bestätigung ", - "@buyConfirmAwaitingConfirmation": { - "description": "Awaiting confirmation label" - }, - "allSeedViewShowSeedsButton": "Show Seeds", - "@allSeedViewShowSeedsButton": { - "description": "Button label to show seed phrases" - }, - "fundExchangeMethodBankTransferWireSubtitle": "Beste und zuverlässigste Option für größere Beträge (gleich oder am nächsten Tag)", - "@fundExchangeMethodBankTransferWireSubtitle": { - "description": "Subtitle for Bank Transfer Wire payment method" - }, - "fundExchangeCanadaPostStep4": "4. Der Kassierer wird fragen, ein Stück Regierungsausweis zu sehen und zu überprüfen, ob der Name auf Ihrem Ausweis mit Ihrem Bull Bitcoin Konto übereinstimmt", - "@fundExchangeCanadaPostStep4": { - "description": "Step 4 for Canada Post payment process - ID verification" - }, - "fundExchangeCrIbanCrcLabelIban": "IBAN Kontonummer (nur Kolonen)", - "@fundExchangeCrIbanCrcLabelIban": { - "description": "Label for IBAN number field for CRC (Colones) only" - }, - "importQrDeviceSpecterInstructionsTitle": "Musteranleitung", - "@importQrDeviceSpecterInstructionsTitle": { - "description": "Title for Specter setup instructions" - }, - "testBackupScreenshot": "Screenshot:", - "@testBackupScreenshot": { - "description": "Label with X mark warning against taking screenshots" - }, - "transactionListLoadingTransactions": "Laden von Transaktionen...", - "@transactionListLoadingTransactions": { - "description": "Message displayed while loading transactions" - }, - "dcaSuccessTitle": "Wiederkehrender Kauf ist aktiv!", - "@dcaSuccessTitle": { - "description": "Success screen title after DCA is activated" - }, - "fundExchangeOnlineBillPaymentDescription": "Jeder Betrag, den Sie über die Online-Abrechnungsfunktion Ihrer Bank mit den untenstehenden Informationen senden, wird innerhalb von 3-4 Werktagen auf Ihr Bull Bitcoin Kontoguthaben gutgeschrieben.", - "@fundExchangeOnlineBillPaymentDescription": { - "description": "Description of how online bill payment works and timeframe" - }, - "receiveAwaitingPayment": "Erwartete Zahlung...", - "@receiveAwaitingPayment": { - "description": "Status while waiting for payment" - }, - "onboardingRecover": "Recover", - "@onboardingRecover": { - "description": "Button label for recovering a wallet in onboarding" - }, - "recoverbullGoogleDriveScreenTitle": "Google Drive Vaults", - "@recoverbullGoogleDriveScreenTitle": { - "description": "Screen title for Google Drive vaults management" - }, - "receiveQRCode": "QR Code Code", - "@receiveQRCode": { - "description": "Section header for QR code display" - }, - "appSettingsDevModeTitle": "Entscheiden", - "@appSettingsDevModeTitle": { - "description": "Title for the developer mode toggle in app settings" - }, - "payDecodeFailed": "Nicht entschlüsseln der Rechnung", - "@payDecodeFailed": { - "description": "Error when invoice parsing fails" - }, - "sendAbsoluteFees": "Absolute Gebühren", - "@sendAbsoluteFees": { - "description": "Label for absolute fee display mode (total sats)" - }, - "arkSendConfirm": "Bestätigen", - "@arkSendConfirm": { - "description": "Confirm button on send screen" - }, - "replaceByFeeErrorTransactionConfirmed": "Die ursprüngliche Transaktion wurde bestätigt", - "@replaceByFeeErrorTransactionConfirmed": { - "description": "Error message when original transaction is already confirmed" - }, - "rbfErrorFeeTooLow": "Sie müssen den Gebührensatz um mindestens 1 sat/vbyte gegenüber der ursprünglichen Transaktion erhöhen", - "@rbfErrorFeeTooLow": { - "description": "Error when new fee rate is not high enough" - }, - "ledgerErrorMissingDerivationPathSign": "Der Ableitungspfad ist zur Anmeldung erforderlich", - "@ledgerErrorMissingDerivationPathSign": { - "description": "Error message when derivation path is missing for signing" - }, - "backupWalletTitle": "Backup Ihrer Brieftasche", - "@backupWalletTitle": { - "description": "AppBar title for main backup options screen" - }, - "jadeStep10": "Klicken Sie auf die Schaltflächen, um die Transaktion auf Ihrem Jade zu unterzeichnen.", - "@jadeStep10": { - "description": "Jade instruction for signing" - }, - "arkAboutDurationHour": "{hours} Stunde", - "@arkAboutDurationHour": { - "description": "Duration format for singular hour", - "placeholders": { - "hours": { - "type": "int" - } - } - }, - "bitboxScreenUnknownError": "Unbekannter Fehler aufgetreten", - "@bitboxScreenUnknownError": { - "description": "Fallback error message" - }, - "electrumPrivacyNoticeTitle": "Datenschutzhinweis", - "@electrumPrivacyNoticeTitle": { - "description": "Title for privacy notice bottom sheet" - }, - "receiveLiquid": "Flüssig", - "@receiveLiquid": { - "description": "Label for receiving Bitcoin via Liquid Network" - }, - "payOpenChannelRequired": "Das Öffnen eines Kanals ist für diese Zahlung erforderlich", - "@payOpenChannelRequired": { - "description": "Message indicating a new Lightning channel is needed" - }, - "coldcardStep1": "Login zu Ihrem Coldcard Q Gerät", - "@coldcardStep1": { - "description": "Coldcard instruction step 1" - }, - "transactionDetailLabelBitcoinTxId": "Bitcoin Transaktion ID", - "@transactionDetailLabelBitcoinTxId": { - "description": "Label for Bitcoin transaction ID" - }, - "arkAboutTitle": "Über uns", - "@arkAboutTitle": { - "description": "AppBar title for Ark about screen" - }, - "arkSendRecipientHint": "ark1qp9wsjfpsj5v5ex022v6..", - "@arkSendRecipientHint": { - "description": "Hint text for recipient address field" - }, - "sellSendPaymentCalculating": "Berechnung...", - "@sellSendPaymentCalculating": { - "description": "Calculating fees message" - }, - "arkRecoverableVtxos": "Recoverable Vtxos", - "@arkRecoverableVtxos": { - "description": "Label for switch to include recoverable vtxos in redeem" - }, - "psbtFlowTransactionImported": "Die Transaktion wird in der Bull Bitcoin Geldbörse importiert.", - "@psbtFlowTransactionImported": { - "description": "Confirmation that transaction was imported successfully" - }, - "testBackupGoogleDriveSignIn": "Sie müssen sich bei Google Drive anmelden", - "@testBackupGoogleDriveSignIn": { - "description": "Progress screen title when fetching from Google Drive" - }, - "sendTransactionSignedLedger": "Transaktion erfolgreich mit Ledger unterzeichnet", - "@sendTransactionSignedLedger": { - "description": "Success message after Ledger signing" - }, - "recoverbullRecoveryContinueButton": "Fortsetzung", - "@recoverbullRecoveryContinueButton": { - "description": "Button text to proceed with importing the wallet" - }, - "payTimeoutError": "Zahlungsfrist. Bitte überprüfen Sie den Status", - "@payTimeoutError": { - "description": "Error when payment takes too long to complete" - }, - "kruxStep4": "Klick von der Kamera", - "@kruxStep4": { - "description": "Krux instruction step 4" - }, - "bitboxErrorInvalidMagicBytes": "Ungültiges PSBT-Format erkannt.", - "@bitboxErrorInvalidMagicBytes": { - "description": "Error when PSBT has invalid magic bytes" - }, - "sellErrorRecalculateFees": "Versäumt, Gebühren neu zu berechnen: {error}", - "@sellErrorRecalculateFees": { - "description": "Error message when fee recalculation fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "dcaSetupFrequencyError": "Bitte wählen Sie eine Frequenz", - "@dcaSetupFrequencyError": { - "description": "Frequency validation error" - }, - "testBackupErrorNoMnemonic": "Keine mnemonic geladen", - "@testBackupErrorNoMnemonic": { - "description": "Error when mnemonic is not loaded" - }, - "payInvoiceExpired": "Rechnung abgelaufen", - "@payInvoiceExpired": { - "description": "Error message when Lightning invoice has expired" - }, - "payWhoAreYouPaying": "Wer bezahlt Sie?", - "@payWhoAreYouPaying": { - "description": "Question prompting user to select recipient" - }, - "confirmButtonLabel": "Bestätigen", - "@confirmButtonLabel": { - "description": "Button label to confirm and execute the transaction" - }, - "autoswapMaxFeeInfo": "Wenn die Gesamttransfergebühr über dem festgelegten Prozentsatz liegt, wird der Autotransfer gesperrt", - "@autoswapMaxFeeInfo": { - "description": "Info tooltip for max fee field" - }, - "importQrDevicePassportStep9": "Scannen Sie den QR-Code auf Ihrem Passport", - "@importQrDevicePassportStep9": { - "description": "Passport instruction step 9" - }, - "swapProgressRefundedMessage": "Der Transfer wurde erstattet.", - "@swapProgressRefundedMessage": { - "description": "Refunded transfer message" - }, - "sendEconomyFee": "Wirtschaft", - "@sendEconomyFee": { - "description": "Lowest fee tier" - }, - "coreSwapsChainFailed": "Transfer Failed.", - "@coreSwapsChainFailed": { - "description": "Status message for failed chain swap" - }, - "transactionDetailAddNote": "Anmerkung", - "@transactionDetailAddNote": { - "description": "Button label to add a note to a transaction" - }, - "addressCardUsedLabel": "Verwendet", - "@addressCardUsedLabel": { - "description": "Label indicating an address has been used" - }, - "buyConfirmTitle": "Bitcoin kaufen", - "@buyConfirmTitle": { - "description": "AppBar title for buy confirmation screen" - }, - "exchangeLandingFeature5": "Chat mit Kundenbetreuung", - "@exchangeLandingFeature5": { - "description": "Fifth feature bullet point" - }, - "electrumMainnet": "Hauptnetz", - "@electrumMainnet": { - "description": "Mainnet environment label" - }, - "buyThatWasFast": "Das war schnell, nicht wahr?", - "@buyThatWasFast": { - "description": "Additional success message for accelerated transaction" - }, - "importWalletPassport": "Stiftungspass", - "@importWalletPassport": { - "description": "Button label for Foundation Passport hardware wallet" - }, - "buyExpressWithdrawalFee": "Expressgebühr: {amount}", - "@buyExpressWithdrawalFee": { - "description": "Additional fee for instant withdrawal", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellDailyLimit": "Tageslimit: {amount}", - "@sellDailyLimit": { - "description": "Shows maximum daily sell amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "recoverbullConnectionFailed": "Verbindung fehlgeschlagen", - "@recoverbullConnectionFailed": { - "description": "Status label indicating connection failure" - }, - "transactionDetailLabelPayinMethod": "Zahlungsmethode", - "@transactionDetailLabelPayinMethod": { - "description": "Label for payin method" - }, - "sellCurrentRate": "Laufende Rate", - "@sellCurrentRate": { - "description": "Label for BTC/fiat exchange rate" - }, - "payAmountTooLow": "Betrag unter dem Mindestbetrag", - "@payAmountTooLow": { - "description": "Error when payment amount is below minimum allowed" - }, - "onboardingCreateWalletButtonLabel": "Erstellen Sie Brieftasche", - "@onboardingCreateWalletButtonLabel": { - "description": "The label for the button to create a wallet from the onboarding screen" - }, - "bitboxScreenVerifyOnDevice": "Bitte überprüfen Sie diese Adresse auf Ihrem BitBox Gerät", - "@bitboxScreenVerifyOnDevice": { - "description": "Instruction to verify address on device" - }, - "ledgerConnectTitle": "Verbinden Sie Ihr Ledger-Gerät", - "@ledgerConnectTitle": { - "description": "Title for initial Ledger connection screen" - }, - "withdrawAmountTitle": "Zurück zur Übersicht", - "@withdrawAmountTitle": { - "description": "AppBar title for withdraw amount screen" - }, - "coreScreensServerNetworkFeesLabel": "Server Network Fees", - "@coreScreensServerNetworkFeesLabel": { - "description": "Label for server network fees field" - }, - "dcaFrequencyValidationError": "Bitte wählen Sie eine Frequenz", - "@dcaFrequencyValidationError": { - "description": "Form validation error when no frequency is selected" - }, - "walletsListTitle": "Wallet Details", - "@walletsListTitle": { - "description": "Title for the wallet details list screen" - }, - "payAllCountries": "Alle Länder", - "@payAllCountries": { - "description": "Option for all countries filter" - }, - "sellCopBalance": "COP Saldo", - "@sellCopBalance": { - "description": "Display text for COP balance payout method" - }, - "recoverbullVaultSelected": "Vault Ausgewählt", - "@recoverbullVaultSelected": { - "description": "Screen title after vault has been selected" - }, - "receiveTransferFee": "Transfergebühr", - "@receiveTransferFee": { - "description": "Label for the transfer fee in a receive transaction" - }, - "fundExchangeInfoTransferCodeRequired": "Sie müssen den Transfercode als \"Nachricht\" oder \"Anweisung\" oder \"Beschreibung\" bei der Zahlung hinzufügen. Wenn Sie vergessen, diesen Code zu setzen, kann Ihre Zahlung abgelehnt werden.", - "@fundExchangeInfoTransferCodeRequired": { - "description": "Important info about transfer code requirement for Costa Rica transfers" - }, - "arkBoardingExitDelay": "Ausstiegsverzögerung", - "@arkBoardingExitDelay": { - "description": "Label for boarding exit delay field" - }, - "exchangeDcaFrequencyHour": "stunde", - "@exchangeDcaFrequencyHour": { - "description": "DCA frequency unit: hour" - }, - "transactionLabelPayjoinCreationTime": "Payjon Schöpfungszeit", - "@transactionLabelPayjoinCreationTime": { - "description": "Label for payjoin creation timestamp" - }, - "payRBFDisabled": "RBF Behinderte", - "@payRBFDisabled": { - "description": "Status when RBF is disabled" - }, - "exchangeKycCardTitle": "Füllen Sie Ihre KYC", - "@exchangeKycCardTitle": { - "description": "Title of the KYC completion card" - }, - "importQrDeviceSuccess": "Portemonnaie erfolgreich eingeführt", - "@importQrDeviceSuccess": { - "description": "Success message after import" - }, - "arkTxSettlement": "Abwicklung", - "@arkTxSettlement": { - "description": "Transaction type label for Ark settlement transactions" - }, - "autoswapEnable": "Autotransfer aktivieren", - "@autoswapEnable": { - "description": "Toggle label to enable auto transfer" - }, - "transactionStatusTransferCompleted": "Transfer abgeschlossen", - "@transactionStatusTransferCompleted": { - "description": "Status label for completed transfers" - }, - "payInvalidSinpe": "Invalide Sinpe", - "@payInvalidSinpe": { - "description": "Error message for invalid SINPE" - }, - "coreScreensFromLabel": "Von", - "@coreScreensFromLabel": { - "description": "Label for source/sender field" - }, - "backupWalletGoogleDriveSignInTitle": "Sie müssen sich bei Google Drive anmelden", - "@backupWalletGoogleDriveSignInTitle": { - "description": "Loading screen title when initiating Google Drive backup" - }, - "sendEstimatedDelivery10to30Minutes": "10-30 minuten", - "@sendEstimatedDelivery10to30Minutes": { - "description": "Estimated delivery time of 10 to 30 minutes" - }, - "transactionDetailLabelLiquidTxId": "Liquid Transaktions-ID", - "@transactionDetailLabelLiquidTxId": { - "description": "Label for Liquid transaction ID" - }, - "testBackupBackupId": "Backup-ID:", - "@testBackupBackupId": { - "description": "Label for backup ID field" - }, - "walletDeletionErrorOngoingSwaps": "Sie können keine Geldbörse mit laufenden Swaps löschen.", - "@walletDeletionErrorOngoingSwaps": { - "description": "Error message when attempting to delete a wallet with ongoing swaps" - }, - "bitboxScreenConnecting": "Anschluss an BitBox", - "@bitboxScreenConnecting": { - "description": "Main text when connecting to device" - }, - "psbtFlowScanAnyQr": "Wählen Sie \"Scannen Sie jeden QR-Code\" Option", - "@psbtFlowScanAnyQr": { - "description": "Instruction to select scan any QR code option" - }, - "transactionLabelServerNetworkFees": "Server Network Fees", - "@transactionLabelServerNetworkFees": { - "description": "Label for server network fees in swap details" - }, - "importQrDeviceSeedsignerStep10": "Setup komplett", - "@importQrDeviceSeedsignerStep10": { - "description": "SeedSigner instruction step 10" - }, - "sendReceive": "Empfang", - "@sendReceive": { - "description": "Label for receive transaction type" - }, - "sellKycPendingDescription": "Sie müssen zuerst die ID-Prüfung abschließen", - "@sellKycPendingDescription": { - "description": "Description explaining user must complete KYC before proceeding" - }, - "fundExchangeETransferDescription": "Jeder Betrag, den Sie von Ihrer Bank über E-Mail E-Transfer mit den untenstehenden Informationen senden, wird innerhalb von wenigen Minuten auf Ihre Bull Bitcoin Kontobilanz gutgeschrieben.", - "@fundExchangeETransferDescription": { - "description": "Description of how E-Transfer works and timeframe" - }, - "sendClearSelection": "Auswahl löschen", - "@sendClearSelection": { - "description": "Button to deselect all UTXOs" - }, - "fundExchangeLabelClabe": "CLABE", - "@fundExchangeLabelClabe": { - "description": "Label for CLABE number field (Mexico)" - }, - "statusCheckLastChecked": "Letzte Prüfung: {time}", - "@statusCheckLastChecked": { - "description": "Label showing when services were last checked", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "backupWalletVaultProviderQuickEasy": "Schnell und einfach", - "@backupWalletVaultProviderQuickEasy": { - "description": "Tag for Google Drive and iCloud providers" - }, - "sellPayoutAmount": "Auszahlungsbetrag", - "@sellPayoutAmount": { - "description": "Label for amount user receives" - }, - "dcaConfirmFrequencyDaily": "Jeden Tag", - "@dcaConfirmFrequencyDaily": { - "description": "Daily frequency label" - }, - "buyConfirmPurchase": "Kauf bestätigen", - "@buyConfirmPurchase": { - "description": "Button to confirm purchase" - }, - "transactionLabelNetworkFee": "Netzwerkgebühren", - "@transactionLabelNetworkFee": { - "description": "Label for network fee component" - }, - "importQrDeviceKeystoneStep9": "Setup ist komplett", - "@importQrDeviceKeystoneStep9": { - "description": "Keystone instruction step 9" - }, - "tapWordsInOrderTitle": "Tippen Sie auf die Wiederherstellungswörter in der\nRechtsbehelf", - "@tapWordsInOrderTitle": { - "description": "Title instructing user to tap words in order" - }, - "payEnterAmountTitle": "Betrag", - "@payEnterAmountTitle": { - "description": "Title for amount entry screen in payment flow" - }, - "transactionOrderLabelPayinMethod": "Zahlungsmethode", - "@transactionOrderLabelPayinMethod": { - "description": "Label for order payin method" - }, - "buyInputMaxAmountError": "Sie können nicht mehr kaufen als", - "@buyInputMaxAmountError": { - "description": "Maximum amount error message" - }, - "walletDetailsDeletingMessage": "Löschen von Geldbörse...", - "@walletDetailsDeletingMessage": { - "description": "Message displayed while a wallet is being deleted" - }, - "receiveUnableToVerifyAddress": "Unfähig, die Adresse zu überprüfen: Fehlende Brieftasche oder Adressinformationen", - "@receiveUnableToVerifyAddress": { - "description": "Error message when address verification is not possible" - }, - "payInvalidAddress": "Invalide Anschrift", - "@payInvalidAddress": { - "description": "Error for malformed address" - }, - "appUnlockAttemptPlural": "fehlgeschlagene versuche", - "@appUnlockAttemptPlural": { - "description": "Plural form of 'attempts' for failed unlock attempts" - }, - "exportVaultButton": "Export Vault", - "@exportVaultButton": { - "description": "Button label to export vault" - }, - "coreSwapsChainPaid": "Warten auf die Zahlung des Transferanbieters, um Bestätigung zu erhalten. Dies kann eine Weile dauern, um zu beenden.", - "@coreSwapsChainPaid": { - "description": "Status message for paid chain swap" - }, - "arkConfirmed": "Bestätigt", - "@arkConfirmed": { - "description": "Label for confirmed balance in breakdown" - }, - "importQrDevicePassportStep6": "Wählen Sie \"Single-sig\"", - "@importQrDevicePassportStep6": { - "description": "Passport instruction step 6" - }, - "sendSatsPerVB": "sats/vB", - "@sendSatsPerVB": { - "description": "Unit label for satoshis per virtual byte" - }, - "withdrawRecipientsContinue": "Fortsetzung", - "@withdrawRecipientsContinue": { - "description": "Continue button on recipients screen" - }, - "enterPinAgainMessage": "Geben Sie Ihre {pinOrPassword} erneut ein, um fortzufahren.", - "@enterPinAgainMessage": { - "description": "Message asking to re-enter PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "importColdcardButtonInstructions": "Anweisungen", - "@importColdcardButtonInstructions": { - "description": "ImportColdcardQ: Button to show setup instructions" - }, - "bitboxActionUnlockDeviceProcessingSubtext": "Bitte geben Sie Ihr Passwort auf dem BitBox Gerät ein...", - "@bitboxActionUnlockDeviceProcessingSubtext": { - "description": "Processing subtext for unlock device" - }, - "sellWhichWalletQuestion": "Welche Brieftasche wollen Sie verkaufen?", - "@sellWhichWalletQuestion": { - "description": "Question prompting user to select wallet" - }, - "buyNetworkFeeRate": "Netzentgelt", - "@buyNetworkFeeRate": { - "description": "Label for network fee rate" - }, - "autoswapAlwaysBlockLabel": "Immer hohe Gebühren blockieren", - "@autoswapAlwaysBlockLabel": { - "description": "Label for toggle to always block high fee transfers" - }, - "receiveFixedAmount": "Betrag", - "@receiveFixedAmount": { - "description": "Required amount field" - }, - "bitboxActionVerifyAddressSuccessSubtext": "Die Adresse wurde auf Ihrem BitBox-Gerät überprüft.", - "@bitboxActionVerifyAddressSuccessSubtext": { - "description": "Success subtext for verify address" - }, - "transactionSwapDescLnSendPaid": "Ihre on-chain-Transaktion wurde ausgestrahlt. Nach 1 Bestätigung wird die Lightning-Zahlung gesendet.", - "@transactionSwapDescLnSendPaid": { - "description": "Description for paid Lightning send swap" - }, - "transactionSwapDescChainDefault": "Ihr Transfer ist im Gange. Dieser Prozess ist automatisiert und kann einige Zeit zum Abschluss nehmen.", - "@transactionSwapDescChainDefault": { - "description": "Default description for chain swap" - }, - "onboardingBullBitcoin": "Bull Bitcoin", - "@onboardingBullBitcoin": { - "description": "Brand name displayed in onboarding" - }, - "coreSwapsChainClaimable": "Transfer ist bereit, beansprucht zu werden.", - "@coreSwapsChainClaimable": { - "description": "Status message for claimable chain swap" - }, - "dcaNetworkLightning": "Blitznetz", - "@dcaNetworkLightning": { - "description": "Lightning network label for DCA" - }, - "backupWalletHowToDecideVaultCloudRecommendationText": "sie möchten sicherstellen, dass sie nie den zugriff auf ihre tresordatei verlieren, auch wenn sie ihre geräte verlieren.", - "@backupWalletHowToDecideVaultCloudRecommendationText": { - "description": "Recommendation text for when to use cloud storage" - }, - "arkAboutEsploraUrl": "Esplora URL", - "@arkAboutEsploraUrl": { - "description": "Field label for Esplora URL" - }, - "backupKeyExampleWarning": "Zum Beispiel, wenn Sie Google Drive für Ihre Backup-Datei verwendet, verwenden Sie nicht Google Drive für Ihre Backup-Taste.", - "@backupKeyExampleWarning": { - "description": "Example warning about not using same cloud provider" - }, - "importColdcardInstructionsStep3": "Navigieren Sie zu \"Advanced/Tools\"", - "@importColdcardInstructionsStep3": { - "description": "ImportColdcardQ: Third instruction step" - }, - "buyPhotoID": "Foto-ID", - "@buyPhotoID": { - "description": "Type of document required" - }, - "exchangeSettingsAccountInformationTitle": "Informationen Ã1⁄4ber das Konto", - "@exchangeSettingsAccountInformationTitle": { - "description": "Title for the account information section in exchange settings" - }, - "appStartupErrorTitle": "Startseite Fehler", - "@appStartupErrorTitle": { - "description": "Title shown when the app fails to start up properly" - }, - "transactionLabelTransferId": "Transfer ID", - "@transactionLabelTransferId": { - "description": "Label for transfer/swap ID" - }, - "sendTitle": "Bitte", - "@sendTitle": { - "description": "Title for the send screen" - }, - "withdrawOrderNotFoundError": "Der Widerruf wurde nicht gefunden. Bitte versuchen Sie es noch mal.", - "@withdrawOrderNotFoundError": { - "description": "Error message for order not found during withdraw" - }, - "importQrDeviceSeedsignerStep4": "Wählen Sie \"Export Xpub\"", - "@importQrDeviceSeedsignerStep4": { - "description": "SeedSigner instruction step 4" - }, - "seedsignerStep6": " - Bewegen Sie den roten Laser über QR-Code", - "@seedsignerStep6": { - "description": "SeedSigner troubleshooting tip 2" - }, - "ledgerHelpStep5": "Stellen Sie sicher, dass Sie Ledger Gerät verwendet die neueste Firmware, Sie können die Firmware mit der Ledger Live Desktop-App aktualisieren.", - "@ledgerHelpStep5": { - "description": "Fifth troubleshooting step for Ledger connection issues" - }, - "torSettingsPortDisplay": "{port}", - "@torSettingsPortDisplay": { - "description": "Display text showing current port number", - "placeholders": { - "port": { - "type": "int" - } - } - }, - "payTransitNumber": "Übergangsnummer", - "@payTransitNumber": { - "description": "Label for transit number" - }, - "importQrDeviceSpecterStep5": "Wählen Sie \"Master public keys\"", - "@importQrDeviceSpecterStep5": { - "description": "Specter instruction step 5" - }, - "fundExchangeCostaRicaMethodIbanUsdTitle": "IBAN Costa Rica (USD)", - "@fundExchangeCostaRicaMethodIbanUsdTitle": { - "description": "Payment method title for IBAN USD in method list" - }, - "allSeedViewDeleteWarningTitle": "WARNING!", - "@allSeedViewDeleteWarningTitle": { - "description": "Title for delete seed warning dialog" - }, - "backupSettingsBackupKey": "Sicherungsschlüssel", - "@backupSettingsBackupKey": { - "description": "AppBar title for view backup key screen" - }, - "arkTransactionId": "Transaktions-ID", - "@arkTransactionId": { - "description": "Label for transaction ID field in details table" - }, - "payInvoiceCopied": "Invoice kopiert zu Clipboard", - "@payInvoiceCopied": { - "description": "Toast message after copying invoice" - }, - "recoverbullEncryptedVaultCreated": "Verschlüsselter Tresor erstellt!", - "@recoverbullEncryptedVaultCreated": { - "description": "Success message title after vault creation" - }, - "addressViewChangeAddressesComingSoon": "Adressen, die bald kommen", - "@addressViewChangeAddressesComingSoon": { - "description": "Empty state message for change addresses feature that is coming soon" - }, - "psbtFlowScanQrShown": "Scannen Sie den QR-Code in der Bull Brieftasche", - "@psbtFlowScanQrShown": { - "description": "Instruction to scan QR code displayed in app" - }, - "testBackupErrorInvalidFile": "Invalider Akteninhalt", - "@testBackupErrorInvalidFile": { - "description": "Error when selected file has invalid content" - }, - "payHowToPayInvoice": "Wie möchten Sie diese Rechnung bezahlen?", - "@payHowToPayInvoice": { - "description": "Question for payment method selection" - }, - "transactionDetailLabelSendNetworkFee": "Netzwerkgebühr senden", - "@transactionDetailLabelSendNetworkFee": { - "description": "Label for send network fee" - }, - "sendSlowPaymentWarningDescription": "Bitcoin Swaps wird Zeit nehmen, um zu bestätigen.", - "@sendSlowPaymentWarningDescription": { - "description": "Description for slow payment warning" - }, - "bitboxActionVerifyAddressProcessingSubtext": "Bitte bestätigen Sie die Adresse auf Ihrem BitBox-Gerät.", - "@bitboxActionVerifyAddressProcessingSubtext": { - "description": "Processing subtext for verify address" - }, - "pinConfirmHeadline": "Bestätigen Sie den neuen Pin", - "@pinConfirmHeadline": { - "description": "Headline text on PIN confirmation screen" - }, - "fundExchangeCanadaPostQrCodeLabel": "Loadhub QR Code", - "@fundExchangeCanadaPostQrCodeLabel": { - "description": "Label for the Loadhub QR code display" - }, - "payConfirmationRequired": "Bestätigung erforderlich", - "@payConfirmationRequired": { - "description": "Message when user confirmation is needed" - }, - "bip85NextHex": "Nächste HEX", - "@bip85NextHex": { - "description": "Button to derive next hex entropy" - }, - "physicalBackupStatusLabel": "Physische Sicherung", - "@physicalBackupStatusLabel": { - "description": "Status label for physical backup" - }, - "exchangeSettingsLogOutTitle": "Anmelden", - "@exchangeSettingsLogOutTitle": { - "description": "Title for the log out option in exchange settings" - }, - "addressCardBalanceLabel": "Bilanz: ", - "@addressCardBalanceLabel": { - "description": "Label for the balance field in address card" - }, - "recoverWalletScreenTitle": "Recover Wallet", - "@recoverWalletScreenTitle": { - "description": "Title for recover wallet screen" - }, - "rbfEstimatedDelivery": "Geschätzte Lieferung ~ 10 Minuten", - "@rbfEstimatedDelivery": { - "description": "Estimated confirmation time for fastest fee" - }, - "sendSwapCancelled": "Swap storniert", - "@sendSwapCancelled": { - "description": "Message when user cancels swap" - }, - "backupWalletGoogleDrivePrivacyMessage4": "nie ", - "@backupWalletGoogleDrivePrivacyMessage4": { - "description": "Fourth part of privacy message (bold)" - }, - "dcaPaymentMethodValue": "{currency} Balance", - "@dcaPaymentMethodValue": { - "description": "Value for payment method with currency code placeholder", - "placeholders": { - "currency": { - "type": "String" - } - } - }, - "swapTransferCompletedTitle": "Abgeschlossen", - "@swapTransferCompletedTitle": { - "description": "Title when swap completes successfully" - }, - "torSettingsStatusDisconnected": "Entkoppelt", - "@torSettingsStatusDisconnected": { - "description": "Status title when Tor is disconnected" - }, - "exchangeDcaCancelDialogTitle": "Bitcoin Recurring Kaufen?", - "@exchangeDcaCancelDialogTitle": { - "description": "Title of the dialog confirming DCA cancellation" - }, - "sellSendPaymentMxnBalance": "MXN Saldo", - "@sellSendPaymentMxnBalance": { - "description": "MXN balance payout method" - }, - "fundExchangeSinpeLabelRecipientName": "Empfängername", - "@fundExchangeSinpeLabelRecipientName": { - "description": "Label for recipient name in SINPE transfer" - }, - "dcaScheduleDescription": "Bitcoin-Käufe werden automatisch nach diesem Zeitplan platziert.", - "@dcaScheduleDescription": { - "description": "Explanation text at the top of DCA setup form" - }, - "keystoneInstructionsTitle": "Keystone Anleitung", - "@keystoneInstructionsTitle": { - "description": "Title for Keystone signing instructions modal" - }, - "hwLedger": "Led", - "@hwLedger": { - "description": "Name of Ledger hardware wallet" - }, - "physicalBackupDescription": "Schreiben Sie 12 Wörter auf einem Stück Papier. Halten Sie sie sicher und stellen Sie sicher, sie nicht zu verlieren.", - "@physicalBackupDescription": { - "description": "Description of physical backup method" - }, - "dcaConfirmButton": "Fortsetzung", - "@dcaConfirmButton": { - "description": "Button label to confirm and activate DCA" - }, - "dcaBackToHomeButton": "Zurück zu Hause", - "@dcaBackToHomeButton": { - "description": "Button label to return to exchange home screen" - }, - "importQrDeviceKruxInstructionsTitle": "Krux Anleitung", - "@importQrDeviceKruxInstructionsTitle": { - "description": "Title for Krux setup instructions" - }, - "transactionOrderLabelOriginName": "Ursprungsbezeichnung", - "@transactionOrderLabelOriginName": { - "description": "Label for origin name in fiat payment order" - }, - "importQrDeviceKeystoneInstructionsTitle": "Keystone Anleitung", - "@importQrDeviceKeystoneInstructionsTitle": { - "description": "Title for Keystone setup instructions" - }, - "electrumSavePriorityFailedError": "Fehler beim Speichern von Serverpriorität{reason}", - "@electrumSavePriorityFailedError": { - "description": "Error message when saving server priority fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "globalDefaultLiquidWalletLabel": "Sofortzahlungen", - "@globalDefaultLiquidWalletLabel": { - "description": "Default label for Liquid/instant payments wallets when used as the default wallet" - }, - "bitboxActionVerifyAddressProcessing": "Adresse auf BitBox anzeigen...", - "@bitboxActionVerifyAddressProcessing": { - "description": "Processing text for verify address" - }, - "sendTypeSwap": "Swap", - "@sendTypeSwap": { - "description": "Send type name for Lightning swap transactions" - }, - "sendErrorAmountExceedsMaximum": "Höchstbetrag", - "@sendErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum allowed for swap" - }, - "bitboxActionSignTransactionSuccess": "Transaktion erfolgreich unterzeichnet", - "@bitboxActionSignTransactionSuccess": { - "description": "Success text for sign transaction" - }, - "fundExchangeMethodInstantSepa": "Instant SEPA", - "@fundExchangeMethodInstantSepa": { - "description": "Payment method: Instant SEPA (Europe)" - }, - "buyVerificationFailed": "Verifizierung nicht möglich: {reason}", - "@buyVerificationFailed": { - "description": "Error message with failure reason", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "importWatchOnlyBuyDevice": "Ein Gerät kaufen", - "@importWatchOnlyBuyDevice": { - "description": "Button label to purchase a hardware wallet device" - }, - "sellMinimumAmount": "Mindestverkaufsmenge: {amount}", - "@sellMinimumAmount": { - "description": "Error for amount below minimum", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "importColdcardTitle": "Kaltkarte verbinden Q", - "@importColdcardTitle": { - "description": "AppBar title for Coldcard Q import" - }, - "ledgerSuccessImportDescription": "Ihre Ledger Geldbörse wurde erfolgreich importiert.", - "@ledgerSuccessImportDescription": { - "description": "Success message description after importing Ledger wallet" - }, - "pinStatusProcessing": "Verarbeitung", - "@pinStatusProcessing": { - "description": "Status screen title during PIN save/delete operations" - }, - "dcaCancelMessage": "Ihr wiederkehrender Bitcoin Kaufplan wird aufhören, und geplante Kaufe werden enden. Um neu zu starten, müssen Sie einen neuen Plan einrichten.", - "@dcaCancelMessage": { - "description": "Dialog message for DCA cancellation" - }, - "fundExchangeHelpPaymentDescription": "Ihr Transfercode.", - "@fundExchangeHelpPaymentDescription": { - "description": "Help text for payment description field" - }, - "sellSendPaymentFastest": "Fast", - "@sellSendPaymentFastest": { - "description": "Fastest fee priority option" - }, - "dcaConfirmNetwork": "Netzwerk", - "@dcaConfirmNetwork": { - "description": "Field label for network" - }, - "allSeedViewDeleteWarningMessage": "Die Entsendung des Samens ist eine irreversible Handlung. Nur tun Sie dies, wenn Sie sichere Backups dieses Samens haben oder die zugehörigen Portemonnaies wurden vollständig abgelassen.", - "@allSeedViewDeleteWarningMessage": { - "description": "Warning message about deleting a seed" - }, - "bip329LabelsTitle": "BIP329 Etiketten", - "@bip329LabelsTitle": { - "description": "Title for BIP329 labels page" - }, - "walletAutoTransferAllowButton": "Genehmigung", - "@walletAutoTransferAllowButton": { - "description": "Button to allow auto-transfer despite high fees" - }, - "autoswapSelectWalletRequired": "Wählen Sie eine Bitcoin Geldbörse *", - "@autoswapSelectWalletRequired": { - "description": "Placeholder for wallet dropdown when required" - }, - "exchangeFeatureSellBitcoin": "• Bitcoin verkaufen, mit Bitcoin bezahlt werden", - "@exchangeFeatureSellBitcoin": { - "description": "Feature bullet point describing selling Bitcoin functionality" - }, - "hwSeedSigner": "SeedSigner", - "@hwSeedSigner": { - "description": "Name of SeedSigner hardware wallet" - }, - "bitboxActionUnlockDeviceButton": "Entsperren Gerät", - "@bitboxActionUnlockDeviceButton": { - "description": "Button text for unlock device" - }, - "payNetworkError": "Netzwerkfehler. Bitte versuchen Sie es noch einmal", - "@payNetworkError": { - "description": "Error message for network connectivity issues during payment" - }, - "sendNetworkFeesLabel": "Netzwerkgebühren senden", - "@sendNetworkFeesLabel": { - "description": "Label for sending network fees in chain swap" - }, - "payWhichWallet": "Welche Brieftasche wollen Sie bezahlen?", - "@payWhichWallet": { - "description": "Question prompt for wallet selection" - }, - "autoswapBaseBalanceInfoText": "Ihre sofortige Zahlung Geldbörse Balance wird nach einem Autowap zurück zu diesem Gleichgewicht.", - "@autoswapBaseBalanceInfoText": { - "description": "Info text explaining what happens to the balance after an autoswap" - }, - "recoverbullSelectDecryptVault": "Verschlüsselung Tresor", - "@recoverbullSelectDecryptVault": { - "description": "Primary button text to proceed with vault decryption" - }, - "buyUpgradeKYC": "Upgrade KYC Ebene", - "@buyUpgradeKYC": { - "description": "Button to increase verification tier" - }, - "transactionOrderLabelOrderType": "Bestelltyp", - "@transactionOrderLabelOrderType": { - "description": "Label for order type" - }, - "autoswapEnableToggleLabel": "Autotransfer aktivieren", - "@autoswapEnableToggleLabel": { - "description": "Label for the main toggle switch to enable/disable auto transfer feature" - }, - "sendDustAmount": "Zu klein (Staub)", - "@sendDustAmount": { - "description": "Error for uneconomical amount" - }, - "allSeedViewExistingWallets": "Vorhandene Geldbörsen ({count})", - "@allSeedViewExistingWallets": { - "description": "Section header for existing wallets with count", - "placeholders": { - "count": { - "type": "int", - "format": "decimalPattern" - } - } - }, - "arkSendConfirmedBalance": "Saldo bestätigt", - "@arkSendConfirmedBalance": { - "description": "Confirmed balance label" - }, - "sellFastest": "Fast", - "@sellFastest": { - "description": "Display text for fastest fee option" - }, - "receiveTitle": "Empfang", - "@receiveTitle": { - "description": "Main screen title for receive feature" - }, - "transactionSwapInfoRefundableSwap": "Dieser Swap wird innerhalb weniger Sekunden automatisch zurückerstattet. Falls nicht, können Sie eine manuelle Rückerstattung versuchen, indem Sie auf die Schaltfläche \"Retry Swap Refund\" klicken.", - "@transactionSwapInfoRefundableSwap": { - "description": "Additional info for refundable swaps" - }, - "payCancelPayment": "Zahlung abbrechen", - "@payCancelPayment": { - "description": "Button text to cancel payment flow" - }, - "ledgerInstructionsAndroidUsb": "Stellen Sie sicher, dass Sie Ledger wird mit der Bitcoin App geöffnet und über USB verbunden.", - "@ledgerInstructionsAndroidUsb": { - "description": "Connection instructions for Android devices (USB only)" - }, - "onboardingOwnYourMoney": "Eigenes Geld", - "@onboardingOwnYourMoney": { - "description": "Tagline displayed in onboarding splash screen" - }, - "allSeedViewTitle": "Ich bin nicht da", - "@allSeedViewTitle": { - "description": "Title for the seed viewer screen" - }, - "connectHardwareWalletLedger": "Led", - "@connectHardwareWalletLedger": { - "description": "Ledger hardware wallet option" - }, - "importQrDevicePassportInstructionsTitle": "Anleitung für die Stiftung Passport", - "@importQrDevicePassportInstructionsTitle": { - "description": "Title for Passport setup instructions" - }, - "rbfFeeRate": "Gebührensatz: {rate} sat/vbyte", - "@rbfFeeRate": { - "description": "Label showing fee rate", - "placeholders": { - "rate": { - "type": "String" - } - } - }, - "leaveYourPhone": "ihr telefon verlassen und ist ", - "@leaveYourPhone": { - "description": "Middle part of privacy assurance message" - }, - "sendFastFee": "Schnell", - "@sendFastFee": { - "description": "Highest fee tier" - }, - "exchangeBrandName": "BITCOIN", - "@exchangeBrandName": { - "description": "The Bull Bitcoin brand name displayed on exchange screens" - }, - "torSettingsPortHelper": "Standard Orbot Port: 9050", - "@torSettingsPortHelper": { - "description": "Helper text explaining default Orbot port" - }, - "submitButton": "Einreichung", - "@submitButton": { - "description": "Default button label to submit mnemonic" - }, - "bitboxScreenTryAgainButton": "Noch einmal", - "@bitboxScreenTryAgainButton": { - "description": "Button to retry failed action" - }, - "dcaConfirmTitle": "Bestätigen Sie erneut Kaufen", - "@dcaConfirmTitle": { - "description": "AppBar title for DCA confirmation screen" - }, - "viewVaultKeyButton": "View Vault Schlüssel", - "@viewVaultKeyButton": { - "description": "Button label to view vault key" - }, - "recoverbullPasswordMismatch": "Passwörter passen nicht", - "@recoverbullPasswordMismatch": { - "description": "Validation error when passwords don't match" - }, - "fundExchangeCrIbanUsdTransferCodeWarning": "Sie müssen den Transfercode als \"Nachricht\" oder \"Anweisung\" oder \"Beschreibung\" bei der Zahlung hinzufügen. Wenn Sie vergessen, diesen Code einzubeziehen, kann Ihre Zahlung abgelehnt werden.", - "@fundExchangeCrIbanUsdTransferCodeWarning": { - "description": "Warning about including transfer code in payment for USD transfers" - }, - "backupSettingsPhysicalBackup": "Physische Sicherung", - "@backupSettingsPhysicalBackup": { - "description": "Label for physical backup status row" - }, - "importColdcardDescription": "Importieren Sie den Brieftasche-Deskriptor QR-Code von Ihrem Coldcard Q", - "@importColdcardDescription": { - "description": "ImportColdcardQ: Main instruction text on import page" - }, - "backupSettingsSecurityWarning": "Sicherheitswarnung", - "@backupSettingsSecurityWarning": { - "description": "Title for backup key security warning modal" - }, - "arkCopyAddress": "Kopienadresse", - "@arkCopyAddress": { - "description": "Button label to expand and show address details for copying" - }, - "sendScheduleFor": "Zeitplan für {date}", - "@sendScheduleFor": { - "description": "Label for scheduled date", - "placeholders": { - "date": { - "type": "String" - } - } - }, - "psbtFlowClickDone": "Klicken Sie auf \"Ich bin fertig\" in der Bull Bitcoin Geldbörse.", - "@psbtFlowClickDone": { - "description": "Instruction to click done button in app" - }, - "addressCardUnusedLabel": "Nicht verwendet", - "@addressCardUnusedLabel": { - "description": "Label indicating an address has not been used" - }, - "bitboxActionUnlockDeviceSuccess": "Gerät entriegelt Erfolgreich", - "@bitboxActionUnlockDeviceSuccess": { - "description": "Success text for unlock device" - }, - "receivePayjoinInProgress": "Payjoin im laufenden", - "@receivePayjoinInProgress": { - "description": "Status message when a payjoin transaction is in progress" - }, - "payFor": "Für", - "@payFor": { - "description": "Label for recipient information section" - }, - "payEnterValidAmount": "Bitte geben Sie einen gültigen Betrag ein", - "@payEnterValidAmount": { - "description": "Validation error for invalid amount format" - }, - "pinButtonRemove": "Security PIN entfernen", - "@pinButtonRemove": { - "description": "Button label to delete existing PIN" - }, - "urProgressLabel": "UR Progress: {parts} Teile", - "@urProgressLabel": { - "description": "Progress message showing parts processed for multi-part UR codes", - "placeholders": { - "parts": { - "type": "String" - } - } - }, - "transactionDetailLabelAddressNotes": "Anschrift", - "@transactionDetailLabelAddressNotes": { - "description": "Label for address notes" - }, - "coldcardInstructionsTitle": "Coldcard Q Anleitung", - "@coldcardInstructionsTitle": { - "description": "Title for Coldcard Q signing instructions modal" - }, - "electrumDefaultServers": "Standardserver", - "@electrumDefaultServers": { - "description": "Section header for default servers list" - }, - "onboardingRecoverWallet": "Recover Wallet", - "@onboardingRecoverWallet": { - "description": "Title for the recover wallet screen in onboarding" - }, - "scanningProgressLabel": "Scannen: {percent}%", - "@scanningProgressLabel": { - "description": "Progress indicator for UR QR code scanning", - "placeholders": { - "percent": { - "type": "String" - } - } - }, - "transactionOrderLabelReferenceNumber": "Bezugsnummer", - "@transactionOrderLabelReferenceNumber": { - "description": "Label for reference number in order details" - }, - "backupWalletHowToDecide": "Wie zu entscheiden?", - "@backupWalletHowToDecide": { - "description": "Link text to open modal explaining how to choose backup method" - }, - "recoverbullTestBackupDescription": "Jetzt testen wir Ihr Backup, um sicherzustellen, dass alles richtig gemacht wurde.", - "@recoverbullTestBackupDescription": { - "description": "Description message before testing backup" - }, - "fundExchangeSpeiInfo": "Machen Sie eine Einzahlung mit SPEI Transfer (instant).", - "@fundExchangeSpeiInfo": { - "description": "Info message about SPEI transfer being instant" - }, - "screenshotLabel": "Screenshot:", - "@screenshotLabel": { - "description": "Label for screenshot (with X mark)" - }, - "bitboxErrorOperationTimeout": "Die Operation hat gedauert. Bitte versuchen Sie es noch mal.", - "@bitboxErrorOperationTimeout": { - "description": "Error when BitBox operation times out" - }, - "receiveLightning": "Beleuchtung", - "@receiveLightning": { - "description": "Label for receiving Bitcoin via Lightning Network" - }, - "sendRecipientAddressOrInvoice": "Adresse oder Rechnung des Empfängers", - "@sendRecipientAddressOrInvoice": { - "description": "Label for the recipient address or invoice input field" - }, - "mempoolCustomServerUrlEmpty": "Bitte geben Sie eine Server-URL ein", - "@mempoolCustomServerUrlEmpty": { - "description": "Error message when server URL is empty" - }, - "importQrDeviceKeystoneName": "Schlüssel", - "@importQrDeviceKeystoneName": { - "description": "Name of Keystone device" - }, - "payBitcoinAddress": "Bitcoin Adresse", - "@payBitcoinAddress": { - "description": "Label indicating payment destination is on-chain address" - }, - "buyInsufficientBalanceTitle": "Unzureichende Bilanz", - "@buyInsufficientBalanceTitle": { - "description": "Title for insufficient balance error" - }, - "swapProgressPending": "Über uns", - "@swapProgressPending": { - "description": "Pending transfer status" - }, - "exchangeDcaAddressLabelBitcoin": "Bitcoin Adresse", - "@exchangeDcaAddressLabelBitcoin": { - "description": "Label for Bitcoin address in DCA settings" - }, - "loadingBackupFile": "Backup-Datei laden...", - "@loadingBackupFile": { - "description": "Message shown while loading backup file" - }, - "legacySeedViewPassphrasesLabel": "Passphrasen:", - "@legacySeedViewPassphrasesLabel": { - "description": "Label for passphrases section" - }, - "recoverbullContinue": "Fortsetzung", - "@recoverbullContinue": { - "description": "Button text to proceed to next step" - }, - "receiveAddressCopied": "Adresse kopiert zu Clipboard", - "@receiveAddressCopied": { - "description": "Toast message after copying address" - }, - "sellSendPaymentPayinAmount": "Zahlbetrag", - "@sellSendPaymentPayinAmount": { - "description": "Field label for payin amount" - }, - "psbtFlowTurnOnDevice": "Schalten Sie Ihr {device} Gerät an", - "@psbtFlowTurnOnDevice": { - "description": "Instruction to power on hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "backupSettingsKeyServer": "Schlüsselserver ", - "@backupSettingsKeyServer": { - "description": "Label for key server connection status indicator" - }, - "connectHardwareWalletColdcardQ": "Kaltkarte Q", - "@connectHardwareWalletColdcardQ": { - "description": "Coldcard Q hardware wallet option" - }, - "seedsignerStep2": "Klicken Sie auf Scan", - "@seedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, - "addressCardIndexLabel": "Index: ", - "@addressCardIndexLabel": { - "description": "Label for the address index field in address card" - }, - "ledgerErrorMissingDerivationPathVerify": "Der Ableitungspfad ist zur Überprüfung erforderlich", - "@ledgerErrorMissingDerivationPathVerify": { - "description": "Error message when derivation path is missing for verification" - }, - "recoverbullErrorVaultNotSet": "Vault ist nicht eingestellt", - "@recoverbullErrorVaultNotSet": { - "description": "Error when attempting operation without selected vault" - }, - "ledgerErrorMissingScriptTypeSign": "Script-Typ ist für die Anmeldung erforderlich", - "@ledgerErrorMissingScriptTypeSign": { - "description": "Error message when script type is missing for signing" - }, - "dcaSetupContinue": "Fortsetzung", - "@dcaSetupContinue": { - "description": "Continue button on DCA setup" - }, - "electrumFormatError": "Verwenden Sie Host:port-Format (z.B. example.com:50001)", - "@electrumFormatError": { - "description": "Validation error for incorrect server URL format" - }, - "arkAboutDurationDay": "{days} Tag", - "@arkAboutDurationDay": { - "description": "Duration format for singular day", - "placeholders": { - "days": { - "type": "int" - } - } - }, - "arkDurationHour": "{hours} Stunde", - "@arkDurationHour": { - "description": "Duration format for singular hour", - "placeholders": { - "hours": { - "type": "String" - } - } - }, - "transactionFeesDeductedFrom": "Diese Gebühren werden vom gesendeten Betrag abgezogen", - "@transactionFeesDeductedFrom": { - "description": "Fee deduction explanation for receiving swaps" - }, - "buyConfirmYouPay": "Sie zahlen", - "@buyConfirmYouPay": { - "description": "Field label for payment amount" - }, - "importWatchOnlyTitle": "Importieren Sie nur Uhr", - "@importWatchOnlyTitle": { - "description": "AppBar title for watch-only import screen" - }, - "walletDetailsWalletFingerprintLabel": "Wandtattoo Fingerabdruck", - "@walletDetailsWalletFingerprintLabel": { - "description": "Label for the wallet fingerprint field in wallet details" - }, - "logsViewerTitle": "Logs", - "@logsViewerTitle": { - "description": "AppBar title for logs viewer screen" - }, - "recoverbullTorNotStarted": "Tor ist nicht gestartet", - "@recoverbullTorNotStarted": { - "description": "Error message when Tor is not started" - }, - "arkPending": "Ausgaben", - "@arkPending": { - "description": "Label for pending balance in breakdown" - }, - "transactionOrderLabelOrderStatus": "Bestellstatus", - "@transactionOrderLabelOrderStatus": { - "description": "Label for order status" - }, - "testBackupCreatedAt": "Erstellt bei:", - "@testBackupCreatedAt": { - "description": "Label for vault creation timestamp field" - }, - "dcaSetRecurringBuyTitle": "Recuring Set kaufen", - "@dcaSetRecurringBuyTitle": { - "description": "AppBar title for the main DCA setup screen" - }, - "psbtFlowSignTransactionOnDevice": "Klicken Sie auf die Schaltflächen, um die Transaktion auf Ihrem {device} zu unterzeichnen.", - "@psbtFlowSignTransactionOnDevice": { - "description": "Instruction to sign transaction on hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "transactionStatusPending": "Ausgaben", - "@transactionStatusPending": { - "description": "Status label for pending transactions" - }, - "settingsSuperuserModeDisabledMessage": "Superuser-Modus deaktiviert.", - "@settingsSuperuserModeDisabledMessage": { - "description": "Message shown when superuser mode is disabled" - }, - "bitboxCubitConnectionFailed": "Nicht angeschlossen BitBox Gerät. Bitte überprüfen Sie Ihre Verbindung.", - "@bitboxCubitConnectionFailed": { - "description": "Error interpretation for connection failure" - }, - "settingsTermsOfServiceTitle": "Geschäftsbedingungen", - "@settingsTermsOfServiceTitle": { - "description": "Title for the terms of service section in the settings menu" - }, - "importQrDeviceScanning": "Scannen...", - "@importQrDeviceScanning": { - "description": "Status while scanning QR code" - }, - "importWalletKeystone": "Schlüssel", - "@importWalletKeystone": { - "description": "Button label for Keystone hardware wallet" - }, - "payNewRecipients": "Neue Empfänger", - "@payNewRecipients": { - "description": "Tab label for new recipients" - }, - "transactionLabelSendNetworkFees": "Netzwerkgebühren senden", - "@transactionLabelSendNetworkFees": { - "description": "Label for send network fees in swap details" - }, - "transactionLabelAddress": "Anschrift", - "@transactionLabelAddress": { - "description": "Label for transaction address" - }, - "testBackupConfirm": "Bestätigen", - "@testBackupConfirm": { - "description": "Button text to confirm wallet selection" - }, - "urProcessingFailedMessage": "UR-Verarbeitung gescheitert", - "@urProcessingFailedMessage": { - "description": "Error message when UR processing encounters an exception" - }, - "backupWalletChooseVaultLocationTitle": "Wählen Sie den Speicherort", - "@backupWalletChooseVaultLocationTitle": { - "description": "AppBar title for choosing encrypted vault provider screen" - }, - "receiveCopyAddressOnly": "Adresse nur kopieren oder scannen", - "@receiveCopyAddressOnly": { - "description": "Option to copy or scan only the address without amount or other details" - }, - "testBackupErrorTestFailed": "Fehler beim Testen von Backups: {error}", - "@testBackupErrorTestFailed": { - "description": "Generic error message for backup test failure", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payLightningFee": "Blitz-Fee", - "@payLightningFee": { - "description": "Label for Lightning Network routing fee" - }, - "payLabelOptional": "Label (optional)", - "@payLabelOptional": { - "description": "Label for optional label field" - }, - "recoverbullGoogleDriveDeleteButton": "Löschen", - "@recoverbullGoogleDriveDeleteButton": { - "description": "Delete button text for vault backup" - }, - "arkBalanceBreakdownTooltip": "Aufgliederung der Bilanz", - "@arkBalanceBreakdownTooltip": { - "description": "Tooltip for info button that opens balance breakdown" - }, - "exchangeDcaDeactivateTitle": "Wiederkehrender Kauf deaktivieren", - "@exchangeDcaDeactivateTitle": { - "description": "Title shown when DCA is active and can be deactivated" - }, - "exchangeSettingsSecuritySettingsTitle": "Sicherheitseinstellungen", - "@exchangeSettingsSecuritySettingsTitle": { - "description": "Title for the security settings section in exchange settings" - }, - "fundExchangeMethodEmailETransferSubtitle": "Einfachste und schnellste Methode (instant)", - "@fundExchangeMethodEmailETransferSubtitle": { - "description": "Subtitle for Email E-Transfer payment method" - }, - "testBackupLastBackupTest": "Letzter Backup-Test: {timestamp}", - "@testBackupLastBackupTest": { - "description": "Shows timestamp of last physical backup test", - "placeholders": { - "timestamp": { - "type": "String" - } - } - }, - "payAmountRequired": "Betrag", - "@payAmountRequired": { - "description": "Validation error for empty amount field" - }, - "keystoneStep7": " - Versuchen Sie, Ihr Gerät ein bisschen zurück zu bewegen", - "@keystoneStep7": { - "description": "Keystone troubleshooting tip 3" - }, - "coreSwapsChainExpired": "Überweisung abgelaufen", - "@coreSwapsChainExpired": { - "description": "Status message for expired chain swap" - }, - "payDefaultCommentOptional": "Default Kommentar (optional)", - "@payDefaultCommentOptional": { - "description": "Label for default comment field" - }, - "payCopyInvoice": "Kopieren Invoice", - "@payCopyInvoice": { - "description": "Button text to copy invoice to clipboard" - }, - "transactionListYesterday": "Gestern", - "@transactionListYesterday": { - "description": "Date label for yesterday's transactions" - }, - "walletButtonReceive": "Empfang", - "@walletButtonReceive": { - "description": "Button label to receive funds" - }, - "buyLevel2Limit": "Ebene 2: {amount}", - "@buyLevel2Limit": { - "description": "Purchase limit for enhanced KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "bitboxCubitDeviceNotPaired": "Gerät nicht gepaart. Bitte füllen Sie zuerst den Paarungsprozess aus.", - "@bitboxCubitDeviceNotPaired": { - "description": "Error interpretation for device not paired" - }, - "sellCrcBalance": "CRC Saldo", - "@sellCrcBalance": { - "description": "Display text for CRC balance payout method" - }, - "paySelectCoinsManually": "Münzen manuell auswählen", - "@paySelectCoinsManually": { - "description": "Option to manually select UTXOs" - }, - "replaceByFeeActivatedLabel": "Ersatz-by-fee aktiviert", - "@replaceByFeeActivatedLabel": { - "description": "Label for RBF toggle switch" - }, - "sendPaymentProcessing": "Die Zahlung wird bearbeitet. Es kann eine Minute dauern", - "@sendPaymentProcessing": { - "description": "Message while payment processes" - }, - "electrumDefaultServersInfo": "Um Ihre Privatsphäre zu schützen, werden Standardserver nicht verwendet, wenn benutzerdefinierte Server konfiguriert sind.", - "@electrumDefaultServersInfo": { - "description": "Info message explaining default servers behavior" - }, - "transactionDetailLabelPayoutMethod": "Zahlungsmethode", - "@transactionDetailLabelPayoutMethod": { - "description": "Label for payout method" - }, - "testBackupErrorLoadMnemonic": "Mnemonic nicht geladen: {error}", - "@testBackupErrorLoadMnemonic": { - "description": "Error when loading mnemonic fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payPriceRefreshIn": "Preis wird erfrischt ", - "@payPriceRefreshIn": { - "description": "Text before countdown timer" - }, - "bitboxCubitOperationCancelled": "Die Operation wurde aufgehoben. Bitte versuchen Sie es noch mal.", - "@bitboxCubitOperationCancelled": { - "description": "Error interpretation for cancelled operation" - }, - "passportStep3": "Scannen Sie den QR-Code in der Bull Brieftasche", - "@passportStep3": { - "description": "Passport instruction step 3" - }, - "jadeStep5": "Wenn Sie Probleme beim Scannen haben:", - "@jadeStep5": { - "description": "Jade troubleshooting header" - }, - "electrumProtocolError": "Protokoll nicht enthalten (ssl:// oder tcp://).", - "@electrumProtocolError": { - "description": "Validation error when protocol is included in server URL" - }, - "receivePayjoinFailQuestion": "Keine Zeit zu warten oder hat das payjoin auf der Seite des Absenders versagt?", - "@receivePayjoinFailQuestion": { - "description": "Question prompting user if they want to proceed without payjoin" - }, - "arkSendConfirmTitle": "Bestätigen Sie", - "@arkSendConfirmTitle": { - "description": "Title for the ark send confirmation page" - }, - "importQrDeviceSeedsignerStep1": "Leistung auf Ihrem SeedSigner Gerät", - "@importQrDeviceSeedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, - "exchangeRecipientsTitle": "Empfänger", - "@exchangeRecipientsTitle": { - "description": "Title for the recipients section in exchange" - }, - "legacySeedViewEmptyPassphrase": "(leer)", - "@legacySeedViewEmptyPassphrase": { - "description": "Text shown for empty passphrase" - }, - "importWatchOnlyDerivationPath": "Ableitungspfad", - "@importWatchOnlyDerivationPath": { - "description": "Label for derivation path field" - }, - "sendErrorBroadcastFailed": "Versäumt, Transaktion zu übertragen. Überprüfen Sie Ihre Netzwerkverbindung und versuchen Sie es erneut.", - "@sendErrorBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, - "paySecurityQuestion": "Sicherheitsfrage", - "@paySecurityQuestion": { - "description": "Label for security question field" - }, - "dcaSelectWalletTypeLabel": "Wählen Sie Bitcoin Wallet Type", - "@dcaSelectWalletTypeLabel": { - "description": "Label above wallet type selection radio buttons" - }, - "backupWalletHowToDecideVaultModalTitle": "Wie zu entscheiden", - "@backupWalletHowToDecideVaultModalTitle": { - "description": "Modal title for vault location comparison help" - }, - "importQrDeviceJadeStep1": "Schalten Sie Ihr Jade-Gerät an", - "@importQrDeviceJadeStep1": { - "description": "Jade instruction step 1" - }, - "payNotLoggedInDescription": "Sie sind nicht eingeloggt. Bitte loggen Sie sich ein, um die Zahlfunktion weiter zu nutzen.", - "@payNotLoggedInDescription": { - "description": "Description for not logged in state" - }, - "testBackupEncryptedVaultTag": "Einfach und einfach (1 Minute)", - "@testBackupEncryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, - "transactionLabelAddressNotes": "Anschrift", - "@transactionLabelAddressNotes": { - "description": "Label for address notes/labels" - }, - "bitboxScreenTroubleshootingStep3": "Starten Sie Ihr BitBox02 Gerät, indem Sie es deaktivieren und wieder verbinden.", - "@bitboxScreenTroubleshootingStep3": { - "description": "Troubleshooting step 3" - }, - "torSettingsProxyPort": "Tor Proxy Port", - "@torSettingsProxyPort": { - "description": "Title for Tor proxy port settings" - }, - "fundExchangeErrorLoadingDetails": "Die Zahlungsdaten konnten in diesem Moment nicht geladen werden. Bitte gehen Sie zurück und versuchen Sie es erneut, wählen Sie eine andere Zahlungsmethode oder kommen Sie später zurück.", - "@fundExchangeErrorLoadingDetails": { - "description": "Error message when funding details fail to load" - }, - "testCompletedSuccessTitle": "Test erfolgreich abgeschlossen!", - "@testCompletedSuccessTitle": { - "description": "Title shown when backup test is successful" - }, - "payBitcoinAmount": "Bitcoin Menge", - "@payBitcoinAmount": { - "description": "Label for Bitcoin amount" - }, - "fundExchangeSpeiTransfer": "SPEI-Transfer", - "@fundExchangeSpeiTransfer": { - "description": "SPEI transfer method title (Mexico)" - }, - "recoverbullUnexpectedError": "Unerwartete Fehler", - "@recoverbullUnexpectedError": { - "description": "Short unexpected error message" - }, - "transactionFilterSell": "Verkauf", - "@transactionFilterSell": { - "description": "Filter option to show only sell orders" - }, - "fundExchangeMethodSpeiTransfer": "SPEI-Transfer", - "@fundExchangeMethodSpeiTransfer": { - "description": "Payment method: SPEI transfer (Mexico)" - }, - "fundExchangeSinpeWarningNoBitcoinDescription": " das Wort \"Bitcoin\" oder \"Crypto\" in der Zahlungsbeschreibung. Dies wird Ihre Zahlung blockieren.", - "@fundExchangeSinpeWarningNoBitcoinDescription": { - "description": "Warning that including Bitcoin or Crypto in description will block payment" - }, - "electrumAddServer": "Server hinzufügen", - "@electrumAddServer": { - "description": "Add server button label" - }, - "addressViewCopyAddress": "Anschrift", - "@addressViewCopyAddress": { - "description": "Button to copy address to clipboard" - }, - "receiveBitcoin": "Bitcoin", - "@receiveBitcoin": { - "description": "Label for receiving Bitcoin on the base layer" - }, - "sellErrorNoWalletSelected": "Keine Brieftasche ausgewählt, um Zahlung zu senden", - "@sellErrorNoWalletSelected": { - "description": "Error message when no wallet is selected for payment" - }, - "fundExchangeCrIbanCrcRecipientNameHelp": "Nutzen Sie unseren offiziellen Firmennamen. Verwenden Sie nicht \"Bull Bitcoin\".", - "@fundExchangeCrIbanCrcRecipientNameHelp": { - "description": "Help text for recipient name field explaining to use corporate name" - }, - "receiveVerifyAddressLedger": "Adresse auf Ledger überprüfen", - "@receiveVerifyAddressLedger": { - "description": "Button label for verifying an address on a Ledger hardware wallet" - }, - "howToDecideButton": "Wie zu entscheiden?", - "@howToDecideButton": { - "description": "Button label to show information about choosing backup methods" - }, - "testBackupFetchingFromDevice": "Aus Ihrem Gerät herausholen.", - "@testBackupFetchingFromDevice": { - "description": "Progress screen title when fetching from local device" - }, - "backupWalletHowToDecideVaultCustomLocation": "Ein benutzerdefinierter Standort kann viel sicherer sein, je nachdem, welcher Ort Sie wählen. Sie müssen auch sicherstellen, nicht die Sicherungsdatei zu verlieren oder das Gerät zu verlieren, auf dem Ihre Sicherungsdatei gespeichert ist.", - "@backupWalletHowToDecideVaultCustomLocation": { - "description": "Explanation of custom location benefits and risks" - }, - "exchangeLegacyTransactionsComingSoon": "Vermächtnistransaktionen - Ich komme bald", - "@exchangeLegacyTransactionsComingSoon": { - "description": "Message indicating that the legacy transactions feature is coming soon" - }, - "buyProofOfAddress": "Nachweis der Anschrift", - "@buyProofOfAddress": { - "description": "Type of document required" - }, - "backupWalletInstructionNoDigitalCopies": "Machen Sie keine digitalen Kopien Ihrer Sicherung. Schreiben Sie es auf einem Stück Papier, oder graviert in Metall.", - "@backupWalletInstructionNoDigitalCopies": { - "description": "Instruction to avoid digital copies and use physical medium" - }, - "psbtFlowError": "Fehler: {error}", - "@psbtFlowError": { - "description": "Error message in psbt flow", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "replaceByFeeFastestDescription": "Geschätzte Lieferung ~ 10 Minuten", - "@replaceByFeeFastestDescription": { - "description": "Description for fastest fee option" - }, - "backupKeyHint": "a8b7b12daf06412f45a90b7fd2..", - "@backupKeyHint": { - "description": "Hint text for backup key input" - }, - "importQrDeviceSeedsignerStep2": "Öffnen Sie das Menü \"Seeds\"", - "@importQrDeviceSeedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, - "exchangeAmountInputValidationZero": "Betrag muss größer als Null sein", - "@exchangeAmountInputValidationZero": { - "description": "Validation message when amount is zero or negative" - }, - "transactionLabelTransactionFee": "Transaktionsgebühren", - "@transactionLabelTransactionFee": { - "description": "Label for transaction fee" - }, - "importWatchOnlyRequired": "Erforderlich", - "@importWatchOnlyRequired": { - "description": "Placeholder hint for required input fields" - }, - "payWalletNotSynced": "Geldbörse nicht synchronisiert. Bitte warten Sie", - "@payWalletNotSynced": { - "description": "Error when wallet sync is incomplete" - }, - "recoverbullRecoveryLoadingMessage": "Suche nach Balance und Transaktionen..", - "@recoverbullRecoveryLoadingMessage": { - "description": "Loading message while checking wallet balance and transactions" - }, - "transactionSwapInfoChainDelay": "On-Kette-Transfers können aufgrund der Blockchain-Bestätigungszeiten einige Zeit zum Abschluss nehmen.", - "@transactionSwapInfoChainDelay": { - "description": "Additional info about chain transfer delays" - }, - "sellExchangeRate": "Wechselkurs", - "@sellExchangeRate": { - "description": "Label for exchange rate" - }, - "walletOptionsNotFoundMessage": "Brieftasche nicht gefunden", - "@walletOptionsNotFoundMessage": { - "description": "Error message displayed when a wallet cannot be found" - }, - "importMnemonicLegacy": "Vermächtnis", - "@importMnemonicLegacy": { - "description": "Label for Legacy (BIP44) wallet type" - }, - "settingsDevModeWarningMessage": "Dieser Modus ist riskant. Indem Sie es aktivieren, bestätigen Sie, dass Sie Geld verlieren können", - "@settingsDevModeWarningMessage": { - "description": "Warning message displayed when enabling developer mode" - }, - "sellTitle": "Bitcoin verkaufen", - "@sellTitle": { - "description": "AppBar title for sell screen" - }, - "recoverbullVaultKey": "Vault Schlüssel", - "@recoverbullVaultKey": { - "description": "Screen title and label for vault key" - }, - "transactionListToday": "Heute", - "@transactionListToday": { - "description": "Date label for today's transactions" - }, - "keystoneStep12": "Die Bull Bitcoin Geldbörse wird Sie bitten, den QR-Code auf dem Keystone zu scannen. Scan es.", - "@keystoneStep12": { - "description": "Keystone instruction for scanning signed PSBT" - }, - "ledgerErrorRejectedByUser": "Die Transaktion wurde vom Benutzer auf dem Ledger Gerät abgelehnt.", - "@ledgerErrorRejectedByUser": { - "description": "Error message when user rejects transaction on Ledger (error code 6985)" - }, - "payFeeRate": "Gebührensatz", - "@payFeeRate": { - "description": "Label for fee rate (sat/vB)" - }, - "autoswapWarningDescription": "Autoswap sorgt dafür, dass eine gute Balance zwischen Ihren Instant Payments und Secure Bitcoin Wallet erhalten bleibt.", - "@autoswapWarningDescription": { - "description": "Description text at the top of the autoswap warning bottom sheet" - }, - "fundExchangeSinpeAddedToBalance": "Sobald die Zahlung gesendet wird, wird diese Ihrem Kontostand hinzugefügt.", - "@fundExchangeSinpeAddedToBalance": { - "description": "Message explaining that payment will be added to account balance" - }, - "durationMinute": "{minutes} Minute", - "@durationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "recoverbullErrorDecryptedVaultNotSet": "Entschlüsselter Tresor ist nicht gesetzt", - "@recoverbullErrorDecryptedVaultNotSet": { - "description": "Error when attempting operation without decrypted vault" - }, - "pinCodeMismatchError": "PINs passen nicht", - "@pinCodeMismatchError": { - "description": "Error message when PIN confirmation doesn't match" - }, - "autoswapRecipientWalletPlaceholderRequired": "Wählen Sie eine Bitcoin Geldbörse *", - "@autoswapRecipientWalletPlaceholderRequired": { - "description": "Dropdown placeholder with required indicator when auto transfer is enabled" - }, - "recoverbullGoogleDriveErrorGeneric": "Es kam ein Fehler auf. Bitte versuchen Sie es noch mal.", - "@recoverbullGoogleDriveErrorGeneric": { - "description": "Generic error message for unknown errors" - }, - "sellUnauthenticatedError": "Sie sind nicht authentifiziert. Bitte loggen Sie sich ein, um fortzufahren.", - "@sellUnauthenticatedError": { - "description": "Error message for unauthenticated user" - }, - "coreScreensConfirmSend": "Bestätigen Sie", - "@coreScreensConfirmSend": { - "description": "Title for confirm send action" - }, - "transactionDetailLabelSwapStatus": "Swap-Status", - "@transactionDetailLabelSwapStatus": { - "description": "Label for swap status" - }, - "passportStep10": "Der Passport zeigt Ihnen dann seinen eigenen QR-Code.", - "@passportStep10": { - "description": "Passport instruction about signed PSBT QR" - }, - "transactionDetailLabelAmountSent": "Betrag", - "@transactionDetailLabelAmountSent": { - "description": "Label for amount sent" - }, - "electrumStopGapEmptyError": "Stop Gap kann nicht leer sein", - "@electrumStopGapEmptyError": { - "description": "Validation error for empty Stop Gap field" - }, - "typeLabel": "Typ: ", - "@typeLabel": { - "description": "Label for address type (Receive/Change)" - }, - "buyInputInsufficientBalance": "Unzureichende Bilanz", - "@buyInputInsufficientBalance": { - "description": "Insufficient balance info card title" - }, - "ledgerProcessingSignSubtext": "Bitte bestätigen Sie die Transaktion auf Ihrem Ledger Gerät...", - "@ledgerProcessingSignSubtext": { - "description": "Processing subtext shown while signing transaction" - }, - "withdrawConfirmClabe": "CLABE", - "@withdrawConfirmClabe": { - "description": "Field label for CLABE (Mexico)" - }, - "amountLabel": "Betrag", - "@amountLabel": { - "description": "Label for transaction amount display" - }, - "sellUsdBalance": "USD Saldo", - "@sellUsdBalance": { - "description": "Display text for USD balance payout method" - }, - "payScanQRCode": "Scan QR Code", - "@payScanQRCode": { - "description": "Button text to open QR code scanner for payment" - }, - "seedsignerStep10": "Der SeedSigner zeigt Ihnen dann einen eigenen QR-Code.", - "@seedsignerStep10": { - "description": "SeedSigner instruction about signed PSBT QR" - }, - "psbtInstructions": "Anweisungen", - "@psbtInstructions": { - "description": "Button text to show device-specific signing instructions" - }, - "swapProgressCompletedMessage": "Wow, du hast gewartet! Der Transfer ist beendet.", - "@swapProgressCompletedMessage": { - "description": "Completed transfer message" - }, - "sellCalculating": "Berechnung...", - "@sellCalculating": { - "description": "Text shown while calculating fees" - }, - "recoverbullPIN": "PIN", - "@recoverbullPIN": { - "description": "Label for PIN input type" - }, - "swapInternalTransferTitle": "Interne Übertragung", - "@swapInternalTransferTitle": { - "description": "AppBar title on the amount entry page" - }, - "withdrawConfirmPayee": "Zahl", - "@withdrawConfirmPayee": { - "description": "Field label for payee (Bill Payment)" - }, - "importQrDeviceJadeStep8": "Klicken Sie auf die Schaltfläche \"Kamera öffnen\"", - "@importQrDeviceJadeStep8": { - "description": "Jade instruction step 8" - }, - "payPhoneNumberHint": "Rufnummer eingeben", - "@payPhoneNumberHint": { - "description": "Hint for phone number input" - }, - "exchangeTransactionsComingSoon": "Transaktionen - Bald kommen", - "@exchangeTransactionsComingSoon": { - "description": "Message indicating that the transactions feature is coming soon" - }, - "navigationTabExchange": "Austausch", - "@navigationTabExchange": { - "description": "Label for the Exchange tab in bottom navigation" - }, - "dcaSuccessMessageWeekly": "Sie kaufen {amount} jede Woche", - "@dcaSuccessMessageWeekly": { - "description": "Success message for weekly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "withdrawConfirmRecipientName": "Empfängername", - "@withdrawConfirmRecipientName": { - "description": "Field label for recipient name" - }, - "autoswapRecipientWalletPlaceholder": "Wählen Sie eine Bitcoin Wallet", - "@autoswapRecipientWalletPlaceholder": { - "description": "Dropdown placeholder text when no wallet is selected" - }, - "enterYourBackupPinTitle": "Geben Sie Ihr Backup ein {pinOrPassword}", - "@enterYourBackupPinTitle": { - "description": "Title for entering backup PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "backupSettingsExporting": "Exportieren...", - "@backupSettingsExporting": { - "description": "Button text while vault export is in progress" - }, - "receiveDetails": "Details", - "@receiveDetails": { - "description": "Label for viewing transaction details" - }, - "importQrDeviceSpecterStep11": "Setup ist komplett", - "@importQrDeviceSpecterStep11": { - "description": "Specter instruction step 11" - }, - "mempoolSettingsUseForFeeEstimationDescription": "Wenn aktiviert, wird dieser Server zur Gebührenschätzung verwendet. Bei deaktiviert wird stattdessen der Mempool-Server von Bull Bitcoin verwendet.", - "@mempoolSettingsUseForFeeEstimationDescription": { - "description": "Description for use for fee estimation toggle" - }, - "sendCustomFee": "Zollgebühren", - "@sendCustomFee": { - "description": "Label for setting a custom transaction fee" - }, - "seedsignerStep7": " - Versuchen Sie, Ihr Gerät ein bisschen zurück zu bewegen", - "@seedsignerStep7": { - "description": "SeedSigner troubleshooting tip 3" - }, - "sendAmount": "Betrag", - "@sendAmount": { - "description": "Label for the transaction amount" - }, - "buyInputInsufficientBalanceMessage": "Sie haben nicht genug Balance, um diese Bestellung zu erstellen.", - "@buyInputInsufficientBalanceMessage": { - "description": "Insufficient balance message" - }, - "recoverbullSelectBackupFileNotValidError": "Recoverbull Backup-Datei ist nicht gültig", - "@recoverbullSelectBackupFileNotValidError": { - "description": "Error when selected file is not a valid RecoverBull backup format" - }, - "swapErrorInsufficientFunds": "Konnte keine Transaktion aufbauen. Ebenso wegen unzureichender Mittel zur Deckung von Gebühren und Betrag.", - "@swapErrorInsufficientFunds": { - "description": "Error when transaction cannot be built due to insufficient funds" - }, - "dcaConfirmAmount": "Betrag", - "@dcaConfirmAmount": { - "description": "Field label for amount" - }, - "arkBalanceBreakdown": "Bilanzaufschlüsselung", - "@arkBalanceBreakdown": { - "description": "Title of bottom sheet showing balance breakdown" - }, - "seedsignerStep8": "Sobald die Transaktion in Ihrem SeedSigner importiert wird, sollten Sie den Samen auswählen, mit dem Sie sich anmelden möchten.", - "@seedsignerStep8": { - "description": "SeedSigner instruction for seed selection" - }, - "sellSendPaymentPriceRefresh": "Preis wird erfrischt ", - "@sellSendPaymentPriceRefresh": { - "description": "Price refresh countdown prefix" - }, - "arkAboutCopy": "Kopie", - "@arkAboutCopy": { - "description": "Copy button label" - }, - "recoverbullPasswordRequired": "Passwort ist erforderlich", - "@recoverbullPasswordRequired": { - "description": "Validation error when password field is empty" - }, - "receiveNoteLabel": "Anmerkung", - "@receiveNoteLabel": { - "description": "Label for the note field in receive" - }, - "payFirstName": "Vorname", - "@payFirstName": { - "description": "Label for first name field" - }, - "arkNoTransactionsYet": "Noch keine Transaktionen.", - "@arkNoTransactionsYet": { - "description": "Empty state message shown when user has no transaction history" - }, - "recoverViaCloudDescription": "Wiederherstellen Sie Ihr Backup über Cloud mit Ihrer PIN.", - "@recoverViaCloudDescription": { - "description": "Description for recovering via cloud" - }, - "importWatchOnlySigningDevice": "Unterzeichnendes Gerät", - "@importWatchOnlySigningDevice": { - "description": "Label for signing device selection field" - }, - "receiveInvoiceExpired": "Rechnung abgelaufen", - "@receiveInvoiceExpired": { - "description": "Status when invoice is no longer valid" - }, - "ledgerButtonManagePermissions": "Genehmigungen für die Verwaltung", - "@ledgerButtonManagePermissions": { - "description": "Button label to open app permissions settings" - }, - "autoswapMinimumThresholdErrorSats": "Mindestausgleichsschwelle {amount}", - "@autoswapMinimumThresholdErrorSats": { - "description": "Validation error shown when amount threshold is below minimum (sats display)", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyKycPendingTitle": "KYC ID Verifikation", - "@buyKycPendingTitle": { - "description": "Title for KYC verification required card" - }, - "transactionOrderLabelPayinStatus": "Zahlungsstatus", - "@transactionOrderLabelPayinStatus": { - "description": "Label for order payin status" - }, - "sellSendPaymentSecureWallet": "Sichere Bitcoin Wallet", - "@sellSendPaymentSecureWallet": { - "description": "Secure wallet label" - }, - "coreSwapsLnReceiveRefundable": "Swap ist bereit, zurückerstattet werden.", - "@coreSwapsLnReceiveRefundable": { - "description": "Status message for refundable Lightning receive swap" - }, - "bitcoinSettingsElectrumServerTitle": "Electrum Server Einstellungen", - "@bitcoinSettingsElectrumServerTitle": { - "description": "Title for the Electrum server settings section in Bitcoin settings" - }, - "payRemoveRecipient": "Recipient entfernen", - "@payRemoveRecipient": { - "description": "Button to remove a recipient from batch" - }, - "pasteInputDefaultHint": "Einfügen einer Zahlungsadresse oder Rechnung", - "@pasteInputDefaultHint": { - "description": "Default placeholder hint for paste input field" - }, - "sellKycPendingTitle": "KYC ID Verifikation", - "@sellKycPendingTitle": { - "description": "Title shown when KYC verification is pending" - }, - "withdrawRecipientsFilterAll": "Alle Arten", - "@withdrawRecipientsFilterAll": { - "description": "Filter option for all recipient types" - }, - "bitboxScreenSegwitBip84Subtitle": "Native SegWit - Empfohlen", - "@bitboxScreenSegwitBip84Subtitle": { - "description": "Subtitle for BIP84 option" - }, - "fundExchangeSpeiSubtitle": "Überweisungsmittel mit CLABE", - "@fundExchangeSpeiSubtitle": { - "description": "SPEI transfer subtitle" - }, - "encryptedVaultRecommendationText": "Sie sind nicht sicher und Sie brauchen mehr Zeit, um über Backup-Sicherheit Praktiken zu lernen.", - "@encryptedVaultRecommendationText": { - "description": "Text explaining when to use encrypted vault" - }, - "urDecodingFailedMessage": "UR-Dekodierung fehlgeschlagen", - "@urDecodingFailedMessage": { - "description": "Error message when UR decoding fails" - }, - "fundExchangeAccountSubtitle": "Wählen Sie Ihr Land und Ihre Zahlungsmethode", - "@fundExchangeAccountSubtitle": { - "description": "Subtitle on fund exchange account screen prompting user to select country and payment method" - }, - "appStartupContactSupportButton": "Kontakt Support", - "@appStartupContactSupportButton": { - "description": "Button label to contact support when app startup fails" - }, - "bitboxScreenWaitingConfirmation": "Warten auf Bestätigung auf BitBox02...", - "@bitboxScreenWaitingConfirmation": { - "description": "Message shown while waiting for device confirmation" - }, - "howToDecideVaultLocationText1": "Cloud-Speicheranbieter wie Google oder Apple haben keinen Zugriff auf Ihr Bitcoin, da das Verschlüsselungs-Passwort zu stark ist. Sie können nur auf Ihr Bitcoin zugreifen, in dem unwahrscheinlichen Fall, dass sie mit dem Schlüsselserver zusammenhängen (der Online-Dienst, der Ihr Verschlüsselungskennwort speichert). Wenn der Schlüsselserver jemals gehackt wird, könnte Ihr Bitcoin mit Google oder Apple Cloud gefährdet sein.", - "@howToDecideVaultLocationText1": { - "description": "First paragraph explaining vault location decision" - }, - "receiveFeeExplanation": "Diese Gebühr wird vom gesendeten Betrag abgezogen", - "@receiveFeeExplanation": { - "description": "Explanation that fees are deducted from the sent amount" - }, - "payCannotBumpFee": "Kann keine Stoßgebühr für diese Transaktion", - "@payCannotBumpFee": { - "description": "Error when RBF is not available" - }, - "payAccountNumber": "Kontonummer", - "@payAccountNumber": { - "description": "Label for account number" - }, - "arkSatsUnit": "sättigung", - "@arkSatsUnit": { - "description": "Unit label for satoshis in Ark transaction details" - }, - "payMinimumAmount": "Mindestens: {amount}", - "@payMinimumAmount": { - "description": "Label showing minimum payment amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sendSwapRefundCompleted": "Swap Rückerstattung abgeschlossen", - "@sendSwapRefundCompleted": { - "description": "Title when refund has completed" - }, - "torSettingsStatusUnknown": "Status unbekannt", - "@torSettingsStatusUnknown": { - "description": "Status title when Tor status is unknown" - }, - "sendConfirmSwap": "Bestätigen Sie Swap", - "@sendConfirmSwap": { - "description": "Button to proceed with swap" - }, - "exchangeLogoutComingSoon": "Anmelden - Bald kommen", - "@exchangeLogoutComingSoon": { - "description": "Message indicating that the log out feature is coming soon" - }, - "sendSending": "Senden", - "@sendSending": { - "description": "Title shown while transaction is being sent" - }, - "withdrawConfirmAccount": "Gesamt", - "@withdrawConfirmAccount": { - "description": "Field label for bank account" - }, - "backupButton": "Backup", - "@backupButton": { - "description": "Button label to start backup process" - }, - "sellSendPaymentPayoutAmount": "Auszahlungsbetrag", - "@sellSendPaymentPayoutAmount": { - "description": "Field label for payout amount" - }, - "payOrderNumber": "Bestellnummer", - "@payOrderNumber": { - "description": "Label for order number" - }, - "sendErrorConfirmationFailed": "Bestätigung verfehlt", - "@sendErrorConfirmationFailed": { - "description": "Error title when transaction confirmation fails" - }, - "recoverbullWaiting": "Warten", - "@recoverbullWaiting": { - "description": "Status label indicating waiting state" - }, - "notTestedStatus": "Nicht getestet", - "@notTestedStatus": { - "description": "Status text indicating backup has not been tested" - }, - "paySinpeNumeroOrden": "Bestellnummer", - "@paySinpeNumeroOrden": { - "description": "Label for order number in SINPE details" - }, - "backupBestPracticesTitle": "Best Practices sichern", - "@backupBestPracticesTitle": { - "description": "Title for backup best practices screen" - }, - "transactionLabelRecipientAddress": "Empfängeradresse", - "@transactionLabelRecipientAddress": { - "description": "Label for recipient address" - }, - "backupWalletVaultProviderGoogleDrive": "Google Drive", - "@backupWalletVaultProviderGoogleDrive": { - "description": "Name of Google Drive vault provider option" - }, - "bitboxCubitDeviceNotFound": "Kein BitBox Gerät gefunden. Bitte verbinden Sie Ihr Gerät und versuchen Sie es erneut.", - "@bitboxCubitDeviceNotFound": { - "description": "Error interpretation for device not found" - }, - "autoswapSaveError": "Fehler beim Speichern von Einstellungen: {error}", - "@autoswapSaveError": { - "description": "Error message when save fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "buyStandardWithdrawal": "Standardrücknahme", - "@buyStandardWithdrawal": { - "description": "Regular withdrawal option" - }, - "swapContinue": "Fortsetzung", - "@swapContinue": { - "description": "Continue button on swap amount screen" - }, - "arkSettleButton": "Setup", - "@arkSettleButton": { - "description": "Settle button label" - }, - "electrumAddFailedError": "Fehler beim Hinzufügen von benutzerdefinierten Server{reason}", - "@electrumAddFailedError": { - "description": "Error message when adding custom server fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "transactionDetailLabelTransferFees": "Transfergebühren", - "@transactionDetailLabelTransferFees": { - "description": "Label for transfer fees" - }, - "arkAboutDurationHours": "{hours} Stunden", - "@arkAboutDurationHours": { - "description": "Duration format for plural hours", - "placeholders": { - "hours": { - "type": "int" - } - } - }, - "importWalletSectionGeneric": "Generische Walliser", - "@importWalletSectionGeneric": { - "description": "Section header for generic wallet types" - }, - "arkEsploraUrl": "Esplora URL", - "@arkEsploraUrl": { - "description": "Label for Esplora URL field" - }, - "backupSettingsNotTested": "Nicht getestet", - "@backupSettingsNotTested": { - "description": "Status text shown when backup has not been tested" - }, - "googleDrivePrivacyMessage": "Google wird Sie bitten, personenbezogene Daten mit dieser App zu teilen.", - "@googleDrivePrivacyMessage": { - "description": "Message about Google requesting personal information" - }, - "errorGenericTitle": "Ups! Etwas ging schief", - "@errorGenericTitle": { - "description": "Generic error title when hasError is true" - }, - "bitboxActionPairDeviceSuccess": "Gerät erfolgreich gekoppelt", - "@bitboxActionPairDeviceSuccess": { - "description": "Success text for pair device" - }, - "bitboxErrorNoDevicesFound": "Keine BitBox-Geräte gefunden. Stellen Sie sicher, dass Ihr Gerät über USB an- und angeschlossen wird.", - "@bitboxErrorNoDevicesFound": { - "description": "Error when no BitBox devices are detected" - }, - "torSettingsStatusConnecting": "Verbindung...", - "@torSettingsStatusConnecting": { - "description": "Status title when Tor is connecting" - }, - "receiveSwapID": "Swap-ID", - "@receiveSwapID": { - "description": "Label for the swap identifier in a receive transaction" - }, - "settingsBitcoinSettingsTitle": "Bitcoin Einstellungen", - "@settingsBitcoinSettingsTitle": { - "description": "Title for the Bitcoin settings section in the settings menu" - }, - "backupWalletHowToDecideBackupModalTitle": "Wie zu entscheiden", - "@backupWalletHowToDecideBackupModalTitle": { - "description": "Modal title for backup method comparison help" - }, - "backupSettingsLabel": "Wallet Backup", - "@backupSettingsLabel": { - "description": "The label for the button to access the backup settings" - }, - "ledgerWalletTypeNestedSegwit": "Eingebettet Segwit (BIP49)", - "@ledgerWalletTypeNestedSegwit": { - "description": "Display name for Nested Segwit wallet type (BIP49)" - }, - "fundExchangeJurisdictionMexico": "🇲🇽 Mexiko", - "@fundExchangeJurisdictionMexico": { - "description": "Dropdown option for Mexico jurisdiction" - }, - "sellInteracEmail": "Interac Email", - "@sellInteracEmail": { - "description": "Label for email to receive Interac payment" - }, - "coreSwapsActionClose": "Schließen", - "@coreSwapsActionClose": { - "description": "Action label for closing a swap cooperatively" - }, - "kruxStep6": "Wenn Sie Probleme beim Scannen haben:", - "@kruxStep6": { - "description": "Krux troubleshooting header" - }, - "autoswapMaximumFeeError": "Maximale Gebührenschwelle {threshold}%", - "@autoswapMaximumFeeError": { - "description": "Validation error shown when fee threshold exceeds maximum", - "placeholders": { - "threshold": { - "type": "String" - } - } - }, - "swapValidationEnterAmount": "Bitte geben Sie einen Betrag ein", - "@swapValidationEnterAmount": { - "description": "Validation error when amount is empty" - }, - "recoverbullErrorVaultCreatedKeyNotStored": "Fehler: Vault Datei erstellt, aber Schlüssel nicht im Server gespeichert", - "@recoverbullErrorVaultCreatedKeyNotStored": { - "description": "Error when vault file created but server key storage failed" - }, - "exchangeSupportChatWalletIssuesInfo": "Dieser Chat ist nur für austauschbare Probleme in Funding/Buy/Sell/Withdraw/Pay.\nFügen Sie der Telegrammgruppe bei, indem Sie hier klicken.", - "@exchangeSupportChatWalletIssuesInfo": { - "description": "Info message about wallet issues and telegram group link" - }, - "exchangeLoginButton": "Anmelden oder Anmelden", - "@exchangeLoginButton": { - "description": "Button label for logging in or signing up to the exchange" - }, - "arkAboutHide": "Hirse", - "@arkAboutHide": { - "description": "Button text to hide visible secret key" - }, - "ledgerProcessingVerify": "Adresse auf Ledger anzeigen...", - "@ledgerProcessingVerify": { - "description": "Status message shown while verifying address on Ledger" - }, - "coreScreensFeePriorityLabel": "Gebührenpriorität", - "@coreScreensFeePriorityLabel": { - "description": "Label for fee priority field" - }, - "arkSendPendingBalance": "Zahlungsbilanz ", - "@arkSendPendingBalance": { - "description": "Pending balance label" - }, - "coreScreensLogsTitle": "Logs", - "@coreScreensLogsTitle": { - "description": "AppBar title for logs viewer screen" - }, - "recoverbullVaultKeyInput": "Vault Schlüssel", - "@recoverbullVaultKeyInput": { - "description": "Input field label for vault key entry" - }, - "testBackupErrorWalletMismatch": "Backup passt nicht zu bestehenden Geldbörsen", - "@testBackupErrorWalletMismatch": { - "description": "Error when backup doesn't match current wallet" - }, - "bip329LabelsHeading": "BIP329 Etiketten Import/Export", - "@bip329LabelsHeading": { - "description": "Main heading on BIP329 labels page" - }, - "jadeStep2": "Fügen Sie eine Passphrase hinzu, wenn Sie eine haben (optional)", - "@jadeStep2": { - "description": "Jade instruction step 2" - }, - "coldcardStep4": "Scannen Sie den QR-Code in der Bull Brieftasche", - "@coldcardStep4": { - "description": "Coldcard instruction step 4" - }, - "importQrDevicePassportStep5": "Wählen Sie \"Sparrow\" Option", - "@importQrDevicePassportStep5": { - "description": "Passport instruction step 5" - }, - "psbtFlowClickPsbt": "Klicken Sie auf PSBT", - "@psbtFlowClickPsbt": { - "description": "Instruction to click PSBT option on device" - }, - "sendInvoicePaid": "Invoice Paid", - "@sendInvoicePaid": { - "description": "Title when Lightning invoice payment succeeds" - }, - "buyKycPendingDescription": "Sie müssen zuerst die ID Verifikation abschließen", - "@buyKycPendingDescription": { - "description": "Description for KYC verification required" - }, - "payBelowMinAmountError": "Sie versuchen, unter dem Mindestbetrag zu zahlen, der mit dieser Geldbörse bezahlt werden kann.", - "@payBelowMinAmountError": { - "description": "Error message for amount below minimum" - }, - "arkReceiveSegmentArk": "Kork", - "@arkReceiveSegmentArk": { - "description": "Segment option for Ark address type" - }, - "autoswapRecipientWalletInfo": "Wählen Sie, welche Bitcoin Geldbörse die übertragenen Gelder erhält (erforderlich)", - "@autoswapRecipientWalletInfo": { - "description": "Info tooltip for recipient wallet field" - }, - "importWalletKrux": "Krups", - "@importWalletKrux": { - "description": "Button label for Krux hardware wallet" - }, - "swapContinueButton": "Fortsetzung", - "@swapContinueButton": { - "description": "Button to proceed from amount page to confirmation" - }, - "bitcoinSettingsBroadcastTransactionTitle": "Übertragung von Sendungen", - "@bitcoinSettingsBroadcastTransactionTitle": { - "description": "Title for the broadcast transaction option in Bitcoin settings" - }, - "sendSignWithLedger": "Mit Ledger anmelden", - "@sendSignWithLedger": { - "description": "Button to sign transaction with Ledger hardware wallet" - }, - "pinSecurityTitle": "SicherheitspIN", - "@pinSecurityTitle": { - "description": "AppBar title for PIN settings screen" - }, - "swapValidationPositiveAmount": "Positiver Betrag", - "@swapValidationPositiveAmount": { - "description": "Validation error when amount is not positive" - }, - "walletDetailsSignerLabel": "Unterschreiber", - "@walletDetailsSignerLabel": { - "description": "Label for the signer field in wallet details" - }, - "exchangeDcaSummaryMessage": "Sie kaufen {amount} jeden {frequency} über {network}, solange es Geld in Ihrem Konto gibt.", - "@exchangeDcaSummaryMessage": { - "description": "Summary message describing the DCA configuration", - "placeholders": { - "amount": { - "type": "String", - "description": "The amount being purchased (e.g., '$100 CAD')" - }, - "frequency": { - "type": "String" - }, - "network": { - "type": "String" - } - } - }, - "addressLabel": "Anschrift: ", - "@addressLabel": { - "description": "Label for UTXO address in coin selection tile" - }, - "testBackupWalletTitle": "Test {walletName}", - "@testBackupWalletTitle": { - "description": "Dynamic AppBar title showing which wallet is being tested", - "placeholders": { - "walletName": { - "type": "String" - } - } - }, - "withdrawRecipientsPrompt": "Wo und wie sollen wir das Geld schicken?", - "@withdrawRecipientsPrompt": { - "description": "Instructions on recipients screen" - }, - "withdrawRecipientsTitle": "Wählen Sie Empfänger", - "@withdrawRecipientsTitle": { - "description": "AppBar title for recipients screen" - }, - "sellPayoutRecipient": "Zahlempfänger", - "@sellPayoutRecipient": { - "description": "Label for payout recipient" - }, - "backupWalletLastBackupTest": "Letzter Backup-Test: ", - "@backupWalletLastBackupTest": { - "description": "Label prefix for displaying timestamp of last physical backup test" - }, - "whatIsWordNumberPrompt": "Was ist die Wortnummer {number}?", - "@whatIsWordNumberPrompt": { - "description": "Prompt asking for specific word number", - "placeholders": { - "number": { - "type": "int", - "example": "5" - } - } - }, - "keystoneStep1": "Login zu Ihrem Keystone Gerät", - "@keystoneStep1": { - "description": "Keystone instruction step 1" - }, - "keystoneStep3": "Scannen Sie den QR-Code in der Bull Brieftasche", - "@keystoneStep3": { - "description": "Keystone instruction step 3" - }, - "backupKeyWarningMessage": "Warnung: Seien Sie vorsichtig, wo Sie den Sicherungsschlüssel speichern.", - "@backupKeyWarningMessage": { - "description": "Warning message about backup key storage" - }, - "arkSendSuccessTitle": "Erfolgreich senden", - "@arkSendSuccessTitle": { - "description": "Title shown after successful Ark send transaction" - }, - "importQrDevicePassportStep3": "Wählen Sie \"Konto verwalten\"", - "@importQrDevicePassportStep3": { - "description": "Passport instruction step 3" - }, - "exchangeAuthErrorMessage": "Ein Fehler ist aufgetreten, bitte versuchen Sie erneut einzuloggen.", - "@exchangeAuthErrorMessage": { - "description": "Login error message" - }, - "bitboxActionSignTransactionTitle": "Transaktion unterzeichnen", - "@bitboxActionSignTransactionTitle": { - "description": "Title for sign transaction action" - }, - "testBackupGoogleDrivePrivacyPart3": "ihr telefon verlassen und ist ", - "@testBackupGoogleDrivePrivacyPart3": { - "description": "Third part of privacy message" - }, - "logSettingsErrorLoadingMessage": "Fehler beim Laden von Protokollen: ", - "@logSettingsErrorLoadingMessage": { - "description": "Error message displayed when logs fail to load" - }, - "dcaAmountLabel": "Betrag", - "@dcaAmountLabel": { - "description": "Label for amount detail row" - }, - "walletNetworkLiquid": "Flüssiges Netz", - "@walletNetworkLiquid": { - "description": "Network label for Liquid mainnet" - }, - "receiveArkNetwork": "Kork", - "@receiveArkNetwork": { - "description": "Ark Instant Payments option" - }, - "swapMaxButton": "MAX", - "@swapMaxButton": { - "description": "Button to use maximum available balance" - }, - "transactionSwapStatusTransferStatus": "Über uns", - "@transactionSwapStatusTransferStatus": { - "description": "Header for transfer status section" - }, - "importQrDeviceSeedsignerStep8": "Scannen Sie den QR-Code auf Ihrem SeedSigner", - "@importQrDeviceSeedsignerStep8": { - "description": "SeedSigner instruction step 8" - }, - "backupKeyTitle": "Sicherungsschlüssel", - "@backupKeyTitle": { - "description": "Title for backup key screen" - }, - "electrumDeletePrivacyNotice": "Datenschutzhinweis:\n\nMit Ihrem eigenen Knoten wird sichergestellt, dass kein Dritter Ihre IP-Adresse mit Ihren Transaktionen verknüpfen kann. Durch Löschen Ihres letzten benutzerdefinierten Servers werden Sie mit einem BullBitcoin-Server verbunden.\n.\n", - "@electrumDeletePrivacyNotice": { - "description": "Privacy notice shown when deleting last custom server" - }, - "dcaConfirmFrequencyWeekly": "Jede Woche", - "@dcaConfirmFrequencyWeekly": { - "description": "Weekly frequency label" - }, - "payInstitutionNumberHint": "Institutsnummer", - "@payInstitutionNumberHint": { - "description": "Hint for institution number input" - }, - "sendSlowPaymentWarning": "Langsame Zahlungswarnung", - "@sendSlowPaymentWarning": { - "description": "Warning title for slow payment confirmation" - }, - "quickAndEasyTag": "Schnell und einfach", - "@quickAndEasyTag": { - "description": "Tag for quick and easy options" - }, - "settingsThemeTitle": "Thema", - "@settingsThemeTitle": { - "description": "Title for the theme selection in app settings" - }, - "exchangeSupportChatYesterday": "Gestern", - "@exchangeSupportChatYesterday": { - "description": "Label for yesterday in date formatting" - }, - "jadeStep3": "Wählen Sie \"Scan QR\" Option", - "@jadeStep3": { - "description": "Jade instruction step 3" - }, - "dcaSetupFundAccount": "Ihr Konto finanzieren", - "@dcaSetupFundAccount": { - "description": "Button to fund account" - }, - "payEmail": "E-Mail senden", - "@payEmail": { - "description": "Label for email field" - }, - "coldcardStep10": "Klicken Sie auf die Schaltflächen, um die Transaktion auf Ihrer Coldcard zu unterzeichnen.", - "@coldcardStep10": { - "description": "Coldcard instruction for signing" - }, - "sendErrorAmountBelowSwapLimits": "Betrag unter Swap-Grenze", - "@sendErrorAmountBelowSwapLimits": { - "description": "Error when amount is below minimum swap limit" - }, - "labelErrorNotFound": "Label \"{label}\" nicht gefunden.", - "@labelErrorNotFound": { - "description": "Error message when a label is not found", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "payPrivatePayment": "Private Zahlung", - "@payPrivatePayment": { - "description": "Label for privacy-enhanced payment option" - }, - "autoswapDefaultWalletLabel": "Bitcoin Wallet", - "@autoswapDefaultWalletLabel": { - "description": "Default label for unnamed Bitcoin wallet" - }, - "recoverbullTestSuccessDescription": "Sie sind in der Lage, den Zugang zu einer verlorenen Bitcoin Geldbörse zu erholen", - "@recoverbullTestSuccessDescription": { - "description": "Description shown after successful recovery test" - }, - "dcaDeactivate": "Wiederkehrender Kauf deaktivieren", - "@dcaDeactivate": { - "description": "Label to deactivate DCA" - }, - "exchangeAuthLoginFailedTitle": "Zurück zur Übersicht", - "@exchangeAuthLoginFailedTitle": { - "description": "Title of the dialog shown when exchange login fails" - }, - "autoswapRecipientWallet": "Recipient Bitcoin Wallet", - "@autoswapRecipientWallet": { - "description": "Field label for recipient wallet dropdown" - }, - "arkUnifiedAddressBip21": "Einheitliche Adresse (BIP21)", - "@arkUnifiedAddressBip21": { - "description": "Label for the BIP21 unified address field" - }, - "pickPasswordOrPinButton": "Wählen Sie eine {pinOrPassword} statt >>", - "@pickPasswordOrPinButton": { - "description": "Button to switch between PIN and password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "password" - } - } - }, - "transactionDetailLabelOrderType": "Bestelltyp", - "@transactionDetailLabelOrderType": { - "description": "Label for order type" - }, - "autoswapWarningSettingsLink": "Bringen Sie mich zu Autowap-Einstellungen", - "@autoswapWarningSettingsLink": { - "description": "Link text to navigate to autoswap settings from the warning bottom sheet" - }, - "payLiquidNetwork": "Flüssiges Netz", - "@payLiquidNetwork": { - "description": "Option for Liquid Network payment" - }, - "backupSettingsKeyWarningExample": "Zum Beispiel, wenn Sie Google Drive für Ihre Backup-Datei verwendet, verwenden Sie nicht Google Drive für Ihre Backup-Taste.", - "@backupSettingsKeyWarningExample": { - "description": "Example explaining backup key storage separation" - }, - "backupWalletHowToDecideVaultCloudRecommendation": "Google oder Apple Cloud: ", - "@backupWalletHowToDecideVaultCloudRecommendation": { - "description": "Bold label for cloud storage recommendation" - }, - "testBackupEncryptedVaultDescription": "Anonyme Sicherung mit starker Verschlüsselung mit Ihrer Cloud.", - "@testBackupEncryptedVaultDescription": { - "description": "Description for encrypted vault backup option" - }, - "payNetworkType": "Netzwerk", - "@payNetworkType": { - "description": "Label for network type (Lightning/Bitcoin/Liquid)" - }, - "walletDeletionConfirmationDeleteButton": "Löschen", - "@walletDeletionConfirmationDeleteButton": { - "description": "Delete button label in wallet deletion confirmation dialog" - }, - "confirmLogoutTitle": "Bestätigen Sie Logout", - "@confirmLogoutTitle": { - "description": "Dialog title for logout confirmation" - }, - "ledgerWalletTypeSelectTitle": "Wählen Sie Wallet Typ", - "@ledgerWalletTypeSelectTitle": { - "description": "Title for wallet type selection modal" - }, - "swapTransferCompletedMessage": "Wow, du hast gewartet! Der Transfer ist erfolgreich abgeschlossen.", - "@swapTransferCompletedMessage": { - "description": "Success message after transfer completion" - }, - "encryptedVaultTag": "Einfach und einfach (1 Minute)", - "@encryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, - "electrumDelete": "Löschen", - "@electrumDelete": { - "description": "Delete button label in delete dialog" - }, - "testBackupGoogleDrivePrivacyPart4": "nie ", - "@testBackupGoogleDrivePrivacyPart4": { - "description": "Fourth part (emphasized) of privacy message" - }, - "arkConfirmButton": "Bestätigen", - "@arkConfirmButton": { - "description": "Confirm button to proceed with send transaction" - }, - "sendCoinControl": "Coin Control", - "@sendCoinControl": { - "description": "Feature to manually select UTXOs" - }, - "withdrawSuccessOrderDetails": "Details zur Bestellung", - "@withdrawSuccessOrderDetails": { - "description": "Button label to view order details after withdrawal" - }, - "exchangeLandingConnect": "Verbinden Sie Ihr Bull Bitcoin Austauschkonto", - "@exchangeLandingConnect": { - "description": "Subtitle on exchange landing screen" - }, - "payProcessingPayment": "Bearbeitungsgebühr...", - "@payProcessingPayment": { - "description": "Loading message while payment is being processed" - }, - "ledgerImportTitle": "Import Ledger Wallet", - "@ledgerImportTitle": { - "description": "Title for importing a Ledger hardware wallet" - }, - "exchangeDcaFrequencyMonth": "monat", - "@exchangeDcaFrequencyMonth": { - "description": "DCA frequency unit: month" - }, - "paySuccessfulPayments": "Erfolgreich", - "@paySuccessfulPayments": { - "description": "Filter for successful payments" - }, - "navigationTabWallet": "Geldbeutel", - "@navigationTabWallet": { - "description": "Label for the Wallet tab in bottom navigation" - }, - "bitboxScreenScanning": "Scannen nach Geräten", - "@bitboxScreenScanning": { - "description": "Main text when scanning for devices" - }, - "howToDecideBackupTitle": "Wie zu entscheiden", - "@howToDecideBackupTitle": { - "description": "Title for how to decide backup method modal" - }, - "statusCheckTitle": "Service-Status", - "@statusCheckTitle": { - "description": "Title for the service status screen" - }, - "ledgerHelpSubtitle": "Stellen Sie zunächst sicher, dass Ihr Ledger-Gerät entriegelt ist und die Bitcoin-App geöffnet wird. Wenn Ihr Gerät noch nicht mit der App verbunden ist, versuchen Sie Folgendes:", - "@ledgerHelpSubtitle": { - "description": "Subtitle/introduction for Ledger troubleshooting help" - }, - "savingToDevice": "Sparen Sie auf Ihr Gerät.", - "@savingToDevice": { - "description": "Message shown when saving to device" - }, - "bitboxActionImportWalletButton": "Start Import", - "@bitboxActionImportWalletButton": { - "description": "Button text for import wallet" - }, - "fundExchangeLabelSwiftCode": "SWIFT-Code", - "@fundExchangeLabelSwiftCode": { - "description": "Label for SWIFT code field" - }, - "buyEnterBitcoinAddress": "Bitcoin-Adresse eingeben", - "@buyEnterBitcoinAddress": { - "description": "Label for bitcoin address input field" - }, - "autoswapWarningBaseBalance": "Basisbilanz 0,01 BTC", - "@autoswapWarningBaseBalance": { - "description": "Base balance text shown in the autoswap warning bottom sheet" - }, - "transactionDetailLabelPayoutAmount": "Auszahlungsbetrag", - "@transactionDetailLabelPayoutAmount": { - "description": "Label for payout amount" - }, - "importQrDeviceSpecterStep6": "Wählen Sie \"Einzelschlüssel\"", - "@importQrDeviceSpecterStep6": { - "description": "Specter instruction step 6" - }, - "importQrDeviceJadeStep10": "Das ist es!", - "@importQrDeviceJadeStep10": { - "description": "Jade instruction step 10" - }, - "payPayeeAccountNumberHint": "Kontonummer eingeben", - "@payPayeeAccountNumberHint": { - "description": "Hint for account number input" - }, - "importQrDevicePassportStep8": "Tippen Sie auf Ihr Mobilgerät auf \"open camera\"", - "@importQrDevicePassportStep8": { - "description": "Passport instruction step 8" - }, - "dcaConfirmationError": "Etwas ging schief: {error}", - "@dcaConfirmationError": { - "description": "Error message displayed when confirmation fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "oopsSomethingWentWrong": "Ups! Etwas ging schief", - "@oopsSomethingWentWrong": { - "description": "Error title when something goes wrong" - }, - "pinStatusSettingUpDescription": "Einrichtung des PIN-Codes", - "@pinStatusSettingUpDescription": { - "description": "Status screen description during PIN save/delete operations" - }, - "enterYourPinTitle": "Geben Sie Ihre {pinOrPassword}", - "@enterYourPinTitle": { - "description": "Title for entering PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "onboardingPhysicalBackup": "Physische Sicherung", - "@onboardingPhysicalBackup": { - "description": "Title for the physical backup recovery option in onboarding" - }, - "swapFromLabel": "Von", - "@swapFromLabel": { - "description": "Label for source wallet dropdown" - }, - "fundExchangeCrIbanCrcDescription": "Senden Sie eine Banküberweisung von Ihrem Bankkonto mit den untenstehenden Daten ", - "@fundExchangeCrIbanCrcDescription": { - "description": "First part of description for CR IBAN CRC transfer" - }, - "settingsDevModeWarningTitle": "Entscheiden", - "@settingsDevModeWarningTitle": { - "description": "Title for the developer mode warning dialog" - }, - "importQrDeviceKeystoneStep4": "Wählen Sie Connect Software Wallet", - "@importQrDeviceKeystoneStep4": { - "description": "Keystone instruction step 4" - }, - "bitcoinSettingsAutoTransferTitle": "Auto Transfer Einstellungen", - "@bitcoinSettingsAutoTransferTitle": { - "description": "Title for the auto transfer settings section in Bitcoin settings" - }, - "rbfOriginalTransaction": "Ursprüngliche Transaktion", - "@rbfOriginalTransaction": { - "description": "Header label for original transaction details" - }, - "payViewRecipient": "Empfänger anzeigen", - "@payViewRecipient": { - "description": "Button to view recipient details" - }, - "exchangeAccountInfoUserNumberCopiedMessage": "Benutzernummer in Clipboard kopiert", - "@exchangeAccountInfoUserNumberCopiedMessage": { - "description": "Success message when user number is copied to clipboard" - }, - "settingsAppVersionLabel": "App-Version: ", - "@settingsAppVersionLabel": { - "description": "Label displayed before the app version number in settings" - }, - "bip329LabelsExportButton": "Exportetiketten", - "@bip329LabelsExportButton": { - "description": "Button text to export labels" - }, - "jadeStep4": "Scannen Sie den QR-Code in der Bull Brieftasche", - "@jadeStep4": { - "description": "Jade instruction step 4" - }, - "recoverbullRecoveryErrorWalletExists": "Diese Geldbörse existiert bereits.", - "@recoverbullRecoveryErrorWalletExists": { - "description": "Error when attempting to restore vault that already exists" - }, - "payBillerNameValue": "Ausgewählter Billername", - "@payBillerNameValue": { - "description": "Placeholder for biller name" - }, - "sendSelectCoins": "Wählen Sie Coins", - "@sendSelectCoins": { - "description": "Button to open UTXO selector" - }, - "fundExchangeLabelRoutingNumber": "Routing-Nummer", - "@fundExchangeLabelRoutingNumber": { - "description": "Label for routing number field" - }, - "enterBackupKeyManuallyButton": "Sicherungsschlüssel manuell eingeben >>", - "@enterBackupKeyManuallyButton": { - "description": "Button label to enter backup key manually" - }, - "paySyncingWallet": "Sync...", - "@paySyncingWallet": { - "description": "Status message during wallet sync" - }, - "allSeedViewLoadingMessage": "Dies kann eine Weile dauern, um zu laden, wenn Sie viele Samen auf diesem Gerät haben.", - "@allSeedViewLoadingMessage": { - "description": "Loading message shown while fetching seeds" - }, - "paySelectWallet": "Wählen Sie Wallet", - "@paySelectWallet": { - "description": "Label for wallet selection dropdown in payment" - }, - "pinCodeChangeButton": "Veränderung PIN", - "@pinCodeChangeButton": { - "description": "Button label to change existing PIN" - }, - "paySecurityQuestionHint": "Sicherheitsfrage eingeben (10-40 Zeichen)", - "@paySecurityQuestionHint": { - "description": "Hint for security question input" - }, - "ledgerErrorMissingPsbt": "PSBT ist für die Anmeldung erforderlich", - "@ledgerErrorMissingPsbt": { - "description": "Error message when PSBT parameter is missing for signing" - }, - "importWatchOnlyPasteHint": "Paste xpub, ypub, zpub oder Deskriptor", - "@importWatchOnlyPasteHint": { - "description": "Placeholder hint for paste input field" - }, - "sellAccountNumber": "Kontonummer", - "@sellAccountNumber": { - "description": "Label for bank account number" - }, - "backupWalletLastKnownEncryptedVault": "Letzte bekannte Verschlüsselung Vault: ", - "@backupWalletLastKnownEncryptedVault": { - "description": "Label prefix for displaying timestamp of last encrypted vault backup" - }, - "dcaSetupInsufficientBalanceMessage": "Sie haben nicht genug Balance, um diese Bestellung zu erstellen.", - "@dcaSetupInsufficientBalanceMessage": { - "description": "Insufficient balance error message" - }, - "recoverbullGotIt": "Verstanden", - "@recoverbullGotIt": { - "description": "Button text to acknowledge and dismiss message" - }, - "sendAdvancedOptions": "Erweiterte Optionen", - "@sendAdvancedOptions": { - "description": "Section header for advanced sending features" - }, - "sellRateValidFor": "Preis gültig für {seconds}s", - "@sellRateValidFor": { - "description": "Shows rate expiration countdown", - "placeholders": { - "seconds": { - "type": "int" - } - } - }, - "autoswapAutoSaveError": "Fehler beim Speichern von Einstellungen", - "@autoswapAutoSaveError": { - "description": "Error message when auto-save on disable fails" - }, - "exchangeAccountInfoVerificationLightVerification": "Lichtprüfung", - "@exchangeAccountInfoVerificationLightVerification": { - "description": "Status label for light verification level" - }, - "exchangeFeatureBankTransfers": "• Banküberweisungen senden und Rechnungen bezahlen", - "@exchangeFeatureBankTransfers": { - "description": "Feature bullet point describing bank transfer and bill payment features" - }, - "sellSendPaymentInstantPayments": "Sofortzahlungen", - "@sellSendPaymentInstantPayments": { - "description": "Instant payments wallet label" - }, - "onboardingRecoverWalletButton": "Recover Wallet", - "@onboardingRecoverWalletButton": { - "description": "Button label for recovering a wallet in onboarding" - }, - "dcaConfirmAutoMessage": "Bestellungen werden automatisch nach diesen Einstellungen platziert. Sie können sie jederzeit deaktivieren.", - "@dcaConfirmAutoMessage": { - "description": "DCA auto-placement message" - }, - "arkCollaborativeRedeem": "Kollaborative Redeem", - "@arkCollaborativeRedeem": { - "description": "Bottom sheet title for collaborative redeem for BTC address sends" - }, - "pinCodeCheckingStatus": "Überprüfung des PIN-Status", - "@pinCodeCheckingStatus": { - "description": "Status screen description while checking PIN status" - }, - "usePasswordInsteadButton": "Verwendung {pinOrPassword} anstelle >>", - "@usePasswordInsteadButton": { - "description": "Button to use password/PIN instead", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "password" - } - } - }, - "coreSwapsLnSendFailedRefunding": "Swap wird in Kürze zurückerstattet.", - "@coreSwapsLnSendFailedRefunding": { - "description": "Status message for failed Lightning send swap that will be refunded" - }, - "dcaWalletTypeLightning": "Blitznetz (LN)", - "@dcaWalletTypeLightning": { - "description": "Radio button option for Lightning wallet" - }, - "transactionSwapProgressBroadcasted": "Rundfunk", - "@transactionSwapProgressBroadcasted": { - "description": "Swap progress step: transaction broadcasted" - }, - "backupWalletVaultProviderAppleICloud": "Apple iCloud", - "@backupWalletVaultProviderAppleICloud": { - "description": "Name of Apple iCloud vault provider option" - }, - "swapValidationMinimumAmount": "Mindestbetrag ist {amount} {currency}", - "@swapValidationMinimumAmount": { - "description": "Validation error when amount is below minimum", - "placeholders": { - "amount": { - "type": "String" - }, - "currency": { - "type": "String" - } - } - }, - "importMnemonicTitle": "Import Mnemonic", - "@importMnemonicTitle": { - "description": "AppBar title for mnemonic import screen" - }, - "payReplaceByFeeActivated": "Ersatz-by-fee aktiviert", - "@payReplaceByFeeActivated": { - "description": "Label for RBF toggle" - }, - "testBackupDoNotShare": "NICHT MIT EINEM ANDEREN", - "@testBackupDoNotShare": { - "description": "Warning header about keeping recovery phrase secret" - }, - "kruxInstructionsTitle": "Krux Anleitung", - "@kruxInstructionsTitle": { - "description": "Title for Krux signing instructions modal" - }, - "payNotAuthenticated": "Sie sind nicht authentifiziert. Bitte loggen Sie sich ein, um fortzufahren.", - "@payNotAuthenticated": { - "description": "Error message when user is not authenticated" - }, - "paySinpeNumeroComprobante": "Bezugsnummer", - "@paySinpeNumeroComprobante": { - "description": "Label for reference number in SINPE details" - }, - "backupSettingsViewVaultKey": "View Vault Schlüssel", - "@backupSettingsViewVaultKey": { - "description": "Button text to view vault decryption key" - }, - "ledgerErrorNoConnection": "Keine Ledger-Verbindung verfügbar", - "@ledgerErrorNoConnection": { - "description": "Error message when no Ledger connection is available" - }, - "testBackupSuccessButton": "Verstanden", - "@testBackupSuccessButton": { - "description": "Button to dismiss success screen" - }, - "transactionLabelTransactionId": "Transaktions-ID", - "@transactionLabelTransactionId": { - "description": "Label for transaction ID field" - }, - "buyNetworkFeeExplanation": "Die Bitcoin Netzwerkgebühr wird von dem Betrag abgezogen, den Sie von den Bitcoin Bergleuten erhalten und gesammelt haben", - "@buyNetworkFeeExplanation": { - "description": "Explanation of network fees for express withdrawal" - }, - "transactionDetailLabelAddress": "Anschrift", - "@transactionDetailLabelAddress": { - "description": "Label for address" - }, - "fundExchangeCrIbanUsdLabelPaymentDescription": "Zahlungsbeschreibung", - "@fundExchangeCrIbanUsdLabelPaymentDescription": { - "description": "Label for payment description field in CR IBAN USD transfer" - }, - "fundExchangeInfoBeneficiaryNameLeonod": "Der Name des Empfängers sollte LEONOD sein. Wenn Sie etwas anderes setzen, wird Ihre Zahlung abgelehnt.", - "@fundExchangeInfoBeneficiaryNameLeonod": { - "description": "Critical info about beneficiary name being LEONOD" - }, - "importWalletLedger": "Led", - "@importWalletLedger": { - "description": "Button label for Ledger hardware wallet" - }, - "recoverbullCheckingConnection": "Prüfverbindung für RecoverBull", - "@recoverbullCheckingConnection": { - "description": "Screen title while checking connection status" - }, - "exchangeLandingTitle": "BITCOIN", - "@exchangeLandingTitle": { - "description": "Main title on exchange landing screen" - }, - "psbtFlowSignWithQr": "Klicken Sie auf QR Code unterschreiben", - "@psbtFlowSignWithQr": { - "description": "Instruction to select QR code signing method" - }, - "doneButton": "KAPITEL", - "@doneButton": { - "description": "Button to close advanced options bottom sheet" - }, - "withdrawSuccessTitle": "Zurücknahme initiiert", - "@withdrawSuccessTitle": { - "description": "Title shown when withdrawal is successfully initiated" - }, - "paySendAll": "Alle anzeigen", - "@paySendAll": { - "description": "Button to send entire wallet balance" - }, - "payLowPriority": "Niedrig", - "@payLowPriority": { - "description": "Low fee priority option" - }, - "coreSwapsLnReceivePending": "Swap ist noch nicht initialisiert.", - "@coreSwapsLnReceivePending": { - "description": "Status message for pending Lightning receive swap" - }, - "arkSendConfirmMessage": "Bitte bestätigen Sie die Details Ihrer Transaktion vor dem Senden.", - "@arkSendConfirmMessage": { - "description": "Message displayed on send confirmation page" - }, - "bitcoinSettingsLegacySeedsTitle": "Legacy Seeds", - "@bitcoinSettingsLegacySeedsTitle": { - "description": "Title for the legacy seeds section in Bitcoin settings" - }, - "transactionDetailLabelPayjoinCreationTime": "Payjon Schöpfungszeit", - "@transactionDetailLabelPayjoinCreationTime": { - "description": "Label for payjoin creation time" - }, - "backupWalletBestPracticesTitle": "Best Practices sichern", - "@backupWalletBestPracticesTitle": { - "description": "AppBar title for physical backup checklist screen" - }, - "transactionSwapInfoFailedExpired": "Wenn Sie Fragen oder Bedenken haben, wenden Sie sich bitte an Unterstützung für Hilfe.", - "@transactionSwapInfoFailedExpired": { - "description": "Additional info for failed or expired swaps" - }, - "memorizePasswordWarning": "Sie müssen dieses {pinOrPassword} merken, um den Zugang zu Ihrer Geldbörse wiederherzustellen. Es muss mindestens 6 Ziffern betragen. Wenn Sie diese {pinOrPassword} verlieren, können Sie Ihr Backup nicht wiederherstellen.", - "@memorizePasswordWarning": { - "description": "Warning about memorizing PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "googleAppleCloudRecommendation": "Google oder Apple Cloud: ", - "@googleAppleCloudRecommendation": { - "description": "Bold label for Google/Apple cloud recommendation" - }, - "exchangeGoToWebsiteButton": "Zur Website des Bull Bitcoin wechseln", - "@exchangeGoToWebsiteButton": { - "description": "Button label for navigating to the Bull Bitcoin exchange website" - }, - "testWalletTitle": "Test {walletName}", - "@testWalletTitle": { - "description": "Title for testing wallet backup", - "placeholders": { - "walletName": { - "type": "String", - "example": "Default Wallets" - } - } - }, - "exchangeBitcoinWalletsLiquidAddressLabel": "ANHANG", - "@exchangeBitcoinWalletsLiquidAddressLabel": { - "description": "Label for Liquid address field in exchange Bitcoin wallets" - }, - "backupWalletSuccessTestButton": "Test Backup", - "@backupWalletSuccessTestButton": { - "description": "Button text to proceed to backup testing" - }, - "pinCodeSettingUp": "Einrichtung des PIN-Codes", - "@pinCodeSettingUp": { - "description": "Status screen description while setting up PIN" - }, - "replaceByFeeErrorFeeRateTooLow": "Sie müssen den Gebührensatz um mindestens 1 sat/vbyte gegenüber der ursprünglichen Transaktion erhöhen", - "@replaceByFeeErrorFeeRateTooLow": { - "description": "Error message when new fee rate is not high enough" - }, - "payPriority": "Priorität", - "@payPriority": { - "description": "Label for transaction priority/fee level" - }, - "fundExchangeCostaRicaMethodIbanCrcSubtitle": "Überweisung in Costa Rican Colón (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcSubtitle": { - "description": "Subtitle description for IBAN CRC payment method" - }, - "receiveNoTimeToWait": "Keine Zeit zu warten oder hat das payjoin auf der Seite des Absenders versagt?", - "@receiveNoTimeToWait": { - "description": "Question prompting user if they want to proceed without payjoin" - }, - "payChannelBalanceLow": "Kanalbilanz zu niedrig", - "@payChannelBalanceLow": { - "description": "Error when Lightning channel lacks sufficient outbound liquidity" - }, - "allSeedViewNoSeedsFound": "Keine Samen gefunden.", - "@allSeedViewNoSeedsFound": { - "description": "Message shown when no seeds are found" - }, - "bitboxScreenActionFailed": "{action} Nicht verfügbar", - "@bitboxScreenActionFailed": { - "description": "Main text when action fails", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "dcaSetupScheduleMessage": "Bitcoin-Käufe werden automatisch nach diesem Zeitplan platziert.", - "@dcaSetupScheduleMessage": { - "description": "DCA schedule explanation" - }, - "coreSwapsStatusExpired": "Ausgenommen", - "@coreSwapsStatusExpired": { - "description": "Display name for expired swap status" - }, - "fundExchangeCanadaPostStep3": "3. Sagen Sie dem Kassierer den Betrag, den Sie laden möchten", - "@fundExchangeCanadaPostStep3": { - "description": "Step 3 for Canada Post payment process" - }, - "payFee": "Gebühren", - "@payFee": { - "description": "Label for fee" - }, - "systemLabelSelfSpend": "Selbstbedienung", - "@systemLabelSelfSpend": { - "description": "System label for self-spend transactions" - }, - "swapProgressRefundMessage": "Es gab einen Fehler bei der Übertragung. Ihre Rückerstattung ist im Gange.", - "@swapProgressRefundMessage": { - "description": "Refund in progress message" - }, - "passportStep4": "Wenn Sie Probleme beim Scannen haben:", - "@passportStep4": { - "description": "Passport troubleshooting header" - }, - "dcaConfirmContinue": "Fortsetzung", - "@dcaConfirmContinue": { - "description": "Continue button on DCA confirmation" - }, - "decryptVaultButton": "Verschlüsselung Tresor", - "@decryptVaultButton": { - "description": "Button label to decrypt vault" - }, - "electrumNetworkBitcoin": "Bitcoin", - "@electrumNetworkBitcoin": { - "description": "Bitcoin network tab label" - }, - "paySecureBitcoinWallet": "Sichere Bitcoin Wallet", - "@paySecureBitcoinWallet": { - "description": "Display text for secure Bitcoin wallet" - }, - "exchangeAppSettingsDefaultCurrencyLabel": "Default Währung", - "@exchangeAppSettingsDefaultCurrencyLabel": { - "description": "Label for default currency setting in exchange app settings" - }, - "arkSendRecipientError": "Bitte geben Sie einen Empfänger ein", - "@arkSendRecipientError": { - "description": "Error message when recipient field is empty" - }, - "arkArkAddress": "Ark Adresse", - "@arkArkAddress": { - "description": "Label for the Ark address field" - }, - "payRecipientName": "Empfängername", - "@payRecipientName": { - "description": "Label for recipient name" - }, - "exchangeBitcoinWalletsLightningAddressLabel": "Blitz (LN-Adresse)", - "@exchangeBitcoinWalletsLightningAddressLabel": { - "description": "Label for Lightning address field in exchange Bitcoin wallets" - }, - "bitboxActionVerifyAddressButton": "Adresse verifizieren", - "@bitboxActionVerifyAddressButton": { - "description": "Button text for verify address" - }, - "torSettingsInfoTitle": "Wichtige Informationen", - "@torSettingsInfoTitle": { - "description": "Title for the Tor information card" - }, - "importColdcardInstructionsStep7": "Tippen Sie auf Ihr Mobilgerät auf \"open camera\"", - "@importColdcardInstructionsStep7": { - "description": "ImportColdcardQ: Seventh instruction step" - }, - "testBackupStoreItSafe": "Speichern Sie es irgendwo sicher.", - "@testBackupStoreItSafe": { - "description": "Sub-instruction telling users to store recovery phrase safely" - }, - "enterBackupKeyLabel": "Sicherungsschlüssel eingeben", - "@enterBackupKeyLabel": { - "description": "Label for backup key input field" - }, - "bitboxScreenTroubleshootingSubtitle": "Stellen Sie zunächst sicher, dass Ihr BitBox02-Gerät mit Ihrem Telefon USB-Anschluss verbunden ist. Wenn Ihr Gerät noch nicht mit der App verbunden ist, versuchen Sie Folgendes:", - "@bitboxScreenTroubleshootingSubtitle": { - "description": "Subtitle for troubleshooting instructions" - }, - "securityWarningTitle": "Sicherheitswarnung", - "@securityWarningTitle": { - "description": "Title for security warning dialog" - }, - "never": "nie ", - "@never": { - "description": "Bold part of privacy assurance (never)" - }, - "notLoggedInTitle": "Sie sind nicht eingeloggt", - "@notLoggedInTitle": { - "description": "Title for not logged in state" - }, - "testBackupWhatIsWordNumber": "Was ist die Wortnummer {number}?", - "@testBackupWhatIsWordNumber": { - "description": "Quiz prompt asking for specific word number", - "placeholders": { - "number": { - "type": "int" - } - } - }, - "payInvoiceDetails": "Invoice Details", - "@payInvoiceDetails": { - "description": "Section header for invoice information" - }, - "exchangeLandingLoginButton": "Anmelden oder Anmelden", - "@exchangeLandingLoginButton": { - "description": "Button to proceed to login/signup" - }, - "torSettingsEnableProxy": "Tor Proxy aktivieren", - "@torSettingsEnableProxy": { - "description": "Label for the toggle to enable/disable Tor proxy" - }, - "bitboxScreenAddressToVerify": "Anschrift:", - "@bitboxScreenAddressToVerify": { - "description": "Label for address verification" - }, - "payConfirmPayment": "Zahlung bestätigen", - "@payConfirmPayment": { - "description": "Button text to confirm and execute payment" - }, - "bitboxErrorPermissionDenied": "USB-Berechtigungen sind erforderlich, um mit BitBox-Geräten zu verbinden.", - "@bitboxErrorPermissionDenied": { - "description": "Error when USB permissions are not granted for BitBox" - }, - "recoveryPhraseTitle": "Schreiben Sie Ihre Wiederherstellung Phrase\nin der richtigen Reihenfolge", - "@recoveryPhraseTitle": { - "description": "Title instructing user to write down recovery phrase" - }, - "bitboxActionSignTransactionProcessingSubtext": "Bitte bestätigen Sie die Transaktion auf Ihrem BitBox-Gerät...", - "@bitboxActionSignTransactionProcessingSubtext": { - "description": "Processing subtext for sign transaction" - }, - "sellConfirmPayment": "Zahlung bestätigen", - "@sellConfirmPayment": { - "description": "Screen title for payment confirmation" - }, - "sellSelectCoinsManually": "Münzen manuell auswählen", - "@sellSelectCoinsManually": { - "description": "Option to manually select UTXOs" - }, - "addressViewReceiveType": "Empfang", - "@addressViewReceiveType": { - "description": "Address type label for external/receive addresses" - }, - "coldcardStep11": "The Coldcard Q zeigt Ihnen dann einen eigenen QR-Code.", - "@coldcardStep11": { - "description": "Coldcard instruction about signed PSBT QR" - }, - "fundExchangeLabelIban": "IBAN Kontonummer", - "@fundExchangeLabelIban": { - "description": "Label for IBAN account number field" - }, - "swapDoNotUninstallWarning": "Deinstallieren Sie die App erst, wenn der Transfer abgeschlossen ist!", - "@swapDoNotUninstallWarning": { - "description": "Warning message during pending transfer" - }, - "testBackupErrorVerificationFailed": "Verifizierung nicht möglich: {error}", - "@testBackupErrorVerificationFailed": { - "description": "Generic error message for verification failure", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "sendViewDetails": "Details anzeigen", - "@sendViewDetails": { - "description": "Button to view transaction details" - }, - "recoverbullErrorUnexpected": "Unerwartete Fehler, siehe Protokolle", - "@recoverbullErrorUnexpected": { - "description": "Error message for unexpected errors" - }, - "sendSubmarineSwap": "Submarine Swap", - "@sendSubmarineSwap": { - "description": "Feature to swap on-chain to Lightning" - }, - "transactionLabelLiquidTransactionId": "Liquid Transaktions-ID", - "@transactionLabelLiquidTransactionId": { - "description": "Label for Liquid network transaction ID" - }, - "payNotAvailable": "N/A", - "@payNotAvailable": { - "description": "Placeholder for unavailable information" - }, - "payFastest": "Fast", - "@payFastest": { - "description": "Display text for fastest fee option" - }, - "allSeedViewSecurityWarningTitle": "Sicherheitswarnung", - "@allSeedViewSecurityWarningTitle": { - "description": "Title for security warning dialog" - }, - "sendSwapFeeEstimate": "Geschätzte Swapgebühr: {amount}", - "@sendSwapFeeEstimate": { - "description": "Estimated cost of swap", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "coreSwapsLnReceiveExpired": "Swap Expired.", - "@coreSwapsLnReceiveExpired": { - "description": "Status message for expired Lightning receive swap" - }, - "fundExchangeOnlineBillPaymentLabelBillerName": "Suchen Sie die Liste der Biller Ihrer Bank für diesen Namen", - "@fundExchangeOnlineBillPaymentLabelBillerName": { - "description": "Label for biller name in online bill payment" - }, - "recoverbullSelectFetchDriveFilesError": "Nicht alle Laufwerkssicherungen holen", - "@recoverbullSelectFetchDriveFilesError": { - "description": "Error when unable to retrieve backup list from Google Drive" - }, - "psbtFlowLoadFromCamera": "Klick von der Kamera", - "@psbtFlowLoadFromCamera": { - "description": "Instruction to select camera load option on device" - }, - "exchangeAccountInfoVerificationLimitedVerification": "Begrenzte Überprüfung", - "@exchangeAccountInfoVerificationLimitedVerification": { - "description": "Status label for limited verification level" - }, - "addressViewErrorLoadingMoreAddresses": "Fehler beim Laden von mehr Adressen: {error}", - "@addressViewErrorLoadingMoreAddresses": { - "description": "Error message displayed when pagination of addresses fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "arkCopy": "Kopie", - "@arkCopy": { - "description": "Button label to copy field value to clipboard" - }, - "sendBuildingTransaction": "Gebäudetransaktion...", - "@sendBuildingTransaction": { - "description": "Status while constructing transaction" - }, - "fundExchangeMethodEmailETransfer": "E-Mail E-Transfer", - "@fundExchangeMethodEmailETransfer": { - "description": "Payment method: Email E-Transfer (Canada)" - }, - "electrumConfirm": "Bestätigen", - "@electrumConfirm": { - "description": "Confirm button label in advanced options" - }, - "transactionDetailLabelOrderNumber": "Bestellnummer", - "@transactionDetailLabelOrderNumber": { - "description": "Label for order number" - }, - "bitboxActionPairDeviceSuccessSubtext": "Ihr BitBox-Gerät ist jetzt gepaart und gebrauchsfertig.", - "@bitboxActionPairDeviceSuccessSubtext": { - "description": "Success subtext for pair device" - }, - "pickPasswordInsteadButton": "Passwort auswählen statt >>", - "@pickPasswordInsteadButton": { - "description": "Button label to switch to password input" - }, - "coreScreensSendNetworkFeeLabel": "Netzwerkgebühr senden", - "@coreScreensSendNetworkFeeLabel": { - "description": "Label for send network fee field" - }, - "bitboxScreenScanningSubtext": "Auf der Suche nach Ihrem BitBox Gerät...", - "@bitboxScreenScanningSubtext": { - "description": "Subtext when scanning" - }, - "sellOrderFailed": "Versäumt, verkaufen Bestellung", - "@sellOrderFailed": { - "description": "Error message when order fails" - }, - "payInvalidAmount": "Invalide", - "@payInvalidAmount": { - "description": "Error when entered amount is invalid" - }, - "fundExchangeLabelBankName": "Name der Bank", - "@fundExchangeLabelBankName": { - "description": "Label for bank name field" - }, - "ledgerErrorMissingScriptTypeVerify": "Script-Typ ist für die Überprüfung erforderlich", - "@ledgerErrorMissingScriptTypeVerify": { - "description": "Error message when script type is missing for verification" - }, - "backupWalletEncryptedVaultDescription": "Anonyme Sicherung mit starker Verschlüsselung mit Ihrer Cloud.", - "@backupWalletEncryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, - "sellRateExpired": "Der Wechselkurs ist abgelaufen. Erfrischung...", - "@sellRateExpired": { - "description": "Message when rate quote times out" - }, - "payExternalWallet": "Außenwander", - "@payExternalWallet": { - "description": "Option for external wallet" - }, - "recoverbullConfirm": "Bestätigen", - "@recoverbullConfirm": { - "description": "Button text to confirm an action" - }, - "arkPendingBalance": "Zahlungsbilanz", - "@arkPendingBalance": { - "description": "Label for pending balance row" - }, - "fundExchangeInfoBankCountryUk": "Unser Bankland ist das Vereinigte Königreich.", - "@fundExchangeInfoBankCountryUk": { - "description": "Info message that bank country is United Kingdom" - }, - "dcaConfirmNetworkBitcoin": "Bitcoin", - "@dcaConfirmNetworkBitcoin": { - "description": "Bitcoin network label" - }, - "seedsignerStep14": "Es ist jetzt bereit zu senden! Sobald Sie auf Sendung klicken, wird die Transaktion im Bitcoin-Netzwerk veröffentlicht und die Mittel werden gesendet.", - "@seedsignerStep14": { - "description": "SeedSigner final instruction about broadcasting" - }, - "fundExchangeCostaRicaMethodIbanCrcTitle": "IBAN Costa Rica (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcTitle": { - "description": "Payment method title for IBAN CRC in method list" - }, - "payOrderDetails": "Details zur Bestellung", - "@payOrderDetails": { - "description": "Title for SINPE order details screen" - }, - "importMnemonicTransactions": "{count} Transaktionen", - "@importMnemonicTransactions": { - "description": "Shows number of transactions for wallet type", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "exchangeAppSettingsPreferredLanguageLabel": "Bevorzugte Sprache", - "@exchangeAppSettingsPreferredLanguageLabel": { - "description": "Label for preferred language setting in exchange app settings" - }, - "walletDeletionConfirmationMessage": "Sind Sie sicher, dass Sie diese Geldbörse löschen möchten?", - "@walletDeletionConfirmationMessage": { - "description": "Message in the wallet deletion confirmation dialog" - }, - "rbfTitle": "Ersetzen gegen Gebühr", - "@rbfTitle": { - "description": "AppBar title for Replace-By-Fee screen" - }, - "sellAboveMaxAmountError": "Sie versuchen, über den maximalen Betrag zu verkaufen, der mit dieser Geldbörse verkauft werden kann.", - "@sellAboveMaxAmountError": { - "description": "Error message for amount above maximum" - }, - "settingsSuperuserModeUnlockedMessage": "Superuser-Modus entsperrt!", - "@settingsSuperuserModeUnlockedMessage": { - "description": "Message shown when superuser mode is enabled" - }, - "pickPinInsteadButton": "Pick PIN statt >>", - "@pickPinInsteadButton": { - "description": "Button label to switch to PIN input" - }, - "backupWalletVaultProviderCustomLocation": "Kundenspezifischer Standort", - "@backupWalletVaultProviderCustomLocation": { - "description": "Name of custom location vault provider option" - }, - "addressViewErrorLoadingAddresses": "Fehlerladeadressen: {error}", - "@addressViewErrorLoadingAddresses": { - "description": "Error message displayed when addresses fail to load", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "bitboxErrorConnectionTypeNotInitialized": "Verbindungstyp nicht initialisiert.", - "@bitboxErrorConnectionTypeNotInitialized": { - "description": "Error when connection type is not initialized" - }, - "transactionListOngoingTransfersDescription": "Diese Transfers sind derzeit im Gange. Ihre Mittel sind sicher und werden verfügbar sein, wenn die Übertragung abgeschlossen ist.", - "@transactionListOngoingTransfersDescription": { - "description": "Description for ongoing transfers section" - }, - "ledgerErrorUnknown": "Unbekannter Fehler", - "@ledgerErrorUnknown": { - "description": "Generic error message for unknown Ledger errors" - }, - "payBelowMinAmount": "Sie versuchen, unter dem Mindestbetrag zu zahlen, der mit dieser Geldbörse bezahlt werden kann.", - "@payBelowMinAmount": { - "description": "Error message when payment amount is below minimum" - }, - "ledgerProcessingVerifySubtext": "Bitte bestätigen Sie die Adresse auf Ihrem Ledger Gerät.", - "@ledgerProcessingVerifySubtext": { - "description": "Processing subtext shown while verifying address" - }, - "transactionOrderLabelOriginCedula": "Ursprungsbezeichnung", - "@transactionOrderLabelOriginCedula": { - "description": "Label for origin cedula in fiat payment order" - }, - "recoverbullRecoveryTransactionsLabel": "Transaktionen: {count}", - "@recoverbullRecoveryTransactionsLabel": { - "description": "Label showing total number of transactions found", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "buyViewDetails": "Details anzeigen", - "@buyViewDetails": { - "description": "Button to view order details" - }, - "paySwapFailed": "Swap versagt", - "@paySwapFailed": { - "description": "Error message when swap fails" - }, - "autoswapMaxFeeLabel": "Max Transfer Fee", - "@autoswapMaxFeeLabel": { - "description": "Label for fee threshold percentage input field" - }, - "importMnemonicBalance": "Bilanz: {amount}", - "@importMnemonicBalance": { - "description": "Shows balance for wallet type", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "importQrDeviceWalletName": "Name des Wallis", - "@importQrDeviceWalletName": { - "description": "Label for wallet name field" - }, - "payNoRouteFound": "Keine Route gefunden für diese Zahlung", - "@payNoRouteFound": { - "description": "Error when Lightning routing cannot find a path" - }, - "fundExchangeLabelBeneficiaryName": "Steuerempfänger", - "@fundExchangeLabelBeneficiaryName": { - "description": "Label for beneficiary name field" - }, - "exchangeSupportChatMessageEmptyError": "Nachricht kann nicht leer sein", - "@exchangeSupportChatMessageEmptyError": { - "description": "Error message when trying to send an empty message" - }, - "fundExchangeWarningTactic2": "Sie bieten Ihnen ein Darlehen", - "@fundExchangeWarningTactic2": { - "description": "Second scammer tactic warning" - }, - "sellLiquidNetwork": "Flüssiges Netz", - "@sellLiquidNetwork": { - "description": "Option for Liquid Network payment" - }, - "payViewTransaction": "Transaction anzeigen", - "@payViewTransaction": { - "description": "Button text to view transaction details" - }, - "transactionLabelToWallet": "Zur Brieftasche", - "@transactionLabelToWallet": { - "description": "Label for destination wallet" - }, - "exchangeFileUploadInstructions": "Wenn Sie weitere Dokumente schicken müssen, laden Sie sie hier hoch.", - "@exchangeFileUploadInstructions": { - "description": "Instructions for uploading documents in exchange" - }, - "ledgerInstructionsAndroidDual": "Stellen Sie sicher, dass Sie Ledger wird mit der Bitcoin App geöffnet und Bluetooth aktiviert, oder das Gerät über USB verbinden.", - "@ledgerInstructionsAndroidDual": { - "description": "Connection instructions for Android devices (Bluetooth or USB)" - }, - "arkSendRecipientLabel": "Adresse des Empfängers", - "@arkSendRecipientLabel": { - "description": "Label for recipient address field" - }, - "defaultWalletsLabel": "Standard Wallis", - "@defaultWalletsLabel": { - "description": "Label for default wallets" - }, - "jadeStep9": "Sobald die Transaktion in Ihrem Jade importiert wird, überprüfen Sie die Zieladresse und den Betrag.", - "@jadeStep9": { - "description": "Jade instruction for reviewing transaction" - }, - "receiveAddLabel": "In den Warenkorb", - "@receiveAddLabel": { - "description": "Button label for adding a label to a receive address" - }, - "ledgerWalletTypeNestedSegwitDescription": "P2WPKH-Nested-in-P2SH", - "@ledgerWalletTypeNestedSegwitDescription": { - "description": "Technical description for Nested Segwit wallet type" - }, - "dcaConfirmFrequencyHourly": "Jede Stunde", - "@dcaConfirmFrequencyHourly": { - "description": "Hourly frequency label" - }, - "legacySeedViewMnemonicLabel": "Mnemonic", - "@legacySeedViewMnemonicLabel": { - "description": "Label for mnemonic words display" - }, - "sellSwiftCode": "SWIFT/BIC-Code", - "@sellSwiftCode": { - "description": "Label for international bank code" - }, - "fundExchangeCanadaPostTitle": "In-Person Bargeld oder Debit bei Canada Post", - "@fundExchangeCanadaPostTitle": { - "description": "Screen title for Canada Post payment method" - }, - "receiveInvoiceExpiry": "Rechnung läuft in {time}", - "@receiveInvoiceExpiry": { - "description": "Shows expiration countdown", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "testBackupGoogleDrivePrivacyPart5": "mit Bull Bitcoin geteilt.", - "@testBackupGoogleDrivePrivacyPart5": { - "description": "Fifth part of privacy message" - }, - "arkTotal": "Insgesamt", - "@arkTotal": { - "description": "Label for total balance in breakdown" - }, - "bitboxActionSignTransactionSuccessSubtext": "Ihre Transaktion wurde erfolgreich unterzeichnet.", - "@bitboxActionSignTransactionSuccessSubtext": { - "description": "Success subtext for sign transaction" - }, - "transactionStatusTransferExpired": "Überweisung abgelaufen", - "@transactionStatusTransferExpired": { - "description": "Status label for expired transfers" - }, - "backupWalletInstructionLosePhone": "Ohne ein Backup, wenn Sie Ihr Telefon verlieren oder brechen, oder wenn Sie die Bull Bitcoin App deinstallieren, werden Ihre Bitcoins für immer verloren gehen.", - "@backupWalletInstructionLosePhone": { - "description": "Warning instruction about consequences without backup" - }, - "recoverbullConnected": "Verbunden", - "@recoverbullConnected": { - "description": "Status label indicating successful connection" - }, - "dcaConfirmLightningAddress": "Beleuchtungsadresse", - "@dcaConfirmLightningAddress": { - "description": "Field label for Lightning address" - }, - "coreSwapsLnReceiveCompleted": "Swap ist abgeschlossen.", - "@coreSwapsLnReceiveCompleted": { - "description": "Status message for completed Lightning receive swap" - }, - "backupWalletErrorGoogleDriveSave": "Versäumt, Google-Laufwerk zu retten", - "@backupWalletErrorGoogleDriveSave": { - "description": "Error when saving to Google Drive fails" - }, - "settingsTorSettingsTitle": "Tor-Einstellungen", - "@settingsTorSettingsTitle": { - "description": "Title for the Tor settings section in app settings" - }, - "importQrDeviceKeystoneStep2": "Geben Sie Ihre PIN ein", - "@importQrDeviceKeystoneStep2": { - "description": "Keystone instruction step 2" - }, - "receiveBitcoinTransactionWillTakeTime": "Bitcoin Transaktion wird eine Weile dauern, um zu bestätigen.", - "@receiveBitcoinTransactionWillTakeTime": { - "description": "Information message about Bitcoin transaction confirmation time" - }, - "sellOrderNotFoundError": "Der Verkaufsauftrag wurde nicht gefunden. Bitte versuchen Sie es noch mal.", - "@sellOrderNotFoundError": { - "description": "Error message for order not found" - }, - "sellErrorPrepareTransaction": "Versäumt, Transaktion vorzubereiten: {error}", - "@sellErrorPrepareTransaction": { - "description": "Error message when transaction preparation fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "fundExchangeOnlineBillPaymentTitle": "Online Bill Zahlung", - "@fundExchangeOnlineBillPaymentTitle": { - "description": "Screen title for Online Bill Payment details" - }, - "importQrDeviceSeedsignerStep7": "Tippen Sie auf Ihrem mobilen Gerät auf offene Kamera", - "@importQrDeviceSeedsignerStep7": { - "description": "SeedSigner instruction step 7" - }, - "addressViewChangeAddressesDescription": "Display Wallet Adressen ändern", - "@addressViewChangeAddressesDescription": { - "description": "Description for the coming soon dialog when trying to view change addresses" - }, - "sellReceiveAmount": "Sie erhalten", - "@sellReceiveAmount": { - "description": "Label showing fiat amount to receive" - }, - "bitboxCubitInvalidResponse": "Ungültige Antwort von BitBox Gerät. Bitte versuchen Sie es noch mal.", - "@bitboxCubitInvalidResponse": { - "description": "Error interpretation for invalid response" - }, - "settingsScreenTitle": "Einstellungen", - "@settingsScreenTitle": { - "description": "The title of the settings screen" - }, - "transactionDetailLabelTransferFee": "Transfergebühr", - "@transactionDetailLabelTransferFee": { - "description": "Label for transfer fee (Boltz fee)" - }, - "importQrDeviceKruxStep5": "Scannen Sie den QR-Code, den Sie auf Ihrem Gerät sehen.", - "@importQrDeviceKruxStep5": { - "description": "Krux instruction step 5" - }, - "fundExchangeHelpTransferCode": "Fügen Sie dies als Grund für die Übertragung hinzu", - "@fundExchangeHelpTransferCode": { - "description": "Help text for transfer code field" - }, - "mempoolCustomServerEdit": "Bearbeiten", - "@mempoolCustomServerEdit": { - "description": "Button text to edit custom mempool server" - }, - "importQrDeviceKruxStep2": "Klicken Sie auf erweiterten öffentlichen Schlüssel", - "@importQrDeviceKruxStep2": { - "description": "Krux instruction step 2" - }, - "recoverButton": "Recover", - "@recoverButton": { - "description": "Button label to recover wallet" - }, - "passportStep5": " - Erhöhung der Bildschirmhelligkeit auf Ihrem Gerät", - "@passportStep5": { - "description": "Passport troubleshooting tip 1" - }, - "bitboxScreenConnectSubtext": "Stellen Sie sicher, dass Ihre BitBox02 entsperrt und über USB verbunden ist.", - "@bitboxScreenConnectSubtext": { - "description": "Subtext for initial state" - }, - "payOwnerName": "Name des Eigentümers", - "@payOwnerName": { - "description": "Label for owner name field" - }, - "transactionNetworkLiquid": "Flüssig", - "@transactionNetworkLiquid": { - "description": "Label for Liquid network transactions" - }, - "payEstimatedConfirmation": "Geschätzte Bestätigung: {time}", - "@payEstimatedConfirmation": { - "description": "Estimated time until confirmation", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "bitboxErrorInvalidResponse": "Ungültige Antwort von BitBox Gerät. Bitte versuchen Sie es noch mal.", - "@bitboxErrorInvalidResponse": { - "description": "Error when BitBox returns an invalid response" - }, - "psbtFlowAddPassphrase": "Fügen Sie eine Passphrase hinzu, wenn Sie eine haben (optional)", - "@psbtFlowAddPassphrase": { - "description": "Optional instruction to add BIP39 passphrase" - }, - "payAdvancedOptions": "Erweiterte Optionen", - "@payAdvancedOptions": { - "description": "Title for advanced options bottom sheet" - }, - "sendSigningTransaction": "Anmeldung...", - "@sendSigningTransaction": { - "description": "Status while hardware wallet signs" - }, - "sellErrorFeesNotCalculated": "Transaktionsgebühren nicht berechnet. Bitte versuchen Sie es noch mal.", - "@sellErrorFeesNotCalculated": { - "description": "Error message when transaction fees calculation failed" - }, - "dcaAddressLiquid": "ANHANG", - "@dcaAddressLiquid": { - "description": "Liquid address label" - }, - "buyVerificationInProgress": "Überprüfung des Fortschritts...", - "@buyVerificationInProgress": { - "description": "Status during KYC review" - }, - "transactionSwapDescChainPaid": "Ihre Transaktion wurde gesendet. Wir warten jetzt darauf, dass die Transaktion bestätigt wird.", - "@transactionSwapDescChainPaid": { - "description": "Description for paid chain swap" - }, - "mempoolSettingsUseForFeeEstimation": "Verwendung für Gebührenschätzung", - "@mempoolSettingsUseForFeeEstimation": { - "description": "Label for use for fee estimation toggle" - }, - "buyPaymentMethod": "Zahlungsmethode", - "@buyPaymentMethod": { - "description": "Label for payment method dropdown" - }, - "fundExchangeCrIbanUsdDescriptionEnd": ". Fonds werden zu Ihrem Kontostand hinzugefügt.", - "@fundExchangeCrIbanUsdDescriptionEnd": { - "description": "End of description for CR IBAN USD transfer" - }, - "psbtFlowMoveCloserFurther": "Versuchen Sie, Ihr Gerät näher oder weiter weg zu bewegen", - "@psbtFlowMoveCloserFurther": { - "description": "Troubleshooting tip to adjust distance" - }, - "arkAboutDurationMinutes": "{minutes} Minuten", - "@arkAboutDurationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "int" - } - } - }, - "swapProgressTitle": "Interne Übertragung", - "@swapProgressTitle": { - "description": "AppBar title for swap progress screen" - }, - "pinButtonConfirm": "Bestätigen", - "@pinButtonConfirm": { - "description": "Button label to submit confirmed PIN" - }, - "coldcardStep2": "Fügen Sie eine Passphrase hinzu, wenn Sie eine haben (optional)", - "@coldcardStep2": { - "description": "Coldcard instruction step 2" - }, - "electrumInvalidNumberError": "Geben Sie eine gültige Nummer ein", - "@electrumInvalidNumberError": { - "description": "Validation error for non-numeric input" - }, - "coreWalletTransactionStatusConfirmed": "Bestätigt", - "@coreWalletTransactionStatusConfirmed": { - "description": "Display name for confirmed wallet transaction status" - }, - "recoverbullSelectGoogleDrive": "Google Drive", - "@recoverbullSelectGoogleDrive": { - "description": "Name label for Google Drive backup provider option" - }, - "recoverbullEnterInput": "Geben Sie Ihre {inputType}", - "@recoverbullEnterInput": { - "description": "Input field label prompting for PIN or password", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "importQrDevicePassportStep12": "Setup komplett.", - "@importQrDevicePassportStep12": { - "description": "Passport instruction step 12" - }, - "fundExchangeLabelIbanUsdOnly": "IBAN Kontonummer (nur für US-Dollar)", - "@fundExchangeLabelIbanUsdOnly": { - "description": "Label for IBAN field - US Dollars only" - }, - "payRecipientDetails": "Recipient details", - "@payRecipientDetails": { - "description": "Label for recipient details" - }, - "fundExchangeWarningTitle": "Beobachten Sie sich für Betrüger", - "@fundExchangeWarningTitle": { - "description": "Title of the scammer warning screen" - }, - "receiveError": "Fehler: {error}", - "@receiveError": { - "description": "Generic error message with error details", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "electrumRetryCount": "Retry Count", - "@electrumRetryCount": { - "description": "Retry Count field label and hint in advanced options" - }, - "walletDetailsDescriptorLabel": "Beschreibung", - "@walletDetailsDescriptorLabel": { - "description": "Label for the wallet descriptor field in wallet details" - }, - "importQrDeviceSeedsignerInstructionsTitle": "SeedSigner Anleitung", - "@importQrDeviceSeedsignerInstructionsTitle": { - "description": "Title for SeedSigner setup instructions" - }, - "payOrderNotFoundError": "Der Lohnauftrag wurde nicht gefunden. Bitte versuchen Sie es noch mal.", - "@payOrderNotFoundError": { - "description": "Error message for order not found" - }, - "jadeStep12": "Klicken Sie auf \"Ich bin fertig\" in der Bull Bitcoin Geldbörse.", - "@jadeStep12": { - "description": "Jade instruction to return to app" - }, - "payFilterByType": "Filter nach Typ", - "@payFilterByType": { - "description": "Label for type filter dropdown" - }, - "importMnemonicImporting": "Importieren...", - "@importMnemonicImporting": { - "description": "Loading message while importing wallet" - }, - "recoverbullGoogleDriveExportButton": "Ausfuhr", - "@recoverbullGoogleDriveExportButton": { - "description": "Export button text for vault backup" - }, - "bip329LabelsDescription": "Importieren oder Exportieren von Brieftasche-Etiketten mit dem Standardformat BIP329.", - "@bip329LabelsDescription": { - "description": "Description of BIP329 labels functionality" - }, - "backupWalletHowToDecideBackupEncryptedRecommendationText": "Sie sind nicht sicher und Sie brauchen mehr Zeit, um über Backup-Sicherheit Praktiken zu lernen.", - "@backupWalletHowToDecideBackupEncryptedRecommendationText": { - "description": "Recommendation text for when to use encrypted vault" - }, - "backupWalletImportanceWarning": "Ohne eine Sicherung verlieren Sie schließlich den Zugang zu Ihrem Geld. Es ist kritisch wichtig, eine Sicherung zu tun.", - "@backupWalletImportanceWarning": { - "description": "Warning message emphasizing the importance of creating a backup" - }, - "autoswapMaxFeeInfoText": "Wenn die Gesamttransfergebühr über dem festgelegten Prozentsatz liegt, wird der Autotransfer gesperrt", - "@autoswapMaxFeeInfoText": { - "description": "Help text explaining how the max fee threshold works" - }, - "backupWalletSuccessDescription": "Jetzt testen wir Ihr Backup, um sicherzustellen, dass alles richtig gemacht wurde.", - "@backupWalletSuccessDescription": { - "description": "Success screen description prompting user to test backup" - }, - "rbfBroadcast": "Broadcast", - "@rbfBroadcast": { - "description": "Button text to broadcast the bumped transaction" - }, - "sendEstimatedDeliveryFewHours": "wenige stunden", - "@sendEstimatedDeliveryFewHours": { - "description": "Estimated delivery time of a few hours" - }, - "dcaConfirmFrequencyMonthly": "Monat", - "@dcaConfirmFrequencyMonthly": { - "description": "Monthly frequency label" - }, - "importWatchOnlyScriptType": "Schriftart", - "@importWatchOnlyScriptType": { - "description": "Label for script type field" - }, - "electrumCustomServers": "Benutzerdefinierte Server", - "@electrumCustomServers": { - "description": "Section header for custom servers list" - }, - "transactionStatusSwapFailed": "Swap versäumt", - "@transactionStatusSwapFailed": { - "description": "Status label for failed swaps" - }, - "fundExchangeCrIbanCrcLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanCrcLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (legal ID number in Costa Rica)" - }, - "continueButton": "Fortsetzung", - "@continueButton": { - "description": "Default button text for success state" - }, - "payBatchPayment": "Batch-Zahlung", - "@payBatchPayment": { - "description": "Option to combine multiple payments" - }, - "transactionLabelBoltzSwapFee": "Boltz Swap Fee", - "@transactionLabelBoltzSwapFee": { - "description": "Label for Boltz swap fee component" - }, - "transactionSwapDescLnReceiveFailed": "Es gab ein Problem mit Ihrem Swap. Bitte kontaktieren Sie die Unterstützung, wenn die Mittel nicht innerhalb von 24 Stunden zurückgegeben wurden.", - "@transactionSwapDescLnReceiveFailed": { - "description": "Description for failed Lightning receive swap" - }, - "sellOrderNumber": "Bestellnummer", - "@sellOrderNumber": { - "description": "Label for order number" - }, - "payRecipientCount": "{count} Empfänger", - "@payRecipientCount": { - "description": "Label showing number of recipients", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "sendErrorBuildFailed": "Enthüllt bauen", - "@sendErrorBuildFailed": { - "description": "Error title when transaction build fails" - }, - "transactionDetailSwapProgress": "Swap Progress", - "@transactionDetailSwapProgress": { - "description": "Title for ongoing swap details" - }, - "arkAboutDurationMinute": "{minutes} Minute", - "@arkAboutDurationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "int" - } - } - }, - "backupWalletInstructionLoseBackup": "Wenn Sie Ihre 12 Wortsicherung verlieren, werden Sie nicht in der Lage, den Zugriff auf die Bitcoin Wallet wiederherzustellen.", - "@backupWalletInstructionLoseBackup": { - "description": "Warning instruction about losing backup" - }, - "payIsCorporateAccount": "Ist das ein Firmenkonto?", - "@payIsCorporateAccount": { - "description": "Question for corporate account checkbox" - }, - "sellSendPaymentInsufficientBalance": "Unzureichende Balance in der ausgewählten Geldbörse, um diese Verkaufsordnung zu vervollständigen.", - "@sellSendPaymentInsufficientBalance": { - "description": "Insufficient balance error" - }, - "fundExchangeCrIbanCrcLabelRecipientName": "Empfängername", - "@fundExchangeCrIbanCrcLabelRecipientName": { - "description": "Label for recipient name in CR IBAN CRC transfer" - }, - "swapTransferPendingTitle": "Über uns", - "@swapTransferPendingTitle": { - "description": "Title during pending swap status" - }, - "mempoolCustomServerSaveSuccess": "Custom Server erfolgreich gespeichert", - "@mempoolCustomServerSaveSuccess": { - "description": "Success message when custom server is saved" - }, - "sendErrorBalanceTooLowForMinimum": "Saldo zu niedrig für minimale Swap-Menge", - "@sendErrorBalanceTooLowForMinimum": { - "description": "Error when balance is below minimum required for swap" - }, - "testBackupSuccessMessage": "Sie sind in der Lage, den Zugang zu einer verlorenen Bitcoin Geldbörse zu erholen", - "@testBackupSuccessMessage": { - "description": "Success screen message confirming recovery capability" - }, - "electrumTimeout": "Timeout (Sekunden)", - "@electrumTimeout": { - "description": "Timeout field label and hint in advanced options" - }, - "transactionDetailLabelOrderStatus": "Bestellstatus", - "@transactionDetailLabelOrderStatus": { - "description": "Label for order status" - }, - "electrumSaveFailedError": "Versäumt, erweiterte Optionen zu speichern", - "@electrumSaveFailedError": { - "description": "Error message when saving advanced options fails" - }, - "arkSettleTransactionCount": "{count} {transaction}", - "@arkSettleTransactionCount": { - "description": "Button label showing number of unsettled transactions", - "placeholders": { - "count": { - "type": "String" - }, - "transaction": { - "type": "String" - } - } - }, - "bitboxScreenWalletTypeLabel": "Wallet Type:", - "@bitboxScreenWalletTypeLabel": { - "description": "Label for wallet type selector" - }, - "importQrDeviceKruxStep6": "Das ist es!", - "@importQrDeviceKruxStep6": { - "description": "Krux instruction step 6" - }, - "recoverbullRecoveryErrorMissingDerivationPath": "Backup-Datei fehlt Ableitung Pfad.", - "@recoverbullRecoveryErrorMissingDerivationPath": { - "description": "Error when vault backup file is missing required derivation path" - }, - "payUnauthenticatedError": "Sie sind nicht authentifiziert. Bitte loggen Sie sich ein, um fortzufahren.", - "@payUnauthenticatedError": { - "description": "Error message for unauthenticated user" - }, - "payClabe": "CLABE", - "@payClabe": { - "description": "Label for CLABE field" - }, - "mempoolCustomServerDelete": "Löschen", - "@mempoolCustomServerDelete": { - "description": "Button text to delete custom mempool server" - }, - "optionalPassphraseHint": "Optionale Passphrasen", - "@optionalPassphraseHint": { - "description": "Placeholder hint for passphrase field" - }, - "importColdcardImporting": "Importieren von Coldcard Geldbörse...", - "@importColdcardImporting": { - "description": "Status while importing" - }, - "exchangeDcaHideSettings": "Einstellungen verbergen", - "@exchangeDcaHideSettings": { - "description": "Link text to hide DCA settings details" - }, - "appUnlockIncorrectPinError": "Falsche PIN. Bitte versuchen Sie es noch mal. ({failedAttempts} [X51X)", - "@appUnlockIncorrectPinError": { - "description": "Error message shown when user enters incorrect PIN", - "placeholders": { - "failedAttempts": { - "type": "int" - }, - "attemptsWord": { - "type": "String" - } - } - }, - "buyBitcoinSent": "Bitcoin geschickt!", - "@buyBitcoinSent": { - "description": "Success message for accelerated transaction" - }, - "coreScreensPageNotFound": "Seite nicht gefunden", - "@coreScreensPageNotFound": { - "description": "Error message shown when a page/route is not found" - }, - "passportStep8": "Sobald die Transaktion in Ihrem Passport importiert wird, überprüfen Sie die Zieladresse und den Betrag.", - "@passportStep8": { - "description": "Passport instruction for reviewing transaction" - }, - "importQrDeviceTitle": "{deviceName}", - "@importQrDeviceTitle": { - "description": "AppBar title for QR device import", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "exchangeFeatureDcaOrders": "• DCA, Limit-Bestellungen und Autobuy", - "@exchangeFeatureDcaOrders": { - "description": "Feature bullet point describing DCA and automated buying features" - }, - "payIban": "IBAN", - "@payIban": { - "description": "Label for IBAN field" - }, - "sellSendPaymentPayoutRecipient": "Zahlempfänger", - "@sellSendPaymentPayoutRecipient": { - "description": "Field label for payout recipient" - }, - "swapInfoDescription": "Übertragen Sie Bitcoin nahtlos zwischen Ihren Geldbörsen. Halten Sie nur Geld in der Instant Payment Wallet für Tagesausgaben.", - "@swapInfoDescription": { - "description": "Information banner text on amount page" - }, - "fundExchangeCanadaPostStep7": "7. Die Mittel werden innerhalb von 30 Minuten zu Ihrem Bull Bitcoin Kontostand hinzugefügt", - "@fundExchangeCanadaPostStep7": { - "description": "Step 7 for Canada Post payment process - timeframe" - }, - "importWatchOnlyDisclaimerDescription": "Stellen Sie sicher, dass der Ableitungspfad, den Sie wählen, derjenige entspricht, der den angegebenen xpub erstellt hat, indem Sie die erste Adresse, die von der Geldbörse abgeleitet wird, vor der Verwendung überprüfen. Die Verwendung des falschen Weges kann zum Verlust von Geld führen", - "@importWatchOnlyDisclaimerDescription": { - "description": "Description explaining derivation path matching requirement" - }, - "fundExchangeWarningTactic8": "Sie pressen Sie schnell", - "@fundExchangeWarningTactic8": { - "description": "Eighth scammer tactic warning" - }, - "encryptedVaultStatusLabel": "Verschlüsselter Tresor", - "@encryptedVaultStatusLabel": { - "description": "Status label for encrypted vault" - }, - "sendConfirmSend": "Bestätigen Sie", - "@sendConfirmSend": { - "description": "Title for send confirmation screen" - }, - "fundExchangeBankTransfer": "Banküberweisung", - "@fundExchangeBankTransfer": { - "description": "Bank transfer method title" - }, - "importQrDeviceButtonInstructions": "Anweisungen", - "@importQrDeviceButtonInstructions": { - "description": "ImportQrDevice: Button to show setup instructions" - }, - "buyLevel3Limit": "Ebene 3 Begrenzung: {amount}", - "@buyLevel3Limit": { - "description": "Purchase limit for full KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "electrumLiquidSslInfo": "Es sollte kein Protokoll angegeben werden, SSL wird automatisch verwendet.", - "@electrumLiquidSslInfo": { - "description": "Info text for Liquid server protocol" - }, - "sendDeviceConnected": "Geräte angeschlossen", - "@sendDeviceConnected": { - "description": "Status when hardware wallet is detected" - }, - "swapErrorAmountAboveMaximum": "Höchstbetrag: {max} satt", - "@swapErrorAmountAboveMaximum": { - "description": "Error shown when amount is above maximum", - "placeholders": { - "max": { - "type": "String" - } - } - }, - "psbtFlowPassportTitle": "Anleitung für die Stiftung Passport", - "@psbtFlowPassportTitle": { - "description": "Title for Foundation Passport device signing instructions" - }, - "exchangeLandingFeature3": "Bitcoin verkaufen, mit Bitcoin bezahlt werden", - "@exchangeLandingFeature3": { - "description": "Third feature bullet point" - }, - "notLoggedInMessage": "Bitte loggen Sie sich in Ihr Bull Bitcoin-Konto ein, um die Austauscheinstellungen zu erreichen.", - "@notLoggedInMessage": { - "description": "Message prompting user to log in for exchange features" - }, - "swapTotalFees": "Gesamtkosten ", - "@swapTotalFees": { - "description": "Total fees label" - }, - "keystoneStep11": "Klicken Sie auf \"Ich bin fertig\" in der Bull Bitcoin Geldbörse.", - "@keystoneStep11": { - "description": "Keystone instruction to return to app" - }, - "scanningCompletedMessage": "Scannen abgeschlossen", - "@scanningCompletedMessage": { - "description": "Success message when UR scanning completes" - }, - "recoverbullSecureBackup": "Sichern Sie Ihr Backup", - "@recoverbullSecureBackup": { - "description": "Screen title for backup security setup" - }, - "payDone": "KAPITEL", - "@payDone": { - "description": "Button to close bottom sheet" - }, - "receiveContinue": "Fortsetzung", - "@receiveContinue": { - "description": "Button label for continuing in the receive flow" - }, - "buyUnauthenticatedError": "Sie sind nicht authentifiziert. Bitte loggen Sie sich ein, um fortzufahren.", - "@buyUnauthenticatedError": { - "description": "Error message for unauthenticated user during buy" - }, - "bitboxActionSignTransactionButton": "Starten Sie die Anmeldung", - "@bitboxActionSignTransactionButton": { - "description": "Button text for sign transaction" - }, - "sendEnterAbsoluteFee": "Absolute Gebühr in sats eingeben", - "@sendEnterAbsoluteFee": { - "description": "Placeholder for absolute fee input field" - }, - "importWatchOnlyDisclaimerTitle": "Ableitungspfad Warnung", - "@importWatchOnlyDisclaimerTitle": { - "description": "Title for derivation path warning disclaimer" - }, - "withdrawConfirmIban": "IBAN", - "@withdrawConfirmIban": { - "description": "Field label for IBAN" - }, - "payPayee": "Zahl", - "@payPayee": { - "description": "Label for payee details" - }, - "exchangeAccountComingSoon": "Diese Funktion kommt bald.", - "@exchangeAccountComingSoon": { - "description": "Message indicating that a feature is coming soon" - }, - "sellInProgress": "Verkaufen im Fortschritt...", - "@sellInProgress": { - "description": "Message for sell in progress" - }, - "testBackupLastKnownVault": "Letzte bekannte Verschlüsselung Standard: {timestamp}", - "@testBackupLastKnownVault": { - "description": "Shows timestamp of last encrypted vault backup", - "placeholders": { - "timestamp": { - "type": "String" - } - } - }, - "recoverbullErrorFetchKeyFailed": "Versäumt, den Tresorschlüssel vom Server zu holen", - "@recoverbullErrorFetchKeyFailed": { - "description": "Error message when server key fetch fails" - }, - "sendSwapInProgressInvoice": "Der Swap ist im Gange. Die Rechnung wird in wenigen Sekunden bezahlt.", - "@sendSwapInProgressInvoice": { - "description": "Message for Liquid swap in progress" - }, - "arkReceiveButton": "Empfang", - "@arkReceiveButton": { - "description": "Bottom button to navigate to receive page" - }, - "electrumRetryCountNegativeError": "Retry Count kann nicht negativ sein", - "@electrumRetryCountNegativeError": { - "description": "Validation error for negative Retry Count value" - }, - "fundExchangeOnlineBillPaymentLabelAccountNumber": "Dies als Kontonummer hinzufügen", - "@fundExchangeOnlineBillPaymentLabelAccountNumber": { - "description": "Label for account number in online bill payment" - }, - "importQrDeviceJadeStep4": "Wählen Sie \"Optionen\" aus dem Hauptmenü", - "@importQrDeviceJadeStep4": { - "description": "Jade instruction step 4" - }, - "backupWalletSavingToDeviceTitle": "Sparen Sie auf Ihr Gerät.", - "@backupWalletSavingToDeviceTitle": { - "description": "Loading screen title when saving to custom location" - }, - "transactionFilterSend": "Bitte", - "@transactionFilterSend": { - "description": "Filter option to show only sent transactions" - }, - "paySwapInProgress": "Swap in progress...", - "@paySwapInProgress": { - "description": "Status message during submarine swap" - }, - "importMnemonicSyncMessage": "Alle drei Portemonnaie-Typen synchronisieren und ihre Balance und Transaktionen werden bald erscheinen. Sie können warten, bis Sync komplettiert oder gehen Sie zu importieren, wenn Sie sicher sind, welche Portemonnaietyp Sie importieren möchten.", - "@importMnemonicSyncMessage": { - "description": "Message explaining wallet type syncing process" - }, - "coreSwapsLnSendClaimable": "Swap ist bereit, beansprucht zu werden.", - "@coreSwapsLnSendClaimable": { - "description": "Status message for claimable Lightning send swap" - }, - "fundExchangeMethodCrIbanCrcSubtitle": "Überweisung in Costa Rican Colón (CRC)", - "@fundExchangeMethodCrIbanCrcSubtitle": { - "description": "Subtitle for Costa Rica IBAN CRC payment method" - }, - "transactionDetailTitle": "Transaction details", - "@transactionDetailTitle": { - "description": "Title for transaction details screen" - }, - "autoswapRecipientWalletLabel": "Recipient Bitcoin Wallet", - "@autoswapRecipientWalletLabel": { - "description": "Label for wallet selection dropdown" - }, - "coreScreensConfirmTransfer": "Über uns", - "@coreScreensConfirmTransfer": { - "description": "Title for confirm transfer action" - }, - "payPaymentInProgressDescription": "Ihre Zahlung wurde eingeleitet und der Empfänger erhält die Mittel, nachdem Ihre Transaktion 1 Bestätigung onchain erhält.", - "@payPaymentInProgressDescription": { - "description": "Description for payment in progress" - }, - "transactionLabelTotalTransferFees": "Gesamttransfergebühren", - "@transactionLabelTotalTransferFees": { - "description": "Label for total transfer fees" - }, - "arkSettleMessage": "Finalisieren Sie anstehende Transaktionen und schließen Sie wiederherstellbare vtxos bei Bedarf ein", - "@arkSettleMessage": { - "description": "Settle bottom sheet explanation" - }, - "receiveCopyInvoice": "Kopieren Invoice", - "@receiveCopyInvoice": { - "description": "Button to copy invoice to clipboard" - }, - "exchangeAccountInfoLastNameLabel": "Vorname", - "@exchangeAccountInfoLastNameLabel": { - "description": "Label for last name field in account information" - }, - "walletAutoTransferBlockedTitle": "Auto Transfer blockiert", - "@walletAutoTransferBlockedTitle": { - "description": "Title for auto-swap fee warning when fees exceed threshold" - }, - "importQrDeviceJadeInstructionsTitle": "Blockstream Jade Anleitung", - "@importQrDeviceJadeInstructionsTitle": { - "description": "Title for Jade setup instructions" - }, - "paySendMax": "Max", - "@paySendMax": { - "description": "Button to set amount to maximum available" - }, - "recoverbullGoogleDriveDeleteConfirmation": "Sind Sie sicher, dass Sie diese Tresorsicherung löschen möchten? Diese Aktion kann nicht rückgängig gemacht werden.", - "@recoverbullGoogleDriveDeleteConfirmation": { - "description": "Confirmation message for deleting a vault backup" - }, - "arkReceiveArkAddress": "Ark Adresse", - "@arkReceiveArkAddress": { - "description": "Label for Ark address" - }, - "googleDriveSignInMessage": "Sie müssen sich bei Google Drive anmelden", - "@googleDriveSignInMessage": { - "description": "Message about needing to sign in to Google Drive" - }, - "transactionNoteEditTitle": "Anmerkung bearbeiten", - "@transactionNoteEditTitle": { - "description": "Title for edit note dialog" - }, - "transactionDetailLabelCompletedAt": "Abgeschlossen bei", - "@transactionDetailLabelCompletedAt": { - "description": "Label for completion time" - }, - "passportStep9": "Klicken Sie auf die Schaltflächen, um die Transaktion auf Ihrem Passport zu unterzeichnen.", - "@passportStep9": { - "description": "Passport instruction for signing" - }, - "walletTypeBitcoinNetwork": "Bitcoin Netzwerk", - "@walletTypeBitcoinNetwork": { - "description": "Wallet type label for Bitcoin network" - }, - "electrumDeleteConfirmation": "Sind Sie sicher, dass Sie diesen Server löschen möchten?\n\n(X46X)", - "@electrumDeleteConfirmation": { - "description": "Confirmation message for server deletion", - "placeholders": { - "serverUrl": { - "type": "String" - } - } - }, - "arkServerUrl": "Server URL", - "@arkServerUrl": { - "description": "Label for server URL field" - }, - "importMnemonicSelectType": "Wählen Sie einen Portemonnaietyp zum Import", - "@importMnemonicSelectType": { - "description": "Instruction to select wallet type" - }, - "fundExchangeMethodArsBankTransfer": "Banküberweisung", - "@fundExchangeMethodArsBankTransfer": { - "description": "Payment method: Bank Transfer (Argentina)" - }, - "importQrDeviceKeystoneStep1": "Power auf Ihrem Keystone-Gerät", - "@importQrDeviceKeystoneStep1": { - "description": "Keystone instruction step 1" - }, - "arkDurationDays": "{days} Tage", - "@arkDurationDays": { - "description": "Duration format for plural days", - "placeholders": { - "days": { - "type": "String" - } - } - }, - "bitcoinSettingsBip85EntropiesTitle": "BIP85 Deterministische Entropie", - "@bitcoinSettingsBip85EntropiesTitle": { - "description": "Title for the BIP85 deterministic entropies section in Bitcoin settings" - }, - "swapTransferAmount": "Transferbetrag", - "@swapTransferAmount": { - "description": "Label for amount input field" - }, - "feePriorityLabel": "Gebührenpriorität", - "@feePriorityLabel": { - "description": "Label for fee selection priority option" - }, - "coreScreensToLabel": "Zu", - "@coreScreensToLabel": { - "description": "Label for destination/receiver field" - }, - "backupSettingsTestBackup": "Test Backup", - "@backupSettingsTestBackup": { - "description": "Button text to test existing backup" - }, - "coreSwapsActionRefund": "Erstattung", - "@coreSwapsActionRefund": { - "description": "Action label for refunding a swap" - }, - "payInsufficientBalance": "Unzureichende Balance in der ausgewählten Geldbörse, um diese Bezahlung Bestellung abzuschließen.", - "@payInsufficientBalance": { - "description": "Error message for insufficient balance" - }, - "viewLogsLabel": "Logs anzeigen", - "@viewLogsLabel": { - "description": "List tile label to view logs inline or in viewer" - }, - "sendSwapTimeEstimate": "Geschätzte Zeit: {time}", - "@sendSwapTimeEstimate": { - "description": "Expected swap duration", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "hwKeystone": "Schlüssel", - "@hwKeystone": { - "description": "Name of Keystone hardware wallet" - }, - "kruxStep12": "Die Krux zeigt Ihnen dann einen eigenen QR-Code.", - "@kruxStep12": { - "description": "Krux instruction about signed PSBT QR" - }, - "buyInputMinAmountError": "Sie sollten zumindest kaufen", - "@buyInputMinAmountError": { - "description": "Minimum amount error message" - }, - "ledgerScanningTitle": "Scannen nach Geräten", - "@ledgerScanningTitle": { - "description": "Title shown while scanning for Ledger devices" - }, - "payInstitutionCode": "Institute Code", - "@payInstitutionCode": { - "description": "Label for institution code field" - }, - "recoverbullFetchVaultKey": "Fech Vault Schlüssel", - "@recoverbullFetchVaultKey": { - "description": "Screen title for vault key fetch screen" - }, - "coreSwapsActionClaim": "Anspruch", - "@coreSwapsActionClaim": { - "description": "Action label for claiming a swap" - }, - "bitboxActionUnlockDeviceSuccessSubtext": "Ihr BitBox-Gerät ist jetzt freigeschaltet und gebrauchsfertig.", - "@bitboxActionUnlockDeviceSuccessSubtext": { - "description": "Success subtext for unlock device" - }, - "payShareInvoice": "Teilen Invoice", - "@payShareInvoice": { - "description": "Button text to share payment invoice" - }, - "walletDetailsSignerDeviceLabel": "Unterschreibergerät", - "@walletDetailsSignerDeviceLabel": { - "description": "Label for the signer device field in wallet details" - }, - "bitboxScreenEnterPassword": "Passwort vergessen", - "@bitboxScreenEnterPassword": { - "description": "Main text when waiting for password" - }, - "keystoneStep10": "Der Keystone zeigt Ihnen dann seinen eigenen QR-Code.", - "@keystoneStep10": { - "description": "Keystone instruction about signed PSBT QR" - }, - "ledgerSuccessSignTitle": "Transaktion erfolgreich unterzeichnet", - "@ledgerSuccessSignTitle": { - "description": "Success message title after signing transaction with Ledger" - }, - "electrumPrivacyNoticeContent1": "Datenschutzhinweis: Mit Ihrem eigenen Knoten wird sichergestellt, dass kein Dritter Ihre IP-Adresse mit Ihren Transaktionen verknüpfen kann.", - "@electrumPrivacyNoticeContent1": { - "description": "First paragraph of privacy notice" - }, - "testBackupEnterKeyManually": "Sicherungsschlüssel manuell eingeben >>", - "@testBackupEnterKeyManually": { - "description": "Button text to manually enter backup key" - }, - "fundExchangeWarningTactic3": "Sie sagen, sie arbeiten für Schulden oder Steuererhebung", - "@fundExchangeWarningTactic3": { - "description": "Third scammer tactic warning" - }, - "payCoinjoinFailed": "CoinJoin gescheitert", - "@payCoinjoinFailed": { - "description": "Error when CoinJoin fails" - }, - "allWordsSelectedMessage": "Sie haben alle Wörter ausgewählt", - "@allWordsSelectedMessage": { - "description": "Message shown when all words are selected" - }, - "bitboxActionPairDeviceTitle": "BitBox Gerät", - "@bitboxActionPairDeviceTitle": { - "description": "Title for pair device action" - }, - "buyKYCLevel2": "Level 2 - Enhanced", - "@buyKYCLevel2": { - "description": "Enhanced verification tier" - }, - "receiveAmount": "Betrag (optional)", - "@receiveAmount": { - "description": "Optional amount field for invoice" - }, - "testBackupErrorSelectAllWords": "Bitte wählen Sie alle Wörter", - "@testBackupErrorSelectAllWords": { - "description": "Error when not all words are selected" - }, - "buyLevel1Limit": "Grenzwert: {amount}", - "@buyLevel1Limit": { - "description": "Purchase limit for basic KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "dcaNetworkLabel": "Netzwerk", - "@dcaNetworkLabel": { - "description": "Label for network detail row" - }, - "sendScanBitcoinQRCode": "Scannen Sie jeden Bitcoin oder Lightning QR-Code, um mit Bitcoin zu bezahlen.", - "@sendScanBitcoinQRCode": { - "description": "Instructions for scanning a QR code to make a Bitcoin payment" - }, - "toLabel": "Zu", - "@toLabel": { - "description": "Label for destination address in transaction details" - }, - "passportStep7": " - Versuchen Sie, Ihr Gerät ein bisschen zurück zu bewegen", - "@passportStep7": { - "description": "Passport troubleshooting tip 3" - }, - "sendConfirm": "Bestätigen", - "@sendConfirm": { - "description": "Button label for confirming a send transaction" - }, - "payPhoneNumber": "Telefonnummer", - "@payPhoneNumber": { - "description": "Label for phone number field" - }, - "transactionSwapProgressInvoicePaid": "Rechnung\nBezahlt", - "@transactionSwapProgressInvoicePaid": { - "description": "Swap progress step: Lightning invoice paid" - }, - "sendInsufficientFunds": "Nicht ausreichende Mittel", - "@sendInsufficientFunds": { - "description": "Error when balance too low" - }, - "sendSuccessfullySent": "Erfolgreich Sent", - "@sendSuccessfullySent": { - "description": "Title for successful send completion" - }, - "sendSwapAmount": "Betrag", - "@sendSwapAmount": { - "description": "Label for amount being swapped" - }, - "autoswapTitle": "Auto Transfer Einstellungen", - "@autoswapTitle": { - "description": "Header title for auto transfer settings bottom sheet" - }, - "sellInteracTransfer": "Interac e-Transfer", - "@sellInteracTransfer": { - "description": "Option for Interac payment (Canada)" - }, - "bitboxScreenPairingCodeSubtext": "Überprüfen Sie diesen Code mit Ihrem BitBox02-Bildschirm, dann bestätigen Sie auf dem Gerät.", - "@bitboxScreenPairingCodeSubtext": { - "description": "Subtext when showing pairing code" - }, - "createdAtLabel": "Erstellt bei:", - "@createdAtLabel": { - "description": "Label for creation date" - }, - "pinConfirmMismatchError": "PINs passen nicht", - "@pinConfirmMismatchError": { - "description": "Error message when confirmation PIN doesn't match original" - }, - "autoswapMinimumThresholdErrorBtc": "Mindestausgleichsschwelle {amount} BTC", - "@autoswapMinimumThresholdErrorBtc": { - "description": "Validation error shown when amount threshold is below minimum (BTC display)", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "receiveLiquidNetwork": "Flüssig", - "@receiveLiquidNetwork": { - "description": "Liquid Network option" - }, - "autoswapSettingsTitle": "Auto Transfer Einstellungen", - "@autoswapSettingsTitle": { - "description": "Main header/title of the auto swap settings bottom sheet" - }, - "payFirstNameHint": "Vorname eingeben", - "@payFirstNameHint": { - "description": "Hint for first name input" - }, - "walletDetailsPubkeyLabel": "Gülle", - "@walletDetailsPubkeyLabel": { - "description": "Label for the public key field in wallet details" - }, - "arkAboutBoardingExitDelay": "Ausstiegsverzögerung", - "@arkAboutBoardingExitDelay": { - "description": "Field label for boarding exit delay" - }, - "receiveConfirmedInFewSeconds": "Es wird in ein paar Sekunden bestätigt", - "@receiveConfirmedInFewSeconds": { - "description": "Message indicating quick confirmation time for Lightning transactions" - }, - "backupWalletInstructionNoPassphrase": "Ihr Backup ist nicht durch passphrase geschützt. Fügen Sie eine Passphrase zu Ihrem Backup später hinzu, indem Sie eine neue Geldbörse erstellen.", - "@backupWalletInstructionNoPassphrase": { - "description": "Information about passphrase protection option" - }, - "transactionDetailLabelSwapId": "Swap-ID", - "@transactionDetailLabelSwapId": { - "description": "Label for swap ID" - }, - "sendSwapFailed": "Der Swap hat versagt. Ihre Rückerstattung wird in Kürze bearbeitet.", - "@sendSwapFailed": { - "description": "Message explaining swap failure and refund" - }, - "sellNetworkError": "Netzwerkfehler. Bitte versuchen Sie es noch einmal", - "@sellNetworkError": { - "description": "Error for connectivity issues" - }, - "sendHardwareWallet": "Hardware Wallet", - "@sendHardwareWallet": { - "description": "Option to sign with hardware device" - }, - "sendUserRejected": "Benutzer abgelehnt auf Gerät", - "@sendUserRejected": { - "description": "Error when user declines on hardware wallet" - }, - "swapSubtractFeesLabel": "Subtrahieren Sie Gebühren von Betrag", - "@swapSubtractFeesLabel": { - "description": "Label when receive exact amount toggle is off" - }, - "buyVerificationRequired": "Für diesen Betrag erforderliche Überprüfung", - "@buyVerificationRequired": { - "description": "Error when KYC needed for purchase size" - }, - "withdrawConfirmBankAccount": "Bankkonto", - "@withdrawConfirmBankAccount": { - "description": "Default label for bank account in confirmation screen" - }, - "kruxStep1": "Anmeldung zu Ihrem Krux Gerät", - "@kruxStep1": { - "description": "Krux instruction step 1" - }, - "dcaUseDefaultLightningAddress": "Verwenden Sie meine Standard Lightning-Adresse.", - "@dcaUseDefaultLightningAddress": { - "description": "Checkbox label to use default Lightning address" - }, - "recoverbullErrorRejected": "Vom Key Server abgestoßen", - "@recoverbullErrorRejected": { - "description": "Error message when request is rejected by the key server" - }, - "sellEstimatedArrival": "Geschätzte Ankunft: {time}", - "@sellEstimatedArrival": { - "description": "Expected time to receive fiat", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "fundExchangeWarningTacticsTitle": "Gemeinsame Betrügertaktik", - "@fundExchangeWarningTacticsTitle": { - "description": "Title for the list of common scammer tactics" - }, - "payInstitutionCodeHint": "Institutscode", - "@payInstitutionCodeHint": { - "description": "Hint for institution code input" - }, - "arkConfirmedBalance": "Saldo bestätigt", - "@arkConfirmedBalance": { - "description": "Label for confirmed balance row" - }, - "walletAddressTypeNativeSegwit": "Native Segwit", - "@walletAddressTypeNativeSegwit": { - "description": "Address type for BIP84 wallets" - }, - "payOpenInvoice": "Offene Rechnung", - "@payOpenInvoice": { - "description": "Button to open invoice" - }, - "payMaximumAmount": "Maximal: {amount}", - "@payMaximumAmount": { - "description": "Label showing maximum payment amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellSendPaymentNetworkFees": "Netzgebühren", - "@sellSendPaymentNetworkFees": { - "description": "Field label for network fees" - }, - "transactionSwapDescLnReceivePaid": "Die Zahlung wurde erhalten! Wir senden nun die on-chain-Transaktion an Ihre Brieftasche.", - "@transactionSwapDescLnReceivePaid": { - "description": "Description for paid Lightning receive swap" - }, - "payAboveMaxAmount": "Sie versuchen, über den maximalen Betrag zu zahlen, der mit dieser Geldbörse bezahlt werden kann.", - "@payAboveMaxAmount": { - "description": "Error message when payment amount exceeds maximum" - }, - "receiveNetworkUnavailable": "{network} ist derzeit nicht verfügbar", - "@receiveNetworkUnavailable": { - "description": "Error when network is down", - "placeholders": { - "network": { - "type": "String" - } - } - }, - "fundExchangeHelpBeneficiaryAddress": "Unsere offizielle Adresse, falls dies von Ihrer Bank verlangt wird", - "@fundExchangeHelpBeneficiaryAddress": { - "description": "Help text for beneficiary address field" - }, - "backupWalletPhysicalBackupTitle": "Physische Sicherung", - "@backupWalletPhysicalBackupTitle": { - "description": "Title for physical backup option" - }, - "arkTxBoarding": "Durchführung", - "@arkTxBoarding": { - "description": "Transaction type label for Ark boarding transactions" - }, - "bitboxActionVerifyAddressSuccess": "Adresse Verifiziert erfolgreich", - "@bitboxActionVerifyAddressSuccess": { - "description": "Success text for verify address" - }, - "psbtImDone": "Ich bin fertig", - "@psbtImDone": { - "description": "Button text to proceed after signing transaction on hardware device" - }, - "bitboxScreenSelectWalletType": "Wählen Sie Wallet Typ", - "@bitboxScreenSelectWalletType": { - "description": "Title for wallet type selection modal" - }, - "appUnlockEnterPinMessage": "Geben Sie Ihren Pincode ein, um zu entsperren", - "@appUnlockEnterPinMessage": { - "description": "Message prompting user to enter their PIN code to unlock the app" - }, - "torSettingsTitle": "Tor-Einstellungen", - "@torSettingsTitle": { - "description": "AppBar title for the Tor settings screen" - }, - "backupSettingsRevealing": "Wiederholen...", - "@backupSettingsRevealing": { - "description": "Button text while revealing vault key" - }, - "payTotal": "Insgesamt", - "@payTotal": { - "description": "Label for total payment amount (amount + fee)" - }, - "autoswapSaveErrorMessage": "Fehler beim Speichern von Einstellungen: {error}", - "@autoswapSaveErrorMessage": { - "description": "SnackBar error message when save fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "exchangeDcaAddressLabelLightning": "Beleuchtungsadresse", - "@exchangeDcaAddressLabelLightning": { - "description": "Label for Lightning address in DCA settings" - }, - "addressViewTitle": "Adresse Details", - "@addressViewTitle": { - "description": "AppBar title for address details screen" - }, - "payCompleted": "Zahlung abgeschlossen!", - "@payCompleted": { - "description": "Title for payment completed screen" - }, - "bitboxScreenManagePermissionsButton": "Genehmigungen für die Verwaltung", - "@bitboxScreenManagePermissionsButton": { - "description": "Button to open app permissions settings" - }, - "sellKYCPending": "KYC-Prüfung anhängig", - "@sellKYCPending": { - "description": "Message when verification in progress" - }, - "buyGetConfirmedFaster": "Erhalten Sie es schneller", - "@buyGetConfirmedFaster": { - "description": "Subtitle for acceleration option" - }, - "transactionOrderLabelPayinAmount": "Zahlbetrag", - "@transactionOrderLabelPayinAmount": { - "description": "Label for order payin amount" - }, - "dcaLightningAddressLabel": "Beleuchtungsadresse", - "@dcaLightningAddressLabel": { - "description": "Label for Lightning address detail row (shown only for Lightning network)" - }, - "electrumEnableSsl": "SSL aktivieren", - "@electrumEnableSsl": { - "description": "SSL toggle label in add custom server sheet" - }, - "payCustomFee": "Zollgebühren", - "@payCustomFee": { - "description": "Option to set custom fee amount" - }, - "backupInstruction5": "Ihr Backup ist nicht durch passphrase geschützt. Fügen Sie eine Passphrase zu Ihrem Backup später hinzu, indem Sie eine neue Geldbörse erstellen.", - "@backupInstruction5": { - "description": "Fifth backup instruction about passphrase protection" - }, - "buyConfirmExpress": "Confirm express", - "@buyConfirmExpress": { - "description": "Button to confirm express withdrawal" - }, - "fundExchangeBankTransferWireTimeframe": "Alle Gelder, die Sie senden, werden innerhalb von 1-2 Werktagen zu Ihrem Bull Bitcoin hinzugefügt.", - "@fundExchangeBankTransferWireTimeframe": { - "description": "Timeframe for bank transfer wire funds to be credited" - }, - "sendDeviceDisconnected": "Geräte getrennt", - "@sendDeviceDisconnected": { - "description": "Error when hardware wallet unplugged" - }, - "withdrawConfirmError": "Fehler: {error}", - "@withdrawConfirmError": { - "description": "Error message on confirmation screen", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payFeeBumpFailed": "Fee Stoß versagt", - "@payFeeBumpFailed": { - "description": "Error when fee bump fails" - }, - "arkAboutUnilateralExitDelay": "Einseitige Ausstiegsverzögerung", - "@arkAboutUnilateralExitDelay": { - "description": "Field label for unilateral exit delay" - }, - "payUnsupportedInvoiceType": "Ununterstützter Rechnungstyp", - "@payUnsupportedInvoiceType": { - "description": "Error for unknown invoice format" - }, - "seedsignerStep13": "Die Transaktion wird in der Bull Bitcoin Geldbörse importiert.", - "@seedsignerStep13": { - "description": "SeedSigner instruction about import completion" - }, - "autoswapRecipientWalletDefaultLabel": "Bitcoin Wallet", - "@autoswapRecipientWalletDefaultLabel": { - "description": "Default label shown for wallets without a custom label in the dropdown" - }, - "transactionSwapDescLnReceiveClaimable": "Die on-chain Transaktion wurde bestätigt. Wir fordern nun die Mittel, um Ihren Swap abzuschließen.", - "@transactionSwapDescLnReceiveClaimable": { - "description": "Description for claimable Lightning receive swap" - }, - "dcaPaymentMethodLabel": "Zahlungsmethode", - "@dcaPaymentMethodLabel": { - "description": "Label for payment method detail row" - }, - "swapProgressPendingMessage": "Die Übertragung ist im Gange. Bitcoin Transaktionen können eine Weile dauern, um zu bestätigen. Du kannst nach Hause zurückkehren und warten.", - "@swapProgressPendingMessage": { - "description": "Pending transfer message" - }, - "walletDetailsNetworkLabel": "Netzwerk", - "@walletDetailsNetworkLabel": { - "description": "Label for the network field in wallet details" - }, - "broadcastSignedTxBroadcasting": "Das ist...", - "@broadcastSignedTxBroadcasting": { - "description": "Loading message while broadcasting" - }, - "recoverbullSelectRecoverWallet": "Recover Wallet", - "@recoverbullSelectRecoverWallet": { - "description": "AppBar title for initial provider selection screen" - }, - "receivePayjoinActivated": "Payjoin aktiviert", - "@receivePayjoinActivated": { - "description": "Message indicating that payjoin is activated for the receive transaction" - }, - "importMnemonicContinue": "Fortsetzung", - "@importMnemonicContinue": { - "description": "Button text to proceed after entering mnemonic" - }, - "psbtFlowMoveLaser": "Bewegen Sie den roten Laser über QR-Code", - "@psbtFlowMoveLaser": { - "description": "Troubleshooting tip for devices with laser scanners" - }, - "chooseVaultLocationTitle": "Wählen Sie den Speicherort", - "@chooseVaultLocationTitle": { - "description": "Title for choose vault location screen" - }, - "dcaConfirmOrderTypeValue": "Recuring kaufen", - "@dcaConfirmOrderTypeValue": { - "description": "Order type value" - }, - "psbtFlowDeviceShowsQr": "Der {device} zeigt Ihnen dann einen eigenen QR-Code.", - "@psbtFlowDeviceShowsQr": { - "description": "Information that device will display QR code after signing", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "fundExchangeCrBankTransferDescriptionExactly": "genau", - "@fundExchangeCrBankTransferDescriptionExactly": { - "description": "Emphasized word 'exactly' in Costa Rica description" - }, - "testBackupEncryptedVaultTitle": "Verschlüsselter Tresor", - "@testBackupEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option card" - }, - "dcaWalletTypeLiquid": "Flüssigkeit (LBTC)", - "@dcaWalletTypeLiquid": { - "description": "Radio button option for Liquid wallet" - }, - "fundExchangeLabelInstitutionNumber": "Institutionsnummer", - "@fundExchangeLabelInstitutionNumber": { - "description": "Label for institution number field" - }, - "encryptedVaultDescription": "Anonyme Sicherung mit starker Verschlüsselung mit Ihrer Cloud.", - "@encryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, - "arkAboutCopiedMessage": "{label} in die Zwischenablage kopiert", - "@arkAboutCopiedMessage": { - "description": "Snackbar message when field copied", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "swapAmountLabel": "Betrag", - "@swapAmountLabel": { - "description": "Label for amount input section" - }, - "recoverbullSelectCustomLocation": "Individueller Standort", - "@recoverbullSelectCustomLocation": { - "description": "AppBar title for custom location file picker screen" - }, - "sellConfirmOrder": "Bestätigen Verkauf Bestellung", - "@sellConfirmOrder": { - "description": "Button to submit sell order" - }, - "exchangeAccountInfoUserNumberLabel": "Benutzernummer", - "@exchangeAccountInfoUserNumberLabel": { - "description": "Label for user number field in account information" - }, - "buyVerificationComplete": "Vollständige Überprüfung", - "@buyVerificationComplete": { - "description": "Success message after KYC approval" - }, - "transactionNotesLabel": "Anmerkungen zur Umsetzung", - "@transactionNotesLabel": { - "description": "Label for transaction notes section" - }, - "replaceByFeeFeeRateDisplay": "Gebührensatz: {feeRate} sat/vbyte", - "@replaceByFeeFeeRateDisplay": { - "description": "Display text showing the fee rate", - "placeholders": { - "feeRate": { - "type": "String" - } - } - }, - "torSettingsPortValidationRange": "Hafen muss zwischen 1 und 65535 sein", - "@torSettingsPortValidationRange": { - "description": "Validation error when port is out of valid range" - }, - "fundExchangeMethodCrIbanUsdSubtitle": "Transferfonds in US-Dollar (USD)", - "@fundExchangeMethodCrIbanUsdSubtitle": { - "description": "Subtitle for Costa Rica IBAN USD payment method" - }, - "electrumTimeoutEmptyError": "Timeout kann nicht leer sein", - "@electrumTimeoutEmptyError": { - "description": "Validation error for empty Timeout field" - }, - "electrumPrivacyNoticeContent2": "Allerdings Wenn Sie Transaktionen über Mempool anzeigen, indem Sie auf Ihre Transaktions-ID oder Empfänger-Details Seite klicken, werden diese Informationen BullBitcoin bekannt.", - "@electrumPrivacyNoticeContent2": { - "description": "Second paragraph of privacy notice" - }, - "exchangeAccountInfoVerificationIdentityVerified": "Identitätsprüfung", - "@exchangeAccountInfoVerificationIdentityVerified": { - "description": "Status label for identity verified verification level" - }, - "importColdcardScanPrompt": "Scannen Sie den QR-Code von Ihrem Coldcard Q", - "@importColdcardScanPrompt": { - "description": "Instruction to scan Coldcard QR" - }, - "torSettingsDescConnected": "Tor Proxy läuft und bereit", - "@torSettingsDescConnected": { - "description": "Description when Tor is connected" - }, - "backupSettingsEncryptedVault": "Verschlüsselter Tresor", - "@backupSettingsEncryptedVault": { - "description": "Label for encrypted vault backup status row" - }, - "autoswapAlwaysBlockInfoDisabled": "Wenn deaktiviert, erhalten Sie die Möglichkeit, einen Autotransfer zu ermöglichen, der aufgrund hoher Gebühren blockiert wird", - "@autoswapAlwaysBlockInfoDisabled": { - "description": "Help text when always block is disabled" - }, - "dcaSetupTitle": "Recuring Set kaufen", - "@dcaSetupTitle": { - "description": "AppBar title for DCA setup screen" - }, - "sendErrorInsufficientBalanceForPayment": "Nicht genug Balance, um diese Zahlung zu decken", - "@sendErrorInsufficientBalanceForPayment": { - "description": "Error when wallet balance is insufficient for payment" - }, - "bitboxScreenPairingCode": "Paarungscode", - "@bitboxScreenPairingCode": { - "description": "Main text when showing pairing code" - }, - "testBackupPhysicalBackupTitle": "Physische Sicherung", - "@testBackupPhysicalBackupTitle": { - "description": "Title for physical backup option card" - }, - "fundExchangeSpeiDescription": "Überweisungsmittel mit CLABE", - "@fundExchangeSpeiDescription": { - "description": "Description for SPEI transfer method" - }, - "ledgerProcessingImport": "Wallet importieren", - "@ledgerProcessingImport": { - "description": "Status message shown while importing Ledger wallet" - }, - "coldcardStep15": "Es ist jetzt bereit zu senden! Sobald Sie auf Sendung klicken, wird die Transaktion im Bitcoin-Netzwerk veröffentlicht und die Mittel werden gesendet.", - "@coldcardStep15": { - "description": "Coldcard final instruction about broadcasting" - }, - "comingSoonDefaultMessage": "Diese Funktion ist derzeit in der Entwicklung und wird bald verfügbar sein.", - "@comingSoonDefaultMessage": { - "description": "Default message for features under development" - }, - "dcaFrequencyLabel": "Häufigkeit", - "@dcaFrequencyLabel": { - "description": "Label for frequency detail row" - }, - "ledgerErrorMissingAddress": "Anschrift für die Überprüfung", - "@ledgerErrorMissingAddress": { - "description": "Error message when address is missing for verification" - }, - "enterBackupKeyManuallyTitle": "Geben Sie den Sicherungsschlüssel manuell", - "@enterBackupKeyManuallyTitle": { - "description": "Title for enter backup key manually screen" - }, - "transactionDetailLabelRecipientAddress": "Empfängeradresse", - "@transactionDetailLabelRecipientAddress": { - "description": "Label for recipient address" - }, - "recoverbullCreatingVault": "Erstellen Verschlüsselt Vault", - "@recoverbullCreatingVault": { - "description": "Screen title while vault is being created" - }, - "walletsListNoWalletsMessage": "Keine Brieftaschen gefunden", - "@walletsListNoWalletsMessage": { - "description": "Message displayed when no wallets are found" - }, - "importWalletColdcardQ": "Kaltkarte Q", - "@importWalletColdcardQ": { - "description": "Button label for Coldcard Q hardware wallet" - }, - "backupSettingsStartBackup": "Starten Sie Backup", - "@backupSettingsStartBackup": { - "description": "Button text to start new backup process" - }, - "sendReceiveAmount": "Betrag", - "@sendReceiveAmount": { - "description": "Label for amount being received in swap" - }, - "recoverbullTestRecovery": "Test Erholung", - "@recoverbullTestRecovery": { - "description": "Button text to initiate recovery test" - }, - "sellNetAmount": "Nettobetrag", - "@sellNetAmount": { - "description": "Label for amount after fees" - }, - "willNot": "nicht ", - "@willNot": { - "description": "Bold part of privacy assurance (will not)" - }, - "arkAboutServerPubkey": "Server", - "@arkAboutServerPubkey": { - "description": "Field label for server pubkey" - }, - "receiveReceiveAmount": "Betrag", - "@receiveReceiveAmount": { - "description": "Label for the amount that will be received after fees" - }, - "exchangeReferralsApplyToJoinMessage": "Wenden Sie sich an das Programm hier", - "@exchangeReferralsApplyToJoinMessage": { - "description": "Message with link to apply for the referral program" - }, - "payLabelHint": "Geben Sie ein Etikett für diesen Empfänger ein", - "@payLabelHint": { - "description": "Hint for label input" - }, - "payBitcoinOnchain": "Bitcoin on-chain", - "@payBitcoinOnchain": { - "description": "Option for Bitcoin on-chain payment" - }, - "pinManageDescription": "Verwalten Sie Ihre Sicherheit PIN", - "@pinManageDescription": { - "description": "Headline text on PIN settings screen" - }, - "pinCodeConfirm": "Bestätigen", - "@pinCodeConfirm": { - "description": "Button label to confirm PIN entry" - }, - "bitboxActionUnlockDeviceProcessing": "Entriegelungsvorrichtung", - "@bitboxActionUnlockDeviceProcessing": { - "description": "Processing text for unlock device" - }, - "seedsignerStep4": "Wenn Sie Probleme beim Scannen haben:", - "@seedsignerStep4": { - "description": "SeedSigner troubleshooting header" - }, - "mempoolNetworkLiquidTestnet": "Flüssiges Testnet", - "@mempoolNetworkLiquidTestnet": { - "description": "Label for Liquid Testnet network" - }, - "payBitcoinOnChain": "Bitcoin on-chain", - "@payBitcoinOnChain": { - "description": "Option for Bitcoin on-chain payment" - }, - "torSettingsDescDisconnected": "Tor Proxy läuft nicht", - "@torSettingsDescDisconnected": { - "description": "Description when Tor is disconnected" - }, - "ledgerButtonTryAgain": "Noch einmal", - "@ledgerButtonTryAgain": { - "description": "Button label to retry a failed Ledger operation" - }, - "bitboxScreenNestedSegwitBip49Subtitle": "P2WPKH-Nested-in-P2SH", - "@bitboxScreenNestedSegwitBip49Subtitle": { - "description": "Subtitle for BIP49 option" - }, - "buyInstantPaymentWallet": "Instant Payment Wallet", - "@buyInstantPaymentWallet": { - "description": "Label for instant payment (Liquid) wallet" - }, - "autoswapMaxBalanceLabel": "Max Instant Wallet Balance", - "@autoswapMaxBalanceLabel": { - "description": "Label for amount threshold input field" - }, - "recoverbullRecoverBullServer": "RecoverBull Server", - "@recoverbullRecoverBullServer": { - "description": "Label for RecoverBull server connection status" - }, - "satsBitcoinUnitSettingsLabel": "Anzeigeeinheit in sats", - "@satsBitcoinUnitSettingsLabel": { - "description": "The label to switch the Bitcoin unit to sats in settings" - }, - "exchangeDcaViewSettings": "Einstellungen anzeigen", - "@exchangeDcaViewSettings": { - "description": "Link text to view DCA settings details" - }, - "payRetryPayment": "Rückzahlung", - "@payRetryPayment": { - "description": "Button text to retry a failed payment" - }, - "exchangeSupportChatTitle": "Support Chat", - "@exchangeSupportChatTitle": { - "description": "Title for the support chat screen" - }, - "arkTxTypeCommitment": "Verpflichtung", - "@arkTxTypeCommitment": { - "description": "Transaction type label for commitment transactions" - }, - "exchangeReferralsJoinMissionTitle": "Begleiten Sie die Mission", - "@exchangeReferralsJoinMissionTitle": { - "description": "Title encouraging users to join the referral mission" - }, - "exchangeSettingsLogInTitle": "Anmeldung", - "@exchangeSettingsLogInTitle": { - "description": "Title for the log in option in exchange settings" - }, - "customLocationRecommendation": "Benutzerdefinierte Lage: ", - "@customLocationRecommendation": { - "description": "Bold label for custom location recommendation" - }, - "fundExchangeMethodCrIbanUsd": "Costa Rica (USD)", - "@fundExchangeMethodCrIbanUsd": { - "description": "Payment method: Costa Rica IBAN in US Dollars" - }, - "recoverbullErrorSelectVault": "Nicht verfügbar", - "@recoverbullErrorSelectVault": { - "description": "Error message when vault selection fails" - }, - "paySwapCompleted": "Swap abgeschlossen", - "@paySwapCompleted": { - "description": "Status message after successful swap" - }, - "receiveDescription": "Beschreibung (optional)", - "@receiveDescription": { - "description": "Optional memo field" - }, - "bitboxScreenVerifyAddress": "Adresse verifizieren", - "@bitboxScreenVerifyAddress": { - "description": "Main text when showing address verification" - }, - "bitboxScreenConnectDevice": "Verbinden Sie Ihr BitBox-Gerät", - "@bitboxScreenConnectDevice": { - "description": "Main text when in initial state" - }, - "arkYesterday": "Gestern", - "@arkYesterday": { - "description": "Date label for transactions from yesterday" - }, - "amountRequestedLabel": "Betrag beantragt: {amount}", - "@amountRequestedLabel": { - "description": "Shows the requested amount to send", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "swapProgressRefunded": "Überweisung zurückerstattet", - "@swapProgressRefunded": { - "description": "Refunded transfer status" - }, - "payPaymentHistory": "Geschichte der Zahlungsbilanz", - "@payPaymentHistory": { - "description": "Title for list of past payments" - }, - "exchangeFeatureUnifiedHistory": "• Einheitliche Transaktionsgeschichte", - "@exchangeFeatureUnifiedHistory": { - "description": "Feature bullet point describing unified transaction history feature" - }, - "payViewDetails": "Details anzeigen", - "@payViewDetails": { - "description": "Button to view order details" - }, - "withdrawOrderAlreadyConfirmedError": "Dieser Widerruf wurde bereits bestätigt.", - "@withdrawOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed withdrawal order" - }, - "autoswapSelectWallet": "Wählen Sie eine Bitcoin Wallet", - "@autoswapSelectWallet": { - "description": "Placeholder for wallet dropdown" - }, - "walletAutoTransferBlockButton": "Block", - "@walletAutoTransferBlockButton": { - "description": "Button to block auto-transfer until next execution" - }, - "recoverbullGoogleDriveErrorSelectFailed": "Nicht ausgewählter Tresor von Google Drive", - "@recoverbullGoogleDriveErrorSelectFailed": { - "description": "Error message when selecting/loading a drive backup fails" - }, - "autoswapRecipientWalletRequired": "*", - "@autoswapRecipientWalletRequired": { - "description": "Required field indicator asterisk" - }, - "pinCodeLoading": "Beladung", - "@pinCodeLoading": { - "description": "Status screen title while loading PIN settings" - }, - "fundExchangeCrIbanUsdLabelRecipientName": "Empfängername", - "@fundExchangeCrIbanUsdLabelRecipientName": { - "description": "Label for recipient name in CR IBAN USD transfer" - }, - "ledgerSignTitle": "Transaktion unterzeichnen", - "@ledgerSignTitle": { - "description": "Title for signing a transaction with Ledger" - }, - "electrumPrivacyNoticeSave": "Speichern", - "@electrumPrivacyNoticeSave": { - "description": "Save button in privacy notice dialog" - }, - "save": "Speichern", - "@save": { - "description": "Generic save button label" - }, - "transactionLabelStatus": "Status", - "@transactionLabelStatus": { - "description": "Label for transaction status" - }, - "transactionPayjoinStatusCompleted": "Abgeschlossen", - "@transactionPayjoinStatusCompleted": { - "description": "Payjoin status: completed" - }, - "recoverbullFailed": "Fehlgeschlagen", - "@recoverbullFailed": { - "description": "Status label indicating operation failure" - }, - "walletDeletionFailedOkButton": "OK", - "@walletDeletionFailedOkButton": { - "description": "OK button label in wallet deletion failed dialog" - }, - "dcaCancelButton": "Abbrechen", - "@dcaCancelButton": { - "description": "Cancel button in DCA dialog" - }, - "arkSettleCancel": "Abbrechen", - "@arkSettleCancel": { - "description": "Cancel button on settle bottom sheet" - }, - "sendChange": "Ändern", - "@sendChange": { - "description": "Label for change output in a transaction" - }, - "exchangeAppSettingsSaveButton": "Speichern", - "@exchangeAppSettingsSaveButton": { - "description": "Button label for saving exchange app settings" - }, - "okButton": "OK", - "@okButton": { - "description": "Button to dismiss coming soon message" - }, - "arkAboutShow": "Anzeigen", - "@arkAboutShow": { - "description": "Button text to show hidden secret key" - }, - "autoswapWarningOkButton": "OK", - "@autoswapWarningOkButton": { - "description": "OK button label in the autoswap warning bottom sheet" - }, - "transactionFilterAll": "Alle", - "@transactionFilterAll": { - "description": "Filter option to show all transactions" - }, - "sellSendPaymentAdvanced": "Erweiterte Einstellungen", - "@sellSendPaymentAdvanced": { - "description": "Advanced settings button" - }, - "walletDeletionConfirmationCancelButton": "Abbrechen", - "@walletDeletionConfirmationCancelButton": { - "description": "Cancel button label in wallet deletion confirmation dialog" - }, - "transactionSwapProgressCompleted": "Abgeschlossen", - "@transactionSwapProgressCompleted": { - "description": "Swap progress step: completed" - }, - "exchangeDcaCancelDialogCancelButton": "Abbrechen", - "@exchangeDcaCancelDialogCancelButton": { - "description": "Button label to cancel the DCA cancellation dialog" - }, - "importWatchOnlyType": "Typ", - "@importWatchOnlyType": { - "description": "Label for wallet script type field" - }, - "electrumPrivacyNoticeCancel": "Abbrechen", - "@electrumPrivacyNoticeCancel": { - "description": "Cancel button in privacy notice dialog" - }, - "passwordLabel": "Passwort", - "@passwordLabel": { - "description": "Label for password input field" - }, - "transactionNoteSaveButton": "Speichern", - "@transactionNoteSaveButton": { - "description": "Button label to save a note" - }, - "walletBalanceUnconfirmedIncoming": "Aktiv", - "@walletBalanceUnconfirmedIncoming": { - "description": "Label for unconfirmed incoming balance" - }, - "exchangeAuthOk": "OK", - "@exchangeAuthOk": { - "description": "OK button in error dialog" - }, - "transactionDetailLabelPayjoinCompleted": "Abgeschlossen", - "@transactionDetailLabelPayjoinCompleted": { - "description": "Payjoin completed status" - }, - "electrumCancel": "Abbrechen", - "@electrumCancel": { - "description": "Cancel button label in delete dialog" - }, - "arkCancelButton": "Abbrechen", - "@arkCancelButton": { - "description": "Cancel button label in settle bottom sheet" - }, - "anErrorOccurred": "Es ist ein Fehler aufgetreten:", - "@anErrorOccurred": { - "description": "Generic error message" - }, - "transactionSwapProgressInProgress": "Aktiv", - "@transactionSwapProgressInProgress": { - "description": "Generic swap progress step: in progress" - }, - "payFailedPayments": "Fehlgeschlagen", - "@payFailedPayments": { - "description": "Filter for failed payments" - }, - "coreSwapsStatusInProgress": "Aktiv", - "@coreSwapsStatusInProgress": { - "description": "Display name for in-progress swap status (paid, claimable, refundable, canCoop)" - }, - "arkType": "Typ", - "@arkType": { - "description": "Label for transaction type field in details table" - }, - "autoswapSave": "Speichern", - "@autoswapSave": { - "description": "Save button label" - }, - "cancelButton": "Abbrechen", - "@cancelButton": { - "description": "Button to cancel logout action" - }, - "receiveSave": "Speichern", - "@receiveSave": { - "description": "Button label for saving receive details" - }, - "recoverbullPassword": "Passwort", - "@recoverbullPassword": { - "description": "Label for password input type" - }, - "torSettingsSaveButton": "Speichern", - "@torSettingsSaveButton": { - "description": "Save button label for Tor port settings" - }, - "exchangeAuthLoginFailedOkButton": "OK", - "@exchangeAuthLoginFailedOkButton": { - "description": "OK button label in the login failed dialog" - }, - "transactionStatusInProgress": "Aktiv", - "@transactionStatusInProgress": { - "description": "Status label for transactions in progress" - }, - "electrumUnknownError": "Es ist ein Fehler aufgetreten:", - "@electrumUnknownError": { - "description": "Generic error message for unknown errors" - }, - "sendAdvancedSettings": "Erweiterte Einstellungen", - "@sendAdvancedSettings": { - "description": "Title for advanced settings in the send flow" - }, - "transactionDetailLabelStatus": "Status", - "@transactionDetailLabelStatus": { - "description": "Label for status" - }, - "cancel": "Abbrechen", - "@cancel": { - "description": "Generic cancel button label" - }, - "coreSwapsStatusFailed": "Fehlgeschlagen", - "@coreSwapsStatusFailed": { - "description": "Display name for failed swap status" - }, - "pinAuthenticationTitle": "Legitimierung", - "@pinAuthenticationTitle": { - "description": "AppBar title for create/confirm PIN screens" - }, - "addressViewChangeType": "Ändern", - "@addressViewChangeType": { - "description": "Address type label for internal/change addresses" - }, - "pinCodeAuthentication": "Legitimierung", - "@pinCodeAuthentication": { - "description": "AppBar title for PIN code authentication screens" - }, - "appUnlockScreenTitle": "Legitimierung", - "@appUnlockScreenTitle": { - "description": "Title of the app unlock screen" - }, - "arkStatus": "Status", - "@arkStatus": { - "description": "Label for transaction status field in details table" - }, - "coreSwapsStatusCompleted": "Abgeschlossen", - "@coreSwapsStatusCompleted": { - "description": "Display name for completed swap status" - }, - "recoverbullGoogleDriveCancelButton": "Abbrechen", - "@recoverbullGoogleDriveCancelButton": { - "description": "Cancel button text for delete confirmation dialog" - }, - "autoswapSaveButton": "Speichern", - "@autoswapSaveButton": { - "description": "Save button label at bottom of settings sheet" - }, - "recoverbullRetry": "Erneut versuchen", - "@recoverbullRetry": { - "description": "Button text to retry failed operation" - }, - "payAdvancedSettings": "Erweiterte Einstellungen", - "@payAdvancedSettings": { - "description": "Button for advanced settings" - }, - "transactionNoteUpdateButton": "Aktualisieren", - "@transactionNoteUpdateButton": { - "description": "Button label to update a note" - }, - "sellAdvancedSettings": "Erweiterte Einstellungen", - "@sellAdvancedSettings": { - "description": "Button for advanced settings" - }, - "importWatchOnlyCancel": "Abbrechen", - "@importWatchOnlyCancel": { - "description": "Button to cancel watch-only import" - } -} + "translationWarningTitle": "KI-generierte Übersetzungen", + "translationWarningDescription": "Die meisten Übersetzungen in dieser App wurden mit KI erstellt und können Ungenauigkeiten enthalten. Wenn Sie Fehler bemerken oder bei der Verbesserung der Übersetzungen helfen möchten, können Sie über unsere Community-Übersetzungsplattform beitragen.", + "translationWarningContributeButton": "Übersetzungen verbessern", + "translationWarningDismissButton": "Verstanden", + "bitboxErrorMultipleDevicesFound": "Mehrere BitBox-Geräte gefunden. Bitte stellen Sie sicher, dass nur ein Gerät angeschlossen ist.", + "payTransactionBroadcast": "Übertragung von Transaktionen", + "fundExchangeSepaDescriptionExactly": "genau.", + "payPleasePayInvoice": "Bitte zahlen Sie diese Rechnung", + "swapMax": "MAX", + "importQrDeviceSpecterStep2": "Geben Sie Ihre PIN ein", + "importColdcardInstructionsStep10": "Setup komplett", + "buyPayoutWillBeSentIn": "Ihre Auszahlung wird gesendet ", + "fundExchangeInstantSepaInfo": "Nur für Transaktionen unter 20.000 €. Für größere Transaktionen verwenden Sie die Regelmäßige SEPA-Option.", + "transactionLabelSwapId": "Swap-ID", + "dcaChooseWalletTitle": "Wählen Sie Bitcoin Wallet", + "torSettingsPortHint": "9050", + "electrumTimeoutPositiveError": "Timeout muss positiv sein", + "bitboxScreenNeedHelpButton": "Brauchen Sie Hilfe?", + "sellSendPaymentAboveMax": "Sie versuchen, über den maximalen Betrag zu verkaufen, der mit dieser Geldbörse verkauft werden kann.", + "fundExchangeETransferLabelSecretAnswer": "Geheime Antwort", + "payPayinAmount": "Zahlbetrag", + "transactionDetailLabelTransactionFee": "Transaktionsgebühren", + "jadeStep13": "Die Bull Bitcoin Geldbörse wird Sie bitten, den QR-Code auf der Jade zu scannen. Scan es.", + "transactionSwapDescLnSendPending": "Ihr Swap wurde initiiert. Wir senden die on-chain-Transaktion, um Ihre Gelder zu sperren.", + "payInstitutionNumber": "Institutionsnummer", + "sendScheduledPayment": "Geplante Zahlung", + "fundExchangeLabelBicCode": "BIC-Code", + "fundExchangeCanadaPostStep6": "6. Der Kassierer gibt Ihnen einen Eingang, halten Sie es als Ihr Zahlungsnachweis", + "withdrawOwnershipQuestion": "Zu wem gehört dieses Konto?", + "sendSendNetworkFee": "Netzwerkgebühr senden", + "exchangeDcaUnableToGetConfig": "Unfähig, DCA-Konfiguration zu erhalten", + "psbtFlowClickScan": "Klicken Sie auf Scan", + "sellInstitutionNumber": "Institutionsnummer", + "recoverbullGoogleDriveErrorDisplay": "Fehler: {error}", + "@recoverbullGoogleDriveErrorDisplay": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "mempoolSettingsCustomServer": "Benutzerdefinierter Server", + "fundExchangeMethodRegularSepa": "Regelmäßige SEPA", + "addressViewTransactions": "Transaktionen", + "fundExchangeSinpeLabelPhone": "Senden Sie diese Telefonnummer", + "importQrDeviceKruxStep3": "Klicken Sie auf XPUB - QR Code", + "passportStep1": "Login zu Ihrem Passport-Gerät", + "sellAdvancedOptions": "Erweiterte Optionen", + "bip329LabelsImportSuccessSingular": "1 Label importiert", + "bip329LabelsImportSuccessPlural": "{count} Labels importiert", + "@bip329LabelsImportSuccessPlural": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "withdrawOwnershipOtherAccount": "Das ist jemand anderes Konto", + "receiveInvoice": "Blitzanfall", + "receiveGenerateAddress": "Neue Adresse generieren", + "kruxStep3": "Klicken Sie auf PSBT", + "hwColdcardQ": "Kaltkarte Q", + "fundExchangeCrIbanCrcTransferCodeWarning": "Sie müssen den Transfercode als \"Nachricht\" oder \"Anweisung\" oder \"Beschreibung\" bei der Zahlung hinzufügen. Wenn Sie vergessen, diesen Code einzubeziehen, kann Ihre Zahlung abgelehnt werden.", + "paySinpeBeneficiario": "Steuerempfänger", + "exchangeDcaAddressDisplay": "(X0X)", + "@exchangeDcaAddressDisplay": { + "placeholders": { + "addressLabel": { + "type": "String", + "description": "The address label (e.g., 'Bitcoin address')" + }, + "address": { + "type": "String", + "description": "The actual address" + } + } + }, + "autoswapAlwaysBlockEnabledInfo": "Wenn aktiviert, werden Auto-Transfers mit Gebühren über der gesetzten Grenze immer gesperrt", + "electrumServerAlreadyExists": "Dieser Server existiert bereits", + "sellPaymentMethod": "Zahlungsmethode", + "transactionNoteHint": "Anmerkung", + "transactionLabelPreimage": "Vorwort", + "coreSwapsChainCanCoop": "Der Transfer wird im Moment abgeschlossen.", + "importColdcardInstructionsStep2": "Geben Sie gegebenenfalls einen Passphrasen ein", + "satsSuffix": " sättigung", + "recoverbullErrorPasswordNotSet": "Passwort wird nicht gesetzt", + "sellSendPaymentExchangeRate": "Wechselkurs", + "systemLabelAutoSwap": "Auto Swap", + "fundExchangeSinpeTitle": "INPE Transfer", + "payExpiresIn": "Expires in {time}", + "@payExpiresIn": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "transactionDetailLabelConfirmationTime": "Bestätigungszeit", + "fundExchangeCanadaPostStep5": "5. Bezahlung mit Bargeld oder Debitkarte", + "importQrDeviceKruxName": "Krups", + "addressViewNoAddressesFound": "Keine Adressen gefunden", + "backupWalletErrorSaveBackup": "Versäumt, die Sicherung zu speichern", + "exchangeReferralsTitle": "Referral Codes", + "onboardingRecoverYourWallet": "Recover Ihr Geldbeutel", + "bitboxScreenTroubleshootingStep2": "Stellen Sie sicher, dass Ihr Telefon USB-Berechtigungen aktiviert hat.", + "replaceByFeeErrorNoFeeRateSelected": "Bitte wählen Sie einen Gebührensatz", + "transactionSwapDescChainPending": "Ihr Transfer wurde erstellt, aber noch nicht initiiert.", + "coreScreensTransferFeeLabel": "Transfergebühr", + "onboardingEncryptedVaultDescription": "Wiederherstellen Sie Ihr Backup über Cloud mit Ihrer PIN.", + "transactionOrderLabelPayoutStatus": "Status der Auszahlung", + "transactionSwapStatusSwapStatus": "Swap Status", + "arkAboutDurationSeconds": "{seconds} Sekunden", + "@arkAboutDurationSeconds": { + "placeholders": { + "seconds": { + "type": "int" + } + } + }, + "receiveInvoiceCopied": "Invoice kopiert zu Clipboard", + "kruxStep7": " - Erhöhung der Bildschirmhelligkeit auf Ihrem Gerät", + "autoswapUpdateSettingsError": "Fehler beim Update von Auto-Swap-Einstellungen", + "transactionStatusTransferFailed": "Versäumt", + "jadeStep11": "Die Jade zeigt Ihnen dann einen eigenen QR-Code.", + "buyConfirmExternalWallet": "Externe Bitcoin Geldbörse", + "bitboxActionPairDeviceProcessing": "Koppeleinrichtung", + "exchangeCurrencyDropdownTitle": "Währung", + "receiveServerNetworkFees": "Server Network Fees", + "importQrDeviceImporting": "Portemonnaie...", + "rbfFastest": "Fast", + "buyConfirmExpressWithdrawal": "Bestätigen Sie den ausdrücklichen Widerruf", + "arkReceiveBoardingAddress": "BTC Boarding Address", + "sellSendPaymentTitle": "Zahlung bestätigen", + "recoverbullReenterConfirm": "Bitte geben Sie Ihre {inputType} erneut ein, um zu bestätigen.", + "@recoverbullReenterConfirm": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "importWatchOnlyCopiedToClipboard": "Zu Clipboard gewickelt", + "dcaLightningAddressInvalidError": "Bitte geben Sie eine gültige Lightning-Adresse ein", + "ledgerButtonNeedHelp": "Brauchen Sie Hilfe?", + "backupInstruction4": "Machen Sie keine digitalen Kopien Ihrer Sicherung. Schreiben Sie es auf einem Stück Papier, oder graviert in Metall.", + "hwKrux": "Krups", + "transactionFilterTransfer": "Transfer", + "recoverbullSelectVaultImportSuccess": "Ihr Tresor wurde erfolgreich importiert", + "mempoolServerNotUsed": "Nicht verwendet (custom server active)", + "recoverbullSelectErrorPrefix": "Fehler:", + "bitboxErrorDeviceMismatch": "Gerätefehler erkannt.", + "arkReceiveBtcAddress": "Anschrift", + "exchangeLandingRecommendedExchange": "Empfohlene Bitcoin Exchange", + "backupWalletHowToDecideVaultMoreInfo": "Besuchen Sie Recoverybull.com für weitere Informationen.", + "recoverbullGoBackEdit": "<< Zurück und bearbeiten", + "importWatchOnlyWalletGuides": "Wallet Guides", + "receiveConfirming": "Bestätigung... ({count}/{required})", + "@receiveConfirming": { + "placeholders": { + "count": { + "type": "int" + }, + "required": { + "type": "int" + } + } + }, + "fundExchangeInfoPaymentDescription": "Fügen Sie in der Zahlungsbeschreibung Ihren Transfercode hinzu.", + "payInstantPayments": "Sofortzahlungen", + "importWatchOnlyImportButton": "Import Watch-Only Wallet", + "fundExchangeCrIbanCrcDescriptionBold": "genau", + "electrumTitle": "Electrum Server Einstellungen", + "importQrDeviceJadeStep7": "Wählen Sie bei Bedarf \"Optionen\" aus, um den Adresstyp zu ändern", + "transactionNetworkLightning": "Beleuchtung", + "paySecurityQuestionLength": "{count}/40 Zeichen", + "@paySecurityQuestionLength": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "sendBroadcastingTransaction": "Übertragen der Transaktion.", + "pinCodeMinLengthError": "PIN muss mindestens {minLength} Ziffern lang sein", + "@pinCodeMinLengthError": { + "placeholders": { + "minLength": { + "type": "String" + } + } + }, + "swapReceiveExactAmountLabel": "Erhalten Sie genauen Betrag", + "arkContinueButton": "Fortsetzung", + "ledgerImportButton": "Start Import", + "dcaActivate": "Wiederkehrender Kauf aktivieren", + "labelInputLabel": "Bezeichnung", + "bitboxActionPairDeviceButton": "Beginn der Paarung", + "importQrDeviceSpecterName": "Art", + "transactionDetailLabelSwapFees": "Swapgebühren", + "broadcastSignedTxFee": "Gebühren", + "recoverbullRecoveryBalanceLabel": "Bilanz: {amount}", + "@recoverbullRecoveryBalanceLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "buyFundYourAccount": "Ihr Konto finanzieren", + "sellReplaceByFeeActivated": "Ersatz-by-fee aktiviert", + "globalDefaultBitcoinWalletLabel": "Sicheres Bitcoin", + "arkAboutServerUrl": "Server URL", + "fundExchangeLabelRecipientAddress": "Empfängeradresse", + "dcaWalletLiquidSubtitle": "Erfordert kompatible Geldbörse", + "fundExchangeCrIbanCrcTitle": "Banküberweisung (CRC)", + "appUnlockButton": "Entriegelung", + "payServiceFee": "Servicegebühr", + "transactionStatusSwapExpired": "Swap abgelaufen", + "swapAmountPlaceholder": "0)", + "fundExchangeMethodInstantSepaSubtitle": "Schnellster - Nur für Transaktionen unter 20.000 €", + "dcaConfirmError": "Etwas ging schief: {error}", + "@dcaConfirmError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaNetworkLiquid": "Flüssiges Netz", + "fundExchangeSepaDescription": "Senden Sie eine SEPA-Überweisung von Ihrem Bankkonto mit den untenstehenden Daten ", + "sendAddress": "Anschrift: ", + "receiveBitcoinNetwork": "Bitcoin", + "fundExchangeCrIbanCrcPaymentDescriptionHelp": "Ihr Transfercode.", + "testBackupWriteDownPhrase": "Schreiben Sie Ihre Wiederherstellung Phrase\nin der richtigen Reihenfolge", + "jadeStep8": " - Versuchen Sie, Ihr Gerät näher oder weiter weg zu bewegen", + "payNotLoggedIn": "Nicht eingeloggt", + "importQrDeviceSpecterStep7": "Disable \"Use SLIP-132\"", + "customLocationTitle": "Individueller Standort", + "importQrDeviceJadeStep5": "Wählen Sie \"Wallet\" aus der Optionenliste", + "arkSettled": "Mit einem Quadratmetergewicht von mehr als 10 kg", + "transactionFilterBuy": "Kaufen", + "approximateFiatPrefix": "~", + "sendEstimatedDeliveryHoursToDays": "stunden bis tage", + "coreWalletTransactionStatusPending": "Ausgaben", + "ledgerActionFailedMessage": "{action} Nicht verfügbar", + "@ledgerActionFailedMessage": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "testBackupErrorLoadWallets": "Versäumt, Brieftaschen zu laden: {error}", + "@testBackupErrorLoadWallets": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "fundExchangeLabelBankAccountCountry": "Bankkonto", + "walletAddressTypeNestedSegwit": "Eingebettet Segwit", + "dcaConfirmDeactivate": "Ja, deaktivieren", + "exchangeLandingFeature2": "DCA, Limit-Bestellungen und Auto-buy", + "payPaymentPending": "Zahlung anhängig", + "payConfirmHighFee": "Die Gebühr für diese Zahlung beträgt {percentage}% des Betrags. Weiter?", + "@payConfirmHighFee": { + "placeholders": { + "percentage": { + "type": "String" + } + } + }, + "payPayoutAmount": "Auszahlungsbetrag", + "autoswapMaxBalanceInfo": "Wenn die Geldwaage das Doppelte dieses Betrags überschreitet, wird Auto-Transfer auslösen, um das Gleichgewicht auf diese Ebene zu reduzieren", + "payPhone": "Telefon", + "recoverbullTorNetwork": "Tor Network", + "transactionDetailLabelTransferStatus": "Übertragungsstatus", + "importColdcardInstructionsTitle": "Coldcard Q Anleitung", + "sendVerifyOnDevice": "Verifizieren Sie das Gerät", + "sendAmountRequested": "Beantragter Betrag ", + "exchangeTransactionsTitle": "Transaktionen", + "payRoutingFailed": "Routing gescheitert", + "payCard": "Karte", + "sendFreezeCoin": "Eingebettet", + "fundExchangeLabelTransitNumber": "Übergangsnummer", + "buyConfirmYouReceive": "Sie erhalten", + "buyDocumentUpload": "Dokumente hochladen", + "walletAddressTypeConfidentialSegwit": "Vertrauliche Segwit", + "transactionDetailRetryTransfer": "Retry Transfer {action}", + "@transactionDetailRetryTransfer": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "sendTransferFeeDescription": "Dies ist die Gesamtgebühr, die vom gesendeten Betrag abgezogen wird", + "bitcoinSettingsWalletsTitle": "Geldbörsen", + "arkReceiveSegmentBoarding": "Durchführung", + "seedsignerStep12": "Die Bull Bitcoin Geldbörse wird Sie bitten, den QR-Code auf dem SeedSigner zu scannen. Scan es.", + "psbtFlowKeystoneTitle": "Keystone Anleitung", + "transactionLabelTransferStatus": "Übertragungsstatus", + "arkSessionDuration": "Sitzungsdauer", + "buyAboveMaxAmountError": "Sie versuchen, über dem maximalen Betrag zu kaufen.", + "electrumTimeoutWarning": "Ihr Timeout ({timeoutValue} Sekunden) ist niedriger als der empfohlene Wert ({recommended} Sekunden) für diesen Stop Gap.", + "@electrumTimeoutWarning": { + "placeholders": { + "timeoutValue": { + "type": "String" + }, + "recommended": { + "type": "String" + } + } + }, + "sendShowPsbt": "PSBT anzeigen", + "ledgerErrorUnknownOccurred": "Unbekannter Fehler aufgetreten", + "receiveAddress": "Anschrift", + "broadcastSignedTxAmount": "Betrag", + "hwJade": "Blockstream Jade", + "keystoneStep14": "Es ist jetzt bereit zu senden! Sobald Sie auf Sendung klicken, wird die Transaktion im Bitcoin-Netzwerk veröffentlicht und die Mittel werden gesendet.", + "recoverbullErrorConnectionFailed": "Nicht angeschlossen an den Ziel-Schlüsselserver. Bitte versuchen Sie es später wieder!", + "testBackupDigitalCopy": "Digitales Exemplar", + "fundExchangeLabelMemo": "Memo", + "paySearchPayments": "Suchzahlungen...", + "payPendingPayments": "Ausgaben", + "passwordMinLengthError": "{pinOrPassword} muss mindestens 6 Ziffern lang sein", + "@passwordMinLengthError": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "coreSwapsLnSendExpired": "Swap abgelaufen", + "sellSendPaymentUsdBalance": "USD Saldo", + "backupWalletEncryptedVaultTag": "Einfach und einfach (1 Minute)", + "payBroadcastFailed": "Broadcast fehlgeschlagen", + "arkSettleTransactions": "Settle Transactions", + "transactionLabelConfirmationTime": "Bestätigungszeit", + "languageSettingsScreenTitle": "Sprache", + "payNetworkFees": "Netzgebühren", + "bitboxScreenSegwitBip84": "Segwit (BIP84)", + "bitboxScreenConnectingSubtext": "Sichere Verbindung aufbauen...", + "receiveShareAddress": "Anschrift", + "arkTxPending": "Ausgaben", + "payAboveMaxAmountError": "Sie versuchen, über den maximalen Betrag zu zahlen, der mit dieser Geldbörse bezahlt werden kann.", + "sharedWithBullBitcoin": "mit Bull Bitcoin geteilt.", + "jadeStep7": " - Halten Sie den QR-Code stabil und zentriert", + "sendCouldNotBuildTransaction": "Konnte Transaction nicht aufbauen", + "allSeedViewIUnderstandButton": "Ich verstehe", + "coreScreensExternalTransfer": "Externer Transfer", + "fundExchangeSinpeWarningNoBitcoin": "Nicht gesetzt", + "ledgerHelpStep3": "Stellen Sie sicher, dass Ihr Ledger Bluetooth eingeschaltet hat.", + "coreSwapsChainFailedRefunding": "Transfer wird in Kürze zurückerstattet.", + "sendSelectAmount": "Wählen Sie den Betrag", + "sellKYCRejected": "KYC-Prüfung abgelehnt", + "electrumNetworkLiquid": "Flüssig", + "buyBelowMinAmountError": "Sie versuchen, unter dem Mindestbetrag zu kaufen.", + "exchangeLandingFeature6": "Einheitliche Transaktionsgeschichte", + "transactionStatusPaymentRefunded": "Zahlung zurückerstattet", + "pinCodeSecurityPinTitle": "SicherheitspIN", + "bitboxActionImportWalletSuccessSubtext": "Ihre BitBox Geldbörse wurde erfolgreich importiert.", + "electrumEmptyFieldError": "Dieses Feld kann nicht leer sein", + "transactionStatusPaymentInProgress": "Zahlung in Progress", + "connectHardwareWalletKrux": "Krups", + "receiveSelectNetwork": "Wählen Sie Netzwerk", + "sellLoadingGeneric": "Die...", + "ledgerWalletTypeSegwit": "Segwit (BIP84)", + "bip85Mnemonic": "Mnemonic", + "importQrDeviceSeedsignerName": "SeedSigner", + "payFeeTooHigh": "Fee ist ungewöhnlich hoch", + "fundExchangeBankTransferWireTitle": "Banküberweisung (Draht)", + "psbtFlowPartProgress": "Teil {current} von {total}", + "@psbtFlowPartProgress": { + "placeholders": { + "current": { + "type": "String" + }, + "total": { + "type": "String" + } + } + }, + "receiveShareInvoice": "Teilen Invoice", + "buyCantBuyMoreThan": "Sie können nicht mehr kaufen als", + "dcaUnableToGetConfig": "Unfähig, DCA-Konfiguration zu erhalten", + "exchangeAuthLoginFailed": "Zurück zur Übersicht", + "arkAvailable": "Verfügbar", + "transactionSwapDescChainFailed": "Es gab ein Problem mit Ihrem Transfer. Bitte kontaktieren Sie die Unterstützung, wenn die Mittel nicht innerhalb von 24 Stunden zurückgegeben wurden.", + "testBackupWarningMessage": "Ohne eine Sicherung verlieren Sie schließlich den Zugang zu Ihrem Geld. Es ist kritisch wichtig, eine Sicherung zu tun.", + "arkNetwork": "Netzwerk", + "importWatchOnlyYpub": "ypub", + "ledgerVerifyTitle": "Adresse auf Ledger überprüfen", + "recoverbullSwitchToPassword": "Wählen Sie ein Passwort statt", + "exchangeDcaNetworkBitcoin": "Bitcoin Network", + "autoswapWarningTitle": "Autoswap ist mit den folgenden Einstellungen aktiviert:", + "seedsignerStep1": "Schalten Sie Ihr SeedSigner Gerät ein", + "backupWalletHowToDecideBackupLosePhysical": "Eine der häufigsten Möglichkeiten, wie Menschen verlieren ihre Bitcoin ist, weil sie die physische Sicherung verlieren. Jeder, der Ihre physische Sicherung findet, wird in der Lage sein, alle Ihre Bitcoin zu nehmen. Wenn Sie sehr zuversichtlich sind, dass Sie es gut verstecken können und nie verlieren, ist es eine gute Option.", + "transactionSwapDescLnSendDefault": "Ihr Swap ist im Gange. Dieser Prozess ist automatisiert und kann einige Zeit zum Abschluss nehmen.", + "recoverbullErrorMissingBytes": "Vermisste Bytes von der Reaktion von Tor. Wiederholen, aber wenn das Problem anhält, ist es ein bekanntes Problem für einige Geräte mit Tor.", + "coreScreensReceiveNetworkFeeLabel": "Netzwerkgebühren empfangen", + "payEstimatedFee": "Geschätzte Gebühren", + "sendSendAmount": "Betrag", + "sendSelectedUtxosInsufficient": "Ausgewählte utxos deckt den erforderlichen Betrag nicht ab", + "swapErrorBalanceTooLow": "Saldo zu niedrig für minimale Swap-Menge", + "replaceByFeeErrorGeneric": "Beim Versuch, die Transaktion zu ersetzen, trat ein Fehler auf", + "fundExchangeWarningTactic5": "Sie bitten Bitcoin auf einer anderen Plattform zu senden", + "rbfCustomFee": "Zollgebühren", + "importQrDeviceFingerprint": "Fingerabdruck", + "physicalBackupRecommendationText": "Sie sind zuversichtlich in Ihren eigenen operativen Sicherheitsfunktionen, um Ihre Bitcoin Samenwörter zu verstecken und zu erhalten.", + "importWatchOnlyDescriptor": "Beschreibung", + "payPaymentInProgress": "Zahlung in Progress!", + "payOrderAlreadyConfirmed": "Dieser Zahlungsauftrag wurde bereits bestätigt.", + "ledgerProcessingSign": "Unterzeichnen von Transaktion", + "jadeStep6": " - Erhöhung der Bildschirmhelligkeit auf Ihrem Gerät", + "fundExchangeETransferLabelEmail": "Senden Sie den E-Transfer an diese E-Mail", + "pinCodeCreateButton": "PIN erstellen", + "bitcoinSettingsTestnetModeTitle": "Testnet-Modus", + "buyTitle": "Bitcoin kaufen", + "fromLabel": "Von", + "sellCompleteKYC": "Vollständige KYC", + "hwConnectTitle": "Hardware Wallet verbinden", + "payRequiresSwap": "Diese Zahlung erfordert einen Swap", + "exchangeSecurityManage2FAPasswordLabel": "2FA und Passwort verwalten", + "backupWalletSuccessTitle": "Backup abgeschlossen!", + "transactionSwapDescLnSendFailed": "Es gab ein Problem mit Ihrem Swap. Ihre Gelder werden automatisch an Ihre Geldbörse zurückgegeben.", + "sendCoinAmount": "Betrag: {amount}", + "@sendCoinAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "payTotalFees": "Gesamtkosten", + "fundExchangeOnlineBillPaymentHelpBillerName": "Fügen Sie dieses Unternehmen als Zahler hinzu - es ist Bull Bitcoin's Zahlungsprozessor", + "payPayoutMethod": "Zahlungsmethode", + "ledgerVerifyButton": "Adresse verifizieren", + "sendErrorSwapFeesNotLoaded": "Swap Gebühren nicht geladen", + "walletDetailsCopyButton": "Kopie", + "backupWalletGoogleDrivePrivacyMessage3": "ihr telefon verlassen und ist ", + "backupCompletedDescription": "Jetzt testen wir Ihr Backup, um sicherzustellen, dass alles richtig gemacht wurde.", + "sendErrorInsufficientFundsForFees": "Nicht genug Mittel zur Deckung von Betrag und Gebühren", + "buyConfirmPayoutMethod": "Zahlungsmethode", + "durationMinutes": "{minutes} Minuten", + "@durationMinutes": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "dcaConfirmNetworkLiquid": "Flüssig", + "walletDetailsAddressTypeLabel": "Anschrift", + "emptyMnemonicWordsError": "Geben Sie alle Wörter Ihrer mnemonic", + "testBackupTapWordsInOrder": "Tippen Sie auf die Wiederherstellungswörter in der\nRechtsbehelf", + "transactionSwapDescLnSendExpired": "Dieser Swap ist abgelaufen. Ihre Mittel werden automatisch an Ihre Geldbörse zurückgegeben.", + "testBackupButton": "Test Backup", + "receiveNotePlaceholder": "Anmerkung", + "coreScreensInternalTransfer": "Interne Übertragung", + "sendSwapWillTakeTime": "Es wird eine Weile dauern, um zu bestätigen", + "autoswapSelectWalletError": "Bitte wählen Sie einen Empfänger Bitcoin Wallet", + "sellServiceFee": "Servicegebühr", + "connectHardwareWalletTitle": "Hardware Wallet verbinden", + "replaceByFeeCustomFeeTitle": "Zollgebühren", + "kruxStep14": "Die Bull Bitcoin Geldbörse wird Sie bitten, den QR-Code auf der Krux zu scannen. Scan es.", + "payAvailableBalance": "Verfügbar: {amount}", + "@payAvailableBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "payCheckingStatus": "Zahlungsstatus prüfen...", + "payMemo": "Memo", + "languageSettingsLabel": "Sprache", + "fundExchangeMethodCrIbanCrc": "Costa Rica IBAN (CRC)", + "walletDeletionFailedTitle": "Löschen Verfehlt", + "payPayFromWallet": "Bezahlung von Geldbeuteln", + "broadcastSignedTxNfcTitle": "NFC", + "buyYouPay": "Sie zahlen", + "payOrderAlreadyConfirmedError": "Dieser Zahlungsauftrag wurde bereits bestätigt.", + "passportStep12": "Die Bull Bitcoin Brieftasche wird Sie bitten, den QR-Code auf dem Passport zu scannen. Scan es.", + "paySelectRecipient": "Wählen Sie Empfänger", + "payNoActiveWallet": "Keine aktive Brieftasche", + "importQrDeviceKruxStep4": "Klicken Sie auf die Schaltfläche \"Kamera öffnen\"", + "appStartupErrorMessageWithBackup": "Auf v5.4.0 wurde ein kritischer Fehler in einer unserer Abhängigkeiten entdeckt, die die private Schlüsselspeicherung beeinflussen. Ihre App wurde dadurch beeinflusst. Sie müssen diese App löschen und sie mit Ihrem gesicherten Saatgut neu installieren.", + "payPasteInvoice": "Paste Invoice", + "labelErrorUnexpected": "Unerwartete Fehler: {message}", + "@labelErrorUnexpected": { + "placeholders": { + "message": { + "type": "String" + } + } + }, + "arkStatusSettled": "Mit einem Quadratmetergewicht von mehr als 10 kg", + "dcaWalletBitcoinSubtitle": "Mindestens 0,001 BTC", + "bitboxScreenEnterPasswordSubtext": "Bitte geben Sie Ihr Passwort auf dem BitBox-Gerät ein, um fortzufahren.", + "systemLabelSwaps": "Swaps", + "sendOpenTheCamera": "Öffne die Kamera", + "passportStep11": "Klicken Sie auf \"Ich bin fertig\" in der Bull Bitcoin Geldbörse.", + "sendSwapId": "Swap-ID", + "electrumServerOnline": "Online", + "fundExchangeAccountTitle": "Ihr Konto finanzieren", + "fundExchangeWarningTactic1": "Sie sind vielversprechende Kapitalrendite", + "testBackupDefaultWallets": "Standard Wallis", + "receiveSendNetworkFee": "Netzwerkgebühr senden", + "autoswapRecipientWalletInfoText": "Wählen Sie, welche Bitcoin Geldbörse die übertragenen Gelder erhält (erforderlich)", + "withdrawAboveMaxAmountError": "Sie versuchen, über den maximalen Betrag zurückzuziehen.", + "psbtFlowScanDeviceQr": "Die Bull Bitcoin Brieftasche wird Sie bitten, den QR-Code auf dem {device} zu scannen. Scan es.", + "@psbtFlowScanDeviceQr": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "exchangeAuthLoginFailedMessage": "Ein Fehler ist aufgetreten, bitte versuchen Sie erneut einzuloggen.", + "passportStep13": "Die Transaktion wird in der Bull Bitcoin Geldbörse importiert.", + "importQrDeviceKeystoneStep3": "Klicken Sie auf die drei Punkte oben rechts", + "exchangeAmountInputValidationInvalid": "Invalide", + "exchangeAccountInfoLoadErrorMessage": "Unfähig, Kontoinformationen zu laden", + "dcaWalletSelectionContinueButton": "Fortsetzung", + "pinButtonChange": "Veränderung PIN", + "sendErrorInsufficientFundsForPayment": "Nicht genug Geld zur Verfügung, um diese Zahlung.", + "fundExchangeETransferTitle": "E-Transfer Details", + "verifyButton": "Überprüfung", + "swapTitle": "Interne Übertragung", + "sendOutputTooSmall": "Leistung unter Staubgrenze", + "copiedToClipboardMessage": "Zu Clipboard gewickelt", + "torSettingsStatusConnected": "Verbunden", + "receiveNote": "Anmerkung", + "arkCopiedToClipboard": "{label} in die Zwischenablage kopiert", + "@arkCopiedToClipboard": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "arkRecipientAddress": "Empfängeradresse", + "payLightningNetwork": "Blitznetz", + "shareLogsLabel": "Protokolle teilen", + "ledgerSuccessVerifyTitle": "Bestätigungsadresse für Ledger...", + "payCorporateNameHint": "Name des Unternehmens", + "sellExternalWallet": "Außenwander", + "backupSettingsFailedToDeriveKey": "Versäumt, den Sicherungsschlüssel abzuleiten", + "googleDriveProvider": "Google Drive", + "sellAccountName": "Name des Kontos", + "statusCheckUnknown": "Unbekannt", + "howToDecideVaultLocationText2": "Ein benutzerdefinierter Standort kann viel sicherer sein, je nachdem, welcher Ort Sie wählen. Sie müssen auch sicherstellen, nicht die Sicherungsdatei zu verlieren oder das Gerät zu verlieren, auf dem Ihre Sicherungsdatei gespeichert ist.", + "logSettingsLogsTitle": "Logs", + "fundExchangeOnlineBillPaymentHelpAccountNumber": "Diese einzigartige Kontonummer wird nur für Sie erstellt", + "psbtFlowReadyToBroadcast": "Es ist jetzt bereit zu senden! Sobald Sie auf Sendung klicken, wird die Transaktion im Bitcoin-Netzwerk veröffentlicht und die Mittel werden gesendet.", + "sendErrorLiquidWalletRequired": "Flüssige Geldbörse muss für eine Flüssigkeit zum Blitzwechsel verwendet werden", + "arkDurationMinutes": "{minutes} Minuten", + "@arkDurationMinutes": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "dcaSetupInsufficientBalance": "Unzureichende Balance", + "swapTransferRefundedMessage": "Der Transfer wurde erfolgreich zurückerstattet.", + "payInvalidState": "Invalider Staat", + "receiveWaitForPayjoin": "Warten Sie, bis der Absender die payjoin Transaktion beendet", + "seedsignerStep5": " - Erhöhung der Bildschirmhelligkeit auf Ihrem Gerät", + "transactionSwapDescLnReceiveExpired": "Dieser Swap ist abgelaufen. Alle gesendeten Mittel werden automatisch an den Absender zurückgegeben.", + "sellKYCApproved": "KYC genehmigt", + "arkTransaction": "transaktion", + "dcaFrequencyMonthly": "monat", + "buyKYCLevel": "KYC Ebene", + "passportInstructionsTitle": "Anleitung für die Stiftung Passport", + "ledgerSuccessImportTitle": "Brieftasche erfolgreich importiert", + "physicalBackupTitle": "Physische Sicherung", + "exchangeReferralsMissionLink": "bullbitcoin.com/mission", + "swapTransferPendingMessage": "Die Übertragung ist im Gange. Bitcoin Transaktionen können eine Weile dauern, um zu bestätigen. Du kannst nach Hause zurückkehren und warten.", + "transactionSwapLiquidToBitcoin": "L-BTC → BTC", + "testBackupDecryptVault": "Verschlüsselung Tresor", + "transactionDetailBumpFees": "Bumpgebühren", + "psbtFlowNoPartsToDisplay": "Keine Teile zur Anzeige", + "addressCardCopiedMessage": "Adresse kopiert zu Clipboard", + "totalFeeLabel": "Gesamtkosten", + "mempoolCustomServerBottomSheetDescription": "Geben Sie die URL Ihres benutzerdefinierten Mempool-Servers ein. Der Server wird vor dem Speichern validiert.", + "sellBelowMinAmountError": "Sie versuchen, unter dem Mindestbetrag zu verkaufen, der mit dieser Geldbörse verkauft werden kann.", + "buyAwaitingConfirmation": "Voraussichtliche Bestätigung ", + "payExpired": "Ausgenommen", + "recoverbullBalance": "Bilanz: {balance}", + "@recoverbullBalance": { + "placeholders": { + "balance": { + "type": "String" + } + } + }, + "exchangeSecurityAccessSettingsButton": "Zugriffseinstellungen", + "payPaymentSuccessful": "Zahlung erfolgreich", + "exchangeHomeWithdraw": "Rückzug", + "importMnemonicSegwit": "Segwit", + "importQrDeviceJadeStep6": "Wählen Sie \"Export Xpub\" aus dem Brieftasche Menü", + "buyContinue": "Fortsetzung", + "recoverbullEnterToDecrypt": "Bitte geben Sie Ihre {inputType} ein, um Ihren Tresor zu entschlüsseln.", + "@recoverbullEnterToDecrypt": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "swapTransferTitle": "Transfer", + "testBackupSuccessTitle": "Test erfolgreich abgeschlossen!", + "recoverbullSelectTakeYourTime": "Nehmen Sie Ihre Zeit", + "sendConfirmCustomFee": "Bestätigen Sie die Sondergebühr", + "coreScreensTotalFeesLabel": "Gesamtkosten", + "mempoolSettingsDescription": "Konfigurieren Sie benutzerdefinierte Mempool-Server für verschiedene Netzwerke. Jedes Netzwerk kann einen eigenen Server für Blockexplorer und Gebührenschätzung verwenden.", + "transactionSwapProgressClaim": "Anspruch", + "exchangeHomeDeposit": "Anzahl", + "sendFrom": "Von", + "sendTransactionBuilt": "Transaction ready", + "bitboxErrorOperationCancelled": "Die Operation wurde aufgehoben. Bitte versuchen Sie es noch mal.", + "dcaOrderTypeLabel": "Bestelltyp", + "withdrawConfirmCard": "Karte", + "dcaSuccessMessageHourly": "Sie kaufen {amount} jede Stunde", + "@dcaSuccessMessageHourly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "loginButton": "LOGIN", + "revealingVaultKeyButton": "Wiederholen...", + "arkAboutNetwork": "Netzwerk", + "payLastName": "Vorname", + "transactionPayjoinStatusExpired": "Ausgenommen", + "fundExchangeMethodBankTransferWire": "Banküberweisung (Wire oder EFT)", + "psbtFlowLoginToDevice": "Login zu Ihrem {device} Gerät", + "@psbtFlowLoginToDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "fundExchangeJurisdictionCostaRica": "🇨🇷 Costa Rica Rica", + "payCalculating": "Berechnung...", + "transactionDetailLabelTransferId": "Transfer ID", + "fundExchangeContinueButton": "Fortsetzung", + "currencySettingsDefaultFiatCurrencyLabel": "Default Fiat Währung", + "payRecipient": "Empfänger", + "fundExchangeCrIbanUsdRecipientNameHelp": "Nutzen Sie unseren offiziellen Firmennamen. Verwenden Sie nicht \"Bull Bitcoin\".", + "sendUnfreezeCoin": "Unfreeze Coin", + "sellEurBalance": "EUR Saldo", + "jadeInstructionsTitle": "Blockstream Jade PSBT Anleitung", + "scanNfcButton": "NFC", + "testBackupChooseVaultLocation": "Wählen Sie den Speicherort", + "torSettingsInfoDescription": "• Tor Proxy gilt nur für Bitcoin (nicht Flüssigkeit)\n• Default Orbot port ist 9050\n• Stellen Sie sicher, dass Orbot läuft, bevor es\n• Verbindung kann langsamer durch Tor", + "dcaAddressBitcoin": "Bitcoin Adresse", + "sendErrorAmountBelowMinimum": "Betrag unterhalb der Mindestswapgrenze: {minLimit} satt", + "@sendErrorAmountBelowMinimum": { + "placeholders": { + "minLimit": { + "type": "String" + } + } + }, + "recoverbullGoogleDriveErrorFetchFailed": "Versäumt, Tresore von Google Drive zu holen", + "systemLabelExchangeBuy": "Kaufen", + "sendRecipientAddress": "Adresse des Empfängers", + "arkTxTypeBoarding": "Durchführung", + "exchangeAmountInputValidationInsufficient": "Unzureichende Bilanz", + "psbtFlowReviewTransaction": "Sobald die Transaktion in Ihrem {device} importiert wird, überprüfen Sie die Zieladresse und den Betrag.", + "@psbtFlowReviewTransaction": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "arkTransactions": "transaktionen", + "broadcastSignedTxCameraButton": "Kamera", + "importQrDeviceJadeName": "Blockstream Jade", + "importWalletImportMnemonic": "Import Mnemonic", + "bip85NextMnemonic": "Nächster Mnemonic", + "bitboxErrorNoActiveConnection": "Keine aktive Verbindung zum BitBox Gerät.", + "dcaFundAccountButton": "Ihr Konto finanzieren", + "arkSendTitle": "Bitte", + "recoverbullVaultRecovery": "Vault Recovery", + "transactionDetailLabelAmountReceived": "Eingegangene Beträge", + "bitboxCubitOperationTimeout": "Die Operation hat gedauert. Bitte versuchen Sie es noch mal.", + "receivePaymentReceived": "Zahlung erhalten!", + "backupWalletHowToDecideVaultCloudSecurity": "Cloud-Speicheranbieter wie Google oder Apple haben keinen Zugriff auf Ihr Bitcoin, da das Verschlüsselungs-Passwort zu stark ist. Sie können nur auf Ihr Bitcoin zugreifen, in dem unwahrscheinlichen Fall, dass sie mit dem Schlüsselserver zusammenhängen (der Online-Dienst, der Ihr Verschlüsselungskennwort speichert). Wenn der Schlüsselserver jemals gehackt wird, könnte Ihr Bitcoin mit Google oder Apple Cloud gefährdet sein.", + "howToDecideBackupText1": "Eine der häufigsten Möglichkeiten, wie Menschen verlieren ihre Bitcoin ist, weil sie die physische Sicherung verlieren. Jeder, der Ihre physische Sicherung findet, wird in der Lage sein, alle Ihre Bitcoin zu nehmen. Wenn Sie sehr zuversichtlich sind, dass Sie es gut verstecken können und nie verlieren, ist es eine gute Option.", + "payOrderNotFound": "Der Lohnauftrag wurde nicht gefunden. Bitte versuchen Sie es noch mal.", + "coldcardStep13": "Die Bull Bitcoin Geldbörse wird Sie bitten, den QR-Code auf der Coldcard zu scannen. Scan es.", + "psbtFlowIncreaseBrightness": "Erhöhen Sie die Bildschirmhelligkeit auf Ihrem Gerät", + "payCoinjoinCompleted": "CoinJoin abgeschlossen", + "electrumAddCustomServer": "Individueller Server", + "psbtFlowClickSign": "Klicken Sie auf", + "rbfSatsPerVbyte": "sats/vB", + "broadcastSignedTxDoneButton": "KAPITEL", + "sendRecommendedFee": "Empfohlen: {rate} sat/vB", + "@sendRecommendedFee": { + "placeholders": { + "rate": { + "type": "String" + } + } + }, + "mempoolCustomServerUrl": "Server URL", + "buyOrderAlreadyConfirmedError": "Dieser Kaufauftrag wurde bereits bestätigt.", + "fundExchangeArsBankTransferTitle": "Banküberweisung", + "transactionLabelReceiveAmount": "Betrag", + "sendServerNetworkFees": "Server Network Fees", + "importWatchOnlyImport": "Einfuhr", + "backupWalletBackupButton": "Backup", + "mempoolSettingsTitle": "Mempool Server", + "recoverbullErrorVaultCreationFailed": "Vault-Erstellung fehlgeschlagen, es kann die Datei oder der Schlüssel sein", + "sellSendPaymentFeePriority": "Gebührenpriorität", + "bitboxActionSignTransactionProcessing": "Unterzeichnen von Transaktion", + "sellWalletBalance": "Bilanz: {amount}", + "@sellWalletBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "recoverbullGoogleDriveNoBackupsFound": "Keine Backups gefunden", + "sellSelectNetwork": "Wählen Sie Netzwerk", + "sellSendPaymentOrderNumber": "Bestellnummer", + "arkDust": "Staub", + "dcaConfirmPaymentMethod": "Zahlungsmethode", + "bitcoinSettingsImportWalletTitle": "Import Wallet", + "backupWalletErrorGoogleDriveConnection": "Nicht angeschlossen an Google Drive", + "payEnterInvoice": "Invoice", + "broadcastSignedTxPasteHint": "Einfügen eines PSBT oder Transaktion HEX", + "transactionLabelAmountSent": "Betrag", + "testBackupPassphrase": "Passphrasen", + "arkSetupEnable": "Aktivieren Sie Ark", + "walletDeletionErrorDefaultWallet": "Sie können keine Standard Geldbörse löschen.", + "confirmTransferTitle": "Über uns", + "payFeeBreakdown": "Gebührenaufschlüsselung", + "coreSwapsLnSendPaid": "Rechnung wird bezahlt, nachdem Ihre Zahlung eine Bestätigung erhält.", + "fundExchangeCrBankTransferDescription2": ". Die Mittel werden zu Ihrem Kontostand hinzugefügt.", + "sellAmount": "Verkauf", + "transactionLabelSwapStatus": "Swap-Status", + "ledgerErrorDeviceLocked": "Ledger Gerät ist gesperrt. Bitte entsperren Sie Ihr Gerät und versuchen Sie es erneut.", + "importQrDeviceSeedsignerStep5": "Wählen Sie \"Single Sig\", dann wählen Sie Ihren bevorzugten Skript-Typ (wählen Sie Native Segwit, wenn nicht sicher).", + "recoverbullRecoveryErrorWalletMismatch": "Es gibt bereits eine andere Standard-Walette. Sie können nur eine Standard Geldbörse haben.", + "payNoRecipientsFound": "Keine Empfänger gefunden zu zahlen.", + "payNoInvoiceData": "Keine Rechnungsdaten verfügbar", + "recoverbullErrorInvalidCredentials": "Falsches Passwort für diese Sicherungsdatei", + "paySinpeMonto": "Betrag", + "arkDurationSeconds": "{seconds} Sekunden", + "@arkDurationSeconds": { + "placeholders": { + "seconds": { + "type": "String" + } + } + }, + "receiveCopyOrScanAddressOnly": "Adresse nur kopieren oder scannen", + "transactionDetailAccelerate": "Beschleunigen", + "importQrDevicePassportStep11": "Geben Sie ein Etikett für Ihre Passport Geldbörse ein und tippen Sie auf \"Import\"", + "fundExchangeJurisdictionCanada": "🇨🇦 Kanada", + "withdrawBelowMinAmountError": "Sie versuchen, unter dem Mindestbetrag zurückzutreten.", + "recoverbullTransactions": "Transaktionen: {count}", + "@recoverbullTransactions": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "swapYouPay": "Sie bezahlen", + "encryptedVaultTitle": "Verschlüsselter Tresor", + "fundExchangeCrIbanUsdLabelIban": "IBAN Kontonummer (nur US-Dollar)", + "chooseAccessPinTitle": "Wählen Sie Zugriff {pinOrPassword}", + "@chooseAccessPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importWalletSeedSigner": "SeedSigner", + "featureComingSoonTitle": "Feature kommt bald", + "swapProgressRefundInProgress": "Transfer Refund in Progress", + "transactionDetailLabelPayjoinExpired": "Ausgenommen", + "payBillerName": "Billing Name", + "sendErrorBitcoinWalletRequired": "Bitcoin Geldbörse muss für ein Bitcoin verwendet werden, um Swap zu leuchten", + "pinCodeManageTitle": "Verwalten Sie Ihre Sicherheit PIN", + "buyConfirmBitcoinPrice": "Bitcoin Preis", + "arkUnifiedAddressCopied": "Einheitliche Adresse kopiert", + "transactionSwapDescLnSendCompleted": "Die Lightning-Zahlung wurde erfolgreich gesendet! Ihr Swap ist jetzt komplett.", + "sellOrderAlreadyConfirmedError": "Dieser Verkaufsauftrag wurde bereits bestätigt.", + "paySinpeEnviado": "SINPE ENVIADO!", + "withdrawConfirmPhone": "Telefon", + "payNoDetailsAvailable": "Keine Angaben verfügbar", + "allSeedViewOldWallets": "Alte Geldbörsen ({count})", + "@allSeedViewOldWallets": { + "placeholders": { + "count": { + "type": "int", + "format": "decimalPattern" + } + } + }, + "sellOrderPlaced": "Verkauf Bestellung erfolgreich platziert", + "buyInsufficientFundsError": "Unzureichende Mittel in Ihrem Bull Bitcoin-Konto, um diesen Kaufauftrag abzuschließen.", + "ledgerHelpStep4": "Stellen Sie sicher, dass Sie die neueste Version der Bitcoin App von Ledger Live installiert haben.", + "recoverbullPleaseWait": "Bitte warten Sie, während wir eine sichere Verbindung aufbauen...", + "broadcastSignedTxBroadcast": "Broadcast", + "lastKnownEncryptedVault": "Letzte bekannte Verschlüsselung Standard: {date}", + "@lastKnownEncryptedVault": { + "placeholders": { + "date": { + "type": "String", + "example": "2025-01-20 15:30:45" + } + } + }, + "fundExchangeInfoTransferCode": "Sie müssen den Transfercode als \"Nachricht\" oder \"Anweisung\" bei der Zahlung hinzufügen.", + "hwChooseDevice": "Wählen Sie die Hardwarebörse, die Sie anschließen möchten", + "transactionListNoTransactions": "Noch keine Transaktionen.", + "torSettingsConnectionStatus": "Verbindungsstatus", + "backupInstruction1": "Wenn Sie Ihre 12 Wortsicherung verlieren, werden Sie nicht in der Lage, den Zugriff auf die Bitcoin Wallet wiederherzustellen.", + "sendErrorInvalidAddressOrInvoice": "Invalide Bitcoin-Zahlungsadresse oder Invoice", + "transactionLabelAmountReceived": "Eingegangene Beträge", + "recoverbullRecoveryTitle": "Recoverbull vault Wiederherstellung", + "broadcastSignedTxScanQR": "Scannen Sie den QR-Code von Ihrer Hardware Geldbörse", + "transactionStatusTransferInProgress": "Transfer in Progress", + "ledgerSuccessSignDescription": "Ihre Transaktion wurde erfolgreich unterzeichnet.", + "exchangeSupportChatMessageRequired": "Eine Nachricht ist erforderlich", + "buyEstimatedFeeValue": "Geschätzter Gebührenwert", + "payName": "Name", + "sendSignWithBitBox": "Mit BitBox anmelden", + "sendSwapRefundInProgress": "Swap-Refund im Fortschritt", + "exchangeKycLimited": "Unternehmen", + "backupWalletHowToDecideVaultCustomRecommendationText": "sie sind zuversichtlich, dass sie nicht verlieren die tresor-datei und es wird immer noch zugänglich sein, wenn sie ihr telefon verlieren.", + "swapErrorAmountBelowMinimum": "Betrag liegt unter dem Mindestswapbetrag: {min} sats", + "@swapErrorAmountBelowMinimum": { + "placeholders": { + "min": { + "type": "String" + } + } + }, + "settingsGithubLabel": "Github", + "sellTransactionFee": "Transaktionsgebühren", + "coldcardStep5": "Wenn Sie Probleme beim Scannen haben:", + "buyExpressWithdrawal": "Rücknahme von Express", + "payPaymentConfirmed": "Zahlung bestätigt", + "transactionOrderLabelOrderNumber": "Bestellnummer", + "buyEnterAmount": "Betrag", + "sellShowQrCode": "QR Code anzeigen", + "receiveConfirmed": "Bestätigt", + "walletOptionsWalletDetailsTitle": "Wallet Details", + "sellSecureBitcoinWallet": "Sichere Bitcoin Wallet", + "ledgerWalletTypeLegacy": "Vermächtnis (BIP44)", + "transactionDetailTransferProgress": "Transfers", + "sendNormalFee": "Normal", + "importWalletConnectHardware": "Hardware Wallet verbinden", + "transactionDetailLabelPayinAmount": "Zahlbetrag", + "importWalletSectionHardware": "Eisenwaren", + "connectHardwareWalletDescription": "Wählen Sie die Hardwarebörse, die Sie anschließen möchten", + "sendEstimatedDelivery10Minutes": "10 minuten", + "enterPinToContinueMessage": "Geben Sie Ihre {pinOrPassword} ein, um fortzufahren", + "@enterPinToContinueMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "swapTransferFrom": "Transfer von", + "errorSharingLogsMessage": "Fehlerfreigabe von Protokollen: {error}", + "@errorSharingLogsMessage": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payShowQrCode": "QR Code anzeigen", + "onboardingRecoverWalletButtonLabel": "Recover Wallet", + "torSettingsPortValidationEmpty": "Bitte geben Sie eine Portnummer ein", + "ledgerHelpStep1": "Starten Sie Ihr Ledger Gerät.", + "swapAvailableBalance": "Verfügbare Bilanz", + "fundExchangeCrIbanCrcLabelPaymentDescription": "Zahlungsbeschreibung", + "walletTypeWatchSigner": "Uhren", + "settingsWalletBackupTitle": "Zurück zur Übersicht", + "ledgerConnectingSubtext": "Sichere Verbindung aufbauen...", + "transactionError": "Fehler - {error}", + "@transactionError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "coreSwapsLnSendPending": "Swap ist noch nicht initialisiert.", + "recoverbullVaultCreatedSuccess": "Vault erfolgreich erstellt", + "payAmount": "Betrag", + "sellMaximumAmount": "Maximaler Verkaufsbetrag: {amount}", + "@sellMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sellViewDetailsButton": "Details anzeigen", + "receiveGenerateInvoice": "Invoice generieren", + "kruxStep8": " - Bewegen Sie den roten Laser über QR-Code", + "coreScreensFeeDeductionExplanation": "Dies ist die Gesamtgebühr, die vom gesendeten Betrag abgezogen wird", + "transactionSwapProgressInitiated": "Einleitung", + "fundExchangeTitle": "Finanzierung", + "dcaNetworkValidationError": "Bitte wählen Sie ein Netzwerk", + "coldcardStep12": "Klicken Sie auf \"Ich bin fertig\" in der Bull Bitcoin Geldbörse.", + "autoswapAlwaysBlockDisabledInfo": "Wenn deaktiviert, erhalten Sie die Möglichkeit, einen Autotransfer zu ermöglichen, der aufgrund hoher Gebühren blockiert wird", + "bip85Index": "Index: {index}", + "@bip85Index": { + "placeholders": { + "index": { + "type": "int" + } + } + }, + "broadcastSignedTxPageTitle": "Broadcast unterzeichnete Transaktion", + "sendInsufficientBalance": "Unzureichende Bilanz", + "paySecurityAnswer": "Sicherheitsantwort", + "walletArkInstantPayments": "Ark Instant Zahlungen", + "importQrDeviceError": "Versäumt, Brieftasche zu importieren", + "onboardingSplashDescription": "Souveräne Selbstverwahrung Bitcoin Geldbörse und Bitcoin-nur Austauschservice.", + "statusCheckOffline": "Offline", + "fundExchangeCrIbanCrcDescriptionEnd": ". Fonds werden zu Ihrem Kontostand hinzugefügt.", + "payAccount": "Gesamt", + "testBackupGoogleDrivePrivacyPart2": "nicht ", + "buyCompleteKyc": "Vollständige KYC", + "vaultSuccessfullyImported": "Ihr Tresor wurde erfolgreich importiert", + "payAccountNumberHint": "Kontonummer eingeben", + "buyOrderNotFoundError": "Der Kaufauftrag wurde nicht gefunden. Bitte versuchen Sie es noch mal.", + "backupWalletGoogleDrivePrivacyMessage2": "nicht ", + "payAddressRequired": "Anschrift erforderlich", + "arkTransactionDetails": "Transaction details", + "payTotalAmount": "Gesamtbetrag", + "exchangeLegacyTransactionsTitle": "Vermächtnistransaktionen", + "autoswapWarningDontShowAgain": "Zeigen Sie diese Warnung nicht wieder.", + "sellInsufficientBalance": "Unzureichende Geldbörse Balance", + "recoverWalletButton": "Recover Wallet", + "mempoolCustomServerDeleteMessage": "Sind Sie sicher, dass Sie diesen benutzerdefinierten Mempool-Server löschen möchten? Der Standardserver wird stattdessen verwendet.", + "coldcardStep6": " - Erhöhung der Bildschirmhelligkeit auf Ihrem Gerät", + "exchangeAppSettingsValidationWarning": "Bitte setzen Sie vor dem Speichern sowohl Sprache als auch Währungspräferenzen ein.", + "sellCashPickup": "Bargeld Abholung", + "coreSwapsLnReceivePaid": "Der Absender hat die Rechnung bezahlt.", + "payInProgress": "Zahlung in Progress!", + "recoverbullRecoveryErrorKeyDerivationFailed": "Lokale Backup-Schlüsselableitung fehlgeschlagen.", + "swapValidationInsufficientBalance": "Unzureichende Bilanz", + "transactionLabelFromWallet": "Von der Geldbörse", + "recoverbullErrorRateLimited": "Rate begrenzt. Bitte versuchen Sie es erneut in {retryIn}", + "@recoverbullErrorRateLimited": { + "placeholders": { + "retryIn": { + "type": "String" + } + } + }, + "importWatchOnlyExtendedPublicKey": "Erweiterte Öffentlichkeit Schlüssel", + "autoswapAlwaysBlock": "Immer hohe Gebühren blockieren", + "walletDeletionConfirmationTitle": "Löschen Sie Wallet", + "sendNetworkFees": "Netzgebühren", + "mempoolNetworkBitcoinMainnet": "Bitcoin Mainnet", + "paySinpeOrigen": "Ursprung", + "networkFeeLabel": "Netzwerkgebühren", + "recoverbullMemorizeWarning": "Sie müssen dieses {inputType} merken, um den Zugang zu Ihrer Geldbörse wiederherzustellen. Es muss mindestens 6 Ziffern betragen. Wenn Sie diese {inputType} verlieren, können Sie Ihr Backup nicht wiederherstellen.", + "@recoverbullMemorizeWarning": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "kruxStep15": "Die Transaktion wird in der Bull Bitcoin Geldbörse importiert.", + "fundExchangeETransferLabelSecretQuestion": "Geheime Frage", + "importColdcardButtonPurchase": "Kaufeinrichtung", + "jadeStep15": "Es ist jetzt bereit zu senden! Sobald Sie auf Sendung klicken, wird die Transaktion im Bitcoin-Netzwerk veröffentlicht und die Mittel werden gesendet.", + "confirmButton": "Bestätigen", + "transactionSwapInfoClaimableTransfer": "Der Transfer wird innerhalb weniger Sekunden automatisch abgeschlossen. Falls nicht, können Sie einen manuellen Anspruch versuchen, indem Sie auf die Schaltfläche \"Retry Transfer Claim\" klicken.", + "payActualFee": "Tatsächliche Gebühren", + "electrumValidateDomain": "Gültige Domain", + "importQrDeviceJadeFirmwareWarning": "Stellen Sie sicher, dass Ihr Gerät auf die neueste Firmware aktualisiert wird", + "arkPreconfirmed": "Vorbestätigt", + "recoverbullSelectFileNotSelectedError": "Datei nicht ausgewählt", + "arkDurationDay": "{days} Tag", + "@arkDurationDay": { + "placeholders": { + "days": { + "type": "String" + } + } + }, + "arkSendButton": "Bitte", + "buyInputContinue": "Fortsetzung", + "fundExchangeMethodSpeiTransferSubtitle": "Überweisungsmittel mit CLABE", + "importQrDeviceJadeStep3": "Folgen Sie den Anweisungen des Geräts, um die Jade zu entsperren", + "paySecurityQuestionLengthError": "Muss 10-40 Zeichen sein", + "sendSigningFailed": "Unterzeichnen fehlgeschlagen", + "bitboxErrorDeviceNotPaired": "Gerät nicht gepaart. Bitte füllen Sie zuerst den Paarungsprozess aus.", + "transferIdLabel": "Transfer ID", + "paySelectActiveWallet": "Bitte wählen Sie eine Geldbörse", + "arkDurationHours": "{hours} Stunden", + "@arkDurationHours": { + "placeholders": { + "hours": { + "type": "String" + } + } + }, + "transcribeLabel": "Transkription", + "pinCodeProcessing": "Verarbeitung", + "transactionDetailLabelRefunded": "Zurückerstattet", + "dcaFrequencyHourly": "stunde", + "swapValidationSelectFromWallet": "Bitte wählen Sie eine Brieftasche aus", + "sendSwapInitiated": "Swap initiiert", + "backupSettingsKeyWarningMessage": "Es ist kritisch wichtig, dass Sie nicht den Sicherungsschlüssel an der gleichen Stelle speichern, wo Sie Ihre Sicherungsdatei speichern. Speichern Sie sie immer auf separaten Geräten oder separaten Cloud-Anbietern.", + "recoverbullEnterToTest": "Bitte geben Sie Ihre {inputType} ein, um Ihren Tresor zu testen.", + "@recoverbullEnterToTest": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "fundExchangeCrBankTransferDescription1": "Senden Sie eine Banküberweisung von Ihrem Bankkonto mit den untenstehenden Daten ", + "fundExchangeHelpBeneficiaryName": "Nutzen Sie unseren offiziellen Firmennamen. Verwenden Sie nicht \"Bull Bitcoin\".", + "payRecipientType": "Empfängertyp", + "sellOrderCompleted": "Bestellung abgeschlossen!", + "importQrDeviceSpecterStep10": "Geben Sie ein Etikett für Ihren Specter Geldbeutel ein und tippen Sie auf Import", + "recoverbullSelectVaultSelected": "Vault Ausgewählt", + "dcaWalletTypeBitcoin": "Bitcoin (BTC)", + "payNoPayments": "Noch keine Zahlungen", + "onboardingEncryptedVault": "Verschlüsselter Tresor", + "exchangeAccountInfoTitle": "Informationen Ã1⁄4ber das Konto", + "exchangeDcaActivateTitle": "Wiederkehrender Kauf aktivieren", + "buyConfirmationTime": "Bestätigungszeit", + "encryptedVaultRecommendation": "Verschlüsselter Tresor: ", + "payLightningInvoice": "Blitzanfall", + "transactionOrderLabelPayoutAmount": "Auszahlungsbetrag", + "recoverbullSelectEnterBackupKeyManually": "Sicherungsschlüssel manuell eingeben >>", + "exportingVaultButton": "Exportieren...", + "payCoinjoinInProgress": "CoinJoin im Fortschritt...", + "testBackupAllWordsSelected": "Sie haben alle Wörter ausgewählt", + "ledgerProcessingImportSubtext": "Richten Sie Ihre Uhr nur Geldbörse...", + "digitalCopyLabel": "Digitales Exemplar", + "receiveNewAddress": "Neue Adresse", + "arkAmount": "Betrag", + "fundExchangeWarningTactic7": "Sie sagen Ihnen, dass Sie sich nicht um diese Warnung sorgen", + "importQrDeviceSpecterStep1": "Leistung auf Ihrem Spektergerät", + "transactionNoteAddTitle": "Anmerkung", + "paySecurityAnswerHint": "Sicherheitsantwort eingeben", + "bitboxActionImportWalletTitle": "BitBox Wallet importieren", + "backupSettingsError": "Fehler", + "exchangeFeatureCustomerSupport": "• Chat mit Kundenbetreuung", + "sellPleasePayInvoice": "Bitte zahlen Sie diese Rechnung", + "fundExchangeMethodCanadaPost": "In-Person Bargeld oder Debit bei Canada Post", + "payInvoiceDecoded": "Invoice erfolgreich decodiert", + "coreScreensAmountLabel": "Betrag", + "receiveSwapId": "Swap-ID", + "transactionLabelCompletedAt": "Abgeschlossen bei", + "pinCodeCreateTitle": "Neue Pin erstellen", + "swapTransferRefundInProgressTitle": "Transfer Refund in Progress", + "swapYouReceive": "Sie erhalten", + "recoverbullSelectCustomLocationProvider": "Kundenspezifischer Standort", + "electrumInvalidRetryError": "Invalid Retry Zählwert: {value}", + "@electrumInvalidRetryError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "paySelectNetwork": "Wählen Sie Netzwerk", + "informationWillNotLeave": "Diese Informationen ", + "backupWalletInstructionSecurityRisk": "Jeder mit Zugriff auf Ihre 12-Worte-Backup kann Ihre Bitcoins stehlen. Versteck es gut.", + "sellCadBalance": "CAD Saldo", + "doNotShareWarning": "NICHT MIT EINEM ANDEREN", + "torSettingsPortNumber": "Hafen Nummer", + "payNameHint": "Empfängername eingeben", + "autoswapWarningTriggerAmount": "Auslösungsbetrag von 0,02 BTC", + "legacySeedViewScreenTitle": "Legacy Seeds", + "recoverbullErrorCheckStatusFailed": "Versäumt, den Tresorstatus zu überprüfen", + "pleaseWaitFetching": "Bitte warten Sie, während wir Ihre Backup-Datei holen.", + "backupWalletPhysicalBackupTag": "Vertrauenslos (nehmen Sie Ihre Zeit)", + "electrumReset": "Zurück zur Übersicht", + "payInsufficientBalanceError": "Unzureichende Balance in der ausgewählten Geldbörse, um diese Bezahlung Bestellung abzuschließen.", + "backupCompletedTitle": "Backup abgeschlossen!", + "arkDate": "Datum", + "psbtFlowInstructions": "Anweisungen", + "systemLabelExchangeSell": "Verkauf", + "sendHighFeeWarning": "Warnung vor hoher Gebühr", + "electrumStopGapNegativeError": "Stop Gap kann nicht negativ sein", + "walletButtonSend": "Bitte", + "importColdcardInstructionsStep9": "Geben Sie ein 'Label' für Ihre Coldcard Q Geldbörse ein und tippen Sie auf \"Import\"", + "bitboxScreenTroubleshootingStep1": "Stellen Sie sicher, dass Sie die neueste Firmware auf Ihrer BitBox installiert haben.", + "backupSettingsExportVault": "Export Vault", + "bitboxActionUnlockDeviceTitle": "BitBox Gerät blockieren", + "withdrawRecipientsNewTab": "Neuer Empfänger", + "autoswapRecipientRequired": "*", + "exchangeLandingFeature4": "Banküberweisungen senden und Rechnungen bezahlen", + "sellSendPaymentPayFromWallet": "Bezahlung von Geldbeuteln", + "settingsServicesStatusTitle": "Dienstleistungen", + "sellPriceWillRefreshIn": "Preis wird erfrischt ", + "labelDeleteFailed": "Nicht zu löschen \"{label}\". Bitte versuchen Sie es noch mal.", + "@labelDeleteFailed": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "kruxStep16": "Es ist jetzt bereit zu senden! Sobald Sie auf Sendung klicken, wird die Transaktion im Bitcoin-Netzwerk veröffentlicht und die Mittel werden gesendet.", + "recoverbullRecoveryErrorVaultCorrupted": "Ausgewählte Sicherungsdatei ist beschädigt.", + "buyVerifyIdentity": "Verifizierte Identität", + "exchangeDcaCancelDialogConfirmButton": "Ja, deaktivieren", + "electrumServerUrlHint": "{network} {environment} Server URL", + "@electrumServerUrlHint": { + "placeholders": { + "network": { + "type": "String" + }, + "environment": { + "type": "String" + } + } + }, + "payEmailHint": "E-Mail-Adresse", + "backupWalletGoogleDrivePermissionWarning": "Google wird Sie bitten, personenbezogene Daten mit dieser App zu teilen.", + "bitboxScreenVerifyAddressSubtext": "Vergleichen Sie diese Adresse mit Ihrem BitBox02-Bildschirm", + "importQrDeviceSeedsignerStep9": "Geben Sie ein Etikett für Ihre SeedSigner Geldbörse ein und tippen Sie auf Import", + "testCompletedSuccessMessage": "Sie sind in der Lage, den Zugang zu einer verlorenen Bitcoin Geldbörse zu erholen", + "importWatchOnlyScanQR": "Scan QR", + "selectAmountTitle": "Wählen Sie den Betrag", + "buyYouBought": "Sie kauften {amount}", + "@buyYouBought": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "routeErrorMessage": "Seite nicht gefunden", + "connectHardwareWalletPassport": "Stiftungspass", + "autoswapTriggerBalanceError": "Trigger-Balance muss mindestens 2x der Basis-Balance", + "receiveEnterHere": "Hier...", + "receiveNetworkFee": "Netzwerkgebühren", + "payLiquidFee": "Flüssige Gebühren", + "fundExchangeSepaTitle": "SEPA Transfer", + "autoswapLoadSettingsError": "Fehler beim Laden von Auto-Swap-Einstellungen", + "durationSeconds": "{seconds} Sekunden", + "@durationSeconds": { + "placeholders": { + "seconds": { + "type": "String" + } + } + }, + "broadcastSignedTxReviewTransaction": "Review Transaction", + "walletArkExperimental": "Experimentelle", + "importQrDeviceKeystoneStep5": "Wählen Sie BULL Wallet Option", + "electrumLoadFailedError": "Nicht geladene Server{reason}", + "@electrumLoadFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "ledgerVerifyAddressLabel": "Anschrift:", + "buyAccelerateTransaction": "Beschleunigung der Transaktion", + "backupSettingsTested": "Geprüft", + "receiveLiquidConfirmationMessage": "Es wird in ein paar Sekunden bestätigt", + "jadeStep1": "Login zu Ihrem Jade Gerät", + "recoverbullSelectDriveBackups": "Laufwerkssicherungen", + "settingsSecurityPinTitle": "Sicherheitsnadel", + "testBackupErrorFailedToFetch": "Fehler beim Backup: {error}", + "@testBackupErrorFailedToFetch": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "arkDurationMinute": "{minutes} Minute", + "@arkDurationMinute": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "psbtFlowTroubleScanningTitle": "Wenn Sie Probleme beim Scannen haben:", + "arkReceiveUnifiedCopied": "Einheitliche Adresse kopiert", + "importQrDeviceJadeStep9": "Scannen Sie den QR-Code, den Sie auf Ihrem Gerät sehen.", + "sellArsBalance": "ARS Balance", + "fundExchangeCanadaPostStep1": "ANHANG Gehen Sie zu jedem Kanada Post Standort", + "exchangeKycLight": "Licht", + "seedsignerInstructionsTitle": "SeedSigner Anleitung", + "exchangeAmountInputValidationEmpty": "Bitte geben Sie einen Betrag ein", + "bitboxActionPairDeviceProcessingSubtext": "Bitte überprüfen Sie den Paarungscode auf Ihrem BitBox Gerät...", + "recoverbullKeyServer": "Schlüsselserver ", + "recoverbullPasswordTooCommon": "Dieses Passwort ist zu häufig. Bitte wählen Sie eine andere", + "backupInstruction3": "Jeder mit Zugriff auf Ihre 12-Worte-Backup kann Ihre Bitcoins stehlen. Versteck es gut.", + "arkRedeemButton": "Rede", + "fundExchangeLabelBeneficiaryAddress": "Steueranschrift", + "testBackupVerify": "Überprüfung", + "transactionDetailLabelCreatedAt": "Erstellt bei", + "fundExchangeJurisdictionArgentina": "🇦🇷 Argentinien", + "walletNetworkBitcoin": "Bitcoin Network", + "electrumAdvancedOptions": "Erweiterte Optionen", + "autoswapWarningCardSubtitle": "Ein Swap wird ausgelöst, wenn Ihre Instant Payments Balance über 0,02 BTC.", + "transactionStatusConfirmed": "Bestätigt", + "dcaFrequencyDaily": "tag", + "transactionLabelSendAmount": "Betrag", + "testedStatus": "Geprüft", + "fundExchangeWarningTactic6": "Sie wollen, dass Sie Ihren Bildschirm teilen", + "buyYouReceive": "Sie erhalten", + "payFilterPayments": "Filter Zahlungen", + "exchangeFileUploadButton": "Hochladen", + "payCopied": "Copied!", + "transactionLabelReceiveNetworkFee": "Netzwerkgebühren empfangen", + "bitboxScreenTroubleshootingTitle": "BitBox02 Fehlerbehebung", + "broadcastSignedTxPushTxButton": "PFZ", + "fundExchangeCrIbanUsdDescriptionBold": "genau", + "fundExchangeSelectCountry": "Wählen Sie Ihr Land und Ihre Zahlungsmethode", + "fundExchangeCostaRicaMethodSinpeSubtitle": "Transfer Colones mit SINPE", + "kruxStep2": "Klicken Sie auf", + "fundExchangeArsBankTransferDescription": "Senden Sie eine Banküberweisung von Ihrem Bankkonto mit den genauen Argentinien Bankdaten unten.", + "importWatchOnlyFingerprint": "Fingerabdruck", + "exchangeBitcoinWalletsEnterAddressHint": "Anschrift", + "dcaViewSettings": "Einstellungen anzeigen", + "withdrawAmountContinue": "Fortsetzung", + "allSeedViewSecurityWarningMessage": "Die Anzeige von Saatphrasen ist ein Sicherheitsrisiko. Jeder, der Ihren Samensatz sieht, kann auf Ihr Geld zugreifen. Stellen Sie sicher, dass Sie in einer privaten Lage sind und dass niemand Ihren Bildschirm sehen kann.", + "walletNetworkBitcoinTestnet": "Bitcoin Testnet", + "recoverbullSeeMoreVaults": "Mehr Tresore anzeigen", + "sellPayFromWallet": "Bezahlung von Geldbeuteln", + "pinProtectionDescription": "Ihre PIN schützt den Zugriff auf Ihre Geldbörse und Einstellungen. Halten Sie es unvergesslich.", + "kruxStep5": "Scannen Sie den QR-Code in der Bull Brieftasche", + "backupSettingsLabelsButton": "Etiketten", + "payMediumPriority": "Mittel", + "payWhichWalletQuestion": "Welche Brieftasche wollen Sie bezahlen?", + "dcaHideSettings": "Einstellungen verbergen", + "exchangeDcaCancelDialogMessage": "Ihr wiederkehrender Bitcoin Kaufplan wird aufhören, und geplante Kaufe werden enden. Um neu zu starten, müssen Sie einen neuen Plan einrichten.", + "transactionSwapDescChainExpired": "Diese Übertragung ist abgelaufen. Ihre Mittel werden automatisch an Ihre Geldbörse zurückgegeben.", + "payValidating": "Gültig...", + "sendDone": "KAPITEL", + "exchangeBitcoinWalletsTitle": "Standard Bitcoin Wallets", + "importColdcardInstructionsStep1": "Melden Sie sich an Ihrem Coldcard Q Gerät", + "transactionLabelSwapStatusRefunded": "Zurückerstattet", + "receiveLightningInvoice": "Lichtrechnung", + "pinCodeContinue": "Fortsetzung", + "payInvoiceTitle": "Invokation bezahlen", + "swapProgressGoHome": "Geh nach Hause", + "replaceByFeeSatsVbUnit": "sats/vB", + "fundExchangeCrIbanUsdDescription": "Senden Sie eine Banküberweisung von Ihrem Bankkonto mit den untenstehenden Daten ", + "coreScreensSendAmountLabel": "Betrag", + "backupSettingsRecoverBullSettings": "Recoverbull", + "fundExchangeLabelBankAddress": "Anschrift unserer Bank", + "exchangeDcaAddressLabelLiquid": "ANHANG", + "backupWalletGoogleDrivePrivacyMessage5": "mit Bull Bitcoin geteilt.", + "settingsDevModeUnderstandButton": "Ich verstehe", + "recoverbullSelectQuickAndEasy": "Schnell und einfach", + "exchangeFileUploadTitle": "Secure File Upload", + "backupWalletHowToDecideBackupPhysicalRecommendationText": "Sie sind zuversichtlich in Ihren eigenen operativen Sicherheitsfunktionen, um Ihre Bitcoin Samenwörter zu verstecken und zu erhalten.", + "bitboxCubitHandshakeFailed": "Versäumt, eine sichere Verbindung herzustellen. Bitte versuchen Sie es noch mal.", + "sendErrorAmountAboveSwapLimits": "Betrag über Swapsgrenzen", + "backupWalletHowToDecideBackupEncryptedVault": "Der verschlüsselte Tresor verhindert, dass Sie Diebe suchen, um Ihr Backup zu stehlen. Es verhindert auch, dass Sie versehentlich Ihr Backup verlieren, da es in Ihrer Cloud gespeichert wird. Cloud-Speicheranbieter wie Google oder Apple haben keinen Zugriff auf Ihr Bitcoin, da das Verschlüsselungs-Passwort zu stark ist. Es gibt eine kleine Möglichkeit, dass der Webserver, der die Verschlüsselungsschlüssel Ihres Backups speichert, beeinträchtigt werden könnte. In diesem Fall könnte die Sicherheit des Backups in Ihrem Cloud-Konto gefährdet sein.", + "coreSwapsChainCompletedRefunded": "Überweisung wurde zurückerstattet.", + "payClabeHint": "CLABE Nummer eingeben", + "fundExchangeLabelBankCountry": "Mitgliedstaat", + "seedsignerStep11": "Klicken Sie auf \"Ich bin fertig\" in der Bull Bitcoin Geldbörse.", + "transactionDetailLabelPayjoinStatus": "Status des Payjos", + "fundExchangeBankTransferSubtitle": "Senden Sie eine Banküberweisung von Ihrem Bankkonto", + "recoverbullErrorInvalidVaultFile": "Ungültige Tresordatei.", + "sellProcessingOrder": "Bearbeitungsauftrag...", + "sellUpdatingRate": "Aktualisierender Wechselkurs...", + "importQrDeviceKeystoneStep6": "Tippen Sie auf Ihrem mobilen Gerät auf offene Kamera", + "bip85Hex": "HEX", + "testYourWalletTitle": "Testen Sie Ihre Brieftasche", + "storeItSafelyMessage": "Speichern Sie es irgendwo sicher.", + "receiveLightningNetwork": "Beleuchtung", + "receiveVerifyAddressError": "Unfähig, die Adresse zu überprüfen: Fehlende Brieftasche oder Adressinformationen", + "arkForfeitAddress": "Forfeit Adresse", + "swapTransferRefundedTitle": "Überweisung zurückerstattet", + "bitboxErrorConnectionFailed": "Nicht angeschlossen BitBox Gerät. Bitte überprüfen Sie Ihre Verbindung.", + "exchangeFileUploadDocumentTitle": "Nachladen eines Dokuments", + "dcaInsufficientBalanceDescription": "Sie haben nicht genug Balance, um diese Bestellung zu erstellen.", + "pinButtonContinue": "Fortsetzung", + "importColdcardSuccess": "Coldcard Wallet importiert", + "withdrawUnauthenticatedError": "Sie sind nicht authentifiziert. Bitte loggen Sie sich ein, um fortzufahren.", + "sellBitcoinAmount": "Bitcoin Menge", + "recoverbullTestCompletedTitle": "Test erfolgreich abgeschlossen!", + "arkBtcAddress": "Anschrift", + "transactionFilterReceive": "Empfang", + "recoverbullErrorInvalidFlow": "Invalider Fluss", + "exchangeDcaFrequencyDay": "tag", + "payBumpFee": "Bump Fee", + "bitboxActionImportWalletProcessingSubtext": "Richten Sie Ihre Uhr nur Geldbörse...", + "psbtFlowDone": "Ich bin fertig", + "exchangeHomeDepositButton": "Anzahl", + "testBackupRecoverWallet": "Recover Wallet", + "fundExchangeMethodSinpeTransferSubtitle": "Transfer Colones mit SINPE", + "arkInstantPayments": "Ark Instant Zahlungen", + "sendEstimatedDelivery": "Geschätzte Lieferung ~ ", + "fundExchangeMethodOnlineBillPayment": "Online Bill Zahlung", + "coreScreensTransferIdLabel": "Transfer ID", + "howToDecideBackupText2": "Der verschlüsselte Tresor verhindert, dass Sie Diebe suchen, um Ihr Backup zu stehlen. Es verhindert auch, dass Sie versehentlich Ihr Backup verlieren, da es in Ihrer Cloud gespeichert wird. Cloud-Speicheranbieter wie Google oder Apple haben keinen Zugriff auf Ihr Bitcoin, da das Verschlüsselungs-Passwort zu stark ist. Es gibt eine kleine Möglichkeit, dass der Webserver, der die Verschlüsselungsschlüssel Ihres Backups speichert, beeinträchtigt werden könnte. In diesem Fall könnte die Sicherheit des Backups in Ihrem Cloud-Konto gefährdet sein.", + "sellIBAN": "IBAN", + "allSeedViewPassphraseLabel": "Passphrase:", + "dcaBuyingMessage": "Sie kaufen {amount} jeden {frequency} über {network}, solange es Geld in Ihrem Konto gibt.", + "@dcaBuyingMessage": { + "placeholders": { + "amount": { + "type": "String" + }, + "frequency": { + "type": "String" + }, + "network": { + "type": "String" + } + } + }, + "exchangeCurrencyDropdownValidation": "Bitte wählen Sie eine Währung", + "withdrawConfirmTitle": "Rücknahme bestätigen", + "importQrDeviceSpecterStep3": "Geben Sie Ihren Samen/Schlüssel ein (wählen Sie, welche Option Sie je haben)", + "payPayeeAccountNumber": "Zahlungskontonummer", + "importMnemonicBalanceLabel": "Bilanz: {amount}", + "@importMnemonicBalanceLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "fundExchangeWarningConfirmation": "Ich bestätige, dass ich nicht gebeten werde, Bitcoin von jemand anderem zu kaufen.", + "recoverbullSelectCustomLocationError": "Nicht verfügbar, um die Datei vom benutzerdefinierten Standort auszuwählen", + "mempoolCustomServerDeleteTitle": "Benutzerdefinierten Server löschen?", + "confirmSendTitle": "Bestätigen Sie", + "buyKYCLevel1": "Ebene 1 - Basis", + "sendErrorAmountAboveMaximum": "Höchstbetrag: {maxLimit} satt", + "@sendErrorAmountAboveMaximum": { + "placeholders": { + "maxLimit": { + "type": "String" + } + } + }, + "coreSwapsLnSendCompletedSuccess": "Swap ist erfolgreich abgeschlossen.", + "importColdcardScanning": "Scannen...", + "transactionLabelTransferFee": "Transfergebühr", + "visitRecoverBullMessage": "Besuchen Sie Recoverybull.com für weitere Informationen.", + "payMyFiatRecipients": "Meine Fiat Empfänger", + "exchangeLandingFeature1": "Bitcoin direkt in Selbst-Krankheit kaufen", + "bitboxCubitPermissionDenied": "USB-Berechtigung verweigert. Bitte erteilen Sie die Erlaubnis, auf Ihr BitBox-Gerät zuzugreifen.", + "swapTransferTo": "Überweisung", + "testBackupPinMessage": "Testen Sie, um sicherzustellen, dass Sie sich an Ihr Backup erinnern {pinOrPassword}", + "@testBackupPinMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "bitcoinSettingsMempoolServerTitle": "Mempool Server Einstellungen", + "transactionSwapDescLnReceiveDefault": "Ihr Swap ist im Gange. Dieser Prozess ist automatisiert und kann einige Zeit zum Abschluss nehmen.", + "selectCoinsManuallyLabel": "Münzen manuell auswählen", + "psbtFlowSeedSignerTitle": "SeedSigner Anleitung", + "appUnlockAttemptSingular": "fehlgeschlagen", + "importQrDevicePassportStep2": "Geben Sie Ihre PIN ein", + "transactionOrderLabelPayoutMethod": "Zahlungsmethode", + "buyShouldBuyAtLeast": "Sie sollten zumindest kaufen", + "pinCodeCreateDescription": "Ihre PIN schützt den Zugriff auf Ihre Geldbörse und Einstellungen. Halten Sie es unvergesslich.", + "payCorporate": "Unternehmen", + "recoverbullErrorRecoveryFailed": "Versäumt, den Tresor wiederherzustellen", + "buyMax": "Max", + "onboardingCreateNewWallet": "Neue Brieftasche erstellen", + "buyExpressWithdrawalDesc": "Bitcoin sofort nach Zahlung erhalten", + "backupIdLabel": "Backup-ID:", + "sellBalanceWillBeCredited": "Ihr Kontostand wird gutgeschrieben, nachdem Ihre Transaktion 1 Bestätigung onchain erhält.", + "payExchangeRate": "Wechselkurs", + "startBackupButton": "Starten Sie Backup", + "buyInputTitle": "Bitcoin kaufen", + "arkSendRecipientTitle": "Senden an Recipient", + "importMnemonicImport": "Einfuhr", + "recoverbullPasswordTooShort": "Passwort muss mindestens 6 Zeichen lang sein", + "arkAddressPlaceholder": "ark1qp9wsjfpsj5v5ex022v6..", + "payNetwork": "Netzwerk", + "sendBuildFailed": "Versäumt, Transaktion aufzubauen", + "paySwapFee": "Swap Fee", + "exchangeAccountSettingsTitle": "Kontoeinstellungen austauschen", + "arkBoardingConfirmed": "Einsetzung bestätigt", + "broadcastSignedTxTitle": "Übertragung von Sendungen", + "backupWalletVaultProviderTakeYourTime": "Nehmen Sie Ihre Zeit", + "arkSettleIncludeRecoverable": "Include erholbare vtxos", + "ledgerWalletTypeSegwitDescription": "Native SegWit - Empfohlen", + "exchangeAccountInfoFirstNameLabel": "Vorname", + "payPaymentFailed": "Zahlung fehlgeschlagen", + "sendRefundProcessed": "Ihre Rückerstattung wurde verarbeitet.", + "exchangeKycCardSubtitle": "Um Transaktionslimits zu entfernen", + "importColdcardInvalidQR": "Invalid Coldcard QR Code", + "testBackupTranscribe": "Transkription", + "sendUnconfirmed": "Nicht bestätigt", + "testBackupRetrieveVaultDescription": "Testen Sie, um sicherzustellen, dass Sie Ihren verschlüsselten Tresor abrufen können.", + "fundExchangeLabelCvu": "LEBENSLAUF", + "electrumStopGap": "Hör auf", + "payBroadcastingTransaction": "Rundfunktransaktion...", + "bip329LabelsImportButton": "Importetiketten", + "fiatCurrencySettingsLabel": "Fiskalwährung", + "arkStatusConfirmed": "Bestätigt", + "withdrawConfirmAmount": "Betrag", + "transactionSwapDoNotUninstall": "Deinstallieren Sie die App nicht, bis der Swap abgeschlossen ist.", + "payDefaultCommentHint": "Standardkommentar eingeben", + "labelErrorSystemCannotDelete": "Systemetiketten können nicht gelöscht werden.", + "copyDialogButton": "Kopie", + "bitboxActionImportWalletProcessing": "Wallet importieren", + "swapConfirmTransferTitle": "Über uns", + "payTransitNumberHint": "Warenbezeichnung", + "recoverbullSwitchToPIN": "Wählen Sie stattdessen eine PIN", + "payQrCode": "QR Code Code", + "exchangeAccountInfoVerificationLevelLabel": "Prüfstand", + "walletDetailsDerivationPathLabel": "Ableitungspfad", + "exchangeBitcoinWalletsBitcoinAddressLabel": "Bitcoin Adresse", + "transactionDetailLabelExchangeRate": "Wechselkurs", + "electrumServerOffline": "Offline", + "sendTransferFee": "Transfergebühr", + "fundExchangeLabelIbanCrcOnly": "IBAN Kontonummer (nur für Colones)", + "arkServerPubkey": "Server", + "testBackupPhysicalBackupDescription": "Schreiben Sie 12 Wörter auf einem Stück Papier. Halten Sie sie sicher und stellen Sie sicher, sie nicht zu verlieren.", + "sendInitiatingSwap": "Initiieren Swap...", + "sellLightningNetwork": "Blitznetz", + "buySelectWallet": "Wählen Sie Wallet", + "testBackupErrorIncorrectOrder": "Falsche Wortordnung. Bitte versuchen Sie es noch mal.", + "importColdcardInstructionsStep6": "Wählen Sie \"Bull Bitcoin\" als Exportoption", + "swapValidationSelectToWallet": "Bitte wählen Sie eine Brieftasche, um zu transferieren", + "receiveWaitForSenderToFinish": "Warten Sie, bis der Absender die payjoin Transaktion beendet", + "arkSetupTitle": "Ark Setup", + "seedsignerStep3": "Scannen Sie den QR-Code in der Bull Brieftasche", + "sellErrorLoadUtxos": "Nicht geladen UTXOs: {error}", + "@sellErrorLoadUtxos": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "payDecodingInvoice": "Abrechnung...", + "importColdcardInstructionsStep5": "Wählen Sie \"Export Wallet\"", + "electrumStopGapTooHighError": "Stop Gap scheint zu hoch. (Max. {maxStopGap}", + "@electrumStopGapTooHighError": { + "placeholders": { + "maxStopGap": { + "type": "String" + } + } + }, + "electrumTimeoutTooHighError": "Timeout scheint zu hoch. (Max. {maxTimeout} Sekunden)", + "@electrumTimeoutTooHighError": { + "placeholders": { + "maxTimeout": { + "type": "String" + } + } + }, + "sellInstantPayments": "Sofortzahlungen", + "priceChartFetchingHistory": "Fetching Price History...", + "sellDone": "KAPITEL", + "payFromWallet": "Von Wallet", + "dcaConfirmRecurringBuyTitle": "Bestätigen Sie erneut Kaufen", + "transactionSwapBitcoinToLiquid": "BTC → L-BTC", + "sellBankDetails": "Details der Bank", + "pinStatusCheckingDescription": "Überprüfung des PIN-Status", + "coreScreensConfirmButton": "Bestätigen", + "passportStep6": " - Bewegen Sie den roten Laser über QR-Code", + "importQrDeviceSpecterStep8": "Tippen Sie auf Ihrem mobilen Gerät auf offene Kamera", + "sellSendPaymentContinue": "Fortsetzung", + "coreSwapsStatusPending": "Ausgaben", + "electrumDragToReorder": "(Long Press to drag and change prior)", + "keystoneStep4": "Wenn Sie Probleme beim Scannen haben:", + "autoswapTriggerAtBalanceInfoText": "Autoswap wird auslösen, wenn Ihr Gleichgewicht über diesem Betrag geht.", + "exchangeLandingDisclaimerNotAvailable": "Cryptocurrency Exchange Services sind in der Bull Bitcoin mobilen Anwendung nicht verfügbar.", + "sendCustomFeeRate": "Kundenspezifische Gebührensätze", + "ledgerHelpTitle": "Ledger Fehlerbehebung", + "swapErrorAmountExceedsMaximum": "Höchstbetrag", + "transactionLabelTotalSwapFees": "Swap Gebühren insgesamt", + "errorLabel": "Fehler", + "receiveInsufficientInboundLiquidity": "Unzureichende Lichtaufnahmekapazität", + "withdrawRecipientsMyTab": "Meine Fiat Empfänger", + "sendFeeRateTooLow": "Gebührensatz zu niedrig", + "payLastNameHint": "Nachname eingeben", + "exchangeLandingRestriction": "Der Zugang zu den Austauschdiensten wird auf Länder beschränkt, in denen Bull Bitcoin legal arbeiten kann und KYC benötigen kann.", + "transactionDetailLabelToWallet": "Zur Brieftasche", + "fundExchangeLabelRecipientName": "Empfängername", + "arkToday": "Heute", + "importQrDeviceJadeStep2": "Wählen Sie \"QR-Modus\" aus dem Hauptmenü", + "rbfErrorAlreadyConfirmed": "Die ursprüngliche Transaktion wurde bestätigt", + "psbtFlowMoveBack": "Versuchen Sie, Ihr Gerät zurück ein wenig", + "exchangeReferralsContactSupportMessage": "Kontakt-Unterstützung zu unserem Empfehlungsprogramm", + "sellSendPaymentEurBalance": "EUR Saldo", + "exchangeAccountTitle": "Wechselkurskonten", + "swapProgressCompleted": "Abgeschlossen", + "keystoneStep2": "Klicken Sie auf Scan", + "sendContinue": "Fortsetzung", + "transactionDetailRetrySwap": "Retry Swap {action}", + "@transactionDetailRetrySwap": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "sendErrorSwapCreationFailed": "Versäumt, Swap zu erstellen.", + "arkNoBalanceData": "Keine Bilanzdaten verfügbar", + "autoswapWarningCardTitle": "Autoswap ist aktiviert.", + "coreSwapsChainCompletedSuccess": "Transfer ist erfolgreich abgeschlossen.", + "physicalBackupRecommendation": "Physikalische Sicherung: ", + "autoswapMaxBalance": "Max Instant Wallet Balance", + "importQrDeviceImport": "Einfuhr", + "importQrDeviceScanPrompt": "Scannen Sie den QR-Code von Ihrem {deviceName}", + "@importQrDeviceScanPrompt": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "fundExchangeCostaRicaMethodSinpeTitle": "INPE Móvil", + "sellBitcoinOnChain": "Bitcoin on-chain", + "fundExchangeLabelCedulaJuridica": "Cédula Jurídica", + "exchangeRecipientsComingSoon": "Rezepte - Soon", + "ledgerWalletTypeLabel": "Wallet Type:", + "bip85ExperimentalWarning": "Experimentelle\nBackup Ihrer Ableitungspfade manuell", + "addressViewBalance": "Saldo", + "recoverbullLookingForBalance": "Suche nach Balance und Transaktionen..", + "recoverbullSelectNoBackupsFound": "Keine Backups gefunden", + "importMnemonicNestedSegwit": "Eingebettet Segwit", + "sendReplaceByFeeActivated": "Ersatz-by-fee aktiviert", + "psbtFlowScanQrOption": "Wählen Sie \"Scan QR\" Option", + "coreSwapsLnReceiveFailed": "Swap hat versagt.", + "fundExchangeCostaRicaMethodIbanUsdSubtitle": "Transferfonds in US-Dollar (USD)", + "transactionDetailLabelPayinStatus": "Zahlungsstatus", + "importQrDeviceSpecterStep9": "Scannen Sie den QR-Code auf Ihrem Specter", + "settingsRecoverbullTitle": "Recoverbull", + "buyInputKycPending": "KYC ID Verifikation", + "importWatchOnlySelectDerivation": "Ableitung auswählen", + "walletAddressTypeLegacy": "Vermächtnis", + "hwPassport": "Stiftungspass", + "electrumInvalidStopGapError": "Ungültiger Stopp Gap-Wert: {value}", + "@electrumInvalidStopGapError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "dcaFrequencyWeekly": "woche", + "fundExchangeMethodRegularSepaSubtitle": "Nur für größere Transaktionen über 20.000 €", + "settingsTelegramLabel": "Telegramm", + "walletDetailsSignerDeviceNotSupported": "Nicht unterstützt", + "exchangeLandingDisclaimerLegal": "Der Zugang zu den Austauschdiensten wird auf Länder beschränkt, in denen Bull Bitcoin legal arbeiten kann und KYC benötigen kann.", + "backupWalletEncryptedVaultTitle": "Verschlüsselter Tresor", + "mempoolNetworkLiquidMainnet": "Flüssiges Mainnet", + "sellFromAnotherWallet": "Verkauf von einer anderen Bitcoin Geldbörse", + "automaticallyFetchKeyButton": "Automatische Fetch-Taste >>", + "importColdcardButtonOpenCamera": "Öffnen Sie die Kamera", + "recoverbullReenterRequired": "Re-enter Ihr {inputType}", + "@recoverbullReenterRequired": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "payFeePriority": "Gebührenpriorität", + "buyInsufficientBalanceDescription": "Sie haben nicht genug Balance, um diese Bestellung zu erstellen.", + "sendSelectNetworkFee": "Netzwerkgebühr auswählen", + "exchangeDcaFrequencyWeek": "woche", + "keystoneStep6": " - Bewegen Sie den roten Laser über QR-Code", + "walletDeletionErrorGeneric": "Versäumt, Brieftasche zu löschen, bitte versuchen Sie es erneut.", + "fundExchangeLabelTransferCode": "Überweisungscode (als Zahlungsbeschreibung angegeben)", + "sellNoInvoiceData": "Keine Rechnungsdaten verfügbar", + "ledgerInstructionsIos": "Stellen Sie sicher, dass Ihr Ledger mit der Bitcoin App geöffnet und Bluetooth aktiviert wird.", + "replaceByFeeScreenTitle": "Ersetzen gegen Gebühr", + "arkReceiveCopyAddress": "Kopienadresse", + "testBackupErrorWriteFailed": "Schreibe zum Speichern fehlgeschlagen: {error}", + "@testBackupErrorWriteFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaNetworkLightning": "Blitznetz", + "sendType": "Typ: ", + "buyBitcoinAddressHint": "BC1QYL7J673H...6Y6ALV70M0", + "exchangeHomeWithdrawButton": "Rückzug", + "transactionListOngoingTransfersTitle": "Weiterführende Transfers", + "arkSendAmountTitle": "Betrag", + "addressViewAddress": "Anschrift", + "payOnChainFee": "Vor-Chain Fee", + "arkReceiveUnifiedAddress": "Einheitliche Adresse (BIP21)", + "sellHowToPayInvoice": "Wie möchten Sie diese Rechnung bezahlen?", + "payUseCoinjoin": "Verwenden Sie CoinJoin", + "autoswapWarningExplanation": "Wenn Ihr Gleichgewicht den Triggerbetrag überschreitet, wird ein Swap ausgelöst. Der Basisbetrag wird in Ihrem Instant Payment Geldbeutel aufbewahrt und der Restbetrag wird in Ihrem Secure Bitcoin Geldbeutel vertauscht.", + "recoverbullVaultRecoveryTitle": "Recoverbull vault Wiederherstellung", + "passportStep14": "Es ist jetzt bereit zu senden! Sobald Sie auf Sendung klicken, wird die Transaktion im Bitcoin-Netzwerk veröffentlicht und die Mittel werden gesendet.", + "settingsCurrencyTitle": "Währung", + "transactionSwapDescChainClaimable": "Die Lockup-Transaktion wurde bestätigt. Sie beanspruchen nun die Mittel, um Ihre Übertragung abzuschließen.", + "sendSwapDetails": "Swap Details", + "onboardingPhysicalBackupDescription": "Recover Ihre Brieftasche über 12 Wörter.", + "psbtFlowSelectSeed": "Sobald die Transaktion in Ihrem {device} importiert wird, sollten Sie den Samen auswählen, mit dem Sie sich anmelden möchten.", + "@psbtFlowSelectSeed": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "pinStatusLoading": "Beladung", + "payTitle": "Zahl", + "buyInputKycMessage": "Sie müssen zuerst die ID Verifikation abschließen", + "ledgerSuccessAddressVerified": "Adresse erfolgreich verifiziert!", + "fundExchangeCrIbanUsdLabelCedulaJuridica": "Cédula Jurídica", + "arkSettleDescription": "Finalisieren Sie anstehende Transaktionen und schließen Sie wiederherstellbare vtxos bei Bedarf ein", + "backupWalletHowToDecideVaultCustomRecommendation": "Benutzerdefinierte Lage: ", + "arkSendSuccessMessage": "Ihre Ark Transaktion war erfolgreich!", + "sendSats": "sättigung", + "electrumInvalidTimeoutError": "Invalider Timeout-Wert: {value}", + "@electrumInvalidTimeoutError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "exchangeKycLevelLimited": "Unternehmen", + "withdrawConfirmEmail": "E-Mail senden", + "buyNetworkFees": "Netzgebühren", + "coldcardStep7": " - Bewegen Sie den roten Laser über QR-Code", + "transactionSwapDescChainRefundable": "Der Transfer wird zurückerstattet. Ihre Gelder werden automatisch an Ihre Geldbörse zurückgegeben.", + "sendPaymentWillTakeTime": "Zahlung nimmt Zeit", + "fundExchangeSpeiTitle": "SPEI-Transfer", + "receivePaymentNormally": "Zahlung normalerweise empfangen", + "kruxStep10": "Sobald die Transaktion in Ihrem Krux importiert wird, überprüfen Sie die Zieladresse und den Betrag.", + "bitboxErrorHandshakeFailed": "Versäumt, eine sichere Verbindung herzustellen. Bitte versuchen Sie es noch mal.", + "sellKYCRequired": "KYC-Prüfung erforderlich", + "coldcardStep8": " - Versuchen Sie, Ihr Gerät ein bisschen zurück zu bewegen", + "bitboxScreenDefaultWalletLabel": "BitBox Wallet", + "replaceByFeeBroadcastButton": "Broadcast", + "swapExternalTransferLabel": "Externer Transfer", + "transactionPayjoinNoProposal": "Kein Payjoin-Vorschlag vom Empfänger?", + "importQrDevicePassportStep4": "Wählen Sie \"Connect Wallet\"", + "payAddRecipient": "Add Recipient", + "recoverbullVaultImportedSuccess": "Ihr Tresor wurde erfolgreich importiert", + "backupKeySeparationWarning": "Es ist kritisch wichtig, dass Sie nicht den Sicherungsschlüssel an der gleichen Stelle speichern, wo Sie Ihre Sicherungsdatei speichern. Speichern Sie sie immer auf separaten Geräten oder separaten Cloud-Anbietern.", + "confirmAccessPinTitle": "Zugang bestätigen {pinOrPassword}", + "@confirmAccessPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "sellErrorUnexpectedOrderType": "Erwartet SellOrder aber erhielt einen anderen Bestelltyp", + "pinCreateHeadline": "Neue Pin erstellen", + "transactionSwapProgressConfirmed": "Bestätigt", + "sellRoutingNumber": "Routing Number", + "sellDailyLimitReached": "Tägliche Verkaufsgrenze erreicht", + "requiredHint": "Erforderlich", + "arkUnilateralExitDelay": "Einseitige Ausstiegsverzögerung", + "arkStatusPending": "Ausgaben", + "importWatchOnlyXpub": "xpub", + "dcaInsufficientBalanceTitle": "Unzureichende Balance", + "backupImportanceMessage": "Ohne eine Sicherung verlieren Sie schließlich den Zugang zu Ihrem Geld. Es ist kritisch wichtig, eine Sicherung zu tun.", + "testBackupGoogleDrivePermission": "Google wird Sie bitten, personenbezogene Daten mit dieser App zu teilen.", + "testnetModeSettingsLabel": "Testnet-Modus", + "testBackupErrorUnexpectedSuccess": "Unerwartete Erfolge: Backup sollte an bestehende Geldbörse passen", + "coreScreensReceiveAmountLabel": "Betrag", + "payAllTypes": "Alle Arten", + "systemLabelPayjoin": "Payjoin", + "onboardingScreenTitle": "Willkommen", + "pinCodeConfirmTitle": "Bestätigen Sie den neuen Pin", + "arkSetupExperimentalWarning": "Ark ist noch experimentell.\n\nIhr Ark Portemonnaie wird von Ihrem Haupt Wallet Samen Phrase abgeleitet. Keine zusätzliche Sicherung ist erforderlich, Ihre vorhandene Geldbörsensicherung stellt auch Ihre Ark-Fonds wieder her.\n\nIndem Sie fortfahren, erkennen Sie die experimentelle Natur von Ark und das Risiko, Geld zu verlieren.\n\nEntwicklerhinweis: Das Ark-Geheimnis wird aus dem Haupt-Walzenkern mit einer beliebigen BIP-85-Ableitung abgeleitet (Index 11811).", + "keyServerLabel": "Schlüsselserver ", + "recoverbullEnterToView": "Bitte geben Sie Ihre {inputType} ein, um Ihren Tresorschlüssel anzuzeigen.", + "@recoverbullEnterToView": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "payReviewPayment": "Rückzahlung", + "electrumBitcoinSslInfo": "Wenn kein Protokoll angegeben ist, wird ssl standardmäßig verwendet.", + "transactionTitle": "Transaktionen", + "sellQrCode": "QR Code Code", + "walletOptionsUnnamedWalletFallback": "Nicht benannte Geldbörse", + "fundExchangeRegularSepaInfo": "Nur für Transaktionen über 20.000 €. Für kleinere Transaktionen verwenden Sie die Instant SEPA Option.", + "fundExchangeDoneButton": "KAPITEL", + "buyKYCLevel3": "Ebene 3 - Voll", + "appStartupErrorMessageNoBackup": "Auf v5.4.0 wurde ein kritischer Fehler in einer unserer Abhängigkeiten entdeckt, die die private Schlüsselspeicherung beeinflussen. Ihre App wurde dadurch beeinflusst. Kontaktieren Sie unser Support-Team.", + "sellGoHome": "Geh nach Hause", + "keystoneStep8": "Sobald die Transaktion in Ihrem Keystone importiert wird, überprüfen Sie die Zieladresse und den Betrag.", + "psbtFlowSpecterTitle": "Musteranleitung", + "importMnemonicChecking": "Sieh...", + "sendConnectDevice": "Schließen Sie das Gerät", + "connectHardwareWalletSeedSigner": "SeedSigner", + "importQrDevicePassportStep7": "Wählen Sie \"QR-Code\"", + "delete": "Löschen", + "connectingToKeyServer": "Verbinden mit Key Server über Tor.\nDas kann eine Minute dauern.", + "bitboxErrorDeviceNotFound": "BitBox Gerät nicht gefunden.", + "ledgerScanningMessage": "Auf der Suche nach Ledger Geräten in der Nähe...", + "sellInsufficientBalanceError": "Unzureichende Balance in der ausgewählten Geldbörse, um diese Verkaufsordnung zu vervollständigen.", + "transactionSwapDescLnReceivePending": "Ihr Swap wurde initiiert. Wir warten darauf, dass eine Zahlung auf dem Lightning-Netzwerk erhalten wird.", + "tryAgainButton": "Noch einmal", + "psbtFlowHoldSteady": "Halten Sie den QR-Code stabil und zentriert", + "swapConfirmTitle": "Über uns", + "testBackupGoogleDrivePrivacyPart1": "Diese Informationen ", + "connectHardwareWalletKeystone": "Schlüssel", + "importWalletTitle": "Neue Brieftasche hinzufügen", + "mempoolSettingsDefaultServer": "Default Server", + "sendPasteAddressOrInvoice": "Einfügen einer Zahlungsadresse oder Rechnung", + "swapToLabel": "Zu", + "payLoadingRecipients": "Empfänger laden...", + "sendSignatureReceived": "Eingang der Unterschrift", + "failedToDeriveBackupKey": "Versäumt, den Sicherungsschlüssel abzuleiten", + "recoverbullGoogleDriveErrorExportFailed": "Fehler beim Export von Google Drive", + "exchangeKycLevelLight": "Licht", + "transactionLabelCreatedAt": "Erstellt bei", + "bip329LabelsExportSuccessSingular": "1 Label exportiert", + "bip329LabelsExportSuccessPlural": "{count} Labels exportiert", + "@bip329LabelsExportSuccessPlural": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "fundExchangeMethodOnlineBillPaymentSubtitle": "Slowest Option, kann aber über Online-Banking (3-4 Werktage)", + "walletDeletionErrorWalletNotFound": "Die Brieftasche, die Sie löschen möchten, existiert nicht.", + "payEnableRBF": "RBF aktivieren", + "transactionDetailLabelFromWallet": "Von der Geldbörse", + "settingsLanguageTitle": "Sprache", + "importQrDeviceInvalidQR": "Invalid QR-Code", + "exchangeAppSettingsSaveSuccessMessage": "Einstellungen erfolgreich gespeichert", + "addressViewShowQR": "QR Code anzeigen", + "testBackupVaultSuccessMessage": "Ihr Tresor wurde erfolgreich importiert", + "exchangeSupportChatInputHint": "Geben Sie eine Nachricht ein...", + "electrumTestnet": "Testnet", + "sellSelectWallet": "Wählen Sie Wallet", + "mempoolCustomServerAdd": "Individueller Server", + "sendHighFeeWarningDescription": "Gesamtgebühr ist {feePercent}% des Betrags, den Sie senden", + "@sendHighFeeWarningDescription": { + "placeholders": { + "feePercent": { + "type": "String" + } + } + }, + "withdrawConfirmButton": "Rücknahme bestätigen", + "fundExchangeLabelBankAccountDetails": "Angaben zum Bankkonto", + "payLiquidAddress": "Anschrift", + "sellTotalFees": "Gesamtkosten", + "importWatchOnlyUnknown": "Unbekannt", + "bitboxScreenNestedSegwitBip49": "Eingebettet Segwit (BIP49)", + "payContinue": "Fortsetzung", + "importColdcardInstructionsStep8": "Scannen Sie den QR-Code auf Ihrem Coldcard Q", + "dcaSuccessMessageMonthly": "Sie kaufen {amount} jeden Monat", + "@dcaSuccessMessageMonthly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sendSelectedCoins": "{count} Münzen ausgewählt", + "@sendSelectedCoins": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "rbfErrorNoFeeRate": "Bitte wählen Sie einen Gebührensatz", + "backupWalletGoogleDrivePrivacyMessage1": "Diese Informationen ", + "labelErrorUnsupportedType": "Dieser Typ {type} wird nicht unterstützt", + "@labelErrorUnsupportedType": { + "placeholders": { + "type": { + "type": "String" + } + } + }, + "paySatsPerByte": "{sats}", + "@paySatsPerByte": { + "placeholders": { + "sats": { + "type": "String" + } + } + }, + "payRbfActivated": "Ersatz-by-fee aktiviert", + "dcaConfirmNetworkLightning": "Beleuchtung", + "ledgerDefaultWalletLabel": "Ledger Wallet", + "importWalletSpecter": "Art", + "customLocationProvider": "Kundenspezifischer Standort", + "dcaSelectFrequencyLabel": "Wählen Sie Frequenz", + "transactionSwapDescChainCompleted": "Ihr Transfer wurde erfolgreich abgeschlossen! Die Mittel sollten jetzt in Ihrer Geldbörse verfügbar sein.", + "coreSwapsLnSendRefundable": "Swap ist bereit, zurückerstattet werden.", + "backupInstruction2": "Ohne ein Backup, wenn Sie Ihr Telefon verlieren oder brechen, oder wenn Sie die Bull Bitcoin App deinstallieren, werden Ihre Bitcoins für immer verloren gehen.", + "swapGoHomeButton": "Geh nach Hause", + "sendFeeRateTooHigh": "Gebührenquote scheint sehr hoch", + "ledgerHelpStep2": "Stellen Sie sicher, dass Ihr Telefon Bluetooth eingeschaltet und erlaubt.", + "fundExchangeCrIbanUsdPaymentDescriptionHelp": "Ihr Transfercode.", + "recoverVia12WordsDescription": "Recover Ihre Brieftasche über 12 Wörter.", + "fundExchangeFundAccount": "Ihr Konto finanzieren", + "electrumServerSettingsLabel": "Electrum Server (Bitcoin node)", + "dcaEnterLightningAddressLabel": "Lightning-Adresse eingeben", + "statusCheckOnline": "Online", + "buyPayoutMethod": "Zahlungsmethode", + "exchangeAmountInputTitle": "Betrag", + "electrumCloseTooltip": "Schließen", + "payIbanHint": "Geben Sie IBAN", + "sendCoinConfirmations": "{count} Bestätigungen", + "@sendCoinConfirmations": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "fundExchangeLabelRecipientNameArs": "Empfängername", + "sendTo": "Zu", + "gotItButton": "Verstanden", + "walletTypeLiquidLightningNetwork": "Flüssigkeits- und Blitznetz", + "sendFeePriority": "Gebührenpriorität", + "transactionPayjoinSendWithout": "Senden ohne payjoin", + "paySelectCountry": "Wählen Sie Land", + "importMnemonicTransactionsLabel": "Transaktionen: {count}", + "@importMnemonicTransactionsLabel": { + "placeholders": { + "count": { + "type": "String" + } + } + }, + "exchangeSettingsReferralsTitle": "Schiedsverfahren", + "autoswapAlwaysBlockInfoEnabled": "Wenn aktiviert, werden Auto-Transfers mit Gebühren über der gesetzten Grenze immer gesperrt", + "importMnemonicSelectScriptType": "Import Mnemonic", + "sellSendPaymentCadBalance": "CAD Saldo", + "recoverbullConnectingTor": "Verbinden mit Key Server über Tor.\nDas kann eine Minute dauern.", + "fundExchangeCanadaPostStep2": "2. Fragen Sie den Kassierer, um den QR-Code \"Loadhub\" zu scannen", + "recoverbullEnterVaultKeyInstead": "Geben Sie stattdessen einen Tresorschlüssel ein", + "exchangeAccountInfoEmailLabel": "E-Mail senden", + "legacySeedViewNoSeedsMessage": "Keine vermächtlichen Samen gefunden.", + "arkAboutDustValue": "{dust} SATS", + "@arkAboutDustValue": { + "placeholders": { + "dust": { + "type": "int" + } + } + }, + "keystoneStep5": " - Erhöhung der Bildschirmhelligkeit auf Ihrem Gerät", + "sendSelectCoinsManually": "Münzen manuell auswählen", + "importMnemonicEmpty": "Leere", + "electrumBitcoinServerInfo": "Geben Sie die Serveradresse im Format ein: host:port (z.B. example.com:50001)", + "recoverbullErrorServiceUnavailable": "Service nicht verfügbar. Bitte überprüfen Sie Ihre Verbindung.", + "arkSettleTitle": "Settle Transactions", + "sendErrorInsufficientBalanceForSwap": "Nicht genug Balance, um diesen Swap über Liquid zu bezahlen und nicht innerhalb von Swap-Grenzen, um über Bitcoin zu zahlen.", + "psbtFlowJadeTitle": "Blockstream Jade PSBT Anleitung", + "torSettingsDescUnknown": "Nicht zu bestimmen Torstatus. Stellen Sie sicher, dass Orbot installiert und läuft.", + "transactionFilterPayjoin": "Payjoin", + "importQrDeviceKeystoneStep8": "Geben Sie ein Etikett für Ihre Keystone Geldbörse ein und tippen Sie auf Import", + "dcaContinueButton": "Fortsetzung", + "fundExchangeCrIbanUsdTitle": "Banküberweisung (USD)", + "buyStandardWithdrawalDesc": "Bitcoin nach Zahlungsabwicklung (1-3 Tage)", + "psbtFlowColdcardTitle": "Coldcard Q Anleitung", + "sendRelativeFees": "Relative Gebühren", + "payToAddress": "Anschrift", + "sellCopyInvoice": "Kopie der Rechnung", + "coreScreensNetworkFeesLabel": "Netzgebühren", + "kruxStep9": " - Versuchen Sie, Ihr Gerät ein bisschen zurück zu bewegen", + "sendReceiveNetworkFee": "Netzwerkgebühren empfangen", + "arkTxPayment": "Zahlung", + "importQrDeviceSeedsignerStep6": "Wählen Sie \"Sparrow\" als Exportoption", + "swapValidationMaximumAmount": "Maximaler Betrag ist {amount} {currency}", + "@swapValidationMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + }, + "currency": { + "type": "String" + } + } + }, + "fundExchangeETransferLabelBeneficiaryName": "Verwendung als E-Transfer-Empfänger", + "backupWalletErrorFileSystemPath": "Nicht ausgewählter Dateisystempfad", + "coreSwapsLnSendCanCoop": "Swap wird momentan komplett.", + "electrumServerNotUsed": "Nicht verwendet", + "backupWalletHowToDecideBackupPhysicalRecommendation": "Physikalische Sicherung: ", + "payDebitCardNumber": "Kreditkartennummer", + "receiveRequestInboundLiquidity": "Anfrage Aufnahmekapazität", + "backupWalletHowToDecideBackupMoreInfo": "Besuchen Sie Recoverybull.com für weitere Informationen.", + "walletAutoTransferBlockedMessage": "Versuch, {amount} BTC zu übertragen. Die aktuelle Gebühr beträgt {currentFee}% des Transferbetrags und die Gebührenschwelle wird auf {thresholdFee}% gesetzt", + "@walletAutoTransferBlockedMessage": { + "placeholders": { + "amount": { + "type": "String" + }, + "currentFee": { + "type": "String" + }, + "thresholdFee": { + "type": "String" + } + } + }, + "kruxStep11": "Klicken Sie auf die Schaltflächen, um die Transaktion auf Ihrem Krux zu unterzeichnen.", + "exchangeSupportChatEmptyState": "Noch keine Nachrichten. Starten Sie ein Gespräch!", + "payExternalWalletDescription": "Bezahlen von einer anderen Bitcoin Geldbörse", + "electrumRetryCountEmptyError": "Retry Count kann nicht leer sein", + "ledgerErrorBitcoinAppNotOpen": "Bitte öffnen Sie die Bitcoin App auf Ihrem Ledger Gerät und versuchen Sie es erneut.", + "physicalBackupTag": "Vertrauenslos (nehmen Sie Ihre Zeit)", + "arkIncludeRecoverableVtxos": "Include erholbare vtxos", + "payCompletedDescription": "Ihre Zahlung wurde abgeschlossen und der Empfänger hat die Mittel erhalten.", + "recoverbullConnecting": "Verbindung", + "swapExternalAddressHint": "Externe Brieftasche Adresse", + "torSettingsDescConnecting": "Gründung Toranschluss", + "ledgerWalletTypeLegacyDescription": "P2PKH - Älteres Format", + "dcaConfirmationDescription": "Bestellungen werden automatisch nach diesen Einstellungen platziert. Sie können sie jederzeit deaktivieren.", + "appleICloudProvider": "Apple iCloud", + "exchangeAccountInfoVerificationNotVerified": "Nicht verifiziert", + "fundExchangeWarningDescription": "Wenn jemand Sie bitten, Bitcoin zu kaufen oder \"Hilfe Sie\", seien Sie vorsichtig, sie können versuchen, Sie zu betrügen!", + "transactionDetailLabelTransactionId": "Transaktions-ID", + "arkReceiveTitle": "Wir haben", + "payDebitCardNumberHint": "Debitkartennummer eingeben", + "backupWalletHowToDecideBackupEncryptedRecommendation": "Verschlüsselter Tresor: ", + "seedsignerStep9": "Überprüfen Sie die Zieladresse und den Betrag und bestätigen Sie die Anmeldung auf Ihrem SeedSigner.", + "logoutButton": "Anmeldung", + "payReplaceByFee": "Ersatz-By-Fee (RBF)", + "coreSwapsLnReceiveClaimable": "Swap ist bereit, beansprucht zu werden.", + "pinButtonCreate": "PIN erstellen", + "fundExchangeJurisdictionEurope": "Europa (SEPA)", + "settingsExchangeSettingsTitle": "Austauscheinstellungen", + "sellFeePriority": "Gebührenpriorität", + "exchangeFeatureSelfCustody": "• Bitcoin direkt in Selbst-Krankheit kaufen", + "arkBoardingUnconfirmed": "Nicht bestätigt", + "fundExchangeLabelPaymentDescription": "Zahlungsbeschreibung", + "payAmountTooHigh": "Höchstbetrag", + "dcaConfirmPaymentBalance": "{currency} Balance", + "@dcaConfirmPaymentBalance": { + "placeholders": { + "currency": { + "type": "String" + } + } + }, + "torSettingsPortValidationInvalid": "Bitte geben Sie eine gültige Nummer ein", + "sellBankTransfer": "Banküberweisung", + "importQrDeviceSeedsignerStep3": "Scannen Sie einen SeedQR oder geben Sie Ihren 12- oder 24-Worte-Samensatz ein", + "replaceByFeeFastestTitle": "Fast", + "transactionLabelBitcoinTransactionId": "Bitcoin Transaktion ID", + "sellPayinAmount": "Zahlbetrag", + "exchangeKycRemoveLimits": "Um Transaktionslimits zu entfernen", + "autoswapMaxBalanceInfoText": "Wenn die Geldwaage das Doppelte dieses Betrags überschreitet, wird Auto-Transfer auslösen, um das Gleichgewicht auf diese Ebene zu reduzieren", + "sellSendPaymentBelowMin": "Sie versuchen, unter dem Mindestbetrag zu verkaufen, der mit dieser Geldbörse verkauft werden kann.", + "dcaWalletSelectionDescription": "Bitcoin-Käufe werden automatisch nach diesem Zeitplan platziert.", + "sendTypeSend": "Bitte", + "payFeeBumpSuccessful": "Fee Stoß erfolgreich", + "importQrDeviceKruxStep1": "Drehen Sie Ihr Krux Gerät", + "transactionSwapProgressFundsClaimed": "Fonds\nAnspruch", + "recoverbullSelectAppleIcloud": "Apple iCloud", + "dcaAddressLightning": "Beleuchtungsadresse", + "keystoneStep13": "Die Transaktion wird in der Bull Bitcoin Geldbörse importiert.", + "receiveGenerationFailed": "Nicht generiert {type}", + "@receiveGenerationFailed": { + "placeholders": { + "type": { + "type": "String" + } + } + }, + "coreSwapsLnReceiveCanCoop": "Swap wird momentan komplett.", + "addressViewAddressesTitle": "Anschriften", + "withdrawRecipientsNoRecipients": "Keine Empfänger gefunden, sich zurückzuziehen.", + "transactionSwapProgressPaymentMade": "Zahlung\nMademoiselle", + "importQrDeviceSpecterStep4": "Folgen Sie den Aufforderungen nach Ihrer gewählten Methode", + "coreSwapsChainPending": "Transfer ist noch nicht initialisiert.", + "importWalletImportWatchOnly": "Importieren Sie nur Uhr", + "coldcardStep9": "Sobald die Transaktion in Ihrer Coldcard importiert wird, überprüfen Sie die Zieladresse und den Betrag.", + "sendErrorArkExperimentalOnly": "ARK-Zahlungsanfragen sind nur bei experimenteller Ark-Funktion verfügbar.", + "exchangeKycComplete": "Füllen Sie Ihre KYC", + "enterBackupKeyManuallyDescription": "Wenn Sie Ihren Backup-Schlüssel exportiert haben und ihn selbst in einem seperate-Standort gespeichert haben, können Sie ihn hier manuell eingeben. Andernfalls, zurück zum vorherigen Bildschirm.", + "sellBitcoinPriceLabel": "Bitcoin Preis", + "receiveCopyAddress": "Anschrift", + "mempoolNetworkBitcoinTestnet": "Bitcoin Testnet", + "transactionLabelPayjoinStatus": "Status des Payjos", + "passportStep2": "Klicken Sie auf QR Code unterschreiben", + "pinCodeRemoveButton": "Security PIN entfernen", + "withdrawOwnershipMyAccount": "Das ist mein Konto", + "payAddMemo": "Memo hinzufügen (optional)", + "transactionNetworkBitcoin": "Bitcoin", + "recoverbullSelectVaultProvider": "Wählen Sie Vault Provider", + "replaceByFeeOriginalTransactionTitle": "Ursprüngliche Transaktion", + "testBackupPhysicalBackupTag": "Vertrauenslos (nehmen Sie Ihre Zeit)", + "testBackupTitle": "Testen Sie Ihre Geldbeutelsicherung", + "coreSwapsLnSendFailed": "Swap hat versagt.", + "recoverbullErrorDecryptFailed": "Versäumt, den Tresor zu entschlüsseln", + "keystoneStep9": "Klicken Sie auf die Schaltflächen, um die Transaktion auf Ihrem Keystone zu unterzeichnen.", + "totalFeesLabel": "Gesamtkosten", + "payInProgressDescription": "Ihre Zahlung wurde eingeleitet und der Empfänger erhält die Mittel, nachdem Ihre Transaktion 1 Bestätigung onchain erhält.", + "importQrDevicePassportStep10": "Wählen Sie in der BULL Geldbörse App \"Segwit (BIP84)\" als Ableitungsoption", + "payHighPriority": "Hoch", + "buyBitcoinPrice": "Bitcoin Preis", + "sendFrozenCoin": "Gefroren", + "importColdcardInstructionsStep4": "Überprüfen Sie, ob Ihre Firmware auf Version 1.3.4Q aktualisiert wird", + "lastBackupTestLabel": "Letzter Backup-Test: {date}", + "@lastBackupTestLabel": { + "placeholders": { + "date": { + "type": "String", + "example": "2025-01-20 15:30:45" + } + } + }, + "sendBroadcastTransaction": "Übertragung von Sendungen", + "receiveBitcoinConfirmationMessage": "Bitcoin Transaktion wird eine Weile dauern, um zu bestätigen.", + "walletTypeWatchOnly": "Nur zu sehen", + "psbtFlowKruxTitle": "Krux Anleitung", + "recoverbullDecryptVault": "Verschlüsselung Tresor", + "connectHardwareWalletJade": "Blockstream Jade", + "coreSwapsChainRefundable": "Transfer ist bereit, zurückerstattet werden.", + "buyInputCompleteKyc": "Vollständige KYC", + "transactionFeesTotalDeducted": "Dies ist die Gesamtgebühr, die vom gesendeten Betrag abgezogen wird", + "autoswapMaxFee": "Max Transfer Fee", + "sellReviewOrder": "Review Sell Order", + "payDescription": "Warenbezeichnung", + "buySecureBitcoinWallet": "Sichere Bitcoin Wallet", + "sendEnterRelativeFee": "Betreten Sie die relative Gebühr in sats/vB", + "importQrDevicePassportStep1": "Power auf Ihrem Passport-Gerät", + "fundExchangeMethodArsBankTransferSubtitle": "Senden Sie eine Banküberweisung von Ihrem Bankkonto", + "transactionOrderLabelExchangeRate": "Wechselkurs", + "backupSettingsScreenTitle": "Backup-Einstellungen", + "fundExchangeBankTransferWireDescription": "Senden Sie eine Überweisung von Ihrem Bankkonto mit Bull Bitcoin Bankverbindung unten. Ihre Bank kann nur einige Teile dieser Daten benötigen.", + "importQrDeviceKeystoneStep7": "Scannen Sie den QR-Code auf Ihrem Keystone", + "coldcardStep3": "Wählen Sie \"Scannen Sie jeden QR-Code\" Option", + "coldcardStep14": "Die Transaktion wird in der Bull Bitcoin Geldbörse importiert.", + "pinCodeSettingsLabel": "PIN-Code", + "buyExternalBitcoinWallet": "Externe Bitcoin Geldbörse", + "passwordTooCommonError": "Diese {pinOrPassword} ist zu häufig. Bitte wählen Sie eine andere.", + "@passwordTooCommonError": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importWalletJade": "Blockstream Jade", + "payInvalidInvoice": "Invalide Rechnung", + "receiveTotalFee": "Gesamtkosten", + "importQrDeviceButtonOpenCamera": "Öffnen Sie die Kamera", + "recoverbullFetchingVaultKey": "Fechtengewölbe Schlüssel", + "dcaConfirmFrequency": "Häufigkeit", + "recoverbullGoogleDriveDeleteVaultTitle": "Löschen von Vault", + "advancedOptionsTitle": "Erweiterte Optionen", + "dcaConfirmOrderType": "Bestelltyp", + "payPriceWillRefreshIn": "Preis wird erfrischt ", + "recoverbullGoogleDriveErrorDeleteFailed": "Fehler aus Google Drive löschen", + "broadcastSignedTxTo": "Zu", + "arkAboutDurationDays": "{days} Tage", + "@arkAboutDurationDays": { + "placeholders": { + "days": { + "type": "int" + } + } + }, + "payPaymentDetails": "Details zum Thema", + "bitboxActionVerifyAddressTitle": "Adresse auf BitBox überprüfen", + "psbtSignTransaction": "Transaktion", + "sellRemainingLimit": "Noch heute: {amount}", + "@sellRemainingLimit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "bitboxActionImportWalletSuccess": "Brieftasche erfolgreich importiert", + "nextButton": "Nächste", + "ledgerSignButton": "Starten Sie die Anmeldung", + "dcaNetworkLiquid": "Flüssiges Netz", + "fundExchangeMethodSinpeTransfer": "INPE Transfer", + "dcaCancelTitle": "Bitcoin Recurring Kaufen?", + "payFromAnotherWallet": "Bezahlen von einer anderen Bitcoin Geldbörse", + "importMnemonicHasBalance": "Hat Balance", + "dcaLightningAddressEmptyError": "Bitte geben Sie eine Lightning-Adresse ein", + "googleAppleCloudRecommendationText": "sie möchten sicherstellen, dass sie nie den zugriff auf ihre tresordatei verlieren, auch wenn sie ihre geräte verlieren.", + "closeDialogButton": "Schließen", + "jadeStep14": "Die Transaktion wird in der Bull Bitcoin Geldbörse importiert.", + "payCorporateName": "Name des Unternehmens", + "importColdcardError": "Nicht importiert Coldcard", + "transactionStatusPayjoinRequested": "Payjoin beantragt", + "payOwnerNameHint": "Name des Eigentümers", + "customLocationRecommendationText": "sie sind zuversichtlich, dass sie nicht verlieren die tresor-datei und es wird immer noch zugänglich sein, wenn sie ihr telefon verlieren.", + "arkAboutForfeitAddress": "Forfeit Adresse", + "kruxStep13": "Klicken Sie auf \"Ich bin fertig\" in der Bull Bitcoin Geldbörse.", + "transactionSwapInfoRefundableTransfer": "Dieser Transfer wird innerhalb weniger Sekunden automatisch zurückerstattet. Falls nicht, können Sie eine manuelle Rückerstattung versuchen, indem Sie auf die Schaltfläche \"Retry Transfer Refund\" klicken.", + "payBitcoinPrice": "Bitcoin Preis", + "confirmLogoutMessage": "Sind Sie sicher, dass Sie sich aus Ihrem Bull Bitcoin-Konto anmelden möchten? Sie müssen sich erneut einloggen, um auf Exchange-Funktionen zuzugreifen.", + "receivePaymentInProgress": "Zahlungen im laufenden", + "dcaSuccessMessageDaily": "Sie kaufen {amount} jeden Tag", + "@dcaSuccessMessageDaily": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "walletNetworkLiquidTestnet": "Flüssiges Testnet", + "electrumDeleteFailedError": "Nicht zu löschen benutzerdefinierte Server{reason}", + "@electrumDeleteFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "receiveBoltzSwapFee": "Boltz Swap Fee", + "swapInfoBanner": "Übertragen Sie Bitcoin nahtlos zwischen Ihren Geldbörsen. Halten Sie nur Geld in der Instant Payment Wallet für Tagesausgaben.", + "payRBFEnabled": "RBF aktiviert", + "takeYourTimeTag": "Nehmen Sie Ihre Zeit", + "arkAboutDust": "Staub", + "ledgerSuccessVerifyDescription": "Die Adresse wurde auf Ihrem Ledger Gerät überprüft.", + "bip85Title": "BIP85 Deterministische Entropie", + "sendSwapTimeout": "Swap gezeitigt", + "networkFeesLabel": "Netzgebühren", + "backupWalletPhysicalBackupDescription": "Schreiben Sie 12 Wörter auf einem Stück Papier. Halten Sie sie sicher und stellen Sie sicher, sie nicht zu verlieren.", + "sendSwapInProgressBitcoin": "Der Swap ist im Gange. Bitcoin Transaktionen können eine Weile dauern, um zu bestätigen. Du kannst nach Hause zurückkehren und warten.", + "electrumDeleteServerTitle": "Benutzerdefinierten Server löschen", + "buySelfie": "Selfie mit ID", + "arkAboutSecretKey": "Geheimer Schlüssel", + "sellMxnBalance": "MXN Saldo", + "fundExchangeWarningTactic4": "Sie bitten Bitcoin an ihre Adresse zu senden", + "fundExchangeSinpeDescription": "Transfer Colones mit SINPE", + "wordsDropdownSuffix": " worte", + "arkTxTypeRedeem": "Rede", + "receiveVerifyAddressOnLedger": "Adresse auf Ledger überprüfen", + "buyWaitForFreeWithdrawal": "Warten Sie auf kostenlose Auszahlung", + "sellSendPaymentCrcBalance": "CRC Saldo", + "backupSettingsKeyWarningBold": "Warnung: Seien Sie vorsichtig, wo Sie den Sicherungsschlüssel speichern.", + "settingsArkTitle": "Kork", + "exchangeLandingConnectAccount": "Verbinden Sie Ihr Bull Bitcoin Austauschkonto", + "recoverYourWalletTitle": "Recover Ihr Geldbeutel", + "importWatchOnlyLabel": "Bezeichnung", + "settingsAppSettingsTitle": "App-Einstellungen", + "dcaWalletLightningSubtitle": "Erfordert kompatible Geldbörse, maximal 0,25 BTC", + "dcaNetworkBitcoin": "Bitcoin Network", + "swapTransferRefundInProgressMessage": "Es gab einen Fehler bei der Übertragung. Ihre Rückerstattung ist im Gange.", + "importQrDevicePassportName": "Stiftungspass", + "fundExchangeMethodCanadaPostSubtitle": "Beste für diejenigen, die lieber zahlen in Person", + "importColdcardMultisigPrompt": "Für Multisig Geldbörsen, scannen Sie die Brieftasche Deskriptor QR Code", + "passphraseLabel": "Passphrasen", + "recoverbullConfirmInput": "Bestätigen {inputType}", + "@recoverbullConfirmInput": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "transactionSwapDescLnReceiveCompleted": "Ihr Swap wurde erfolgreich abgeschlossen! Die Mittel sollten jetzt in Ihrer Geldbörse verfügbar sein.", + "psbtFlowSignTransaction": "Transaktion", + "payAllPayments": "Alle Zahlungen", + "fundExchangeSinpeDescriptionBold": "sie wird abgelehnt.", + "transactionDetailLabelPayoutStatus": "Status der Auszahlung", + "buyInputFundAccount": "Ihr Konto finanzieren", + "importWatchOnlyZpub": "zpub", + "testBackupNext": "Nächste", + "payBillerSearchHint": "Geben Sie zuerst 3 Buchstaben des Billernamens ein", + "coreSwapsLnSendCompletedRefunded": "Swap wurde zurückerstattet.", + "transactionSwapInfoClaimableSwap": "Der Swap wird innerhalb weniger Sekunden automatisch abgeschlossen. Falls nicht, können Sie einen manuellen Anspruch versuchen, indem Sie auf die Schaltfläche \"Retry Swap Claim\" klicken.", + "mempoolCustomServerLabel": "ZOLL", + "arkAboutSessionDuration": "Sitzungsdauer", + "transferFeeLabel": "Transfergebühr", + "pinValidationError": "PIN muss mindestens {minLength} Ziffern lang sein", + "@pinValidationError": { + "placeholders": { + "minLength": { + "type": "String" + } + } + }, + "buyConfirmationTimeValue": "~10 minuten", + "dcaOrderTypeValue": "Recuring kaufen", + "ledgerConnectingMessage": "Anschluss an {deviceName}", + "@ledgerConnectingMessage": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "buyConfirmAwaitingConfirmation": "Voraussichtliche Bestätigung ", + "allSeedViewShowSeedsButton": "Show Seeds", + "fundExchangeMethodBankTransferWireSubtitle": "Beste und zuverlässigste Option für größere Beträge (gleich oder am nächsten Tag)", + "fundExchangeCanadaPostStep4": "4. Der Kassierer wird fragen, ein Stück Regierungsausweis zu sehen und zu überprüfen, ob der Name auf Ihrem Ausweis mit Ihrem Bull Bitcoin Konto übereinstimmt", + "fundExchangeCrIbanCrcLabelIban": "IBAN Kontonummer (nur Kolonen)", + "importQrDeviceSpecterInstructionsTitle": "Musteranleitung", + "testBackupScreenshot": "Screenshot:", + "transactionListLoadingTransactions": "Laden von Transaktionen...", + "dcaSuccessTitle": "Wiederkehrender Kauf ist aktiv!", + "fundExchangeOnlineBillPaymentDescription": "Jeder Betrag, den Sie über die Online-Abrechnungsfunktion Ihrer Bank mit den untenstehenden Informationen senden, wird innerhalb von 3-4 Werktagen auf Ihr Bull Bitcoin Kontoguthaben gutgeschrieben.", + "receiveAwaitingPayment": "Erwartete Zahlung...", + "onboardingRecover": "Recover", + "recoverbullGoogleDriveScreenTitle": "Google Drive Vaults", + "receiveQRCode": "QR Code Code", + "appSettingsDevModeTitle": "Entscheiden", + "payDecodeFailed": "Nicht entschlüsseln der Rechnung", + "sendAbsoluteFees": "Absolute Gebühren", + "arkSendConfirm": "Bestätigen", + "replaceByFeeErrorTransactionConfirmed": "Die ursprüngliche Transaktion wurde bestätigt", + "rbfErrorFeeTooLow": "Sie müssen den Gebührensatz um mindestens 1 sat/vbyte gegenüber der ursprünglichen Transaktion erhöhen", + "ledgerErrorMissingDerivationPathSign": "Der Ableitungspfad ist zur Anmeldung erforderlich", + "backupWalletTitle": "Backup Ihrer Brieftasche", + "jadeStep10": "Klicken Sie auf die Schaltflächen, um die Transaktion auf Ihrem Jade zu unterzeichnen.", + "arkAboutDurationHour": "{hours} Stunde", + "@arkAboutDurationHour": { + "placeholders": { + "hours": { + "type": "int" + } + } + }, + "bitboxScreenUnknownError": "Unbekannter Fehler aufgetreten", + "electrumPrivacyNoticeTitle": "Datenschutzhinweis", + "receiveLiquid": "Flüssig", + "payOpenChannelRequired": "Das Öffnen eines Kanals ist für diese Zahlung erforderlich", + "coldcardStep1": "Login zu Ihrem Coldcard Q Gerät", + "transactionDetailLabelBitcoinTxId": "Bitcoin Transaktion ID", + "arkAboutTitle": "Über uns", + "arkSendRecipientHint": "ark1qp9wsjfpsj5v5ex022v6..", + "sellSendPaymentCalculating": "Berechnung...", + "arkRecoverableVtxos": "Recoverable Vtxos", + "psbtFlowTransactionImported": "Die Transaktion wird in der Bull Bitcoin Geldbörse importiert.", + "testBackupGoogleDriveSignIn": "Sie müssen sich bei Google Drive anmelden", + "sendTransactionSignedLedger": "Transaktion erfolgreich mit Ledger unterzeichnet", + "recoverbullRecoveryContinueButton": "Fortsetzung", + "payTimeoutError": "Zahlungsfrist. Bitte überprüfen Sie den Status", + "kruxStep4": "Klick von der Kamera", + "bitboxErrorInvalidMagicBytes": "Ungültiges PSBT-Format erkannt.", + "sellErrorRecalculateFees": "Versäumt, Gebühren neu zu berechnen: {error}", + "@sellErrorRecalculateFees": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "dcaSetupFrequencyError": "Bitte wählen Sie eine Frequenz", + "testBackupErrorNoMnemonic": "Keine mnemonic geladen", + "payInvoiceExpired": "Rechnung abgelaufen", + "payWhoAreYouPaying": "Wer bezahlt Sie?", + "confirmButtonLabel": "Bestätigen", + "autoswapMaxFeeInfo": "Wenn die Gesamttransfergebühr über dem festgelegten Prozentsatz liegt, wird der Autotransfer gesperrt", + "importQrDevicePassportStep9": "Scannen Sie den QR-Code auf Ihrem Passport", + "swapProgressRefundedMessage": "Der Transfer wurde erstattet.", + "sendEconomyFee": "Wirtschaft", + "coreSwapsChainFailed": "Transfer Failed.", + "transactionDetailAddNote": "Anmerkung", + "addressCardUsedLabel": "Verwendet", + "buyConfirmTitle": "Bitcoin kaufen", + "exchangeLandingFeature5": "Chat mit Kundenbetreuung", + "electrumMainnet": "Hauptnetz", + "buyThatWasFast": "Das war schnell, nicht wahr?", + "importWalletPassport": "Stiftungspass", + "buyExpressWithdrawalFee": "Expressgebühr: {amount}", + "@buyExpressWithdrawalFee": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sellDailyLimit": "Tageslimit: {amount}", + "@sellDailyLimit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "recoverbullConnectionFailed": "Verbindung fehlgeschlagen", + "transactionDetailLabelPayinMethod": "Zahlungsmethode", + "sellCurrentRate": "Laufende Rate", + "payAmountTooLow": "Betrag unter dem Mindestbetrag", + "onboardingCreateWalletButtonLabel": "Erstellen Sie Brieftasche", + "bitboxScreenVerifyOnDevice": "Bitte überprüfen Sie diese Adresse auf Ihrem BitBox Gerät", + "ledgerConnectTitle": "Verbinden Sie Ihr Ledger-Gerät", + "withdrawAmountTitle": "Zurück zur Übersicht", + "coreScreensServerNetworkFeesLabel": "Server Network Fees", + "dcaFrequencyValidationError": "Bitte wählen Sie eine Frequenz", + "walletsListTitle": "Wallet Details", + "payAllCountries": "Alle Länder", + "sellCopBalance": "COP Saldo", + "recoverbullVaultSelected": "Vault Ausgewählt", + "receiveTransferFee": "Transfergebühr", + "fundExchangeInfoTransferCodeRequired": "Sie müssen den Transfercode als \"Nachricht\" oder \"Anweisung\" oder \"Beschreibung\" bei der Zahlung hinzufügen. Wenn Sie vergessen, diesen Code zu setzen, kann Ihre Zahlung abgelehnt werden.", + "arkBoardingExitDelay": "Ausstiegsverzögerung", + "exchangeDcaFrequencyHour": "stunde", + "transactionLabelPayjoinCreationTime": "Payjon Schöpfungszeit", + "payRBFDisabled": "RBF Behinderte", + "exchangeKycCardTitle": "Füllen Sie Ihre KYC", + "importQrDeviceSuccess": "Portemonnaie erfolgreich eingeführt", + "arkTxSettlement": "Abwicklung", + "autoswapEnable": "Autotransfer aktivieren", + "transactionStatusTransferCompleted": "Transfer abgeschlossen", + "payInvalidSinpe": "Invalide Sinpe", + "coreScreensFromLabel": "Von", + "backupWalletGoogleDriveSignInTitle": "Sie müssen sich bei Google Drive anmelden", + "sendEstimatedDelivery10to30Minutes": "10-30 minuten", + "transactionDetailLabelLiquidTxId": "Liquid Transaktions-ID", + "testBackupBackupId": "Backup-ID:", + "walletDeletionErrorOngoingSwaps": "Sie können keine Geldbörse mit laufenden Swaps löschen.", + "bitboxScreenConnecting": "Anschluss an BitBox", + "psbtFlowScanAnyQr": "Wählen Sie \"Scannen Sie jeden QR-Code\" Option", + "transactionLabelServerNetworkFees": "Server Network Fees", + "importQrDeviceSeedsignerStep10": "Setup komplett", + "sendReceive": "Empfang", + "sellKycPendingDescription": "Sie müssen zuerst die ID-Prüfung abschließen", + "fundExchangeETransferDescription": "Jeder Betrag, den Sie von Ihrer Bank über E-Mail E-Transfer mit den untenstehenden Informationen senden, wird innerhalb von wenigen Minuten auf Ihre Bull Bitcoin Kontobilanz gutgeschrieben.", + "sendClearSelection": "Auswahl löschen", + "fundExchangeLabelClabe": "CLABE", + "statusCheckLastChecked": "Letzte Prüfung: {time}", + "@statusCheckLastChecked": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "backupWalletVaultProviderQuickEasy": "Schnell und einfach", + "sellPayoutAmount": "Auszahlungsbetrag", + "dcaConfirmFrequencyDaily": "Jeden Tag", + "buyConfirmPurchase": "Kauf bestätigen", + "transactionLabelNetworkFee": "Netzwerkgebühren", + "importQrDeviceKeystoneStep9": "Setup ist komplett", + "tapWordsInOrderTitle": "Tippen Sie auf die Wiederherstellungswörter in der\nRechtsbehelf", + "payEnterAmountTitle": "Betrag", + "transactionOrderLabelPayinMethod": "Zahlungsmethode", + "buyInputMaxAmountError": "Sie können nicht mehr kaufen als", + "walletDetailsDeletingMessage": "Löschen von Geldbörse...", + "receiveUnableToVerifyAddress": "Unfähig, die Adresse zu überprüfen: Fehlende Brieftasche oder Adressinformationen", + "payInvalidAddress": "Invalide Anschrift", + "appUnlockAttemptPlural": "fehlgeschlagene versuche", + "exportVaultButton": "Export Vault", + "coreSwapsChainPaid": "Warten auf die Zahlung des Transferanbieters, um Bestätigung zu erhalten. Dies kann eine Weile dauern, um zu beenden.", + "arkConfirmed": "Bestätigt", + "importQrDevicePassportStep6": "Wählen Sie \"Single-sig\"", + "sendSatsPerVB": "sats/vB", + "withdrawRecipientsContinue": "Fortsetzung", + "enterPinAgainMessage": "Geben Sie Ihre {pinOrPassword} erneut ein, um fortzufahren.", + "@enterPinAgainMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importColdcardButtonInstructions": "Anweisungen", + "bitboxActionUnlockDeviceProcessingSubtext": "Bitte geben Sie Ihr Passwort auf dem BitBox Gerät ein...", + "sellWhichWalletQuestion": "Welche Brieftasche wollen Sie verkaufen?", + "buyNetworkFeeRate": "Netzentgelt", + "autoswapAlwaysBlockLabel": "Immer hohe Gebühren blockieren", + "receiveFixedAmount": "Betrag", + "bitboxActionVerifyAddressSuccessSubtext": "Die Adresse wurde auf Ihrem BitBox-Gerät überprüft.", + "transactionSwapDescLnSendPaid": "Ihre on-chain-Transaktion wurde ausgestrahlt. Nach 1 Bestätigung wird die Lightning-Zahlung gesendet.", + "transactionSwapDescChainDefault": "Ihr Transfer ist im Gange. Dieser Prozess ist automatisiert und kann einige Zeit zum Abschluss nehmen.", + "onboardingBullBitcoin": "Bull Bitcoin", + "coreSwapsChainClaimable": "Transfer ist bereit, beansprucht zu werden.", + "dcaNetworkLightning": "Blitznetz", + "backupWalletHowToDecideVaultCloudRecommendationText": "sie möchten sicherstellen, dass sie nie den zugriff auf ihre tresordatei verlieren, auch wenn sie ihre geräte verlieren.", + "arkAboutEsploraUrl": "Esplora URL", + "backupKeyExampleWarning": "Zum Beispiel, wenn Sie Google Drive für Ihre Backup-Datei verwendet, verwenden Sie nicht Google Drive für Ihre Backup-Taste.", + "importColdcardInstructionsStep3": "Navigieren Sie zu \"Advanced/Tools\"", + "buyPhotoID": "Foto-ID", + "exchangeSettingsAccountInformationTitle": "Informationen Ã1⁄4ber das Konto", + "appStartupErrorTitle": "Startseite Fehler", + "transactionLabelTransferId": "Transfer ID", + "sendTitle": "Bitte", + "withdrawOrderNotFoundError": "Der Widerruf wurde nicht gefunden. Bitte versuchen Sie es noch mal.", + "importQrDeviceSeedsignerStep4": "Wählen Sie \"Export Xpub\"", + "seedsignerStep6": " - Bewegen Sie den roten Laser über QR-Code", + "ledgerHelpStep5": "Stellen Sie sicher, dass Sie Ledger Gerät verwendet die neueste Firmware, Sie können die Firmware mit der Ledger Live Desktop-App aktualisieren.", + "torSettingsPortDisplay": "{port}", + "@torSettingsPortDisplay": { + "placeholders": { + "port": { + "type": "int" + } + } + }, + "payTransitNumber": "Übergangsnummer", + "importQrDeviceSpecterStep5": "Wählen Sie \"Master public keys\"", + "fundExchangeCostaRicaMethodIbanUsdTitle": "IBAN Costa Rica (USD)", + "allSeedViewDeleteWarningTitle": "WARNING!", + "backupSettingsBackupKey": "Sicherungsschlüssel", + "arkTransactionId": "Transaktions-ID", + "payInvoiceCopied": "Invoice kopiert zu Clipboard", + "recoverbullEncryptedVaultCreated": "Verschlüsselter Tresor erstellt!", + "addressViewChangeAddressesComingSoon": "Adressen, die bald kommen", + "psbtFlowScanQrShown": "Scannen Sie den QR-Code in der Bull Brieftasche", + "testBackupErrorInvalidFile": "Invalider Akteninhalt", + "payHowToPayInvoice": "Wie möchten Sie diese Rechnung bezahlen?", + "transactionDetailLabelSendNetworkFee": "Netzwerkgebühr senden", + "sendSlowPaymentWarningDescription": "Bitcoin Swaps wird Zeit nehmen, um zu bestätigen.", + "bitboxActionVerifyAddressProcessingSubtext": "Bitte bestätigen Sie die Adresse auf Ihrem BitBox-Gerät.", + "pinConfirmHeadline": "Bestätigen Sie den neuen Pin", + "fundExchangeCanadaPostQrCodeLabel": "Loadhub QR Code", + "payConfirmationRequired": "Bestätigung erforderlich", + "bip85NextHex": "Nächste HEX", + "physicalBackupStatusLabel": "Physische Sicherung", + "exchangeSettingsLogOutTitle": "Anmelden", + "addressCardBalanceLabel": "Bilanz: ", + "recoverWalletScreenTitle": "Recover Wallet", + "rbfEstimatedDelivery": "Geschätzte Lieferung ~ 10 Minuten", + "sendSwapCancelled": "Swap storniert", + "backupWalletGoogleDrivePrivacyMessage4": "nie ", + "dcaPaymentMethodValue": "{currency} Balance", + "@dcaPaymentMethodValue": { + "placeholders": { + "currency": { + "type": "String" + } + } + }, + "swapTransferCompletedTitle": "Abgeschlossen", + "torSettingsStatusDisconnected": "Entkoppelt", + "exchangeDcaCancelDialogTitle": "Bitcoin Recurring Kaufen?", + "sellSendPaymentMxnBalance": "MXN Saldo", + "fundExchangeSinpeLabelRecipientName": "Empfängername", + "dcaScheduleDescription": "Bitcoin-Käufe werden automatisch nach diesem Zeitplan platziert.", + "keystoneInstructionsTitle": "Keystone Anleitung", + "hwLedger": "Led", + "physicalBackupDescription": "Schreiben Sie 12 Wörter auf einem Stück Papier. Halten Sie sie sicher und stellen Sie sicher, sie nicht zu verlieren.", + "dcaConfirmButton": "Fortsetzung", + "dcaBackToHomeButton": "Zurück zu Hause", + "importQrDeviceKruxInstructionsTitle": "Krux Anleitung", + "transactionOrderLabelOriginName": "Ursprungsbezeichnung", + "importQrDeviceKeystoneInstructionsTitle": "Keystone Anleitung", + "electrumSavePriorityFailedError": "Fehler beim Speichern von Serverpriorität{reason}", + "@electrumSavePriorityFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "globalDefaultLiquidWalletLabel": "Sofortzahlungen", + "bitboxActionVerifyAddressProcessing": "Adresse auf BitBox anzeigen...", + "sendTypeSwap": "Swap", + "sendErrorAmountExceedsMaximum": "Höchstbetrag", + "bitboxActionSignTransactionSuccess": "Transaktion erfolgreich unterzeichnet", + "fundExchangeMethodInstantSepa": "Instant SEPA", + "buyVerificationFailed": "Verifizierung nicht möglich: {reason}", + "@buyVerificationFailed": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "importWatchOnlyBuyDevice": "Ein Gerät kaufen", + "sellMinimumAmount": "Mindestverkaufsmenge: {amount}", + "@sellMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "importColdcardTitle": "Kaltkarte verbinden Q", + "ledgerSuccessImportDescription": "Ihre Ledger Geldbörse wurde erfolgreich importiert.", + "pinStatusProcessing": "Verarbeitung", + "dcaCancelMessage": "Ihr wiederkehrender Bitcoin Kaufplan wird aufhören, und geplante Kaufe werden enden. Um neu zu starten, müssen Sie einen neuen Plan einrichten.", + "fundExchangeHelpPaymentDescription": "Ihr Transfercode.", + "sellSendPaymentFastest": "Fast", + "dcaConfirmNetwork": "Netzwerk", + "allSeedViewDeleteWarningMessage": "Die Entsendung des Samens ist eine irreversible Handlung. Nur tun Sie dies, wenn Sie sichere Backups dieses Samens haben oder die zugehörigen Portemonnaies wurden vollständig abgelassen.", + "bip329LabelsTitle": "BIP329 Etiketten", + "walletAutoTransferAllowButton": "Genehmigung", + "autoswapSelectWalletRequired": "Wählen Sie eine Bitcoin Geldbörse *", + "exchangeFeatureSellBitcoin": "• Bitcoin verkaufen, mit Bitcoin bezahlt werden", + "hwSeedSigner": "SeedSigner", + "bitboxActionUnlockDeviceButton": "Entsperren Gerät", + "payNetworkError": "Netzwerkfehler. Bitte versuchen Sie es noch einmal", + "sendNetworkFeesLabel": "Netzwerkgebühren senden", + "payWhichWallet": "Welche Brieftasche wollen Sie bezahlen?", + "autoswapBaseBalanceInfoText": "Ihre sofortige Zahlung Geldbörse Balance wird nach einem Autowap zurück zu diesem Gleichgewicht.", + "recoverbullSelectDecryptVault": "Verschlüsselung Tresor", + "buyUpgradeKYC": "Upgrade KYC Ebene", + "transactionOrderLabelOrderType": "Bestelltyp", + "autoswapEnableToggleLabel": "Autotransfer aktivieren", + "sendDustAmount": "Zu klein (Staub)", + "allSeedViewExistingWallets": "Vorhandene Geldbörsen ({count})", + "@allSeedViewExistingWallets": { + "placeholders": { + "count": { + "type": "int", + "format": "decimalPattern" + } + } + }, + "arkSendConfirmedBalance": "Saldo bestätigt", + "sellFastest": "Fast", + "receiveTitle": "Empfang", + "transactionSwapInfoRefundableSwap": "Dieser Swap wird innerhalb weniger Sekunden automatisch zurückerstattet. Falls nicht, können Sie eine manuelle Rückerstattung versuchen, indem Sie auf die Schaltfläche \"Retry Swap Refund\" klicken.", + "payCancelPayment": "Zahlung abbrechen", + "ledgerInstructionsAndroidUsb": "Stellen Sie sicher, dass Sie Ledger wird mit der Bitcoin App geöffnet und über USB verbunden.", + "onboardingOwnYourMoney": "Eigenes Geld", + "allSeedViewTitle": "Ich bin nicht da", + "connectHardwareWalletLedger": "Led", + "importQrDevicePassportInstructionsTitle": "Anleitung für die Stiftung Passport", + "rbfFeeRate": "Gebührensatz: {rate} sat/vbyte", + "@rbfFeeRate": { + "placeholders": { + "rate": { + "type": "String" + } + } + }, + "leaveYourPhone": "ihr telefon verlassen und ist ", + "sendFastFee": "Schnell", + "exchangeBrandName": "BITCOIN", + "torSettingsPortHelper": "Standard Orbot Port: 9050", + "submitButton": "Einreichung", + "bitboxScreenTryAgainButton": "Noch einmal", + "dcaConfirmTitle": "Bestätigen Sie erneut Kaufen", + "viewVaultKeyButton": "View Vault Schlüssel", + "recoverbullPasswordMismatch": "Passwörter passen nicht", + "fundExchangeCrIbanUsdTransferCodeWarning": "Sie müssen den Transfercode als \"Nachricht\" oder \"Anweisung\" oder \"Beschreibung\" bei der Zahlung hinzufügen. Wenn Sie vergessen, diesen Code einzubeziehen, kann Ihre Zahlung abgelehnt werden.", + "backupSettingsPhysicalBackup": "Physische Sicherung", + "importColdcardDescription": "Importieren Sie den Brieftasche-Deskriptor QR-Code von Ihrem Coldcard Q", + "backupSettingsSecurityWarning": "Sicherheitswarnung", + "arkCopyAddress": "Kopienadresse", + "sendScheduleFor": "Zeitplan für {date}", + "@sendScheduleFor": { + "placeholders": { + "date": { + "type": "String" + } + } + }, + "psbtFlowClickDone": "Klicken Sie auf \"Ich bin fertig\" in der Bull Bitcoin Geldbörse.", + "addressCardUnusedLabel": "Nicht verwendet", + "bitboxActionUnlockDeviceSuccess": "Gerät entriegelt Erfolgreich", + "receivePayjoinInProgress": "Payjoin im laufenden", + "payFor": "Für", + "payEnterValidAmount": "Bitte geben Sie einen gültigen Betrag ein", + "pinButtonRemove": "Security PIN entfernen", + "urProgressLabel": "UR Progress: {parts} Teile", + "@urProgressLabel": { + "placeholders": { + "parts": { + "type": "String" + } + } + }, + "transactionDetailLabelAddressNotes": "Anschrift", + "coldcardInstructionsTitle": "Coldcard Q Anleitung", + "electrumDefaultServers": "Standardserver", + "onboardingRecoverWallet": "Recover Wallet", + "scanningProgressLabel": "Scannen: {percent}%", + "@scanningProgressLabel": { + "placeholders": { + "percent": { + "type": "String" + } + } + }, + "transactionOrderLabelReferenceNumber": "Bezugsnummer", + "backupWalletHowToDecide": "Wie zu entscheiden?", + "recoverbullTestBackupDescription": "Jetzt testen wir Ihr Backup, um sicherzustellen, dass alles richtig gemacht wurde.", + "fundExchangeSpeiInfo": "Machen Sie eine Einzahlung mit SPEI Transfer (instant).", + "screenshotLabel": "Screenshot:", + "bitboxErrorOperationTimeout": "Die Operation hat gedauert. Bitte versuchen Sie es noch mal.", + "receiveLightning": "Beleuchtung", + "sendRecipientAddressOrInvoice": "Adresse oder Rechnung des Empfängers", + "mempoolCustomServerUrlEmpty": "Bitte geben Sie eine Server-URL ein", + "importQrDeviceKeystoneName": "Schlüssel", + "payBitcoinAddress": "Bitcoin Adresse", + "buyInsufficientBalanceTitle": "Unzureichende Bilanz", + "swapProgressPending": "Über uns", + "exchangeDcaAddressLabelBitcoin": "Bitcoin Adresse", + "loadingBackupFile": "Backup-Datei laden...", + "legacySeedViewPassphrasesLabel": "Passphrasen:", + "recoverbullContinue": "Fortsetzung", + "receiveAddressCopied": "Adresse kopiert zu Clipboard", + "sellSendPaymentPayinAmount": "Zahlbetrag", + "psbtFlowTurnOnDevice": "Schalten Sie Ihr {device} Gerät an", + "@psbtFlowTurnOnDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "backupSettingsKeyServer": "Schlüsselserver ", + "connectHardwareWalletColdcardQ": "Kaltkarte Q", + "seedsignerStep2": "Klicken Sie auf Scan", + "addressCardIndexLabel": "Index: ", + "ledgerErrorMissingDerivationPathVerify": "Der Ableitungspfad ist zur Überprüfung erforderlich", + "recoverbullErrorVaultNotSet": "Vault ist nicht eingestellt", + "ledgerErrorMissingScriptTypeSign": "Script-Typ ist für die Anmeldung erforderlich", + "dcaSetupContinue": "Fortsetzung", + "electrumFormatError": "Verwenden Sie Host:port-Format (z.B. example.com:50001)", + "arkAboutDurationDay": "{days} Tag", + "@arkAboutDurationDay": { + "placeholders": { + "days": { + "type": "int" + } + } + }, + "arkDurationHour": "{hours} Stunde", + "@arkDurationHour": { + "placeholders": { + "hours": { + "type": "String" + } + } + }, + "transactionFeesDeductedFrom": "Diese Gebühren werden vom gesendeten Betrag abgezogen", + "buyConfirmYouPay": "Sie zahlen", + "importWatchOnlyTitle": "Importieren Sie nur Uhr", + "walletDetailsWalletFingerprintLabel": "Wandtattoo Fingerabdruck", + "logsViewerTitle": "Logs", + "recoverbullTorNotStarted": "Tor ist nicht gestartet", + "arkPending": "Ausgaben", + "transactionOrderLabelOrderStatus": "Bestellstatus", + "testBackupCreatedAt": "Erstellt bei:", + "dcaSetRecurringBuyTitle": "Recuring Set kaufen", + "psbtFlowSignTransactionOnDevice": "Klicken Sie auf die Schaltflächen, um die Transaktion auf Ihrem {device} zu unterzeichnen.", + "@psbtFlowSignTransactionOnDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "transactionStatusPending": "Ausgaben", + "settingsSuperuserModeDisabledMessage": "Superuser-Modus deaktiviert.", + "bitboxCubitConnectionFailed": "Nicht angeschlossen BitBox Gerät. Bitte überprüfen Sie Ihre Verbindung.", + "settingsTermsOfServiceTitle": "Geschäftsbedingungen", + "importQrDeviceScanning": "Scannen...", + "importWalletKeystone": "Schlüssel", + "payNewRecipients": "Neue Empfänger", + "transactionLabelSendNetworkFees": "Netzwerkgebühren senden", + "transactionLabelAddress": "Anschrift", + "testBackupConfirm": "Bestätigen", + "urProcessingFailedMessage": "UR-Verarbeitung gescheitert", + "backupWalletChooseVaultLocationTitle": "Wählen Sie den Speicherort", + "receiveCopyAddressOnly": "Adresse nur kopieren oder scannen", + "testBackupErrorTestFailed": "Fehler beim Testen von Backups: {error}", + "@testBackupErrorTestFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payLightningFee": "Blitz-Fee", + "payLabelOptional": "Label (optional)", + "recoverbullGoogleDriveDeleteButton": "Löschen", + "arkBalanceBreakdownTooltip": "Aufgliederung der Bilanz", + "exchangeDcaDeactivateTitle": "Wiederkehrender Kauf deaktivieren", + "exchangeSettingsSecuritySettingsTitle": "Sicherheitseinstellungen", + "fundExchangeMethodEmailETransferSubtitle": "Einfachste und schnellste Methode (instant)", + "testBackupLastBackupTest": "Letzter Backup-Test: {timestamp}", + "@testBackupLastBackupTest": { + "placeholders": { + "timestamp": { + "type": "String" + } + } + }, + "payAmountRequired": "Betrag", + "keystoneStep7": " - Versuchen Sie, Ihr Gerät ein bisschen zurück zu bewegen", + "coreSwapsChainExpired": "Überweisung abgelaufen", + "payDefaultCommentOptional": "Default Kommentar (optional)", + "payCopyInvoice": "Kopieren Invoice", + "transactionListYesterday": "Gestern", + "walletButtonReceive": "Empfang", + "buyLevel2Limit": "Ebene 2: {amount}", + "@buyLevel2Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "bitboxCubitDeviceNotPaired": "Gerät nicht gepaart. Bitte füllen Sie zuerst den Paarungsprozess aus.", + "sellCrcBalance": "CRC Saldo", + "paySelectCoinsManually": "Münzen manuell auswählen", + "replaceByFeeActivatedLabel": "Ersatz-by-fee aktiviert", + "sendPaymentProcessing": "Die Zahlung wird bearbeitet. Es kann eine Minute dauern", + "electrumDefaultServersInfo": "Um Ihre Privatsphäre zu schützen, werden Standardserver nicht verwendet, wenn benutzerdefinierte Server konfiguriert sind.", + "transactionDetailLabelPayoutMethod": "Zahlungsmethode", + "testBackupErrorLoadMnemonic": "Mnemonic nicht geladen: {error}", + "@testBackupErrorLoadMnemonic": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payPriceRefreshIn": "Preis wird erfrischt ", + "bitboxCubitOperationCancelled": "Die Operation wurde aufgehoben. Bitte versuchen Sie es noch mal.", + "passportStep3": "Scannen Sie den QR-Code in der Bull Brieftasche", + "jadeStep5": "Wenn Sie Probleme beim Scannen haben:", + "electrumProtocolError": "Protokoll nicht enthalten (ssl:// oder tcp://).", + "receivePayjoinFailQuestion": "Keine Zeit zu warten oder hat das payjoin auf der Seite des Absenders versagt?", + "arkSendConfirmTitle": "Bestätigen Sie", + "importQrDeviceSeedsignerStep1": "Leistung auf Ihrem SeedSigner Gerät", + "exchangeRecipientsTitle": "Empfänger", + "legacySeedViewEmptyPassphrase": "(leer)", + "importWatchOnlyDerivationPath": "Ableitungspfad", + "sendErrorBroadcastFailed": "Versäumt, Transaktion zu übertragen. Überprüfen Sie Ihre Netzwerkverbindung und versuchen Sie es erneut.", + "paySecurityQuestion": "Sicherheitsfrage", + "dcaSelectWalletTypeLabel": "Wählen Sie Bitcoin Wallet Type", + "backupWalletHowToDecideVaultModalTitle": "Wie zu entscheiden", + "importQrDeviceJadeStep1": "Schalten Sie Ihr Jade-Gerät an", + "payNotLoggedInDescription": "Sie sind nicht eingeloggt. Bitte loggen Sie sich ein, um die Zahlfunktion weiter zu nutzen.", + "testBackupEncryptedVaultTag": "Einfach und einfach (1 Minute)", + "transactionLabelAddressNotes": "Anschrift", + "bitboxScreenTroubleshootingStep3": "Starten Sie Ihr BitBox02 Gerät, indem Sie es deaktivieren und wieder verbinden.", + "torSettingsProxyPort": "Tor Proxy Port", + "fundExchangeErrorLoadingDetails": "Die Zahlungsdaten konnten in diesem Moment nicht geladen werden. Bitte gehen Sie zurück und versuchen Sie es erneut, wählen Sie eine andere Zahlungsmethode oder kommen Sie später zurück.", + "testCompletedSuccessTitle": "Test erfolgreich abgeschlossen!", + "payBitcoinAmount": "Bitcoin Menge", + "fundExchangeSpeiTransfer": "SPEI-Transfer", + "recoverbullUnexpectedError": "Unerwartete Fehler", + "transactionFilterSell": "Verkauf", + "fundExchangeMethodSpeiTransfer": "SPEI-Transfer", + "fundExchangeSinpeWarningNoBitcoinDescription": " das Wort \"Bitcoin\" oder \"Crypto\" in der Zahlungsbeschreibung. Dies wird Ihre Zahlung blockieren.", + "electrumAddServer": "Server hinzufügen", + "addressViewCopyAddress": "Anschrift", + "receiveBitcoin": "Bitcoin", + "sellErrorNoWalletSelected": "Keine Brieftasche ausgewählt, um Zahlung zu senden", + "fundExchangeCrIbanCrcRecipientNameHelp": "Nutzen Sie unseren offiziellen Firmennamen. Verwenden Sie nicht \"Bull Bitcoin\".", + "receiveVerifyAddressLedger": "Adresse auf Ledger überprüfen", + "howToDecideButton": "Wie zu entscheiden?", + "testBackupFetchingFromDevice": "Aus Ihrem Gerät herausholen.", + "backupWalletHowToDecideVaultCustomLocation": "Ein benutzerdefinierter Standort kann viel sicherer sein, je nachdem, welcher Ort Sie wählen. Sie müssen auch sicherstellen, nicht die Sicherungsdatei zu verlieren oder das Gerät zu verlieren, auf dem Ihre Sicherungsdatei gespeichert ist.", + "exchangeLegacyTransactionsComingSoon": "Vermächtnistransaktionen - Ich komme bald", + "buyProofOfAddress": "Nachweis der Anschrift", + "backupWalletInstructionNoDigitalCopies": "Machen Sie keine digitalen Kopien Ihrer Sicherung. Schreiben Sie es auf einem Stück Papier, oder graviert in Metall.", + "psbtFlowError": "Fehler: {error}", + "@psbtFlowError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "replaceByFeeFastestDescription": "Geschätzte Lieferung ~ 10 Minuten", + "backupKeyHint": "a8b7b12daf06412f45a90b7fd2..", + "importQrDeviceSeedsignerStep2": "Öffnen Sie das Menü \"Seeds\"", + "exchangeAmountInputValidationZero": "Betrag muss größer als Null sein", + "transactionLabelTransactionFee": "Transaktionsgebühren", + "importWatchOnlyRequired": "Erforderlich", + "payWalletNotSynced": "Geldbörse nicht synchronisiert. Bitte warten Sie", + "recoverbullRecoveryLoadingMessage": "Suche nach Balance und Transaktionen..", + "transactionSwapInfoChainDelay": "On-Kette-Transfers können aufgrund der Blockchain-Bestätigungszeiten einige Zeit zum Abschluss nehmen.", + "sellExchangeRate": "Wechselkurs", + "walletOptionsNotFoundMessage": "Brieftasche nicht gefunden", + "importMnemonicLegacy": "Vermächtnis", + "settingsDevModeWarningMessage": "Dieser Modus ist riskant. Indem Sie es aktivieren, bestätigen Sie, dass Sie Geld verlieren können", + "sellTitle": "Bitcoin verkaufen", + "recoverbullVaultKey": "Vault Schlüssel", + "transactionListToday": "Heute", + "keystoneStep12": "Die Bull Bitcoin Geldbörse wird Sie bitten, den QR-Code auf dem Keystone zu scannen. Scan es.", + "ledgerErrorRejectedByUser": "Die Transaktion wurde vom Benutzer auf dem Ledger Gerät abgelehnt.", + "payFeeRate": "Gebührensatz", + "autoswapWarningDescription": "Autoswap sorgt dafür, dass eine gute Balance zwischen Ihren Instant Payments und Secure Bitcoin Wallet erhalten bleibt.", + "fundExchangeSinpeAddedToBalance": "Sobald die Zahlung gesendet wird, wird diese Ihrem Kontostand hinzugefügt.", + "durationMinute": "{minutes} Minute", + "@durationMinute": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "recoverbullErrorDecryptedVaultNotSet": "Entschlüsselter Tresor ist nicht gesetzt", + "pinCodeMismatchError": "PINs passen nicht", + "autoswapRecipientWalletPlaceholderRequired": "Wählen Sie eine Bitcoin Geldbörse *", + "recoverbullGoogleDriveErrorGeneric": "Es kam ein Fehler auf. Bitte versuchen Sie es noch mal.", + "sellUnauthenticatedError": "Sie sind nicht authentifiziert. Bitte loggen Sie sich ein, um fortzufahren.", + "coreScreensConfirmSend": "Bestätigen Sie", + "transactionDetailLabelSwapStatus": "Swap-Status", + "passportStep10": "Der Passport zeigt Ihnen dann seinen eigenen QR-Code.", + "transactionDetailLabelAmountSent": "Betrag", + "electrumStopGapEmptyError": "Stop Gap kann nicht leer sein", + "typeLabel": "Typ: ", + "buyInputInsufficientBalance": "Unzureichende Bilanz", + "ledgerProcessingSignSubtext": "Bitte bestätigen Sie die Transaktion auf Ihrem Ledger Gerät...", + "withdrawConfirmClabe": "CLABE", + "amountLabel": "Betrag", + "sellUsdBalance": "USD Saldo", + "payScanQRCode": "Scan QR Code", + "seedsignerStep10": "Der SeedSigner zeigt Ihnen dann einen eigenen QR-Code.", + "psbtInstructions": "Anweisungen", + "swapProgressCompletedMessage": "Wow, du hast gewartet! Der Transfer ist beendet.", + "sellCalculating": "Berechnung...", + "recoverbullPIN": "PIN", + "swapInternalTransferTitle": "Interne Übertragung", + "withdrawConfirmPayee": "Zahl", + "importQrDeviceJadeStep8": "Klicken Sie auf die Schaltfläche \"Kamera öffnen\"", + "payPhoneNumberHint": "Rufnummer eingeben", + "exchangeTransactionsComingSoon": "Transaktionen - Bald kommen", + "navigationTabExchange": "Austausch", + "dcaSuccessMessageWeekly": "Sie kaufen {amount} jede Woche", + "@dcaSuccessMessageWeekly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "withdrawConfirmRecipientName": "Empfängername", + "autoswapRecipientWalletPlaceholder": "Wählen Sie eine Bitcoin Wallet", + "enterYourBackupPinTitle": "Geben Sie Ihr Backup ein {pinOrPassword}", + "@enterYourBackupPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "backupSettingsExporting": "Exportieren...", + "receiveDetails": "Details", + "importQrDeviceSpecterStep11": "Setup ist komplett", + "mempoolSettingsUseForFeeEstimationDescription": "Wenn aktiviert, wird dieser Server zur Gebührenschätzung verwendet. Bei deaktiviert wird stattdessen der Mempool-Server von Bull Bitcoin verwendet.", + "sendCustomFee": "Zollgebühren", + "seedsignerStep7": " - Versuchen Sie, Ihr Gerät ein bisschen zurück zu bewegen", + "sendAmount": "Betrag", + "buyInputInsufficientBalanceMessage": "Sie haben nicht genug Balance, um diese Bestellung zu erstellen.", + "recoverbullSelectBackupFileNotValidError": "Recoverbull Backup-Datei ist nicht gültig", + "swapErrorInsufficientFunds": "Konnte keine Transaktion aufbauen. Ebenso wegen unzureichender Mittel zur Deckung von Gebühren und Betrag.", + "dcaConfirmAmount": "Betrag", + "arkBalanceBreakdown": "Bilanzaufschlüsselung", + "seedsignerStep8": "Sobald die Transaktion in Ihrem SeedSigner importiert wird, sollten Sie den Samen auswählen, mit dem Sie sich anmelden möchten.", + "sellSendPaymentPriceRefresh": "Preis wird erfrischt ", + "arkAboutCopy": "Kopie", + "recoverbullPasswordRequired": "Passwort ist erforderlich", + "receiveNoteLabel": "Anmerkung", + "payFirstName": "Vorname", + "arkNoTransactionsYet": "Noch keine Transaktionen.", + "recoverViaCloudDescription": "Wiederherstellen Sie Ihr Backup über Cloud mit Ihrer PIN.", + "importWatchOnlySigningDevice": "Unterzeichnendes Gerät", + "receiveInvoiceExpired": "Rechnung abgelaufen", + "ledgerButtonManagePermissions": "Genehmigungen für die Verwaltung", + "autoswapMinimumThresholdErrorSats": "Mindestausgleichsschwelle {amount}", + "@autoswapMinimumThresholdErrorSats": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "buyKycPendingTitle": "KYC ID Verifikation", + "transactionOrderLabelPayinStatus": "Zahlungsstatus", + "sellSendPaymentSecureWallet": "Sichere Bitcoin Wallet", + "coreSwapsLnReceiveRefundable": "Swap ist bereit, zurückerstattet werden.", + "bitcoinSettingsElectrumServerTitle": "Electrum Server Einstellungen", + "payRemoveRecipient": "Recipient entfernen", + "pasteInputDefaultHint": "Einfügen einer Zahlungsadresse oder Rechnung", + "sellKycPendingTitle": "KYC ID Verifikation", + "withdrawRecipientsFilterAll": "Alle Arten", + "bitboxScreenSegwitBip84Subtitle": "Native SegWit - Empfohlen", + "fundExchangeSpeiSubtitle": "Überweisungsmittel mit CLABE", + "encryptedVaultRecommendationText": "Sie sind nicht sicher und Sie brauchen mehr Zeit, um über Backup-Sicherheit Praktiken zu lernen.", + "urDecodingFailedMessage": "UR-Dekodierung fehlgeschlagen", + "fundExchangeAccountSubtitle": "Wählen Sie Ihr Land und Ihre Zahlungsmethode", + "appStartupContactSupportButton": "Kontakt Support", + "bitboxScreenWaitingConfirmation": "Warten auf Bestätigung auf BitBox02...", + "howToDecideVaultLocationText1": "Cloud-Speicheranbieter wie Google oder Apple haben keinen Zugriff auf Ihr Bitcoin, da das Verschlüsselungs-Passwort zu stark ist. Sie können nur auf Ihr Bitcoin zugreifen, in dem unwahrscheinlichen Fall, dass sie mit dem Schlüsselserver zusammenhängen (der Online-Dienst, der Ihr Verschlüsselungskennwort speichert). Wenn der Schlüsselserver jemals gehackt wird, könnte Ihr Bitcoin mit Google oder Apple Cloud gefährdet sein.", + "receiveFeeExplanation": "Diese Gebühr wird vom gesendeten Betrag abgezogen", + "payCannotBumpFee": "Kann keine Stoßgebühr für diese Transaktion", + "payAccountNumber": "Kontonummer", + "arkSatsUnit": "sättigung", + "payMinimumAmount": "Mindestens: {amount}", + "@payMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sendSwapRefundCompleted": "Swap Rückerstattung abgeschlossen", + "torSettingsStatusUnknown": "Status unbekannt", + "sendConfirmSwap": "Bestätigen Sie Swap", + "exchangeLogoutComingSoon": "Anmelden - Bald kommen", + "sendSending": "Senden", + "withdrawConfirmAccount": "Gesamt", + "backupButton": "Backup", + "sellSendPaymentPayoutAmount": "Auszahlungsbetrag", + "payOrderNumber": "Bestellnummer", + "sendErrorConfirmationFailed": "Bestätigung verfehlt", + "recoverbullWaiting": "Warten", + "notTestedStatus": "Nicht getestet", + "paySinpeNumeroOrden": "Bestellnummer", + "backupBestPracticesTitle": "Best Practices sichern", + "transactionLabelRecipientAddress": "Empfängeradresse", + "backupWalletVaultProviderGoogleDrive": "Google Drive", + "bitboxCubitDeviceNotFound": "Kein BitBox Gerät gefunden. Bitte verbinden Sie Ihr Gerät und versuchen Sie es erneut.", + "autoswapSaveError": "Fehler beim Speichern von Einstellungen: {error}", + "@autoswapSaveError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "buyStandardWithdrawal": "Standardrücknahme", + "swapContinue": "Fortsetzung", + "arkSettleButton": "Setup", + "electrumAddFailedError": "Fehler beim Hinzufügen von benutzerdefinierten Server{reason}", + "@electrumAddFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "transactionDetailLabelTransferFees": "Transfergebühren", + "arkAboutDurationHours": "{hours} Stunden", + "@arkAboutDurationHours": { + "placeholders": { + "hours": { + "type": "int" + } + } + }, + "importWalletSectionGeneric": "Generische Walliser", + "arkEsploraUrl": "Esplora URL", + "backupSettingsNotTested": "Nicht getestet", + "googleDrivePrivacyMessage": "Google wird Sie bitten, personenbezogene Daten mit dieser App zu teilen.", + "errorGenericTitle": "Ups! Etwas ging schief", + "bitboxActionPairDeviceSuccess": "Gerät erfolgreich gekoppelt", + "bitboxErrorNoDevicesFound": "Keine BitBox-Geräte gefunden. Stellen Sie sicher, dass Ihr Gerät über USB an- und angeschlossen wird.", + "torSettingsStatusConnecting": "Verbindung...", + "receiveSwapID": "Swap-ID", + "settingsBitcoinSettingsTitle": "Bitcoin Einstellungen", + "backupWalletHowToDecideBackupModalTitle": "Wie zu entscheiden", + "backupSettingsLabel": "Wallet Backup", + "ledgerWalletTypeNestedSegwit": "Eingebettet Segwit (BIP49)", + "fundExchangeJurisdictionMexico": "🇲🇽 Mexiko", + "sellInteracEmail": "Interac Email", + "coreSwapsActionClose": "Schließen", + "kruxStep6": "Wenn Sie Probleme beim Scannen haben:", + "autoswapMaximumFeeError": "Maximale Gebührenschwelle {threshold}%", + "@autoswapMaximumFeeError": { + "placeholders": { + "threshold": { + "type": "String" + } + } + }, + "swapValidationEnterAmount": "Bitte geben Sie einen Betrag ein", + "recoverbullErrorVaultCreatedKeyNotStored": "Fehler: Vault Datei erstellt, aber Schlüssel nicht im Server gespeichert", + "exchangeSupportChatWalletIssuesInfo": "Dieser Chat ist nur für austauschbare Probleme in Funding/Buy/Sell/Withdraw/Pay.\nFügen Sie der Telegrammgruppe bei, indem Sie hier klicken.", + "exchangeLoginButton": "Anmelden oder Anmelden", + "arkAboutHide": "Hirse", + "ledgerProcessingVerify": "Adresse auf Ledger anzeigen...", + "coreScreensFeePriorityLabel": "Gebührenpriorität", + "arkSendPendingBalance": "Zahlungsbilanz ", + "coreScreensLogsTitle": "Logs", + "recoverbullVaultKeyInput": "Vault Schlüssel", + "testBackupErrorWalletMismatch": "Backup passt nicht zu bestehenden Geldbörsen", + "bip329LabelsHeading": "BIP329 Etiketten Import/Export", + "jadeStep2": "Fügen Sie eine Passphrase hinzu, wenn Sie eine haben (optional)", + "coldcardStep4": "Scannen Sie den QR-Code in der Bull Brieftasche", + "importQrDevicePassportStep5": "Wählen Sie \"Sparrow\" Option", + "psbtFlowClickPsbt": "Klicken Sie auf PSBT", + "sendInvoicePaid": "Invoice Paid", + "buyKycPendingDescription": "Sie müssen zuerst die ID Verifikation abschließen", + "payBelowMinAmountError": "Sie versuchen, unter dem Mindestbetrag zu zahlen, der mit dieser Geldbörse bezahlt werden kann.", + "arkReceiveSegmentArk": "Kork", + "autoswapRecipientWalletInfo": "Wählen Sie, welche Bitcoin Geldbörse die übertragenen Gelder erhält (erforderlich)", + "importWalletKrux": "Krups", + "swapContinueButton": "Fortsetzung", + "bitcoinSettingsBroadcastTransactionTitle": "Übertragung von Sendungen", + "sendSignWithLedger": "Mit Ledger anmelden", + "pinSecurityTitle": "SicherheitspIN", + "swapValidationPositiveAmount": "Positiver Betrag", + "walletDetailsSignerLabel": "Unterschreiber", + "exchangeDcaSummaryMessage": "Sie kaufen {amount} jeden {frequency} über {network}, solange es Geld in Ihrem Konto gibt.", + "@exchangeDcaSummaryMessage": { + "placeholders": { + "amount": { + "type": "String", + "description": "The amount being purchased (e.g., '$100 CAD')" + }, + "frequency": { + "type": "String" + }, + "network": { + "type": "String" + } + } + }, + "addressLabel": "Anschrift: ", + "testBackupWalletTitle": "Test {walletName}", + "@testBackupWalletTitle": { + "placeholders": { + "walletName": { + "type": "String" + } + } + }, + "withdrawRecipientsPrompt": "Wo und wie sollen wir das Geld schicken?", + "withdrawRecipientsTitle": "Wählen Sie Empfänger", + "sellPayoutRecipient": "Zahlempfänger", + "backupWalletLastBackupTest": "Letzter Backup-Test: ", + "whatIsWordNumberPrompt": "Was ist die Wortnummer {number}?", + "@whatIsWordNumberPrompt": { + "placeholders": { + "number": { + "type": "int", + "example": "5" + } + } + }, + "keystoneStep1": "Login zu Ihrem Keystone Gerät", + "keystoneStep3": "Scannen Sie den QR-Code in der Bull Brieftasche", + "backupKeyWarningMessage": "Warnung: Seien Sie vorsichtig, wo Sie den Sicherungsschlüssel speichern.", + "arkSendSuccessTitle": "Erfolgreich senden", + "importQrDevicePassportStep3": "Wählen Sie \"Konto verwalten\"", + "exchangeAuthErrorMessage": "Ein Fehler ist aufgetreten, bitte versuchen Sie erneut einzuloggen.", + "bitboxActionSignTransactionTitle": "Transaktion unterzeichnen", + "testBackupGoogleDrivePrivacyPart3": "ihr telefon verlassen und ist ", + "logSettingsErrorLoadingMessage": "Fehler beim Laden von Protokollen: ", + "dcaAmountLabel": "Betrag", + "walletNetworkLiquid": "Flüssiges Netz", + "receiveArkNetwork": "Kork", + "swapMaxButton": "MAX", + "transactionSwapStatusTransferStatus": "Über uns", + "importQrDeviceSeedsignerStep8": "Scannen Sie den QR-Code auf Ihrem SeedSigner", + "backupKeyTitle": "Sicherungsschlüssel", + "electrumDeletePrivacyNotice": "Datenschutzhinweis:\n\nMit Ihrem eigenen Knoten wird sichergestellt, dass kein Dritter Ihre IP-Adresse mit Ihren Transaktionen verknüpfen kann. Durch Löschen Ihres letzten benutzerdefinierten Servers werden Sie mit einem BullBitcoin-Server verbunden.\n.\n", + "dcaConfirmFrequencyWeekly": "Jede Woche", + "payInstitutionNumberHint": "Institutsnummer", + "sendSlowPaymentWarning": "Langsame Zahlungswarnung", + "quickAndEasyTag": "Schnell und einfach", + "settingsThemeTitle": "Thema", + "exchangeSupportChatYesterday": "Gestern", + "jadeStep3": "Wählen Sie \"Scan QR\" Option", + "dcaSetupFundAccount": "Ihr Konto finanzieren", + "payEmail": "E-Mail senden", + "coldcardStep10": "Klicken Sie auf die Schaltflächen, um die Transaktion auf Ihrer Coldcard zu unterzeichnen.", + "sendErrorAmountBelowSwapLimits": "Betrag unter Swap-Grenze", + "labelErrorNotFound": "Label \"{label}\" nicht gefunden.", + "@labelErrorNotFound": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "payPrivatePayment": "Private Zahlung", + "autoswapDefaultWalletLabel": "Bitcoin Wallet", + "recoverbullTestSuccessDescription": "Sie sind in der Lage, den Zugang zu einer verlorenen Bitcoin Geldbörse zu erholen", + "dcaDeactivate": "Wiederkehrender Kauf deaktivieren", + "exchangeAuthLoginFailedTitle": "Zurück zur Übersicht", + "autoswapRecipientWallet": "Recipient Bitcoin Wallet", + "arkUnifiedAddressBip21": "Einheitliche Adresse (BIP21)", + "pickPasswordOrPinButton": "Wählen Sie eine {pinOrPassword} statt >>", + "@pickPasswordOrPinButton": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "password" + } + } + }, + "transactionDetailLabelOrderType": "Bestelltyp", + "autoswapWarningSettingsLink": "Bringen Sie mich zu Autowap-Einstellungen", + "payLiquidNetwork": "Flüssiges Netz", + "backupSettingsKeyWarningExample": "Zum Beispiel, wenn Sie Google Drive für Ihre Backup-Datei verwendet, verwenden Sie nicht Google Drive für Ihre Backup-Taste.", + "backupWalletHowToDecideVaultCloudRecommendation": "Google oder Apple Cloud: ", + "testBackupEncryptedVaultDescription": "Anonyme Sicherung mit starker Verschlüsselung mit Ihrer Cloud.", + "payNetworkType": "Netzwerk", + "walletDeletionConfirmationDeleteButton": "Löschen", + "confirmLogoutTitle": "Bestätigen Sie Logout", + "ledgerWalletTypeSelectTitle": "Wählen Sie Wallet Typ", + "swapTransferCompletedMessage": "Wow, du hast gewartet! Der Transfer ist erfolgreich abgeschlossen.", + "encryptedVaultTag": "Einfach und einfach (1 Minute)", + "electrumDelete": "Löschen", + "testBackupGoogleDrivePrivacyPart4": "nie ", + "arkConfirmButton": "Bestätigen", + "sendCoinControl": "Coin Control", + "withdrawSuccessOrderDetails": "Details zur Bestellung", + "exchangeLandingConnect": "Verbinden Sie Ihr Bull Bitcoin Austauschkonto", + "payProcessingPayment": "Bearbeitungsgebühr...", + "ledgerImportTitle": "Import Ledger Wallet", + "exchangeDcaFrequencyMonth": "monat", + "paySuccessfulPayments": "Erfolgreich", + "navigationTabWallet": "Geldbeutel", + "bitboxScreenScanning": "Scannen nach Geräten", + "howToDecideBackupTitle": "Wie zu entscheiden", + "statusCheckTitle": "Service-Status", + "ledgerHelpSubtitle": "Stellen Sie zunächst sicher, dass Ihr Ledger-Gerät entriegelt ist und die Bitcoin-App geöffnet wird. Wenn Ihr Gerät noch nicht mit der App verbunden ist, versuchen Sie Folgendes:", + "savingToDevice": "Sparen Sie auf Ihr Gerät.", + "bitboxActionImportWalletButton": "Start Import", + "fundExchangeLabelSwiftCode": "SWIFT-Code", + "buyEnterBitcoinAddress": "Bitcoin-Adresse eingeben", + "autoswapWarningBaseBalance": "Basisbilanz 0,01 BTC", + "transactionDetailLabelPayoutAmount": "Auszahlungsbetrag", + "importQrDeviceSpecterStep6": "Wählen Sie \"Einzelschlüssel\"", + "importQrDeviceJadeStep10": "Das ist es!", + "payPayeeAccountNumberHint": "Kontonummer eingeben", + "importQrDevicePassportStep8": "Tippen Sie auf Ihr Mobilgerät auf \"open camera\"", + "dcaConfirmationError": "Etwas ging schief: {error}", + "@dcaConfirmationError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "oopsSomethingWentWrong": "Ups! Etwas ging schief", + "pinStatusSettingUpDescription": "Einrichtung des PIN-Codes", + "enterYourPinTitle": "Geben Sie Ihre {pinOrPassword}", + "@enterYourPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "onboardingPhysicalBackup": "Physische Sicherung", + "swapFromLabel": "Von", + "fundExchangeCrIbanCrcDescription": "Senden Sie eine Banküberweisung von Ihrem Bankkonto mit den untenstehenden Daten ", + "settingsDevModeWarningTitle": "Entscheiden", + "importQrDeviceKeystoneStep4": "Wählen Sie Connect Software Wallet", + "bitcoinSettingsAutoTransferTitle": "Auto Transfer Einstellungen", + "rbfOriginalTransaction": "Ursprüngliche Transaktion", + "payViewRecipient": "Empfänger anzeigen", + "exchangeAccountInfoUserNumberCopiedMessage": "Benutzernummer in Clipboard kopiert", + "settingsAppVersionLabel": "App-Version: ", + "bip329LabelsExportButton": "Exportetiketten", + "jadeStep4": "Scannen Sie den QR-Code in der Bull Brieftasche", + "recoverbullRecoveryErrorWalletExists": "Diese Geldbörse existiert bereits.", + "payBillerNameValue": "Ausgewählter Billername", + "sendSelectCoins": "Wählen Sie Coins", + "fundExchangeLabelRoutingNumber": "Routing-Nummer", + "enterBackupKeyManuallyButton": "Sicherungsschlüssel manuell eingeben >>", + "paySyncingWallet": "Sync...", + "allSeedViewLoadingMessage": "Dies kann eine Weile dauern, um zu laden, wenn Sie viele Samen auf diesem Gerät haben.", + "paySelectWallet": "Wählen Sie Wallet", + "pinCodeChangeButton": "Veränderung PIN", + "paySecurityQuestionHint": "Sicherheitsfrage eingeben (10-40 Zeichen)", + "ledgerErrorMissingPsbt": "PSBT ist für die Anmeldung erforderlich", + "importWatchOnlyPasteHint": "Paste xpub, ypub, zpub oder Deskriptor", + "sellAccountNumber": "Kontonummer", + "backupWalletLastKnownEncryptedVault": "Letzte bekannte Verschlüsselung Vault: ", + "dcaSetupInsufficientBalanceMessage": "Sie haben nicht genug Balance, um diese Bestellung zu erstellen.", + "recoverbullGotIt": "Verstanden", + "sendAdvancedOptions": "Erweiterte Optionen", + "sellRateValidFor": "Preis gültig für {seconds}s", + "@sellRateValidFor": { + "placeholders": { + "seconds": { + "type": "int" + } + } + }, + "autoswapAutoSaveError": "Fehler beim Speichern von Einstellungen", + "exchangeAccountInfoVerificationLightVerification": "Lichtprüfung", + "exchangeFeatureBankTransfers": "• Banküberweisungen senden und Rechnungen bezahlen", + "sellSendPaymentInstantPayments": "Sofortzahlungen", + "onboardingRecoverWalletButton": "Recover Wallet", + "dcaConfirmAutoMessage": "Bestellungen werden automatisch nach diesen Einstellungen platziert. Sie können sie jederzeit deaktivieren.", + "arkCollaborativeRedeem": "Kollaborative Redeem", + "pinCodeCheckingStatus": "Überprüfung des PIN-Status", + "usePasswordInsteadButton": "Verwendung {pinOrPassword} anstelle >>", + "@usePasswordInsteadButton": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "password" + } + } + }, + "coreSwapsLnSendFailedRefunding": "Swap wird in Kürze zurückerstattet.", + "dcaWalletTypeLightning": "Blitznetz (LN)", + "transactionSwapProgressBroadcasted": "Rundfunk", + "backupWalletVaultProviderAppleICloud": "Apple iCloud", + "swapValidationMinimumAmount": "Mindestbetrag ist {amount} {currency}", + "@swapValidationMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + }, + "currency": { + "type": "String" + } + } + }, + "importMnemonicTitle": "Import Mnemonic", + "payReplaceByFeeActivated": "Ersatz-by-fee aktiviert", + "testBackupDoNotShare": "NICHT MIT EINEM ANDEREN", + "kruxInstructionsTitle": "Krux Anleitung", + "payNotAuthenticated": "Sie sind nicht authentifiziert. Bitte loggen Sie sich ein, um fortzufahren.", + "paySinpeNumeroComprobante": "Bezugsnummer", + "backupSettingsViewVaultKey": "View Vault Schlüssel", + "ledgerErrorNoConnection": "Keine Ledger-Verbindung verfügbar", + "testBackupSuccessButton": "Verstanden", + "transactionLabelTransactionId": "Transaktions-ID", + "buyNetworkFeeExplanation": "Die Bitcoin Netzwerkgebühr wird von dem Betrag abgezogen, den Sie von den Bitcoin Bergleuten erhalten und gesammelt haben", + "transactionDetailLabelAddress": "Anschrift", + "fundExchangeCrIbanUsdLabelPaymentDescription": "Zahlungsbeschreibung", + "fundExchangeInfoBeneficiaryNameLeonod": "Der Name des Empfängers sollte LEONOD sein. Wenn Sie etwas anderes setzen, wird Ihre Zahlung abgelehnt.", + "importWalletLedger": "Led", + "recoverbullCheckingConnection": "Prüfverbindung für RecoverBull", + "exchangeLandingTitle": "BITCOIN", + "psbtFlowSignWithQr": "Klicken Sie auf QR Code unterschreiben", + "doneButton": "KAPITEL", + "withdrawSuccessTitle": "Zurücknahme initiiert", + "paySendAll": "Alle anzeigen", + "payLowPriority": "Niedrig", + "coreSwapsLnReceivePending": "Swap ist noch nicht initialisiert.", + "arkSendConfirmMessage": "Bitte bestätigen Sie die Details Ihrer Transaktion vor dem Senden.", + "bitcoinSettingsLegacySeedsTitle": "Legacy Seeds", + "transactionDetailLabelPayjoinCreationTime": "Payjon Schöpfungszeit", + "backupWalletBestPracticesTitle": "Best Practices sichern", + "transactionSwapInfoFailedExpired": "Wenn Sie Fragen oder Bedenken haben, wenden Sie sich bitte an Unterstützung für Hilfe.", + "memorizePasswordWarning": "Sie müssen dieses {pinOrPassword} merken, um den Zugang zu Ihrer Geldbörse wiederherzustellen. Es muss mindestens 6 Ziffern betragen. Wenn Sie diese {pinOrPassword} verlieren, können Sie Ihr Backup nicht wiederherstellen.", + "@memorizePasswordWarning": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "googleAppleCloudRecommendation": "Google oder Apple Cloud: ", + "exchangeGoToWebsiteButton": "Zur Website des Bull Bitcoin wechseln", + "testWalletTitle": "Test {walletName}", + "@testWalletTitle": { + "placeholders": { + "walletName": { + "type": "String", + "example": "Default Wallets" + } + } + }, + "exchangeBitcoinWalletsLiquidAddressLabel": "ANHANG", + "backupWalletSuccessTestButton": "Test Backup", + "pinCodeSettingUp": "Einrichtung des PIN-Codes", + "replaceByFeeErrorFeeRateTooLow": "Sie müssen den Gebührensatz um mindestens 1 sat/vbyte gegenüber der ursprünglichen Transaktion erhöhen", + "payPriority": "Priorität", + "fundExchangeCostaRicaMethodIbanCrcSubtitle": "Überweisung in Costa Rican Colón (CRC)", + "receiveNoTimeToWait": "Keine Zeit zu warten oder hat das payjoin auf der Seite des Absenders versagt?", + "payChannelBalanceLow": "Kanalbilanz zu niedrig", + "allSeedViewNoSeedsFound": "Keine Samen gefunden.", + "bitboxScreenActionFailed": "{action} Nicht verfügbar", + "@bitboxScreenActionFailed": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "dcaSetupScheduleMessage": "Bitcoin-Käufe werden automatisch nach diesem Zeitplan platziert.", + "coreSwapsStatusExpired": "Ausgenommen", + "fundExchangeCanadaPostStep3": "3. Sagen Sie dem Kassierer den Betrag, den Sie laden möchten", + "payFee": "Gebühren", + "systemLabelSelfSpend": "Selbstbedienung", + "swapProgressRefundMessage": "Es gab einen Fehler bei der Übertragung. Ihre Rückerstattung ist im Gange.", + "passportStep4": "Wenn Sie Probleme beim Scannen haben:", + "dcaConfirmContinue": "Fortsetzung", + "decryptVaultButton": "Verschlüsselung Tresor", + "electrumNetworkBitcoin": "Bitcoin", + "paySecureBitcoinWallet": "Sichere Bitcoin Wallet", + "exchangeAppSettingsDefaultCurrencyLabel": "Default Währung", + "arkSendRecipientError": "Bitte geben Sie einen Empfänger ein", + "arkArkAddress": "Ark Adresse", + "payRecipientName": "Empfängername", + "exchangeBitcoinWalletsLightningAddressLabel": "Blitz (LN-Adresse)", + "bitboxActionVerifyAddressButton": "Adresse verifizieren", + "torSettingsInfoTitle": "Wichtige Informationen", + "importColdcardInstructionsStep7": "Tippen Sie auf Ihr Mobilgerät auf \"open camera\"", + "testBackupStoreItSafe": "Speichern Sie es irgendwo sicher.", + "enterBackupKeyLabel": "Sicherungsschlüssel eingeben", + "bitboxScreenTroubleshootingSubtitle": "Stellen Sie zunächst sicher, dass Ihr BitBox02-Gerät mit Ihrem Telefon USB-Anschluss verbunden ist. Wenn Ihr Gerät noch nicht mit der App verbunden ist, versuchen Sie Folgendes:", + "securityWarningTitle": "Sicherheitswarnung", + "never": "nie ", + "notLoggedInTitle": "Sie sind nicht eingeloggt", + "testBackupWhatIsWordNumber": "Was ist die Wortnummer {number}?", + "@testBackupWhatIsWordNumber": { + "placeholders": { + "number": { + "type": "int" + } + } + }, + "payInvoiceDetails": "Invoice Details", + "exchangeLandingLoginButton": "Anmelden oder Anmelden", + "torSettingsEnableProxy": "Tor Proxy aktivieren", + "bitboxScreenAddressToVerify": "Anschrift:", + "payConfirmPayment": "Zahlung bestätigen", + "bitboxErrorPermissionDenied": "USB-Berechtigungen sind erforderlich, um mit BitBox-Geräten zu verbinden.", + "recoveryPhraseTitle": "Schreiben Sie Ihre Wiederherstellung Phrase\nin der richtigen Reihenfolge", + "bitboxActionSignTransactionProcessingSubtext": "Bitte bestätigen Sie die Transaktion auf Ihrem BitBox-Gerät...", + "sellConfirmPayment": "Zahlung bestätigen", + "sellSelectCoinsManually": "Münzen manuell auswählen", + "addressViewReceiveType": "Empfang", + "coldcardStep11": "The Coldcard Q zeigt Ihnen dann einen eigenen QR-Code.", + "fundExchangeLabelIban": "IBAN Kontonummer", + "swapDoNotUninstallWarning": "Deinstallieren Sie die App erst, wenn der Transfer abgeschlossen ist!", + "testBackupErrorVerificationFailed": "Verifizierung nicht möglich: {error}", + "@testBackupErrorVerificationFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "sendViewDetails": "Details anzeigen", + "recoverbullErrorUnexpected": "Unerwartete Fehler, siehe Protokolle", + "sendSubmarineSwap": "Submarine Swap", + "transactionLabelLiquidTransactionId": "Liquid Transaktions-ID", + "payNotAvailable": "N/A", + "payFastest": "Fast", + "allSeedViewSecurityWarningTitle": "Sicherheitswarnung", + "sendSwapFeeEstimate": "Geschätzte Swapgebühr: {amount}", + "@sendSwapFeeEstimate": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "coreSwapsLnReceiveExpired": "Swap Expired.", + "fundExchangeOnlineBillPaymentLabelBillerName": "Suchen Sie die Liste der Biller Ihrer Bank für diesen Namen", + "recoverbullSelectFetchDriveFilesError": "Nicht alle Laufwerkssicherungen holen", + "psbtFlowLoadFromCamera": "Klick von der Kamera", + "exchangeAccountInfoVerificationLimitedVerification": "Begrenzte Überprüfung", + "addressViewErrorLoadingMoreAddresses": "Fehler beim Laden von mehr Adressen: {error}", + "@addressViewErrorLoadingMoreAddresses": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "arkCopy": "Kopie", + "sendBuildingTransaction": "Gebäudetransaktion...", + "fundExchangeMethodEmailETransfer": "E-Mail E-Transfer", + "electrumConfirm": "Bestätigen", + "transactionDetailLabelOrderNumber": "Bestellnummer", + "bitboxActionPairDeviceSuccessSubtext": "Ihr BitBox-Gerät ist jetzt gepaart und gebrauchsfertig.", + "pickPasswordInsteadButton": "Passwort auswählen statt >>", + "coreScreensSendNetworkFeeLabel": "Netzwerkgebühr senden", + "bitboxScreenScanningSubtext": "Auf der Suche nach Ihrem BitBox Gerät...", + "sellOrderFailed": "Versäumt, verkaufen Bestellung", + "payInvalidAmount": "Invalide", + "fundExchangeLabelBankName": "Name der Bank", + "ledgerErrorMissingScriptTypeVerify": "Script-Typ ist für die Überprüfung erforderlich", + "backupWalletEncryptedVaultDescription": "Anonyme Sicherung mit starker Verschlüsselung mit Ihrer Cloud.", + "sellRateExpired": "Der Wechselkurs ist abgelaufen. Erfrischung...", + "payExternalWallet": "Außenwander", + "recoverbullConfirm": "Bestätigen", + "arkPendingBalance": "Zahlungsbilanz", + "fundExchangeInfoBankCountryUk": "Unser Bankland ist das Vereinigte Königreich.", + "dcaConfirmNetworkBitcoin": "Bitcoin", + "seedsignerStep14": "Es ist jetzt bereit zu senden! Sobald Sie auf Sendung klicken, wird die Transaktion im Bitcoin-Netzwerk veröffentlicht und die Mittel werden gesendet.", + "fundExchangeCostaRicaMethodIbanCrcTitle": "IBAN Costa Rica (CRC)", + "payOrderDetails": "Details zur Bestellung", + "importMnemonicTransactions": "{count} Transaktionen", + "@importMnemonicTransactions": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "exchangeAppSettingsPreferredLanguageLabel": "Bevorzugte Sprache", + "walletDeletionConfirmationMessage": "Sind Sie sicher, dass Sie diese Geldbörse löschen möchten?", + "rbfTitle": "Ersetzen gegen Gebühr", + "sellAboveMaxAmountError": "Sie versuchen, über den maximalen Betrag zu verkaufen, der mit dieser Geldbörse verkauft werden kann.", + "settingsSuperuserModeUnlockedMessage": "Superuser-Modus entsperrt!", + "pickPinInsteadButton": "Pick PIN statt >>", + "backupWalletVaultProviderCustomLocation": "Kundenspezifischer Standort", + "addressViewErrorLoadingAddresses": "Fehlerladeadressen: {error}", + "@addressViewErrorLoadingAddresses": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "bitboxErrorConnectionTypeNotInitialized": "Verbindungstyp nicht initialisiert.", + "transactionListOngoingTransfersDescription": "Diese Transfers sind derzeit im Gange. Ihre Mittel sind sicher und werden verfügbar sein, wenn die Übertragung abgeschlossen ist.", + "ledgerErrorUnknown": "Unbekannter Fehler", + "payBelowMinAmount": "Sie versuchen, unter dem Mindestbetrag zu zahlen, der mit dieser Geldbörse bezahlt werden kann.", + "ledgerProcessingVerifySubtext": "Bitte bestätigen Sie die Adresse auf Ihrem Ledger Gerät.", + "transactionOrderLabelOriginCedula": "Ursprungsbezeichnung", + "recoverbullRecoveryTransactionsLabel": "Transaktionen: {count}", + "@recoverbullRecoveryTransactionsLabel": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "buyViewDetails": "Details anzeigen", + "paySwapFailed": "Swap versagt", + "autoswapMaxFeeLabel": "Max Transfer Fee", + "importMnemonicBalance": "Bilanz: {amount}", + "@importMnemonicBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "importQrDeviceWalletName": "Name des Wallis", + "payNoRouteFound": "Keine Route gefunden für diese Zahlung", + "fundExchangeLabelBeneficiaryName": "Steuerempfänger", + "exchangeSupportChatMessageEmptyError": "Nachricht kann nicht leer sein", + "fundExchangeWarningTactic2": "Sie bieten Ihnen ein Darlehen", + "sellLiquidNetwork": "Flüssiges Netz", + "payViewTransaction": "Transaction anzeigen", + "transactionLabelToWallet": "Zur Brieftasche", + "exchangeFileUploadInstructions": "Wenn Sie weitere Dokumente schicken müssen, laden Sie sie hier hoch.", + "ledgerInstructionsAndroidDual": "Stellen Sie sicher, dass Sie Ledger wird mit der Bitcoin App geöffnet und Bluetooth aktiviert, oder das Gerät über USB verbinden.", + "arkSendRecipientLabel": "Adresse des Empfängers", + "defaultWalletsLabel": "Standard Wallis", + "jadeStep9": "Sobald die Transaktion in Ihrem Jade importiert wird, überprüfen Sie die Zieladresse und den Betrag.", + "receiveAddLabel": "In den Warenkorb", + "ledgerWalletTypeNestedSegwitDescription": "P2WPKH-Nested-in-P2SH", + "dcaConfirmFrequencyHourly": "Jede Stunde", + "legacySeedViewMnemonicLabel": "Mnemonic", + "sellSwiftCode": "SWIFT/BIC-Code", + "fundExchangeCanadaPostTitle": "In-Person Bargeld oder Debit bei Canada Post", + "receiveInvoiceExpiry": "Rechnung läuft in {time}", + "@receiveInvoiceExpiry": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "testBackupGoogleDrivePrivacyPart5": "mit Bull Bitcoin geteilt.", + "arkTotal": "Insgesamt", + "bitboxActionSignTransactionSuccessSubtext": "Ihre Transaktion wurde erfolgreich unterzeichnet.", + "transactionStatusTransferExpired": "Überweisung abgelaufen", + "backupWalletInstructionLosePhone": "Ohne ein Backup, wenn Sie Ihr Telefon verlieren oder brechen, oder wenn Sie die Bull Bitcoin App deinstallieren, werden Ihre Bitcoins für immer verloren gehen.", + "recoverbullConnected": "Verbunden", + "dcaConfirmLightningAddress": "Beleuchtungsadresse", + "coreSwapsLnReceiveCompleted": "Swap ist abgeschlossen.", + "backupWalletErrorGoogleDriveSave": "Versäumt, Google-Laufwerk zu retten", + "settingsTorSettingsTitle": "Tor-Einstellungen", + "importQrDeviceKeystoneStep2": "Geben Sie Ihre PIN ein", + "receiveBitcoinTransactionWillTakeTime": "Bitcoin Transaktion wird eine Weile dauern, um zu bestätigen.", + "sellOrderNotFoundError": "Der Verkaufsauftrag wurde nicht gefunden. Bitte versuchen Sie es noch mal.", + "sellErrorPrepareTransaction": "Versäumt, Transaktion vorzubereiten: {error}", + "@sellErrorPrepareTransaction": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "fundExchangeOnlineBillPaymentTitle": "Online Bill Zahlung", + "importQrDeviceSeedsignerStep7": "Tippen Sie auf Ihrem mobilen Gerät auf offene Kamera", + "addressViewChangeAddressesDescription": "Display Wallet Adressen ändern", + "sellReceiveAmount": "Sie erhalten", + "bitboxCubitInvalidResponse": "Ungültige Antwort von BitBox Gerät. Bitte versuchen Sie es noch mal.", + "settingsScreenTitle": "Einstellungen", + "transactionDetailLabelTransferFee": "Transfergebühr", + "importQrDeviceKruxStep5": "Scannen Sie den QR-Code, den Sie auf Ihrem Gerät sehen.", + "fundExchangeHelpTransferCode": "Fügen Sie dies als Grund für die Übertragung hinzu", + "mempoolCustomServerEdit": "Bearbeiten", + "importQrDeviceKruxStep2": "Klicken Sie auf erweiterten öffentlichen Schlüssel", + "recoverButton": "Recover", + "passportStep5": " - Erhöhung der Bildschirmhelligkeit auf Ihrem Gerät", + "bitboxScreenConnectSubtext": "Stellen Sie sicher, dass Ihre BitBox02 entsperrt und über USB verbunden ist.", + "payOwnerName": "Name des Eigentümers", + "transactionNetworkLiquid": "Flüssig", + "payEstimatedConfirmation": "Geschätzte Bestätigung: {time}", + "@payEstimatedConfirmation": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "bitboxErrorInvalidResponse": "Ungültige Antwort von BitBox Gerät. Bitte versuchen Sie es noch mal.", + "psbtFlowAddPassphrase": "Fügen Sie eine Passphrase hinzu, wenn Sie eine haben (optional)", + "payAdvancedOptions": "Erweiterte Optionen", + "sendSigningTransaction": "Anmeldung...", + "sellErrorFeesNotCalculated": "Transaktionsgebühren nicht berechnet. Bitte versuchen Sie es noch mal.", + "dcaAddressLiquid": "ANHANG", + "buyVerificationInProgress": "Überprüfung des Fortschritts...", + "transactionSwapDescChainPaid": "Ihre Transaktion wurde gesendet. Wir warten jetzt darauf, dass die Transaktion bestätigt wird.", + "mempoolSettingsUseForFeeEstimation": "Verwendung für Gebührenschätzung", + "buyPaymentMethod": "Zahlungsmethode", + "fundExchangeCrIbanUsdDescriptionEnd": ". Fonds werden zu Ihrem Kontostand hinzugefügt.", + "psbtFlowMoveCloserFurther": "Versuchen Sie, Ihr Gerät näher oder weiter weg zu bewegen", + "arkAboutDurationMinutes": "{minutes} Minuten", + "@arkAboutDurationMinutes": { + "placeholders": { + "minutes": { + "type": "int" + } + } + }, + "swapProgressTitle": "Interne Übertragung", + "pinButtonConfirm": "Bestätigen", + "coldcardStep2": "Fügen Sie eine Passphrase hinzu, wenn Sie eine haben (optional)", + "electrumInvalidNumberError": "Geben Sie eine gültige Nummer ein", + "coreWalletTransactionStatusConfirmed": "Bestätigt", + "recoverbullSelectGoogleDrive": "Google Drive", + "recoverbullEnterInput": "Geben Sie Ihre {inputType}", + "@recoverbullEnterInput": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "importQrDevicePassportStep12": "Setup komplett.", + "fundExchangeLabelIbanUsdOnly": "IBAN Kontonummer (nur für US-Dollar)", + "payRecipientDetails": "Recipient details", + "fundExchangeWarningTitle": "Beobachten Sie sich für Betrüger", + "receiveError": "Fehler: {error}", + "@receiveError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "electrumRetryCount": "Retry Count", + "walletDetailsDescriptorLabel": "Beschreibung", + "importQrDeviceSeedsignerInstructionsTitle": "SeedSigner Anleitung", + "payOrderNotFoundError": "Der Lohnauftrag wurde nicht gefunden. Bitte versuchen Sie es noch mal.", + "jadeStep12": "Klicken Sie auf \"Ich bin fertig\" in der Bull Bitcoin Geldbörse.", + "payFilterByType": "Filter nach Typ", + "importMnemonicImporting": "Importieren...", + "recoverbullGoogleDriveExportButton": "Ausfuhr", + "bip329LabelsDescription": "Importieren oder Exportieren von Brieftasche-Etiketten mit dem Standardformat BIP329.", + "backupWalletHowToDecideBackupEncryptedRecommendationText": "Sie sind nicht sicher und Sie brauchen mehr Zeit, um über Backup-Sicherheit Praktiken zu lernen.", + "backupWalletImportanceWarning": "Ohne eine Sicherung verlieren Sie schließlich den Zugang zu Ihrem Geld. Es ist kritisch wichtig, eine Sicherung zu tun.", + "autoswapMaxFeeInfoText": "Wenn die Gesamttransfergebühr über dem festgelegten Prozentsatz liegt, wird der Autotransfer gesperrt", + "backupWalletSuccessDescription": "Jetzt testen wir Ihr Backup, um sicherzustellen, dass alles richtig gemacht wurde.", + "rbfBroadcast": "Broadcast", + "sendEstimatedDeliveryFewHours": "wenige stunden", + "dcaConfirmFrequencyMonthly": "Monat", + "importWatchOnlyScriptType": "Schriftart", + "electrumCustomServers": "Benutzerdefinierte Server", + "transactionStatusSwapFailed": "Swap versäumt", + "fundExchangeCrIbanCrcLabelCedulaJuridica": "Cédula Jurídica", + "continueButton": "Fortsetzung", + "payBatchPayment": "Batch-Zahlung", + "transactionLabelBoltzSwapFee": "Boltz Swap Fee", + "transactionSwapDescLnReceiveFailed": "Es gab ein Problem mit Ihrem Swap. Bitte kontaktieren Sie die Unterstützung, wenn die Mittel nicht innerhalb von 24 Stunden zurückgegeben wurden.", + "sellOrderNumber": "Bestellnummer", + "payRecipientCount": "{count} Empfänger", + "@payRecipientCount": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "sendErrorBuildFailed": "Enthüllt bauen", + "transactionDetailSwapProgress": "Swap Progress", + "arkAboutDurationMinute": "{minutes} Minute", + "@arkAboutDurationMinute": { + "placeholders": { + "minutes": { + "type": "int" + } + } + }, + "backupWalletInstructionLoseBackup": "Wenn Sie Ihre 12 Wortsicherung verlieren, werden Sie nicht in der Lage, den Zugriff auf die Bitcoin Wallet wiederherzustellen.", + "payIsCorporateAccount": "Ist das ein Firmenkonto?", + "sellSendPaymentInsufficientBalance": "Unzureichende Balance in der ausgewählten Geldbörse, um diese Verkaufsordnung zu vervollständigen.", + "fundExchangeCrIbanCrcLabelRecipientName": "Empfängername", + "swapTransferPendingTitle": "Über uns", + "mempoolCustomServerSaveSuccess": "Custom Server erfolgreich gespeichert", + "sendErrorBalanceTooLowForMinimum": "Saldo zu niedrig für minimale Swap-Menge", + "testBackupSuccessMessage": "Sie sind in der Lage, den Zugang zu einer verlorenen Bitcoin Geldbörse zu erholen", + "electrumTimeout": "Timeout (Sekunden)", + "transactionDetailLabelOrderStatus": "Bestellstatus", + "electrumSaveFailedError": "Versäumt, erweiterte Optionen zu speichern", + "arkSettleTransactionCount": "{count} {transaction}", + "@arkSettleTransactionCount": { + "placeholders": { + "count": { + "type": "String" + }, + "transaction": { + "type": "String" + } + } + }, + "bitboxScreenWalletTypeLabel": "Wallet Type:", + "importQrDeviceKruxStep6": "Das ist es!", + "recoverbullRecoveryErrorMissingDerivationPath": "Backup-Datei fehlt Ableitung Pfad.", + "payUnauthenticatedError": "Sie sind nicht authentifiziert. Bitte loggen Sie sich ein, um fortzufahren.", + "payClabe": "CLABE", + "mempoolCustomServerDelete": "Löschen", + "optionalPassphraseHint": "Optionale Passphrasen", + "importColdcardImporting": "Importieren von Coldcard Geldbörse...", + "exchangeDcaHideSettings": "Einstellungen verbergen", + "appUnlockIncorrectPinError": "Falsche PIN. Bitte versuchen Sie es noch mal. ({failedAttempts} [X51X)", + "@appUnlockIncorrectPinError": { + "placeholders": { + "failedAttempts": { + "type": "int" + }, + "attemptsWord": { + "type": "String" + } + } + }, + "buyBitcoinSent": "Bitcoin geschickt!", + "coreScreensPageNotFound": "Seite nicht gefunden", + "passportStep8": "Sobald die Transaktion in Ihrem Passport importiert wird, überprüfen Sie die Zieladresse und den Betrag.", + "importQrDeviceTitle": "{deviceName}", + "@importQrDeviceTitle": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "exchangeFeatureDcaOrders": "• DCA, Limit-Bestellungen und Autobuy", + "payIban": "IBAN", + "sellSendPaymentPayoutRecipient": "Zahlempfänger", + "swapInfoDescription": "Übertragen Sie Bitcoin nahtlos zwischen Ihren Geldbörsen. Halten Sie nur Geld in der Instant Payment Wallet für Tagesausgaben.", + "fundExchangeCanadaPostStep7": "7. Die Mittel werden innerhalb von 30 Minuten zu Ihrem Bull Bitcoin Kontostand hinzugefügt", + "importWatchOnlyDisclaimerDescription": "Stellen Sie sicher, dass der Ableitungspfad, den Sie wählen, derjenige entspricht, der den angegebenen xpub erstellt hat, indem Sie die erste Adresse, die von der Geldbörse abgeleitet wird, vor der Verwendung überprüfen. Die Verwendung des falschen Weges kann zum Verlust von Geld führen", + "fundExchangeWarningTactic8": "Sie pressen Sie schnell", + "encryptedVaultStatusLabel": "Verschlüsselter Tresor", + "sendConfirmSend": "Bestätigen Sie", + "fundExchangeBankTransfer": "Banküberweisung", + "importQrDeviceButtonInstructions": "Anweisungen", + "buyLevel3Limit": "Ebene 3 Begrenzung: {amount}", + "@buyLevel3Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "electrumLiquidSslInfo": "Es sollte kein Protokoll angegeben werden, SSL wird automatisch verwendet.", + "sendDeviceConnected": "Geräte angeschlossen", + "swapErrorAmountAboveMaximum": "Höchstbetrag: {max} satt", + "@swapErrorAmountAboveMaximum": { + "placeholders": { + "max": { + "type": "String" + } + } + }, + "psbtFlowPassportTitle": "Anleitung für die Stiftung Passport", + "exchangeLandingFeature3": "Bitcoin verkaufen, mit Bitcoin bezahlt werden", + "notLoggedInMessage": "Bitte loggen Sie sich in Ihr Bull Bitcoin-Konto ein, um die Austauscheinstellungen zu erreichen.", + "swapTotalFees": "Gesamtkosten ", + "keystoneStep11": "Klicken Sie auf \"Ich bin fertig\" in der Bull Bitcoin Geldbörse.", + "scanningCompletedMessage": "Scannen abgeschlossen", + "recoverbullSecureBackup": "Sichern Sie Ihr Backup", + "payDone": "KAPITEL", + "receiveContinue": "Fortsetzung", + "buyUnauthenticatedError": "Sie sind nicht authentifiziert. Bitte loggen Sie sich ein, um fortzufahren.", + "bitboxActionSignTransactionButton": "Starten Sie die Anmeldung", + "sendEnterAbsoluteFee": "Absolute Gebühr in sats eingeben", + "importWatchOnlyDisclaimerTitle": "Ableitungspfad Warnung", + "withdrawConfirmIban": "IBAN", + "payPayee": "Zahl", + "exchangeAccountComingSoon": "Diese Funktion kommt bald.", + "sellInProgress": "Verkaufen im Fortschritt...", + "testBackupLastKnownVault": "Letzte bekannte Verschlüsselung Standard: {timestamp}", + "@testBackupLastKnownVault": { + "placeholders": { + "timestamp": { + "type": "String" + } + } + }, + "recoverbullErrorFetchKeyFailed": "Versäumt, den Tresorschlüssel vom Server zu holen", + "sendSwapInProgressInvoice": "Der Swap ist im Gange. Die Rechnung wird in wenigen Sekunden bezahlt.", + "arkReceiveButton": "Empfang", + "electrumRetryCountNegativeError": "Retry Count kann nicht negativ sein", + "fundExchangeOnlineBillPaymentLabelAccountNumber": "Dies als Kontonummer hinzufügen", + "importQrDeviceJadeStep4": "Wählen Sie \"Optionen\" aus dem Hauptmenü", + "backupWalletSavingToDeviceTitle": "Sparen Sie auf Ihr Gerät.", + "transactionFilterSend": "Bitte", + "paySwapInProgress": "Swap in progress...", + "importMnemonicSyncMessage": "Alle drei Portemonnaie-Typen synchronisieren und ihre Balance und Transaktionen werden bald erscheinen. Sie können warten, bis Sync komplettiert oder gehen Sie zu importieren, wenn Sie sicher sind, welche Portemonnaietyp Sie importieren möchten.", + "coreSwapsLnSendClaimable": "Swap ist bereit, beansprucht zu werden.", + "fundExchangeMethodCrIbanCrcSubtitle": "Überweisung in Costa Rican Colón (CRC)", + "transactionDetailTitle": "Transaction details", + "autoswapRecipientWalletLabel": "Recipient Bitcoin Wallet", + "coreScreensConfirmTransfer": "Über uns", + "payPaymentInProgressDescription": "Ihre Zahlung wurde eingeleitet und der Empfänger erhält die Mittel, nachdem Ihre Transaktion 1 Bestätigung onchain erhält.", + "transactionLabelTotalTransferFees": "Gesamttransfergebühren", + "arkSettleMessage": "Finalisieren Sie anstehende Transaktionen und schließen Sie wiederherstellbare vtxos bei Bedarf ein", + "receiveCopyInvoice": "Kopieren Invoice", + "exchangeAccountInfoLastNameLabel": "Vorname", + "walletAutoTransferBlockedTitle": "Auto Transfer blockiert", + "importQrDeviceJadeInstructionsTitle": "Blockstream Jade Anleitung", + "paySendMax": "Max", + "recoverbullGoogleDriveDeleteConfirmation": "Sind Sie sicher, dass Sie diese Tresorsicherung löschen möchten? Diese Aktion kann nicht rückgängig gemacht werden.", + "arkReceiveArkAddress": "Ark Adresse", + "googleDriveSignInMessage": "Sie müssen sich bei Google Drive anmelden", + "transactionNoteEditTitle": "Anmerkung bearbeiten", + "transactionDetailLabelCompletedAt": "Abgeschlossen bei", + "passportStep9": "Klicken Sie auf die Schaltflächen, um die Transaktion auf Ihrem Passport zu unterzeichnen.", + "walletTypeBitcoinNetwork": "Bitcoin Netzwerk", + "electrumDeleteConfirmation": "Sind Sie sicher, dass Sie diesen Server löschen möchten?\n\n(X46X)", + "@electrumDeleteConfirmation": { + "placeholders": { + "serverUrl": { + "type": "String" + } + } + }, + "arkServerUrl": "Server URL", + "importMnemonicSelectType": "Wählen Sie einen Portemonnaietyp zum Import", + "fundExchangeMethodArsBankTransfer": "Banküberweisung", + "importQrDeviceKeystoneStep1": "Power auf Ihrem Keystone-Gerät", + "arkDurationDays": "{days} Tage", + "@arkDurationDays": { + "placeholders": { + "days": { + "type": "String" + } + } + }, + "bitcoinSettingsBip85EntropiesTitle": "BIP85 Deterministische Entropie", + "swapTransferAmount": "Transferbetrag", + "feePriorityLabel": "Gebührenpriorität", + "coreScreensToLabel": "Zu", + "backupSettingsTestBackup": "Test Backup", + "coreSwapsActionRefund": "Erstattung", + "payInsufficientBalance": "Unzureichende Balance in der ausgewählten Geldbörse, um diese Bezahlung Bestellung abzuschließen.", + "viewLogsLabel": "Logs anzeigen", + "sendSwapTimeEstimate": "Geschätzte Zeit: {time}", + "@sendSwapTimeEstimate": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "hwKeystone": "Schlüssel", + "kruxStep12": "Die Krux zeigt Ihnen dann einen eigenen QR-Code.", + "buyInputMinAmountError": "Sie sollten zumindest kaufen", + "ledgerScanningTitle": "Scannen nach Geräten", + "payInstitutionCode": "Institute Code", + "recoverbullFetchVaultKey": "Fech Vault Schlüssel", + "coreSwapsActionClaim": "Anspruch", + "bitboxActionUnlockDeviceSuccessSubtext": "Ihr BitBox-Gerät ist jetzt freigeschaltet und gebrauchsfertig.", + "payShareInvoice": "Teilen Invoice", + "walletDetailsSignerDeviceLabel": "Unterschreibergerät", + "bitboxScreenEnterPassword": "Passwort vergessen", + "keystoneStep10": "Der Keystone zeigt Ihnen dann seinen eigenen QR-Code.", + "ledgerSuccessSignTitle": "Transaktion erfolgreich unterzeichnet", + "electrumPrivacyNoticeContent1": "Datenschutzhinweis: Mit Ihrem eigenen Knoten wird sichergestellt, dass kein Dritter Ihre IP-Adresse mit Ihren Transaktionen verknüpfen kann.", + "testBackupEnterKeyManually": "Sicherungsschlüssel manuell eingeben >>", + "fundExchangeWarningTactic3": "Sie sagen, sie arbeiten für Schulden oder Steuererhebung", + "payCoinjoinFailed": "CoinJoin gescheitert", + "allWordsSelectedMessage": "Sie haben alle Wörter ausgewählt", + "bitboxActionPairDeviceTitle": "BitBox Gerät", + "buyKYCLevel2": "Level 2 - Enhanced", + "receiveAmount": "Betrag (optional)", + "testBackupErrorSelectAllWords": "Bitte wählen Sie alle Wörter", + "buyLevel1Limit": "Grenzwert: {amount}", + "@buyLevel1Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "dcaNetworkLabel": "Netzwerk", + "sendScanBitcoinQRCode": "Scannen Sie jeden Bitcoin oder Lightning QR-Code, um mit Bitcoin zu bezahlen.", + "toLabel": "Zu", + "passportStep7": " - Versuchen Sie, Ihr Gerät ein bisschen zurück zu bewegen", + "sendConfirm": "Bestätigen", + "payPhoneNumber": "Telefonnummer", + "transactionSwapProgressInvoicePaid": "Rechnung\nBezahlt", + "sendInsufficientFunds": "Nicht ausreichende Mittel", + "sendSuccessfullySent": "Erfolgreich Sent", + "sendSwapAmount": "Betrag", + "autoswapTitle": "Auto Transfer Einstellungen", + "sellInteracTransfer": "Interac e-Transfer", + "bitboxScreenPairingCodeSubtext": "Überprüfen Sie diesen Code mit Ihrem BitBox02-Bildschirm, dann bestätigen Sie auf dem Gerät.", + "createdAtLabel": "Erstellt bei:", + "pinConfirmMismatchError": "PINs passen nicht", + "autoswapMinimumThresholdErrorBtc": "Mindestausgleichsschwelle {amount} BTC", + "@autoswapMinimumThresholdErrorBtc": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "receiveLiquidNetwork": "Flüssig", + "autoswapSettingsTitle": "Auto Transfer Einstellungen", + "payFirstNameHint": "Vorname eingeben", + "walletDetailsPubkeyLabel": "Gülle", + "arkAboutBoardingExitDelay": "Ausstiegsverzögerung", + "receiveConfirmedInFewSeconds": "Es wird in ein paar Sekunden bestätigt", + "backupWalletInstructionNoPassphrase": "Ihr Backup ist nicht durch passphrase geschützt. Fügen Sie eine Passphrase zu Ihrem Backup später hinzu, indem Sie eine neue Geldbörse erstellen.", + "transactionDetailLabelSwapId": "Swap-ID", + "sendSwapFailed": "Der Swap hat versagt. Ihre Rückerstattung wird in Kürze bearbeitet.", + "sellNetworkError": "Netzwerkfehler. Bitte versuchen Sie es noch einmal", + "sendHardwareWallet": "Hardware Wallet", + "sendUserRejected": "Benutzer abgelehnt auf Gerät", + "swapSubtractFeesLabel": "Subtrahieren Sie Gebühren von Betrag", + "buyVerificationRequired": "Für diesen Betrag erforderliche Überprüfung", + "withdrawConfirmBankAccount": "Bankkonto", + "kruxStep1": "Anmeldung zu Ihrem Krux Gerät", + "dcaUseDefaultLightningAddress": "Verwenden Sie meine Standard Lightning-Adresse.", + "recoverbullErrorRejected": "Vom Key Server abgestoßen", + "sellEstimatedArrival": "Geschätzte Ankunft: {time}", + "@sellEstimatedArrival": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "fundExchangeWarningTacticsTitle": "Gemeinsame Betrügertaktik", + "payInstitutionCodeHint": "Institutscode", + "arkConfirmedBalance": "Saldo bestätigt", + "walletAddressTypeNativeSegwit": "Native Segwit", + "payOpenInvoice": "Offene Rechnung", + "payMaximumAmount": "Maximal: {amount}", + "@payMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sellSendPaymentNetworkFees": "Netzgebühren", + "transactionSwapDescLnReceivePaid": "Die Zahlung wurde erhalten! Wir senden nun die on-chain-Transaktion an Ihre Brieftasche.", + "payAboveMaxAmount": "Sie versuchen, über den maximalen Betrag zu zahlen, der mit dieser Geldbörse bezahlt werden kann.", + "receiveNetworkUnavailable": "{network} ist derzeit nicht verfügbar", + "@receiveNetworkUnavailable": { + "placeholders": { + "network": { + "type": "String" + } + } + }, + "fundExchangeHelpBeneficiaryAddress": "Unsere offizielle Adresse, falls dies von Ihrer Bank verlangt wird", + "backupWalletPhysicalBackupTitle": "Physische Sicherung", + "arkTxBoarding": "Durchführung", + "bitboxActionVerifyAddressSuccess": "Adresse Verifiziert erfolgreich", + "psbtImDone": "Ich bin fertig", + "bitboxScreenSelectWalletType": "Wählen Sie Wallet Typ", + "appUnlockEnterPinMessage": "Geben Sie Ihren Pincode ein, um zu entsperren", + "torSettingsTitle": "Tor-Einstellungen", + "backupSettingsRevealing": "Wiederholen...", + "payTotal": "Insgesamt", + "autoswapSaveErrorMessage": "Fehler beim Speichern von Einstellungen: {error}", + "@autoswapSaveErrorMessage": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaAddressLabelLightning": "Beleuchtungsadresse", + "addressViewTitle": "Adresse Details", + "payCompleted": "Zahlung abgeschlossen!", + "bitboxScreenManagePermissionsButton": "Genehmigungen für die Verwaltung", + "sellKYCPending": "KYC-Prüfung anhängig", + "buyGetConfirmedFaster": "Erhalten Sie es schneller", + "transactionOrderLabelPayinAmount": "Zahlbetrag", + "dcaLightningAddressLabel": "Beleuchtungsadresse", + "electrumEnableSsl": "SSL aktivieren", + "payCustomFee": "Zollgebühren", + "backupInstruction5": "Ihr Backup ist nicht durch passphrase geschützt. Fügen Sie eine Passphrase zu Ihrem Backup später hinzu, indem Sie eine neue Geldbörse erstellen.", + "buyConfirmExpress": "Confirm express", + "fundExchangeBankTransferWireTimeframe": "Alle Gelder, die Sie senden, werden innerhalb von 1-2 Werktagen zu Ihrem Bull Bitcoin hinzugefügt.", + "sendDeviceDisconnected": "Geräte getrennt", + "withdrawConfirmError": "Fehler: {error}", + "@withdrawConfirmError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payFeeBumpFailed": "Fee Stoß versagt", + "arkAboutUnilateralExitDelay": "Einseitige Ausstiegsverzögerung", + "payUnsupportedInvoiceType": "Ununterstützter Rechnungstyp", + "seedsignerStep13": "Die Transaktion wird in der Bull Bitcoin Geldbörse importiert.", + "autoswapRecipientWalletDefaultLabel": "Bitcoin Wallet", + "transactionSwapDescLnReceiveClaimable": "Die on-chain Transaktion wurde bestätigt. Wir fordern nun die Mittel, um Ihren Swap abzuschließen.", + "dcaPaymentMethodLabel": "Zahlungsmethode", + "swapProgressPendingMessage": "Die Übertragung ist im Gange. Bitcoin Transaktionen können eine Weile dauern, um zu bestätigen. Du kannst nach Hause zurückkehren und warten.", + "walletDetailsNetworkLabel": "Netzwerk", + "broadcastSignedTxBroadcasting": "Das ist...", + "recoverbullSelectRecoverWallet": "Recover Wallet", + "receivePayjoinActivated": "Payjoin aktiviert", + "importMnemonicContinue": "Fortsetzung", + "psbtFlowMoveLaser": "Bewegen Sie den roten Laser über QR-Code", + "chooseVaultLocationTitle": "Wählen Sie den Speicherort", + "dcaConfirmOrderTypeValue": "Recuring kaufen", + "psbtFlowDeviceShowsQr": "Der {device} zeigt Ihnen dann einen eigenen QR-Code.", + "@psbtFlowDeviceShowsQr": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "fundExchangeCrBankTransferDescriptionExactly": "genau", + "testBackupEncryptedVaultTitle": "Verschlüsselter Tresor", + "dcaWalletTypeLiquid": "Flüssigkeit (LBTC)", + "fundExchangeLabelInstitutionNumber": "Institutionsnummer", + "encryptedVaultDescription": "Anonyme Sicherung mit starker Verschlüsselung mit Ihrer Cloud.", + "arkAboutCopiedMessage": "{label} in die Zwischenablage kopiert", + "@arkAboutCopiedMessage": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "swapAmountLabel": "Betrag", + "recoverbullSelectCustomLocation": "Individueller Standort", + "sellConfirmOrder": "Bestätigen Verkauf Bestellung", + "exchangeAccountInfoUserNumberLabel": "Benutzernummer", + "buyVerificationComplete": "Vollständige Überprüfung", + "transactionNotesLabel": "Anmerkungen zur Umsetzung", + "replaceByFeeFeeRateDisplay": "Gebührensatz: {feeRate} sat/vbyte", + "@replaceByFeeFeeRateDisplay": { + "placeholders": { + "feeRate": { + "type": "String" + } + } + }, + "torSettingsPortValidationRange": "Hafen muss zwischen 1 und 65535 sein", + "fundExchangeMethodCrIbanUsdSubtitle": "Transferfonds in US-Dollar (USD)", + "electrumTimeoutEmptyError": "Timeout kann nicht leer sein", + "electrumPrivacyNoticeContent2": "Allerdings Wenn Sie Transaktionen über Mempool anzeigen, indem Sie auf Ihre Transaktions-ID oder Empfänger-Details Seite klicken, werden diese Informationen BullBitcoin bekannt.", + "exchangeAccountInfoVerificationIdentityVerified": "Identitätsprüfung", + "importColdcardScanPrompt": "Scannen Sie den QR-Code von Ihrem Coldcard Q", + "torSettingsDescConnected": "Tor Proxy läuft und bereit", + "backupSettingsEncryptedVault": "Verschlüsselter Tresor", + "autoswapAlwaysBlockInfoDisabled": "Wenn deaktiviert, erhalten Sie die Möglichkeit, einen Autotransfer zu ermöglichen, der aufgrund hoher Gebühren blockiert wird", + "dcaSetupTitle": "Recuring Set kaufen", + "sendErrorInsufficientBalanceForPayment": "Nicht genug Balance, um diese Zahlung zu decken", + "bitboxScreenPairingCode": "Paarungscode", + "testBackupPhysicalBackupTitle": "Physische Sicherung", + "fundExchangeSpeiDescription": "Überweisungsmittel mit CLABE", + "ledgerProcessingImport": "Wallet importieren", + "coldcardStep15": "Es ist jetzt bereit zu senden! Sobald Sie auf Sendung klicken, wird die Transaktion im Bitcoin-Netzwerk veröffentlicht und die Mittel werden gesendet.", + "comingSoonDefaultMessage": "Diese Funktion ist derzeit in der Entwicklung und wird bald verfügbar sein.", + "dcaFrequencyLabel": "Häufigkeit", + "ledgerErrorMissingAddress": "Anschrift für die Überprüfung", + "enterBackupKeyManuallyTitle": "Geben Sie den Sicherungsschlüssel manuell", + "transactionDetailLabelRecipientAddress": "Empfängeradresse", + "recoverbullCreatingVault": "Erstellen Verschlüsselt Vault", + "walletsListNoWalletsMessage": "Keine Brieftaschen gefunden", + "importWalletColdcardQ": "Kaltkarte Q", + "backupSettingsStartBackup": "Starten Sie Backup", + "sendReceiveAmount": "Betrag", + "recoverbullTestRecovery": "Test Erholung", + "sellNetAmount": "Nettobetrag", + "willNot": "nicht ", + "arkAboutServerPubkey": "Server", + "receiveReceiveAmount": "Betrag", + "exchangeReferralsApplyToJoinMessage": "Wenden Sie sich an das Programm hier", + "payLabelHint": "Geben Sie ein Etikett für diesen Empfänger ein", + "payBitcoinOnchain": "Bitcoin on-chain", + "pinManageDescription": "Verwalten Sie Ihre Sicherheit PIN", + "pinCodeConfirm": "Bestätigen", + "bitboxActionUnlockDeviceProcessing": "Entriegelungsvorrichtung", + "seedsignerStep4": "Wenn Sie Probleme beim Scannen haben:", + "mempoolNetworkLiquidTestnet": "Flüssiges Testnet", + "payBitcoinOnChain": "Bitcoin on-chain", + "torSettingsDescDisconnected": "Tor Proxy läuft nicht", + "ledgerButtonTryAgain": "Noch einmal", + "bitboxScreenNestedSegwitBip49Subtitle": "P2WPKH-Nested-in-P2SH", + "buyInstantPaymentWallet": "Instant Payment Wallet", + "autoswapMaxBalanceLabel": "Max Instant Wallet Balance", + "recoverbullRecoverBullServer": "RecoverBull Server", + "satsBitcoinUnitSettingsLabel": "Anzeigeeinheit in sats", + "exchangeDcaViewSettings": "Einstellungen anzeigen", + "payRetryPayment": "Rückzahlung", + "exchangeSupportChatTitle": "Support Chat", + "arkTxTypeCommitment": "Verpflichtung", + "exchangeReferralsJoinMissionTitle": "Begleiten Sie die Mission", + "exchangeSettingsLogInTitle": "Anmeldung", + "customLocationRecommendation": "Benutzerdefinierte Lage: ", + "fundExchangeMethodCrIbanUsd": "Costa Rica (USD)", + "recoverbullErrorSelectVault": "Nicht verfügbar", + "paySwapCompleted": "Swap abgeschlossen", + "receiveDescription": "Beschreibung (optional)", + "bitboxScreenVerifyAddress": "Adresse verifizieren", + "bitboxScreenConnectDevice": "Verbinden Sie Ihr BitBox-Gerät", + "arkYesterday": "Gestern", + "amountRequestedLabel": "Betrag beantragt: {amount}", + "@amountRequestedLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "swapProgressRefunded": "Überweisung zurückerstattet", + "payPaymentHistory": "Geschichte der Zahlungsbilanz", + "exchangeFeatureUnifiedHistory": "• Einheitliche Transaktionsgeschichte", + "payViewDetails": "Details anzeigen", + "withdrawOrderAlreadyConfirmedError": "Dieser Widerruf wurde bereits bestätigt.", + "autoswapSelectWallet": "Wählen Sie eine Bitcoin Wallet", + "walletAutoTransferBlockButton": "Block", + "recoverbullGoogleDriveErrorSelectFailed": "Nicht ausgewählter Tresor von Google Drive", + "autoswapRecipientWalletRequired": "*", + "pinCodeLoading": "Beladung", + "fundExchangeCrIbanUsdLabelRecipientName": "Empfängername", + "ledgerSignTitle": "Transaktion unterzeichnen", + "electrumPrivacyNoticeSave": "Speichern", + "save": "Speichern", + "transactionLabelStatus": "Status", + "transactionPayjoinStatusCompleted": "Abgeschlossen", + "recoverbullFailed": "Fehlgeschlagen", + "walletDeletionFailedOkButton": "OK", + "dcaCancelButton": "Abbrechen", + "arkSettleCancel": "Abbrechen", + "sendChange": "Ändern", + "exchangeAppSettingsSaveButton": "Speichern", + "okButton": "OK", + "arkAboutShow": "Anzeigen", + "autoswapWarningOkButton": "OK", + "transactionFilterAll": "Alle", + "sellSendPaymentAdvanced": "Erweiterte Einstellungen", + "walletDeletionConfirmationCancelButton": "Abbrechen", + "transactionSwapProgressCompleted": "Abgeschlossen", + "exchangeDcaCancelDialogCancelButton": "Abbrechen", + "importWatchOnlyType": "Typ", + "electrumPrivacyNoticeCancel": "Abbrechen", + "passwordLabel": "Passwort", + "transactionNoteSaveButton": "Speichern", + "walletBalanceUnconfirmedIncoming": "Aktiv", + "exchangeAuthOk": "OK", + "transactionDetailLabelPayjoinCompleted": "Abgeschlossen", + "electrumCancel": "Abbrechen", + "arkCancelButton": "Abbrechen", + "anErrorOccurred": "Es ist ein Fehler aufgetreten:", + "transactionSwapProgressInProgress": "Aktiv", + "payFailedPayments": "Fehlgeschlagen", + "coreSwapsStatusInProgress": "Aktiv", + "arkType": "Typ", + "autoswapSave": "Speichern", + "cancelButton": "Abbrechen", + "receiveSave": "Speichern", + "recoverbullPassword": "Passwort", + "torSettingsSaveButton": "Speichern", + "exchangeAuthLoginFailedOkButton": "OK", + "transactionStatusInProgress": "Aktiv", + "electrumUnknownError": "Es ist ein Fehler aufgetreten:", + "sendAdvancedSettings": "Erweiterte Einstellungen", + "transactionDetailLabelStatus": "Status", + "cancel": "Abbrechen", + "coreSwapsStatusFailed": "Fehlgeschlagen", + "pinAuthenticationTitle": "Legitimierung", + "addressViewChangeType": "Ändern", + "pinCodeAuthentication": "Legitimierung", + "appUnlockScreenTitle": "Legitimierung", + "arkStatus": "Status", + "coreSwapsStatusCompleted": "Abgeschlossen", + "recoverbullGoogleDriveCancelButton": "Abbrechen", + "autoswapSaveButton": "Speichern", + "recoverbullRetry": "Erneut versuchen", + "payAdvancedSettings": "Erweiterte Einstellungen", + "transactionNoteUpdateButton": "Aktualisieren", + "sellAdvancedSettings": "Erweiterte Einstellungen", + "importWatchOnlyCancel": "Abbrechen" +} \ No newline at end of file diff --git a/localization/app_en.arb b/localization/app_en.arb index b914c6227..43209e061 100644 --- a/localization/app_en.arb +++ b/localization/app_en.arb @@ -1,5 +1,21 @@ { "@@locale": "en", + "translationWarningTitle": "AI-Generated Translations", + "@translationWarningTitle": { + "description": "Title for the AI translation warning bottom sheet" + }, + "translationWarningDescription": "Most translations in this app were generated using AI and may contain inaccuracies. If you notice any errors or would like to help improve the translations, you can contribute through our community translation platform.", + "@translationWarningDescription": { + "description": "Description explaining that translations are AI-generated and may be inaccurate" + }, + "translationWarningContributeButton": "Help Improve Translations", + "@translationWarningContributeButton": { + "description": "Button to open Weblate translation platform" + }, + "translationWarningDismissButton": "Got It", + "@translationWarningDismissButton": { + "description": "Button to dismiss the translation warning" + }, "durationSeconds": "{seconds} seconds", "@durationSeconds": { "description": "Duration format for seconds", @@ -9376,18 +9392,26 @@ "@bip329LabelsExportButton": { "description": "Button text to export labels" }, - "bip329LabelsExportSuccess": "{count, plural, =1{1 label exported} other{{count} labels exported}}", - "@bip329LabelsExportSuccess": { - "description": "Success message after exporting labels", + "bip329LabelsExportSuccessSingular": "1 label exported", + "@bip329LabelsExportSuccessSingular": { + "description": "Success message after exporting exactly 1 label" + }, + "bip329LabelsExportSuccessPlural": "{count} labels exported", + "@bip329LabelsExportSuccessPlural": { + "description": "Success message after exporting multiple labels", "placeholders": { "count": { "type": "int" } } }, - "bip329LabelsImportSuccess": "{count, plural, =1{1 label imported} other{{count} labels imported}}", - "@bip329LabelsImportSuccess": { - "description": "Success message after importing labels", + "bip329LabelsImportSuccessSingular": "1 label imported", + "@bip329LabelsImportSuccessSingular": { + "description": "Success message after importing exactly 1 label" + }, + "bip329LabelsImportSuccessPlural": "{count} labels imported", + "@bip329LabelsImportSuccessPlural": { + "description": "Success message after importing multiple labels", "placeholders": { "count": { "type": "int" diff --git a/localization/app_es.arb b/localization/app_es.arb index 8a64f1c98..38875f8f0 100644 --- a/localization/app_es.arb +++ b/localization/app_es.arb @@ -1,12183 +1,19 @@ { - "@@locale": "es", - "durationSeconds": "{seconds} segundos", - "@durationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "String" - } - } - }, - "durationMinute": "{minutes} minuto", - "@durationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "durationMinutes": "{minutes} minutos", - "@durationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "coreSwapsStatusPending": "Pendiente", - "@coreSwapsStatusPending": { - "description": "Display name for pending swap status" - }, - "coreSwapsStatusInProgress": "En progreso", - "@coreSwapsStatusInProgress": { - "description": "Display name for in-progress swap status (paid, claimable, refundable, canCoop)" - }, - "coreSwapsStatusCompleted": "Completado", - "@coreSwapsStatusCompleted": { - "description": "Display name for completed swap status" - }, - "coreSwapsStatusExpired": "Expirado", - "@coreSwapsStatusExpired": { - "description": "Display name for expired swap status" - }, - "coreSwapsStatusFailed": "Fallido", - "@coreSwapsStatusFailed": { - "description": "Display name for failed swap status" - }, - "coreSwapsActionClaim": "Reclamar", - "@coreSwapsActionClaim": { - "description": "Action label for claiming a swap" - }, - "coreSwapsActionClose": "Cerrar", - "@coreSwapsActionClose": { - "description": "Action label for closing a swap cooperatively" - }, - "coreSwapsActionRefund": "Reembolsar", - "@coreSwapsActionRefund": { - "description": "Action label for refunding a swap" - }, - "coreSwapsLnReceivePending": "El intercambio aún no está inicializado.", - "@coreSwapsLnReceivePending": { - "description": "Status message for pending Lightning receive swap" - }, - "coreSwapsLnReceivePaid": "El remitente ha pagado la factura.", - "@coreSwapsLnReceivePaid": { - "description": "Status message for paid Lightning receive swap" - }, - "coreSwapsLnReceiveClaimable": "El intercambio está listo para ser reclamado.", - "@coreSwapsLnReceiveClaimable": { - "description": "Status message for claimable Lightning receive swap" - }, - "coreSwapsLnReceiveRefundable": "El intercambio está listo para ser reembolsado.", - "@coreSwapsLnReceiveRefundable": { - "description": "Status message for refundable Lightning receive swap" - }, - "coreSwapsLnReceiveCanCoop": "El intercambio se completará en breve.", - "@coreSwapsLnReceiveCanCoop": { - "description": "Status message for Lightning receive swap that can complete cooperatively" - }, - "coreSwapsLnReceiveCompleted": "El intercambio está completado.", - "@coreSwapsLnReceiveCompleted": { - "description": "Status message for completed Lightning receive swap" - }, - "coreSwapsLnReceiveExpired": "Intercambio expirado.", - "@coreSwapsLnReceiveExpired": { - "description": "Status message for expired Lightning receive swap" - }, - "coreSwapsLnReceiveFailed": "Intercambio fallido.", - "@coreSwapsLnReceiveFailed": { - "description": "Status message for failed Lightning receive swap" - }, - "coreSwapsLnSendPending": "El intercambio aún no está inicializado.", - "@coreSwapsLnSendPending": { - "description": "Status message for pending Lightning send swap" - }, - "coreSwapsLnSendPaid": "La factura se pagará después de que su pago reciba confirmación.", - "@coreSwapsLnSendPaid": { - "description": "Status message for paid Lightning send swap" - }, - "coreSwapsLnSendClaimable": "El intercambio está listo para ser reclamado.", - "@coreSwapsLnSendClaimable": { - "description": "Status message for claimable Lightning send swap" - }, - "coreSwapsLnSendRefundable": "El intercambio está listo para ser reembolsado.", - "@coreSwapsLnSendRefundable": { - "description": "Status message for refundable Lightning send swap" - }, - "coreSwapsLnSendCanCoop": "El intercambio se completará en breve.", - "@coreSwapsLnSendCanCoop": { - "description": "Status message for Lightning send swap that can complete cooperatively" - }, - "coreSwapsLnSendCompletedRefunded": "El intercambio ha sido reembolsado.", - "@coreSwapsLnSendCompletedRefunded": { - "description": "Status message for Lightning send swap completed via refund" - }, - "coreSwapsLnSendCompletedSuccess": "El intercambio se ha completado con éxito.", - "@coreSwapsLnSendCompletedSuccess": { - "description": "Status message for successfully completed Lightning send swap" - }, - "coreSwapsLnSendExpired": "Intercambio expirado", - "@coreSwapsLnSendExpired": { - "description": "Status message for expired Lightning send swap" - }, - "coreSwapsLnSendFailedRefunding": "El intercambio será reembolsado en breve.", - "@coreSwapsLnSendFailedRefunding": { - "description": "Status message for failed Lightning send swap that will be refunded" - }, - "coreSwapsLnSendFailed": "Intercambio fallido.", - "@coreSwapsLnSendFailed": { - "description": "Status message for failed Lightning send swap" - }, - "coreSwapsChainPending": "La transferencia aún no está inicializada.", - "@coreSwapsChainPending": { - "description": "Status message for pending chain swap" - }, - "coreSwapsChainPaid": "Esperando confirmación del pago del proveedor de transferencia. Esto puede tardar un tiempo en completarse.", - "@coreSwapsChainPaid": { - "description": "Status message for paid chain swap" - }, - "coreSwapsChainClaimable": "La transferencia está lista para ser reclamada.", - "@coreSwapsChainClaimable": { - "description": "Status message for claimable chain swap" - }, - "coreSwapsChainRefundable": "La transferencia está lista para ser reembolsada.", - "@coreSwapsChainRefundable": { - "description": "Status message for refundable chain swap" - }, - "coreSwapsChainCanCoop": "La transferencia se completará en breve.", - "@coreSwapsChainCanCoop": { - "description": "Status message for chain swap that can complete cooperatively" - }, - "coreSwapsChainCompletedRefunded": "La transferencia ha sido reembolsada.", - "@coreSwapsChainCompletedRefunded": { - "description": "Status message for chain swap completed via refund" - }, - "coreSwapsChainCompletedSuccess": "La transferencia se ha completado con éxito.", - "@coreSwapsChainCompletedSuccess": { - "description": "Status message for successfully completed chain swap" - }, - "coreSwapsChainExpired": "Transferencia expirada", - "@coreSwapsChainExpired": { - "description": "Status message for expired chain swap" - }, - "coreSwapsChainFailedRefunding": "La transferencia será reembolsada en breve.", - "@coreSwapsChainFailedRefunding": { - "description": "Status message for failed chain swap that will be refunded" - }, - "coreSwapsChainFailed": "Transferencia fallida.", - "@coreSwapsChainFailed": { - "description": "Status message for failed chain swap" - }, - "coreWalletTransactionStatusPending": "Pendiente", - "@coreWalletTransactionStatusPending": { - "description": "Display name for pending wallet transaction status" - }, - "coreWalletTransactionStatusConfirmed": "Confirmado", - "@coreWalletTransactionStatusConfirmed": { - "description": "Display name for confirmed wallet transaction status" - }, - "onboardingScreenTitle": "Bienvenido", - "@onboardingScreenTitle": { - "description": "El título de la pantalla de inicio" - }, - "onboardingCreateWalletButtonLabel": "Crear billetera", - "@onboardingCreateWalletButtonLabel": { - "description": "La etiqueta del botón para crear una billetera desde la pantalla de inicio" - }, - "onboardingRecoverWalletButtonLabel": "Recuperar billetera", - "@onboardingRecoverWalletButtonLabel": { - "description": "La etiqueta del botón para recuperar una billetera desde la pantalla de inicio" - }, - "settingsScreenTitle": "Ajustes", - "@settingsScreenTitle": { - "description": "El título de la pantalla de ajustes" - }, - "testnetModeSettingsLabel": "Modo Testnet", - "@testnetModeSettingsLabel": { - "description": "La etiqueta de la configuración del modo Testnet" - }, - "satsBitcoinUnitSettingsLabel": "Mostrar unidad en sats", - "@satsBitcoinUnitSettingsLabel": { - "description": "La etiqueta para cambiar la unidad de Bitcoin a sats en ajustes" - }, - "pinCodeSettingsLabel": "Código PIN", - "@pinCodeSettingsLabel": { - "description": "La etiqueta del botón para acceder a la configuración del código PIN" - }, - "languageSettingsLabel": "Idioma", - "@languageSettingsLabel": { - "description": "La etiqueta del botón para acceder a la configuración de idioma" - }, - "backupSettingsLabel": "Copia de seguridad de billetera", - "@backupSettingsLabel": { - "description": "La etiqueta del botón para acceder a la configuración de copia de seguridad" - }, - "electrumServerSettingsLabel": "Servidor Electrum (nodo Bitcoin)", - "@electrumServerSettingsLabel": { - "description": "La etiqueta del botón para acceder a la configuración del servidor Electrum" - }, - "fiatCurrencySettingsLabel": "Moneda fiduciaria", - "@fiatCurrencySettingsLabel": { - "description": "La etiqueta del botón para acceder a la configuración de moneda fiduciaria" - }, - "languageSettingsScreenTitle": "Idioma", - "@languageSettingsScreenTitle": { - "description": "El título de la pantalla de configuración de idioma" - }, - "backupSettingsScreenTitle": "Configuración de Respaldo", - "@backupSettingsScreenTitle": { - "description": "AppBar title for backup settings screen" - }, - "settingsExchangeSettingsTitle": "Configuración de intercambio", - "@settingsExchangeSettingsTitle": { - "description": "Title for the exchange settings section in the settings menu" - }, - "settingsWalletBackupTitle": "Respaldo de billetera", - "@settingsWalletBackupTitle": { - "description": "Title for the wallet backup section in the settings menu" - }, - "settingsBitcoinSettingsTitle": "Configuración de Bitcoin", - "@settingsBitcoinSettingsTitle": { - "description": "Title for the Bitcoin settings section in the settings menu" - }, - "settingsSecurityPinTitle": "PIN de seguridad", - "@settingsSecurityPinTitle": { - "description": "Title for the security PIN section in the settings menu" - }, - "pinCodeAuthentication": "Autenticación", - "@pinCodeAuthentication": { - "description": "AppBar title for PIN code authentication screens" - }, - "pinCodeCreateTitle": "Crear nuevo PIN", - "@pinCodeCreateTitle": { - "description": "Title for creating a new PIN code" - }, - "pinCodeCreateDescription": "Su PIN protege el acceso a su billetera y configuración. Manténgalo memorable.", - "@pinCodeCreateDescription": { - "description": "Description explaining the purpose of the PIN code" - }, - "pinCodeMinLengthError": "El PIN debe tener al menos {minLength} dígitos", - "@pinCodeMinLengthError": { - "description": "Error message when PIN is too short", - "placeholders": { - "minLength": { - "type": "String" - } - } - }, - "pinCodeConfirmTitle": "Confirmar nuevo PIN", - "@pinCodeConfirmTitle": { - "description": "Title for confirming the new PIN code" - }, - "pinCodeMismatchError": "Los PINs no coinciden", - "@pinCodeMismatchError": { - "description": "Error message when PIN confirmation doesn't match" - }, - "pinCodeSecurityPinTitle": "PIN de seguridad", - "@pinCodeSecurityPinTitle": { - "description": "AppBar title for PIN settings screen" - }, - "pinCodeManageTitle": "Administrar su PIN de seguridad", - "@pinCodeManageTitle": { - "description": "Header title for PIN management section" - }, - "pinCodeChangeButton": "Cambiar PIN", - "@pinCodeChangeButton": { - "description": "Button label to change existing PIN" - }, - "pinCodeCreateButton": "Crear PIN", - "@pinCodeCreateButton": { - "description": "Button label to create a new PIN" - }, - "pinCodeRemoveButton": "Eliminar PIN de seguridad", - "@pinCodeRemoveButton": { - "description": "Button label to remove the security PIN" - }, - "pinCodeContinue": "Continuar", - "@pinCodeContinue": { - "description": "Button label to continue with PIN entry" - }, - "pinCodeConfirm": "Confirmar", - "@pinCodeConfirm": { - "description": "Button label to confirm PIN entry" - }, - "pinCodeLoading": "Cargando", - "@pinCodeLoading": { - "description": "Status screen title while loading PIN settings" - }, - "pinCodeCheckingStatus": "Verificando estado del PIN", - "@pinCodeCheckingStatus": { - "description": "Status screen description while checking PIN status" - }, - "pinCodeProcessing": "Procesando", - "@pinCodeProcessing": { - "description": "Status screen title while processing PIN changes" - }, - "pinCodeSettingUp": "Configurando su código PIN", - "@pinCodeSettingUp": { - "description": "Status screen description while setting up PIN" - }, - "settingsCurrencyTitle": "Moneda", - "@settingsCurrencyTitle": { - "description": "Title for the currency settings section in the settings menu" - }, - "settingsAppSettingsTitle": "Configuración de la aplicación", - "@settingsAppSettingsTitle": { - "description": "Title for the app settings section in the settings menu" - }, - "settingsTermsOfServiceTitle": "Términos de servicio", - "@settingsTermsOfServiceTitle": { - "description": "Title for the terms of service section in the settings menu" - }, - "settingsAppVersionLabel": "Versión de la aplicación", - "@settingsAppVersionLabel": { - "description": "Label displayed before the app version number in settings" - }, - "settingsTelegramLabel": "Telegram", - "@settingsTelegramLabel": { - "description": "Label for the Telegram link in settings" - }, - "settingsGithubLabel": "GitHub", - "@settingsGithubLabel": { - "description": "Label for the Github link in settings" - }, - "settingsServicesStatusTitle": "Estado de los servicios", - "@settingsServicesStatusTitle": { - "description": "Title for the services status section in the settings menu" - }, - "settingsTorSettingsTitle": "Configuración de Tor", - "@settingsTorSettingsTitle": { - "description": "Title for the Tor settings section in app settings" - }, - "settingsRecoverbullTitle": "Recoverbull", - "@settingsRecoverbullTitle": { - "description": "Title for the Recoverbull backup section in app settings" - }, - "settingsLanguageTitle": "Idioma", - "@settingsLanguageTitle": { - "description": "Title for the language selection in app settings" - }, - "settingsThemeTitle": "Tema", - "@settingsThemeTitle": { - "description": "Title for the theme selection in app settings" - }, - "settingsArkTitle": "Ark", - "@settingsArkTitle": { - "description": "Title for the Ark protocol section in Bitcoin settings" - }, - "settingsDevModeWarningTitle": "Modo desarrollador", - "@settingsDevModeWarningTitle": { - "description": "Title for the developer mode warning dialog" - }, - "settingsDevModeWarningMessage": "Este modo es arriesgado. Al activarlo, reconoces que podrías perder dinero", - "@settingsDevModeWarningMessage": { - "description": "Warning message displayed when enabling developer mode" - }, - "settingsDevModeUnderstandButton": "Entiendo", - "@settingsDevModeUnderstandButton": { - "description": "Button label to acknowledge developer mode warning" - }, - "settingsSuperuserModeDisabledMessage": "Modo superusuario desactivado.", - "@settingsSuperuserModeDisabledMessage": { - "description": "Message shown when superuser mode is disabled" - }, - "settingsSuperuserModeUnlockedMessage": "¡Modo superusuario desbloqueado!", - "@settingsSuperuserModeUnlockedMessage": { - "description": "Message shown when superuser mode is enabled" - }, - "walletOptionsUnnamedWalletFallback": "Billetera sin nombre", - "@walletOptionsUnnamedWalletFallback": { - "description": "Fallback name displayed for wallets without a specified name" - }, - "walletOptionsNotFoundMessage": "Billetera no encontrada", - "@walletOptionsNotFoundMessage": { - "description": "Error message displayed when a wallet cannot be found" - }, - "walletOptionsWalletDetailsTitle": "Detalles de la billetera", - "@walletOptionsWalletDetailsTitle": { - "description": "Title for the wallet details screen" - }, - "addressViewAddressesTitle": "Direcciones", - "@addressViewAddressesTitle": { - "description": "Title for the addresses section in wallet options" - }, - "walletDetailsDeletingMessage": "Eliminando billetera...", - "@walletDetailsDeletingMessage": { - "description": "Message displayed while a wallet is being deleted" - }, - "walletDetailsWalletFingerprintLabel": "Huella digital de la billetera", - "@walletDetailsWalletFingerprintLabel": { - "description": "Label for the wallet fingerprint field in wallet details" - }, - "walletDetailsPubkeyLabel": "Clave pública", - "@walletDetailsPubkeyLabel": { - "description": "Label for the public key field in wallet details" - }, - "walletDetailsDescriptorLabel": "Descriptor", - "@walletDetailsDescriptorLabel": { - "description": "Label for the wallet descriptor field in wallet details" - }, - "walletDetailsAddressTypeLabel": "Tipo de dirección", - "@walletDetailsAddressTypeLabel": { - "description": "Label for the address type field in wallet details" - }, - "walletDetailsNetworkLabel": "Red", - "@walletDetailsNetworkLabel": { - "description": "Label for the network field in wallet details" - }, - "walletDetailsDerivationPathLabel": "Ruta de derivación", - "@walletDetailsDerivationPathLabel": { - "description": "Label for the derivation path field in wallet details" - }, - "walletDetailsSignerLabel": "Firmante", - "@walletDetailsSignerLabel": { - "description": "Label for the signer field in wallet details" - }, - "walletDetailsSignerDeviceLabel": "Dispositivo firmante", - "@walletDetailsSignerDeviceLabel": { - "description": "Label for the signer device field in wallet details" - }, - "walletDetailsSignerDeviceNotSupported": "Dispositivo firmante no compatible", - "@walletDetailsSignerDeviceNotSupported": { - "description": "Message displayed when a signer device is not supported" - }, - "walletDetailsCopyButton": "Copiar", - "@walletDetailsCopyButton": { - "description": "Button label for copying wallet details to clipboard" - }, - "bitcoinSettingsWalletsTitle": "Billeteras", - "@bitcoinSettingsWalletsTitle": { - "description": "Title for the wallets section in Bitcoin settings" - }, - "bitcoinSettingsElectrumServerTitle": "Configuración del servidor Electrum", - "@bitcoinSettingsElectrumServerTitle": { - "description": "Title for the Electrum server settings section in Bitcoin settings" - }, - "mempoolSettingsTitle": "Mempool Server", - "@mempoolSettingsTitle": { - "description": "Title for mempool settings screen" - }, - "mempoolSettingsDescription": "Configure custom mempool servers for different networks. Each network can use its own server for block explorer and fee estimation.", - "@mempoolSettingsDescription": { - "description": "Description text for mempool settings screen" - }, - "mempoolSettingsDefaultServer": "Default Server", - "@mempoolSettingsDefaultServer": { - "description": "Label for default mempool server section" - }, - "mempoolSettingsCustomServer": "Custom Server", - "@mempoolSettingsCustomServer": { - "description": "Label for custom mempool server section" - }, - "mempoolNetworkBitcoinMainnet": "Bitcoin Mainnet", - "@mempoolNetworkBitcoinMainnet": { - "description": "Label for Bitcoin mainnet network option" - }, - "mempoolNetworkBitcoinTestnet": "Bitcoin Testnet", - "@mempoolNetworkBitcoinTestnet": { - "description": "Label for Bitcoin testnet network option" - }, - "mempoolNetworkLiquidMainnet": "Liquid Mainnet", - "@mempoolNetworkLiquidMainnet": { - "description": "Label for Liquid mainnet network option" - }, - "mempoolNetworkLiquidTestnet": "Liquid Testnet", - "@mempoolNetworkLiquidTestnet": { - "description": "Label for Liquid testnet network option" - }, - "mempoolCustomServerAdd": "Add Custom Server", - "@mempoolCustomServerAdd": { - "description": "Button text to add a custom mempool server" - }, - "mempoolCustomServerEdit": "Edit", - "@mempoolCustomServerEdit": { - "description": "Button text to edit custom server" - }, - "mempoolCustomServerDelete": "Delete", - "@mempoolCustomServerDelete": { - "description": "Button text to delete custom server" - }, - "mempoolCustomServerLabel": "CUSTOM", - "@mempoolCustomServerLabel": { - "description": "Label badge for custom server" - }, - "mempoolServerNotUsed": "Not used (custom server active)", - "@mempoolServerNotUsed": { - "description": "Label shown when default server is not used because custom server is active" - }, - "mempoolCustomServerDeleteTitle": "Delete Custom Server?", - "@mempoolCustomServerDeleteTitle": { - "description": "Title for delete confirmation dialog" - }, - "mempoolCustomServerDeleteMessage": "Are you sure you want to delete this custom mempool server? The default server will be used instead.", - "@mempoolCustomServerDeleteMessage": { - "description": "Message for delete confirmation dialog" - }, - "mempoolCustomServerUrl": "Server URL", - "@mempoolCustomServerUrl": { - "description": "Label for server URL input field" - }, - "mempoolCustomServerUrlEmpty": "Please enter a server URL", - "@mempoolCustomServerUrlEmpty": { - "description": "Error message when URL is empty" - }, - "mempoolCustomServerSaveSuccess": "Custom server saved successfully", - "@mempoolCustomServerSaveSuccess": { - "description": "Success message after saving custom server" - }, - "mempoolCustomServerBottomSheetDescription": "Enter the URL of your custom mempool server. The server will be validated before saving.", - "@mempoolCustomServerBottomSheetDescription": { - "description": "Description text in add custom server bottom sheet" - }, - "mempoolSettingsUseForFeeEstimation": "Use for Fee Estimation", - "@mempoolSettingsUseForFeeEstimation": { - "description": "Label for fee estimation toggle" - }, - "mempoolSettingsUseForFeeEstimationDescription": "When enabled, this server will be used for fee estimation. When disabled, Bull Bitcoin's mempool server will be used instead.", - "@mempoolSettingsUseForFeeEstimationDescription": { - "description": "Description for fee estimation toggle" - }, - "bitcoinSettingsAutoTransferTitle": "Configuración de transferencia automática", - "@bitcoinSettingsAutoTransferTitle": { - "description": "Title for the auto transfer settings section in Bitcoin settings" - }, - "bitcoinSettingsLegacySeedsTitle": "Semillas heredadas", - "@bitcoinSettingsLegacySeedsTitle": { - "description": "Title for the legacy seeds section in Bitcoin settings" - }, - "bitcoinSettingsImportWalletTitle": "Importar billetera", - "@bitcoinSettingsImportWalletTitle": { - "description": "Title for the import wallet option in Bitcoin settings" - }, - "bitcoinSettingsBroadcastTransactionTitle": "Transmitir transacción", - "@bitcoinSettingsBroadcastTransactionTitle": { - "description": "Title for the broadcast transaction option in Bitcoin settings" - }, - "bitcoinSettingsTestnetModeTitle": "Modo Testnet", - "@bitcoinSettingsTestnetModeTitle": { - "description": "Title for the testnet mode toggle in Bitcoin settings" - }, - "bitcoinSettingsBip85EntropiesTitle": "Entropías determinísticas BIP85", - "@bitcoinSettingsBip85EntropiesTitle": { - "description": "Title for the BIP85 deterministic entropies section in Bitcoin settings" - }, - "logSettingsLogsTitle": "Registros", - "@logSettingsLogsTitle": { - "description": "Title for the logs section in settings" - }, - "logSettingsErrorLoadingMessage": "Error al cargar los registros", - "@logSettingsErrorLoadingMessage": { - "description": "Error message displayed when logs fail to load" - }, - "appSettingsDevModeTitle": "Modo de desarrollo", - "@appSettingsDevModeTitle": { - "description": "Title for the developer mode toggle in app settings" - }, - "currencySettingsDefaultFiatCurrencyLabel": "Moneda fiat predeterminada", - "@currencySettingsDefaultFiatCurrencyLabel": { - "description": "Label for the default fiat currency setting" - }, - "exchangeSettingsAccountInformationTitle": "Información de la cuenta", - "@exchangeSettingsAccountInformationTitle": { - "description": "Title for the account information section in exchange settings" - }, - "exchangeSettingsSecuritySettingsTitle": "Configuración de seguridad", - "@exchangeSettingsSecuritySettingsTitle": { - "description": "Title for the security settings section in exchange settings" - }, - "exchangeSettingsReferralsTitle": "Referencias", - "@exchangeSettingsReferralsTitle": { - "description": "Title for the referrals section in exchange settings" - }, - "exchangeSettingsLogInTitle": "Iniciar sesión", - "@exchangeSettingsLogInTitle": { - "description": "Title for the log in option in exchange settings" - }, - "exchangeSettingsLogOutTitle": "Cerrar sesión", - "@exchangeSettingsLogOutTitle": { - "description": "Title for the log out option in exchange settings" - }, - "exchangeTransactionsTitle": "Transacciones", - "@exchangeTransactionsTitle": { - "description": "Title for the transactions section in exchange" - }, - "exchangeTransactionsComingSoon": "Esta función estará disponible pronto.", - "@exchangeTransactionsComingSoon": { - "description": "Message indicating that the transactions feature is coming soon" - }, - "exchangeSecurityManage2FAPasswordLabel": "Gestionar 2FA y contraseña", - "@exchangeSecurityManage2FAPasswordLabel": { - "description": "Label for managing 2FA and password in exchange security settings" - }, - "exchangeSecurityAccessSettingsButton": "Acceder a la configuración", - "@exchangeSecurityAccessSettingsButton": { - "description": "Button label for accessing security settings in exchange" - }, - "exchangeReferralsTitle": "Referencias", - "@exchangeReferralsTitle": { - "description": "Title for the referral codes section" - }, - "exchangeReferralsJoinMissionTitle": "Únase a nuestra misión", - "@exchangeReferralsJoinMissionTitle": { - "description": "Title encouraging users to join the referral mission" - }, - "exchangeReferralsContactSupportMessage": "Contacte al soporte para más información", - "@exchangeReferralsContactSupportMessage": { - "description": "Message prompting users to contact support about the referral program" - }, - "exchangeReferralsApplyToJoinMessage": "Solicite unirse a nuestro programa de referencias", - "@exchangeReferralsApplyToJoinMessage": { - "description": "Message with link to apply for the referral program" - }, - "exchangeReferralsMissionLink": "Aprenda más sobre nuestra misión", - "@exchangeReferralsMissionLink": { - "description": "Link to the Bull Bitcoin mission page" - }, - "exchangeRecipientsTitle": "Destinatarios", - "@exchangeRecipientsTitle": { - "description": "Title for the recipients section in exchange" - }, - "exchangeRecipientsComingSoon": "Esta función estará disponible pronto.", - "@exchangeRecipientsComingSoon": { - "description": "Message indicating that the recipients feature is coming soon" - }, - "exchangeLogoutComingSoon": "Esta función estará disponible pronto.", - "@exchangeLogoutComingSoon": { - "description": "Message indicating that the log out feature is coming soon" - }, - "exchangeLegacyTransactionsTitle": "Transacciones heredadas", - "@exchangeLegacyTransactionsTitle": { - "description": "Title for the legacy transactions section in exchange" - }, - "exchangeLegacyTransactionsComingSoon": "Esta función estará disponible pronto.", - "@exchangeLegacyTransactionsComingSoon": { - "description": "Message indicating that the legacy transactions feature is coming soon" - }, - "exchangeFileUploadTitle": "Subir documentos", - "@exchangeFileUploadTitle": { - "description": "Title for the secure file upload section in exchange" - }, - "exchangeFileUploadDocumentTitle": "Documento", - "@exchangeFileUploadDocumentTitle": { - "description": "Title for uploading documents in exchange" - }, - "exchangeFileUploadInstructions": "Por favor suba una copia clara de su documento", - "@exchangeFileUploadInstructions": { - "description": "Instructions for uploading documents in exchange" - }, - "exchangeFileUploadButton": "Subir archivo", - "@exchangeFileUploadButton": { - "description": "Button label for uploading files in exchange" - }, - "exchangeAccountTitle": "Cuenta", - "@exchangeAccountTitle": { - "description": "Title for the exchange account section" - }, - "exchangeAccountSettingsTitle": "Configuración de cuenta", - "@exchangeAccountSettingsTitle": { - "description": "Title for the exchange account settings screen" - }, - "exchangeAccountComingSoon": "Esta función estará disponible pronto.", - "@exchangeAccountComingSoon": { - "description": "Message indicating that a feature is coming soon" - }, - "exchangeBitcoinWalletsTitle": "Billeteras Bitcoin", - "@exchangeBitcoinWalletsTitle": { - "description": "Title for the default Bitcoin wallets section in exchange" - }, - "exchangeBitcoinWalletsBitcoinAddressLabel": "Dirección Bitcoin", - "@exchangeBitcoinWalletsBitcoinAddressLabel": { - "description": "Label for Bitcoin address field in exchange Bitcoin wallets" - }, - "exchangeBitcoinWalletsLightningAddressLabel": "Dirección Lightning", - "@exchangeBitcoinWalletsLightningAddressLabel": { - "description": "Label for Lightning address field in exchange Bitcoin wallets" - }, - "exchangeBitcoinWalletsLiquidAddressLabel": "Dirección Liquid", - "@exchangeBitcoinWalletsLiquidAddressLabel": { - "description": "Label for Liquid address field in exchange Bitcoin wallets" - }, - "exchangeBitcoinWalletsEnterAddressHint": "Ingrese la dirección", - "@exchangeBitcoinWalletsEnterAddressHint": { - "description": "Hint text for entering an address in exchange Bitcoin wallets" - }, - "exchangeAppSettingsSaveSuccessMessage": "Configuración guardada exitosamente", - "@exchangeAppSettingsSaveSuccessMessage": { - "description": "Success message displayed when exchange app settings are saved" - }, - "exchangeAppSettingsPreferredLanguageLabel": "Idioma preferido", - "@exchangeAppSettingsPreferredLanguageLabel": { - "description": "Label for preferred language setting in exchange app settings" - }, - "exchangeAppSettingsDefaultCurrencyLabel": "Moneda predeterminada", - "@exchangeAppSettingsDefaultCurrencyLabel": { - "description": "Label for default currency setting in exchange app settings" - }, - "exchangeAppSettingsValidationWarning": "Por favor complete todos los campos requeridos", - "@exchangeAppSettingsValidationWarning": { - "description": "Warning message when language and currency preferences are not both set" - }, - "exchangeAppSettingsSaveButton": "Guardar", - "@exchangeAppSettingsSaveButton": { - "description": "Button label for saving exchange app settings" - }, - "exchangeAccountInfoTitle": "Información de la cuenta", - "@exchangeAccountInfoTitle": { - "description": "Title for the account information section" - }, - "exchangeAccountInfoLoadErrorMessage": "No se puede cargar la información de la cuenta", - "@exchangeAccountInfoLoadErrorMessage": { - "description": "Error message when account information fails to load" - }, - "exchangeAccountInfoUserNumberLabel": "Número de usuario", - "@exchangeAccountInfoUserNumberLabel": { - "description": "Label for user number field in account information" - }, - "exchangeAccountInfoVerificationLevelLabel": "Nivel de verificación", - "@exchangeAccountInfoVerificationLevelLabel": { - "description": "Label for verification level field in account information" - }, - "exchangeAccountInfoEmailLabel": "Correo electrónico", - "@exchangeAccountInfoEmailLabel": { - "description": "Label for email field in account information" - }, - "exchangeAccountInfoFirstNameLabel": "Nombre", - "@exchangeAccountInfoFirstNameLabel": { - "description": "Label for first name field in account information" - }, - "exchangeAccountInfoLastNameLabel": "Apellido", - "@exchangeAccountInfoLastNameLabel": { - "description": "Label for last name field in account information" - }, - "exchangeAccountInfoVerificationIdentityVerified": "Identidad verificada", - "@exchangeAccountInfoVerificationIdentityVerified": { - "description": "Status label for identity verified verification level" - }, - "exchangeAccountInfoVerificationLightVerification": "Verificación ligera", - "@exchangeAccountInfoVerificationLightVerification": { - "description": "Status label for light verification level" - }, - "exchangeAccountInfoVerificationLimitedVerification": "Verificación limitada", - "@exchangeAccountInfoVerificationLimitedVerification": { - "description": "Status label for limited verification level" - }, - "exchangeAccountInfoVerificationNotVerified": "No verificado", - "@exchangeAccountInfoVerificationNotVerified": { - "description": "Status label for not verified verification level" - }, - "exchangeAccountInfoUserNumberCopiedMessage": "Número de usuario copiado al portapapeles", - "@exchangeAccountInfoUserNumberCopiedMessage": { - "description": "Success message when user number is copied to clipboard" - }, - "walletsListTitle": "Billeteras", - "@walletsListTitle": { - "description": "Title for the wallet details list screen" - }, - "walletsListNoWalletsMessage": "No se encontraron billeteras", - "@walletsListNoWalletsMessage": { - "description": "Message displayed when no wallets are found" - }, - "walletDeletionConfirmationTitle": "Eliminar billetera", - "@walletDeletionConfirmationTitle": { - "description": "Title for the wallet deletion confirmation dialog" - }, - "walletDeletionConfirmationMessage": "¿Está seguro de que desea eliminar esta billetera? Esta acción no se puede deshacer.", - "@walletDeletionConfirmationMessage": { - "description": "Message in the wallet deletion confirmation dialog" - }, - "walletDeletionConfirmationCancelButton": "Cancelar", - "@walletDeletionConfirmationCancelButton": { - "description": "Cancel button label in wallet deletion confirmation dialog" - }, - "walletDeletionConfirmationDeleteButton": "Eliminar", - "@walletDeletionConfirmationDeleteButton": { - "description": "Delete button label in wallet deletion confirmation dialog" - }, - "walletDeletionFailedTitle": "Eliminación fallida", - "@walletDeletionFailedTitle": { - "description": "Title for the wallet deletion failed dialog" - }, - "walletDeletionErrorDefaultWallet": "No se puede eliminar la billetera predeterminada", - "@walletDeletionErrorDefaultWallet": { - "description": "Error message when attempting to delete a default wallet" - }, - "walletDeletionErrorOngoingSwaps": "No se puede eliminar la billetera con intercambios en curso", - "@walletDeletionErrorOngoingSwaps": { - "description": "Error message when attempting to delete a wallet with ongoing swaps" - }, - "walletDeletionErrorWalletNotFound": "Billetera no encontrada", - "@walletDeletionErrorWalletNotFound": { - "description": "Error message when the wallet to delete cannot be found" - }, - "walletDeletionErrorGeneric": "Error al eliminar la billetera", - "@walletDeletionErrorGeneric": { - "description": "Generic error message when wallet deletion fails" - }, - "walletDeletionFailedOkButton": "OK", - "@walletDeletionFailedOkButton": { - "description": "OK button label in wallet deletion failed dialog" - }, - "addressCardUsedLabel": "Usada", - "@addressCardUsedLabel": { - "description": "Label indicating an address has been used" - }, - "addressCardUnusedLabel": "No usada", - "@addressCardUnusedLabel": { - "description": "Label indicating an address has not been used" - }, - "addressCardCopiedMessage": "Dirección copiada al portapapeles", - "@addressCardCopiedMessage": { - "description": "Success message when an address is copied to clipboard" - }, - "addressCardIndexLabel": "Índice: ", - "@addressCardIndexLabel": { - "description": "Label for the address index field in address card" - }, - "addressCardBalanceLabel": "Saldo: ", - "@addressCardBalanceLabel": { - "description": "Label for the balance field in address card" - }, - "onboardingRecoverYourWallet": "Recupere su billetera", - "@onboardingRecoverYourWallet": { - "description": "Title for the recover wallet section in onboarding" - }, - "onboardingEncryptedVault": "Bóveda cifrada", - "@onboardingEncryptedVault": { - "description": "Title for the encrypted vault recovery option in onboarding" - }, - "onboardingEncryptedVaultDescription": "Respalde su billetera en la nube de forma segura", - "@onboardingEncryptedVaultDescription": { - "description": "Description for the encrypted vault recovery option in onboarding" - }, - "onboardingPhysicalBackup": "Respaldo físico", - "@onboardingPhysicalBackup": { - "description": "Title for the physical backup recovery option in onboarding" - }, - "onboardingPhysicalBackupDescription": "Escriba su frase de recuperación en papel", - "@onboardingPhysicalBackupDescription": { - "description": "Description for the physical backup recovery option in onboarding" - }, - "onboardingRecover": "Recuperar", - "@onboardingRecover": { - "description": "Button label for recovering a wallet in onboarding" - }, - "onboardingBullBitcoin": "BULL BITCOIN", - "@onboardingBullBitcoin": { - "description": "Brand name displayed in onboarding" - }, - "onboardingOwnYourMoney": "Sea dueño de su dinero", - "@onboardingOwnYourMoney": { - "description": "Tagline displayed in onboarding splash screen" - }, - "onboardingSplashDescription": "Billetera Bitcoin autocustodiada", - "@onboardingSplashDescription": { - "description": "Description of the app displayed in onboarding splash screen" - }, - "onboardingRecoverWallet": "Recuperar billetera", - "@onboardingRecoverWallet": { - "description": "Title for the recover wallet screen in onboarding" - }, - "onboardingRecoverWalletButton": "Recuperar billetera", - "@onboardingRecoverWalletButton": { - "description": "Button label for recovering a wallet in onboarding" - }, - "onboardingCreateNewWallet": "Crear nueva billetera", - "@onboardingCreateNewWallet": { - "description": "Button label for creating a new wallet in onboarding" - }, - "sendTitle": "Enviar", - "@sendTitle": { - "description": "Title for the send screen" - }, - "sendRecipientAddressOrInvoice": "Dirección o factura del destinatario", - "@sendRecipientAddressOrInvoice": { - "description": "Label for the recipient address or invoice input field" - }, - "sendPasteAddressOrInvoice": "Pegar dirección o factura", - "@sendPasteAddressOrInvoice": { - "description": "Placeholder text for the payment address or invoice input field" - }, - "sendContinue": "Continuar", - "@sendContinue": { - "description": "Button label for continuing in the send flow" - }, - "sendSelectNetworkFee": "Seleccionar comisión de red", - "@sendSelectNetworkFee": { - "description": "Label for selecting the network fee in the send flow" - }, - "sendSelectAmount": "Seleccionar monto", - "@sendSelectAmount": { - "description": "Label for selecting the amount to send" - }, - "sendAmountRequested": "Monto solicitado", - "@sendAmountRequested": { - "description": "Label for the requested amount in a payment request" - }, - "sendDone": "Listo", - "@sendDone": { - "description": "Button label for completing the send flow" - }, - "sendSelectedUtxosInsufficient": "Los UTXO seleccionados no cubren el monto requerido", - "@sendSelectedUtxosInsufficient": { - "description": "Error message when selected UTXOs don't cover the required amount" - }, - "sendAdvancedOptions": "Opciones Avanzadas", - "@sendAdvancedOptions": { - "description": "Section header for advanced sending features" - }, - "sendReplaceByFeeActivated": "Reemplazar por comisión activado", - "@sendReplaceByFeeActivated": { - "description": "Message indicating that replace-by-fee (RBF) is activated" - }, - "sendSelectCoinsManually": "Seleccionar monedas manualmente", - "@sendSelectCoinsManually": { - "description": "Label for manually selecting coins (UTXOs) in the send flow" - }, - "sendRecipientAddress": "Dirección del destinatario", - "@sendRecipientAddress": { - "description": "Label for the recipient address field" - }, - "sendInsufficientBalance": "Saldo insuficiente", - "@sendInsufficientBalance": { - "description": "Error message when the wallet has insufficient balance to send" - }, - "sendScanBitcoinQRCode": "Escanear código QR de Bitcoin", - "@sendScanBitcoinQRCode": { - "description": "Instructions for scanning a QR code to make a Bitcoin payment" - }, - "sendOpenTheCamera": "Abrir la cámara", - "@sendOpenTheCamera": { - "description": "Button label for opening the camera to scan QR codes" - }, - "sendCustomFee": "Comisión personalizada", - "@sendCustomFee": { - "description": "Label for setting a custom transaction fee" - }, - "sendAbsoluteFees": "Comisiones absolutas", - "@sendAbsoluteFees": { - "description": "Label for absolute fee display mode (total sats)" - }, - "sendRelativeFees": "Comisiones relativas", - "@sendRelativeFees": { - "description": "Label for relative fee display mode (sats per vByte)" - }, - "sendSats": "sats", - "@sendSats": { - "description": "Unit label for satoshis" - }, - "sendSatsPerVB": "sats/vB", - "@sendSatsPerVB": { - "description": "Unit label for satoshis per virtual byte" - }, - "sendConfirmCustomFee": "Confirmar comisión personalizada", - "@sendConfirmCustomFee": { - "description": "Button label for confirming a custom fee" - }, - "sendEstimatedDelivery10Minutes": "~10 minutos", - "@sendEstimatedDelivery10Minutes": { - "description": "Estimated delivery time of approximately 10 minutes" - }, - "sendEstimatedDelivery10to30Minutes": "10-30 minutos", - "@sendEstimatedDelivery10to30Minutes": { - "description": "Estimated delivery time of 10 to 30 minutes" - }, - "sendEstimatedDeliveryFewHours": "Pocas horas", - "@sendEstimatedDeliveryFewHours": { - "description": "Estimated delivery time of a few hours" - }, - "sendEstimatedDeliveryHoursToDays": "Horas a días", - "@sendEstimatedDeliveryHoursToDays": { - "description": "Estimated delivery time ranging from hours to days" - }, - "sendEstimatedDelivery": "Entrega estimada", - "@sendEstimatedDelivery": { - "description": "Label prefix for estimated delivery time" - }, - "sendAddress": "Dirección", - "@sendAddress": { - "description": "Label prefix for address field" - }, - "sendType": "Tipo", - "@sendType": { - "description": "Label prefix for transaction type field" - }, - "sendReceive": "Recibir", - "@sendReceive": { - "description": "Label for receive transaction type" - }, - "sendChange": "Cambio", - "@sendChange": { - "description": "Label for change output in a transaction" - }, - "sendCouldNotBuildTransaction": "No se pudo construir la transacción", - "@sendCouldNotBuildTransaction": { - "description": "Error message when a transaction cannot be built" - }, - "sendHighFeeWarning": "Advertencia de comisión alta", - "@sendHighFeeWarning": { - "description": "Warning title for high transaction fees" - }, - "sendSlowPaymentWarning": "Advertencia de pago lento", - "@sendSlowPaymentWarning": { - "description": "Warning title for slow payment confirmation" - }, - "sendSlowPaymentWarningDescription": "Esta transacción puede tardar mucho tiempo en confirmarse", - "@sendSlowPaymentWarningDescription": { - "description": "Description for slow payment warning" - }, - "sendAdvancedSettings": "Configuración avanzada", - "@sendAdvancedSettings": { - "description": "Title for advanced settings in the send flow" - }, - "sendConfirm": "Confirmar", - "@sendConfirm": { - "description": "Button label for confirming a send transaction" - }, - "sendBroadcastTransaction": "Transmitir transacción", - "@sendBroadcastTransaction": { - "description": "Button label for broadcasting a transaction to the network" - }, - "sendFrom": "Desde", - "@sendFrom": { - "description": "Label for the sender/source in a transaction" - }, - "sendTo": "A", - "@sendTo": { - "description": "Label for the recipient/destination in a transaction" - }, - "sendAmount": "Monto", - "@sendAmount": { - "description": "Label for the transaction amount" - }, - "sendNetworkFees": "Comisiones de red", - "@sendNetworkFees": { - "description": "Label for network transaction fees" - }, - "sendFeePriority": "Prioridad de comisión", - "@sendFeePriority": { - "description": "Label for selecting fee priority level" - }, - "receiveTitle": "Recibir", - "@receiveTitle": { - "description": "Main screen title for receive feature" - }, - "receiveBitcoin": "Bitcoin", - "@receiveBitcoin": { - "description": "Label for receiving Bitcoin on the base layer" - }, - "receiveLightning": "Lightning", - "@receiveLightning": { - "description": "Label for receiving Bitcoin via Lightning Network" - }, - "receiveLiquid": "Liquid", - "@receiveLiquid": { - "description": "Label for receiving Bitcoin via Liquid Network" - }, - "receiveAddLabel": "Agregar", - "@receiveAddLabel": { - "description": "Button label for adding a label to a receive address" - }, - "receiveNote": "Nota", - "@receiveNote": { - "description": "Label for adding a note to a receive transaction" - }, - "receiveSave": "Guardar", - "@receiveSave": { - "description": "Button label for saving receive details" - }, - "receivePayjoinActivated": "Payjoin activado", - "@receivePayjoinActivated": { - "description": "Message indicating that payjoin is activated for the receive transaction" - }, - "receiveLightningInvoice": "Factura Lightning", - "@receiveLightningInvoice": { - "description": "Label for a Lightning Network invoice" - }, - "receiveAddress": "Dirección de Recepción", - "@receiveAddress": { - "description": "Label for generated address" - }, - "receiveAmount": "Cantidad (opcional)", - "@receiveAmount": { - "description": "Optional amount field for invoice" - }, - "receiveNoteLabel": "Nota", - "@receiveNoteLabel": { - "description": "Label for the note field in receive" - }, - "receiveEnterHere": "Ingrese aquí", - "@receiveEnterHere": { - "description": "Placeholder text for input fields in receive" - }, - "receiveSwapID": "ID de intercambio", - "@receiveSwapID": { - "description": "Label for the swap identifier in a receive transaction" - }, - "receiveTotalFee": "Comisión total", - "@receiveTotalFee": { - "description": "Label for the total fee in a receive transaction" - }, - "receiveNetworkFee": "Comisión de red", - "@receiveNetworkFee": { - "description": "Label for the network fee in a receive transaction" - }, - "receiveBoltzSwapFee": "Comisión de intercambio Boltz", - "@receiveBoltzSwapFee": { - "description": "Label for the Boltz swap service fee in a receive transaction" - }, - "receiveCopyOrScanAddressOnly": "Copiar o escanear solo la dirección", - "@receiveCopyOrScanAddressOnly": { - "description": "Option to copy or scan only the address without amount or other details" - }, - "receiveNewAddress": "Nueva dirección", - "@receiveNewAddress": { - "description": "Button label for generating a new receive address" - }, - "receiveVerifyAddressOnLedger": "Verificar dirección en Ledger", - "@receiveVerifyAddressOnLedger": { - "description": "Button label for verifying an address on a Ledger hardware wallet" - }, - "receiveUnableToVerifyAddress": "No se puede verificar la dirección", - "@receiveUnableToVerifyAddress": { - "description": "Error message when address verification is not possible" - }, - "receivePaymentReceived": "¡Pago recibido!", - "@receivePaymentReceived": { - "description": "Success message after receiving payment" - }, - "receiveDetails": "Detalles", - "@receiveDetails": { - "description": "Label for viewing transaction details" - }, - "receivePaymentInProgress": "Pago en progreso", - "@receivePaymentInProgress": { - "description": "Status message when a payment is being processed" - }, - "receiveBitcoinTransactionWillTakeTime": "La transacción Bitcoin tomará tiempo en confirmarse", - "@receiveBitcoinTransactionWillTakeTime": { - "description": "Information message about Bitcoin transaction confirmation time" - }, - "receiveConfirmedInFewSeconds": "Confirmado en pocos segundos", - "@receiveConfirmedInFewSeconds": { - "description": "Message indicating quick confirmation time for Lightning transactions" - }, - "receivePayjoinInProgress": "Payjoin en progreso", - "@receivePayjoinInProgress": { - "description": "Status message when a payjoin transaction is in progress" - }, - "receiveWaitForSenderToFinish": "Espere a que el remitente termine", - "@receiveWaitForSenderToFinish": { - "description": "Instructions to wait for the sender during a payjoin transaction" - }, - "receiveNoTimeToWait": "¿No tiene tiempo para esperar?", - "@receiveNoTimeToWait": { - "description": "Question prompting user if they want to proceed without payjoin" - }, - "receivePaymentNormally": "Recibir pago normalmente", - "@receivePaymentNormally": { - "description": "Option to receive payment without payjoin if it fails" - }, - "receiveContinue": "Continuar", - "@receiveContinue": { - "description": "Button label for continuing in the receive flow" - }, - "receiveCopyAddressOnly": "Copiar o escanear solo la dirección", - "@receiveCopyAddressOnly": { - "description": "Opción para copiar o escanear solo la dirección sin el monto u otros detalles" - }, - "receiveError": "Error: {error}", - "@receiveError": { - "description": "Mensaje de error genérico con detalles del error", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "receiveFeeExplanation": "Esta comisión se deducirá del monto enviado", - "@receiveFeeExplanation": { - "description": "Explicación de que las comisiones se deducen del monto enviado" - }, - "receiveNotePlaceholder": "Nota", - "@receiveNotePlaceholder": { - "description": "Texto de marcador de posición para el campo de entrada de nota" - }, - "receiveReceiveAmount": "Monto a recibir", - "@receiveReceiveAmount": { - "description": "Etiqueta para el monto que se recibirá después de las comisiones" - }, - "receiveSendNetworkFee": "Comisión de red de envío", - "@receiveSendNetworkFee": { - "description": "Etiqueta para la comisión de red en la red de envío en una transacción de intercambio" - }, - "receiveServerNetworkFees": "Comisiones de red del servidor", - "@receiveServerNetworkFees": { - "description": "Etiqueta para las comisiones de red cobradas por el servidor de intercambio" - }, - "receiveSwapId": "ID de intercambio", - "@receiveSwapId": { - "description": "Etiqueta para el identificador de intercambio en una transacción de recepción" - }, - "receiveTransferFee": "Comisión de transferencia", - "@receiveTransferFee": { - "description": "Etiqueta para la comisión de transferencia en una transacción de recepción" - }, - "receiveVerifyAddressError": "No se puede verificar la dirección: Falta información de la billetera o de la dirección", - "@receiveVerifyAddressError": { - "description": "Mensaje de error cuando no es posible verificar la dirección" - }, - "receiveVerifyAddressLedger": "Verificar dirección en Ledger", - "@receiveVerifyAddressLedger": { - "description": "Etiqueta del botón para verificar una dirección en una billetera de hardware Ledger" - }, - "receiveBitcoinConfirmationMessage": "La transacción Bitcoin tomará tiempo en confirmarse.", - "@receiveBitcoinConfirmationMessage": { - "description": "Mensaje de información sobre el tiempo de confirmación de la transacción Bitcoin" - }, - "receiveLiquidConfirmationMessage": "Se confirmará en pocos segundos", - "@receiveLiquidConfirmationMessage": { - "description": "Mensaje que indica un tiempo de confirmación rápido para transacciones Liquid" - }, - "receiveWaitForPayjoin": "Espere a que el remitente termine la transacción payjoin", - "@receiveWaitForPayjoin": { - "description": "Instrucciones para esperar al remitente durante una transacción payjoin" - }, - "receivePayjoinFailQuestion": "¿No tiene tiempo para esperar o falló el payjoin del lado del remitente?", - "@receivePayjoinFailQuestion": { - "description": "Pregunta que solicita al usuario si desea proceder sin payjoin" - }, - "buyTitle": "Comprar Bitcoin", - "@buyTitle": { - "description": "Título de la pantalla para comprar Bitcoin" - }, - "buyEnterAmount": "Ingrese el monto", - "@buyEnterAmount": { - "description": "Etiqueta para el campo de entrada de monto en el flujo de compra" - }, - "buyPaymentMethod": "Método de pago", - "@buyPaymentMethod": { - "description": "Etiqueta para el menú desplegable de método de pago" - }, - "buyMax": "Máximo", - "@buyMax": { - "description": "Botón para llenar el monto máximo" - }, - "buySelectWallet": "Seleccionar billetera", - "@buySelectWallet": { - "description": "Etiqueta para el menú desplegable de selección de billetera" - }, - "buyEnterBitcoinAddress": "Ingrese la dirección de Bitcoin", - "@buyEnterBitcoinAddress": { - "description": "Etiqueta para el campo de entrada de dirección de Bitcoin" - }, - "buyBitcoinAddressHint": "BC1QYL7J673H...6Y6ALV70M0", - "@buyBitcoinAddressHint": { - "description": "Sugerencia de marcador de posición para la entrada de dirección de Bitcoin" - }, - "buyExternalBitcoinWallet": "Billetera Bitcoin externa", - "@buyExternalBitcoinWallet": { - "description": "Etiqueta para la opción de billetera externa" - }, - "buySecureBitcoinWallet": "Billetera Bitcoin segura", - "@buySecureBitcoinWallet": { - "description": "Etiqueta para la billetera Bitcoin segura" - }, - "buyInstantPaymentWallet": "Billetera de pago instantáneo", - "@buyInstantPaymentWallet": { - "description": "Etiqueta para la billetera de pago instantáneo (Liquid)" - }, - "buyShouldBuyAtLeast": "Debe comprar al menos", - "@buyShouldBuyAtLeast": { - "description": "Mensaje de error para monto por debajo del mínimo" - }, - "buyCantBuyMoreThan": "No puede comprar más de", - "@buyCantBuyMoreThan": { - "description": "Mensaje de error para monto por encima del máximo" - }, - "buyKycPendingTitle": "Verificación de identidad KYC pendiente", - "@buyKycPendingTitle": { - "description": "Título para la tarjeta de verificación KYC requerida" - }, - "buyKycPendingDescription": "Debe completar la verificación de identidad primero", - "@buyKycPendingDescription": { - "description": "Descripción para la verificación KYC requerida" - }, - "buyCompleteKyc": "Completar KYC", - "@buyCompleteKyc": { - "description": "Botón para completar la verificación KYC" - }, - "buyInsufficientBalanceTitle": "Saldo insuficiente", - "@buyInsufficientBalanceTitle": { - "description": "Título para el error de saldo insuficiente" - }, - "buyInsufficientBalanceDescription": "No tiene suficiente saldo para crear esta orden.", - "@buyInsufficientBalanceDescription": { - "description": "Descripción para el error de saldo insuficiente" - }, - "buyFundYourAccount": "Financiar su cuenta", - "@buyFundYourAccount": { - "description": "Botón para financiar la cuenta de intercambio" - }, - "buyContinue": "Continuar", - "@buyContinue": { - "description": "Botón para continuar al siguiente paso" - }, - "buyYouPay": "Usted paga", - "@buyYouPay": { - "description": "Etiqueta para el monto que el usuario paga" - }, - "buyYouReceive": "Usted recibe", - "@buyYouReceive": { - "description": "Etiqueta para el monto que el usuario recibe" - }, - "buyBitcoinPrice": "Precio de Bitcoin", - "@buyBitcoinPrice": { - "description": "Etiqueta para el tipo de cambio de Bitcoin" - }, - "buyPayoutMethod": "Método de pago", - "@buyPayoutMethod": { - "description": "Etiqueta para el método de pago" - }, - "buyAwaitingConfirmation": "Esperando confirmación ", - "@buyAwaitingConfirmation": { - "description": "Texto mostrado mientras se espera la confirmación de la orden" - }, - "buyConfirmPurchase": "Confirmar compra", - "@buyConfirmPurchase": { - "description": "Button to confirm purchase" - }, - "buyYouBought": "Ha comprado {amount}", - "@buyYouBought": { - "description": "Mensaje de éxito con el monto comprado", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyPayoutWillBeSentIn": "Su pago será enviado en ", - "@buyPayoutWillBeSentIn": { - "description": "Texto antes del temporizador de cuenta regresiva para el pago" - }, - "buyViewDetails": "Ver detalles", - "@buyViewDetails": { - "description": "Botón para ver los detalles de la orden" - }, - "buyAccelerateTransaction": "Acelerar transacción", - "@buyAccelerateTransaction": { - "description": "Título para la opción de aceleración de transacción" - }, - "buyGetConfirmedFaster": "Confirmarla más rápido", - "@buyGetConfirmedFaster": { - "description": "Subtítulo para la opción de aceleración" - }, - "buyConfirmExpressWithdrawal": "Confirmar retiro express", - "@buyConfirmExpressWithdrawal": { - "description": "Título para la pantalla de confirmación de retiro express" - }, - "buyNetworkFeeExplanation": "La tarifa de red de Bitcoin será deducida del monto que recibe y recaudada por los mineros de Bitcoin", - "@buyNetworkFeeExplanation": { - "description": "Explicación de las tarifas de red para el retiro express" - }, - "buyNetworkFees": "Tarifas de red", - "@buyNetworkFees": { - "description": "Etiqueta para el monto de las tarifas de red" - }, - "buyEstimatedFeeValue": "Valor estimado de tarifa", - "@buyEstimatedFeeValue": { - "description": "Etiqueta para el valor estimado de la tarifa en moneda fiduciaria" - }, - "buyNetworkFeeRate": "Tasa de tarifa de red", - "@buyNetworkFeeRate": { - "description": "Etiqueta para la tasa de tarifa de red" - }, - "buyConfirmationTime": "Tiempo de confirmación", - "@buyConfirmationTime": { - "description": "Etiqueta para el tiempo de confirmación estimado" - }, - "buyConfirmationTimeValue": "~10 minutos", - "@buyConfirmationTimeValue": { - "description": "Valor para el tiempo de confirmación estimado" - }, - "buyWaitForFreeWithdrawal": "Esperar retiro gratuito", - "@buyWaitForFreeWithdrawal": { - "description": "Botón para esperar el retiro gratuito (más lento)" - }, - "buyConfirmExpress": "Confirmar express", - "@buyConfirmExpress": { - "description": "Botón para confirmar el retiro express" - }, - "buyBitcoinSent": "¡Bitcoin enviado!", - "@buyBitcoinSent": { - "description": "Mensaje de éxito para la transacción acelerada" - }, - "buyThatWasFast": "Fue rápido, ¿verdad?", - "@buyThatWasFast": { - "description": "Mensaje de éxito adicional para la transacción acelerada" - }, - "sellTitle": "Vender Bitcoin", - "@sellTitle": { - "description": "AppBar title for sell screen" - }, - "sellSelectWallet": "Seleccionar Billetera", - "@sellSelectWallet": { - "description": "Dropdown to choose source wallet" - }, - "sellWhichWalletQuestion": "¿Desde qué billetera desea vender?", - "@sellWhichWalletQuestion": { - "description": "Pregunta que solicita al usuario seleccionar la billetera" - }, - "sellExternalWallet": "Billetera externa", - "@sellExternalWallet": { - "description": "Opción para billetera externa" - }, - "sellFromAnotherWallet": "Vender desde otra billetera Bitcoin", - "@sellFromAnotherWallet": { - "description": "Subtítulo para la opción de billetera externa" - }, - "sellAboveMaxAmountError": "Está intentando vender por encima del monto máximo que se puede vender con esta billetera.", - "@sellAboveMaxAmountError": { - "description": "Mensaje de error para monto por encima del máximo" - }, - "sellBelowMinAmountError": "Está intentando vender por debajo del monto mínimo que se puede vender con esta billetera.", - "@sellBelowMinAmountError": { - "description": "Mensaje de error para monto por debajo del mínimo" - }, - "sellInsufficientBalanceError": "Saldo insuficiente en la billetera seleccionada para completar esta orden de venta.", - "@sellInsufficientBalanceError": { - "description": "Mensaje de error para saldo insuficiente" - }, - "sellUnauthenticatedError": "No está autenticado. Por favor inicie sesión para continuar.", - "@sellUnauthenticatedError": { - "description": "Mensaje de error para usuario no autenticado" - }, - "sellOrderNotFoundError": "No se encontró la orden de venta. Por favor intente de nuevo.", - "@sellOrderNotFoundError": { - "description": "Mensaje de error para orden no encontrada" - }, - "sellOrderAlreadyConfirmedError": "Esta orden de venta ya ha sido confirmada.", - "@sellOrderAlreadyConfirmedError": { - "description": "Mensaje de error para orden ya confirmada" - }, - "sellSelectNetwork": "Seleccionar red", - "@sellSelectNetwork": { - "description": "Título de la pantalla para la selección de red" - }, - "sellHowToPayInvoice": "¿Cómo desea pagar esta factura?", - "@sellHowToPayInvoice": { - "description": "Pregunta para la selección del método de pago" - }, - "sellBitcoinOnChain": "Bitcoin on-chain", - "@sellBitcoinOnChain": { - "description": "Opción para pago Bitcoin on-chain" - }, - "sellLightningNetwork": "Lightning Network", - "@sellLightningNetwork": { - "description": "Opción para pago Lightning Network" - }, - "sellLiquidNetwork": "Liquid Network", - "@sellLiquidNetwork": { - "description": "Opción para pago Liquid Network" - }, - "sellConfirmPayment": "Confirmar pago", - "@sellConfirmPayment": { - "description": "Título de la pantalla para la confirmación de pago" - }, - "sellPriceWillRefreshIn": "El precio se actualizará en ", - "@sellPriceWillRefreshIn": { - "description": "Texto antes del temporizador de cuenta regresiva para la actualización del precio" - }, - "sellOrderNumber": "Número de orden", - "@sellOrderNumber": { - "description": "Etiqueta para el número de orden" - }, - "sellPayoutRecipient": "Destinatario del pago", - "@sellPayoutRecipient": { - "description": "Etiqueta para el destinatario del pago" - }, - "sellCadBalance": "Saldo CAD", - "@sellCadBalance": { - "description": "Texto para el método de pago de saldo CAD" - }, - "sellCrcBalance": "Saldo CRC", - "@sellCrcBalance": { - "description": "Texto para el método de pago de saldo CRC" - }, - "sellEurBalance": "Saldo EUR", - "@sellEurBalance": { - "description": "Texto para el método de pago de saldo EUR" - }, - "sellUsdBalance": "Saldo USD", - "@sellUsdBalance": { - "description": "Texto para el método de pago de saldo USD" - }, - "sellMxnBalance": "Saldo MXN", - "@sellMxnBalance": { - "description": "Texto para el método de pago de saldo MXN" - }, - "sellArsBalance": "Saldo ARS", - "@sellArsBalance": { - "description": "Texto para el método de pago de saldo ARS" - }, - "sellCopBalance": "Saldo COP", - "@sellCopBalance": { - "description": "Texto para el método de pago de saldo COP" - }, - "sellPayinAmount": "Monto de pago", - "@sellPayinAmount": { - "description": "Etiqueta para el monto que el usuario paga" - }, - "sellPayoutAmount": "Monto a recibir", - "@sellPayoutAmount": { - "description": "Etiqueta para el monto que el usuario recibe" - }, - "sellExchangeRate": "Tipo de cambio", - "@sellExchangeRate": { - "description": "Etiqueta para el tipo de cambio" - }, - "sellPayFromWallet": "Pagar desde billetera", - "@sellPayFromWallet": { - "description": "Etiqueta para la billetera utilizada para el pago" - }, - "sellInstantPayments": "Pagos instantáneos", - "@sellInstantPayments": { - "description": "Texto para la billetera de pago instantáneo" - }, - "sellSecureBitcoinWallet": "Billetera Bitcoin segura", - "@sellSecureBitcoinWallet": { - "description": "Texto para la billetera Bitcoin segura" - }, - "sellFeePriority": "Prioridad de tarifa", - "@sellFeePriority": { - "description": "Etiqueta para la selección de prioridad de tarifa" - }, - "sellFastest": "Más rápida", - "@sellFastest": { - "description": "Texto para la opción de tarifa más rápida" - }, - "sellCalculating": "Calculando...", - "@sellCalculating": { - "description": "Texto mostrado mientras se calculan las tarifas" - }, - "sellAdvancedSettings": "Configuración avanzada", - "@sellAdvancedSettings": { - "description": "Botón para la configuración avanzada" - }, - "sellAdvancedOptions": "Opciones avanzadas", - "@sellAdvancedOptions": { - "description": "Título para la hoja inferior de opciones avanzadas" - }, - "sellReplaceByFeeActivated": "Replace-by-fee activado", - "@sellReplaceByFeeActivated": { - "description": "Etiqueta para el interruptor RBF" - }, - "sellSelectCoinsManually": "Seleccionar monedas manualmente", - "@sellSelectCoinsManually": { - "description": "Opción para seleccionar UTXOs manualmente" - }, - "sellDone": "Hecho", - "@sellDone": { - "description": "Botón para cerrar la hoja inferior" - }, - "sellPleasePayInvoice": "Por favor pague esta factura", - "@sellPleasePayInvoice": { - "description": "Título para la pantalla de recepción de pago" - }, - "sellBitcoinAmount": "Monto de Bitcoin", - "@sellBitcoinAmount": { - "description": "Etiqueta para el monto de Bitcoin" - }, - "sellCopyInvoice": "Copiar factura", - "@sellCopyInvoice": { - "description": "Botón para copiar la factura" - }, - "sellShowQrCode": "Mostrar código QR", - "@sellShowQrCode": { - "description": "Botón para mostrar el código QR" - }, - "sellQrCode": "Código QR", - "@sellQrCode": { - "description": "Título para la hoja inferior del código QR" - }, - "sellNoInvoiceData": "No hay datos de factura disponibles", - "@sellNoInvoiceData": { - "description": "Mensaje cuando no hay datos de factura disponibles" - }, - "sellInProgress": "Venta en progreso...", - "@sellInProgress": { - "description": "Mensaje para venta en progreso" - }, - "sellGoHome": "Ir a inicio", - "@sellGoHome": { - "description": "Botón para ir a la pantalla de inicio" - }, - "sellOrderCompleted": "¡Orden completada!", - "@sellOrderCompleted": { - "description": "Mensaje de éxito para orden completada" - }, - "sellBalanceWillBeCredited": "El saldo de su cuenta será acreditado después de que su transacción reciba 1 confirmación on-chain.", - "@sellBalanceWillBeCredited": { - "description": "Información sobre la acreditación del saldo" - }, - "payTitle": "Pagar", - "@payTitle": { - "description": "Título de la pantalla para la función de pago" - }, - "paySelectRecipient": "Seleccionar destinatario", - "@paySelectRecipient": { - "description": "Título de la pantalla para la selección de destinatario" - }, - "payWhoAreYouPaying": "¿A quién está pagando?", - "@payWhoAreYouPaying": { - "description": "Pregunta que solicita al usuario seleccionar el destinatario" - }, - "payNewRecipients": "Nuevos destinatarios", - "@payNewRecipients": { - "description": "Etiqueta de pestaña para nuevos destinatarios" - }, - "payMyFiatRecipients": "Mis destinatarios fiat", - "@payMyFiatRecipients": { - "description": "Etiqueta de pestaña para destinatarios guardados" - }, - "payNoRecipientsFound": "No se encontraron destinatarios para pagar.", - "@payNoRecipientsFound": { - "description": "Mensaje cuando no se encuentran destinatarios" - }, - "payLoadingRecipients": "Cargando destinatarios...", - "@payLoadingRecipients": { - "description": "Mensaje mientras se cargan los destinatarios" - }, - "payNotLoggedIn": "No ha iniciado sesión", - "@payNotLoggedIn": { - "description": "Título para la tarjeta de no ha iniciado sesión" - }, - "payNotLoggedInDescription": "No ha iniciado sesión. Por favor inicie sesión para continuar usando la función de pago.", - "@payNotLoggedInDescription": { - "description": "Descripción para el estado de no ha iniciado sesión" - }, - "paySelectCountry": "Seleccionar país", - "@paySelectCountry": { - "description": "Sugerencia para el menú desplegable de país" - }, - "payPayoutMethod": "Método de pago", - "@payPayoutMethod": { - "description": "Etiqueta para la sección de método de pago" - }, - "payEmail": "Correo electrónico", - "@payEmail": { - "description": "Etiqueta para el campo de correo electrónico" - }, - "payEmailHint": "Ingrese la dirección de correo electrónico", - "@payEmailHint": { - "description": "Sugerencia para la entrada de correo electrónico" - }, - "payName": "Nombre", - "@payName": { - "description": "Etiqueta para el campo de nombre" - }, - "payNameHint": "Ingrese el nombre del destinatario", - "@payNameHint": { - "description": "Sugerencia para la entrada de nombre" - }, - "paySecurityQuestion": "Pregunta de seguridad", - "@paySecurityQuestion": { - "description": "Etiqueta para el campo de pregunta de seguridad" - }, - "paySecurityQuestionHint": "Ingrese la pregunta de seguridad (10-40 caracteres)", - "@paySecurityQuestionHint": { - "description": "Sugerencia para la entrada de pregunta de seguridad" - }, - "paySecurityQuestionLength": "{count}/40 caracteres", - "@paySecurityQuestionLength": { - "description": "Contador de caracteres para la pregunta de seguridad", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "paySecurityQuestionLengthError": "Debe tener entre 10-40 caracteres", - "@paySecurityQuestionLengthError": { - "description": "Error para longitud de pregunta de seguridad inválida" - }, - "paySecurityAnswer": "Respuesta de seguridad", - "@paySecurityAnswer": { - "description": "Etiqueta para el campo de respuesta de seguridad" - }, - "paySecurityAnswerHint": "Ingrese la respuesta de seguridad", - "@paySecurityAnswerHint": { - "description": "Sugerencia para la entrada de respuesta de seguridad" - }, - "payLabelOptional": "Etiqueta (opcional)", - "@payLabelOptional": { - "description": "Etiqueta para el campo de etiqueta opcional" - }, - "payLabelHint": "Ingrese una etiqueta para este destinatario", - "@payLabelHint": { - "description": "Sugerencia para la entrada de etiqueta" - }, - "payBillerName": "Nombre del acreedor", - "@payBillerName": { - "description": "Etiqueta para el campo de nombre del acreedor" - }, - "payBillerNameValue": "Nombre del acreedor seleccionado", - "@payBillerNameValue": { - "description": "Marcador de posición para el nombre del acreedor" - }, - "payBillerSearchHint": "Ingrese las primeras 3 letras del nombre del acreedor", - "@payBillerSearchHint": { - "description": "Sugerencia para el campo de búsqueda de acreedor" - }, - "payPayeeAccountNumber": "Número de cuenta del beneficiario", - "@payPayeeAccountNumber": { - "description": "Etiqueta para el número de cuenta del beneficiario" - }, - "payPayeeAccountNumberHint": "Ingrese el número de cuenta", - "@payPayeeAccountNumberHint": { - "description": "Sugerencia para la entrada del número de cuenta" - }, - "payInstitutionNumber": "Número de institución", - "@payInstitutionNumber": { - "description": "Etiqueta para el número de institución" - }, - "payInstitutionNumberHint": "Ingrese el número de institución", - "@payInstitutionNumberHint": { - "description": "Sugerencia para la entrada del número de institución" - }, - "payTransitNumber": "Número de tránsito", - "@payTransitNumber": { - "description": "Etiqueta para el número de tránsito" - }, - "payTransitNumberHint": "Ingrese el número de tránsito", - "@payTransitNumberHint": { - "description": "Sugerencia para la entrada del número de tránsito" - }, - "payAccountNumber": "Número de cuenta", - "@payAccountNumber": { - "description": "Etiqueta para el número de cuenta" - }, - "payAccountNumberHint": "Ingrese el número de cuenta", - "@payAccountNumberHint": { - "description": "Sugerencia para la entrada del número de cuenta" - }, - "payDefaultCommentOptional": "Comentario predeterminado (opcional)", - "@payDefaultCommentOptional": { - "description": "Etiqueta para el campo de comentario predeterminado" - }, - "payDefaultCommentHint": "Ingrese el comentario predeterminado", - "@payDefaultCommentHint": { - "description": "Sugerencia para la entrada del comentario predeterminado" - }, - "payIban": "IBAN", - "@payIban": { - "description": "Etiqueta para el campo IBAN" - }, - "payIbanHint": "Ingrese el IBAN", - "@payIbanHint": { - "description": "Sugerencia para la entrada del IBAN" - }, - "payCorporate": "Corporativo", - "@payCorporate": { - "description": "Etiqueta para la casilla de verificación de corporativo" - }, - "payIsCorporateAccount": "¿Es esta una cuenta corporativa?", - "@payIsCorporateAccount": { - "description": "Pregunta para la casilla de verificación de cuenta corporativa" - }, - "payFirstName": "Nombre", - "@payFirstName": { - "description": "Etiqueta para el campo de nombre" - }, - "payFirstNameHint": "Ingrese el nombre", - "@payFirstNameHint": { - "description": "Sugerencia para la entrada del nombre" - }, - "payLastName": "Apellido", - "@payLastName": { - "description": "Etiqueta para el campo de apellido" - }, - "payLastNameHint": "Ingrese el apellido", - "@payLastNameHint": { - "description": "Sugerencia para la entrada del apellido" - }, - "payCorporateName": "Nombre corporativo", - "@payCorporateName": { - "description": "Etiqueta para el campo de nombre corporativo" - }, - "payCorporateNameHint": "Ingrese el nombre corporativo", - "@payCorporateNameHint": { - "description": "Sugerencia para la entrada del nombre corporativo" - }, - "payClabe": "CLABE", - "@payClabe": { - "description": "Etiqueta para el campo CLABE" - }, - "payClabeHint": "Ingrese el número CLABE", - "@payClabeHint": { - "description": "Sugerencia para la entrada del CLABE" - }, - "payInstitutionCode": "Código de institución", - "@payInstitutionCode": { - "description": "Etiqueta para el campo de código de institución" - }, - "payInstitutionCodeHint": "Ingrese el código de institución", - "@payInstitutionCodeHint": { - "description": "Sugerencia para la entrada del código de institución" - }, - "payPhoneNumber": "Número de teléfono", - "@payPhoneNumber": { - "description": "Etiqueta para el campo de número de teléfono" - }, - "payPhoneNumberHint": "Ingrese el número de teléfono", - "@payPhoneNumberHint": { - "description": "Sugerencia para la entrada del número de teléfono" - }, - "payDebitCardNumber": "Número de tarjeta de débito", - "@payDebitCardNumber": { - "description": "Etiqueta para el campo de número de tarjeta de débito" - }, - "payDebitCardNumberHint": "Ingrese el número de tarjeta de débito", - "@payDebitCardNumberHint": { - "description": "Sugerencia para la entrada del número de tarjeta de débito" - }, - "payOwnerName": "Nombre del titular", - "@payOwnerName": { - "description": "Etiqueta para el campo de nombre del titular" - }, - "payOwnerNameHint": "Ingrese el nombre del titular", - "@payOwnerNameHint": { - "description": "Sugerencia para la entrada del nombre del titular" - }, - "payValidating": "Validando...", - "@payValidating": { - "description": "Texto mostrado mientras se valida SINPE" - }, - "payInvalidSinpe": "SINPE inválido", - "@payInvalidSinpe": { - "description": "Mensaje de error para SINPE inválido" - }, - "payFilterByType": "Filtrar por tipo", - "@payFilterByType": { - "description": "Etiqueta para el menú desplegable de filtro de tipo" - }, - "payAllTypes": "Todos los tipos", - "@payAllTypes": { - "description": "Opción para el filtro de todos los tipos" - }, - "payAllCountries": "Todos los países", - "@payAllCountries": { - "description": "Opción para el filtro de todos los países" - }, - "payRecipientType": "Tipo de destinatario", - "@payRecipientType": { - "description": "Etiqueta para el tipo de destinatario" - }, - "payRecipientName": "Nombre del destinatario", - "@payRecipientName": { - "description": "Etiqueta para el nombre del destinatario" - }, - "payRecipientDetails": "Detalles del destinatario", - "@payRecipientDetails": { - "description": "Etiqueta para los detalles del destinatario" - }, - "payAccount": "Cuenta", - "@payAccount": { - "description": "Etiqueta para los detalles de la cuenta" - }, - "payPayee": "Beneficiario", - "@payPayee": { - "description": "Etiqueta para los detalles del beneficiario" - }, - "payCard": "Tarjeta", - "@payCard": { - "description": "Etiqueta para los detalles de la tarjeta" - }, - "payPhone": "Teléfono", - "@payPhone": { - "description": "Etiqueta para los detalles del teléfono" - }, - "payNoDetailsAvailable": "No hay detalles disponibles", - "@payNoDetailsAvailable": { - "description": "Mensaje cuando los detalles del destinatario no están disponibles" - }, - "paySelectWallet": "Seleccionar Billetera", - "@paySelectWallet": { - "description": "Label for wallet selection dropdown in payment" - }, - "payWhichWalletQuestion": "¿Desde qué billetera desea pagar?", - "@payWhichWalletQuestion": { - "description": "Pregunta que solicita al usuario seleccionar la billetera" - }, - "payExternalWallet": "Billetera externa", - "@payExternalWallet": { - "description": "Opción para billetera externa" - }, - "payFromAnotherWallet": "Pagar desde otra billetera Bitcoin", - "@payFromAnotherWallet": { - "description": "Subtítulo para la opción de billetera externa" - }, - "payAboveMaxAmountError": "Está intentando pagar por encima del monto máximo que se puede pagar con esta billetera.", - "@payAboveMaxAmountError": { - "description": "Mensaje de error para monto por encima del máximo" - }, - "payBelowMinAmountError": "Está intentando pagar por debajo del monto mínimo que se puede pagar con esta billetera.", - "@payBelowMinAmountError": { - "description": "Mensaje de error para monto por debajo del mínimo" - }, - "payInsufficientBalanceError": "Saldo insuficiente en la billetera seleccionada para completar esta orden de pago.", - "@payInsufficientBalanceError": { - "description": "Mensaje de error para saldo insuficiente" - }, - "payUnauthenticatedError": "No está autenticado. Por favor inicie sesión para continuar.", - "@payUnauthenticatedError": { - "description": "Mensaje de error para usuario no autenticado" - }, - "payOrderNotFoundError": "No se encontró la orden de pago. Por favor intente de nuevo.", - "@payOrderNotFoundError": { - "description": "Mensaje de error para orden no encontrada" - }, - "payOrderAlreadyConfirmedError": "Esta orden de pago ya ha sido confirmada.", - "@payOrderAlreadyConfirmedError": { - "description": "Mensaje de error para orden ya confirmada" - }, - "paySelectNetwork": "Seleccionar red", - "@paySelectNetwork": { - "description": "Título de la pantalla para la selección de red" - }, - "payHowToPayInvoice": "¿Cómo desea pagar esta factura?", - "@payHowToPayInvoice": { - "description": "Pregunta para la selección del método de pago" - }, - "payBitcoinOnChain": "Bitcoin on-chain", - "@payBitcoinOnChain": { - "description": "Opción para pago Bitcoin on-chain" - }, - "payLightningNetwork": "Lightning Network", - "@payLightningNetwork": { - "description": "Opción para pago Lightning Network" - }, - "payLiquidNetwork": "Liquid Network", - "@payLiquidNetwork": { - "description": "Opción para pago Liquid Network" - }, - "payConfirmPayment": "Confirmar Pago", - "@payConfirmPayment": { - "description": "Button text to confirm and execute payment" - }, - "payPriceWillRefreshIn": "El precio se actualizará en ", - "@payPriceWillRefreshIn": { - "description": "Texto antes del temporizador de cuenta regresiva para la actualización del precio" - }, - "payOrderNumber": "Número de orden", - "@payOrderNumber": { - "description": "Etiqueta para el número de orden" - }, - "payPayinAmount": "Monto de pago", - "@payPayinAmount": { - "description": "Etiqueta para el monto que el usuario paga" - }, - "payPayoutAmount": "Monto a recibir", - "@payPayoutAmount": { - "description": "Etiqueta para el monto que el usuario recibe" - }, - "payExchangeRate": "Tipo de cambio", - "@payExchangeRate": { - "description": "Etiqueta para el tipo de cambio" - }, - "payPayFromWallet": "Pagar desde billetera", - "@payPayFromWallet": { - "description": "Etiqueta para la billetera utilizada para el pago" - }, - "payInstantPayments": "Pagos instantáneos", - "@payInstantPayments": { - "description": "Texto para la billetera de pago instantáneo" - }, - "paySecureBitcoinWallet": "Billetera Bitcoin segura", - "@paySecureBitcoinWallet": { - "description": "Texto para la billetera Bitcoin segura" - }, - "payFeePriority": "Prioridad de tarifa", - "@payFeePriority": { - "description": "Etiqueta para la selección de prioridad de tarifa" - }, - "payFastest": "Más rápida", - "@payFastest": { - "description": "Texto para la opción de tarifa más rápida" - }, - "payNetworkFees": "Tarifas de red", - "@payNetworkFees": { - "description": "Etiqueta para el monto de las tarifas de red" - }, - "payCalculating": "Calculando...", - "@payCalculating": { - "description": "Texto mostrado mientras se calculan las tarifas" - }, - "payAdvancedSettings": "Configuración avanzada", - "@payAdvancedSettings": { - "description": "Botón para la configuración avanzada" - }, - "payAdvancedOptions": "Opciones avanzadas", - "@payAdvancedOptions": { - "description": "Título para la hoja inferior de opciones avanzadas" - }, - "payReplaceByFeeActivated": "Replace-by-fee activado", - "@payReplaceByFeeActivated": { - "description": "Etiqueta para el interruptor RBF" - }, - "paySelectCoinsManually": "Seleccionar monedas manualmente", - "@paySelectCoinsManually": { - "description": "Opción para seleccionar UTXOs manualmente" - }, - "payDone": "Hecho", - "@payDone": { - "description": "Botón para cerrar la hoja inferior" - }, - "payContinue": "Continuar", - "@payContinue": { - "description": "Botón para continuar al siguiente paso" - }, - "payPleasePayInvoice": "Por favor pague esta factura", - "@payPleasePayInvoice": { - "description": "Título para la pantalla de recepción de pago" - }, - "payBitcoinAmount": "Monto de Bitcoin", - "@payBitcoinAmount": { - "description": "Etiqueta para el monto de Bitcoin" - }, - "payBitcoinPrice": "Precio de Bitcoin", - "@payBitcoinPrice": { - "description": "Etiqueta para el tipo de cambio de Bitcoin" - }, - "payCopyInvoice": "Copiar Factura", - "@payCopyInvoice": { - "description": "Button text to copy invoice to clipboard" - }, - "payShowQrCode": "Mostrar código QR", - "@payShowQrCode": { - "description": "Botón para mostrar el código QR" - }, - "payQrCode": "Código QR", - "@payQrCode": { - "description": "Título para la hoja inferior del código QR" - }, - "payNoInvoiceData": "No hay datos de factura disponibles", - "@payNoInvoiceData": { - "description": "Mensaje cuando no hay datos de factura disponibles" - }, - "payInvalidState": "Estado inválido", - "@payInvalidState": { - "description": "Mensaje de error para estado inválido" - }, - "payInProgress": "¡Pago en progreso!", - "@payInProgress": { - "description": "Título para la pantalla de pago en progreso" - }, - "payInProgressDescription": "Su pago ha sido iniciado y el destinatario recibirá los fondos después de que su transacción reciba 1 confirmación on-chain.", - "@payInProgressDescription": { - "description": "Descripción para el pago en progreso" - }, - "payViewDetails": "Ver detalles", - "@payViewDetails": { - "description": "Botón para ver los detalles de la orden" - }, - "payCompleted": "¡Pago completado!", - "@payCompleted": { - "description": "Título para la pantalla de pago completado" - }, - "payCompletedDescription": "Su pago ha sido completado y el destinatario ha recibido los fondos.", - "@payCompletedDescription": { - "description": "Descripción para el pago completado" - }, - "paySinpeEnviado": "SINPE ENVIADO!", - "@paySinpeEnviado": { - "description": "Mensaje de éxito para el pago SINPE (en español, se mantiene como está)" - }, - "payOrderDetails": "Detalles de la orden", - "@payOrderDetails": { - "description": "Título para la pantalla de detalles de la orden SINPE" - }, - "paySinpeMonto": "Monto", - "@paySinpeMonto": { - "description": "Etiqueta para el monto en detalles de orden SINPE" - }, - "paySinpeNumeroOrden": "Número de orden", - "@paySinpeNumeroOrden": { - "description": "Etiqueta para el número de orden en detalles SINPE" - }, - "paySinpeNumeroComprobante": "Número de comprobante", - "@paySinpeNumeroComprobante": { - "description": "Etiqueta para el número de comprobante en detalles SINPE" - }, - "paySinpeBeneficiario": "Beneficiario", - "@paySinpeBeneficiario": { - "description": "Etiqueta para el beneficiario en detalles SINPE" - }, - "paySinpeOrigen": "Origen", - "@paySinpeOrigen": { - "description": "Etiqueta para el origen en detalles SINPE" - }, - "payNotAvailable": "N/A", - "@payNotAvailable": { - "description": "Texto para información no disponible" - }, - "payBitcoinOnchain": "Bitcoin on-chain", - "@payBitcoinOnchain": { - "description": "Opción para pago Bitcoin on-chain" - }, - "payAboveMaxAmount": "Está intentando pagar un monto superior al monto máximo que se puede pagar con esta billetera.", - "@payAboveMaxAmount": { - "description": "Mensaje de error cuando el monto de pago excede el máximo" - }, - "payBelowMinAmount": "Está intentando pagar un monto inferior al monto mínimo que se puede pagar con esta billetera.", - "@payBelowMinAmount": { - "description": "Mensaje de error cuando el monto de pago está por debajo del mínimo" - }, - "payNotAuthenticated": "No está autenticado. Por favor, inicie sesión para continuar.", - "@payNotAuthenticated": { - "description": "Mensaje de error cuando el usuario no está autenticado" - }, - "payOrderNotFound": "No se encontró la orden de pago. Por favor, intente nuevamente.", - "@payOrderNotFound": { - "description": "Mensaje de error cuando no se encuentra la orden de pago" - }, - "payOrderAlreadyConfirmed": "Esta orden de pago ya ha sido confirmada.", - "@payOrderAlreadyConfirmed": { - "description": "Mensaje de error cuando la orden de pago ya está confirmada" - }, - "payPaymentInProgress": "¡Pago en curso!", - "@payPaymentInProgress": { - "description": "Título para la pantalla de pago en curso" - }, - "payPaymentInProgressDescription": "Su pago ha sido iniciado y el destinatario recibirá los fondos después de que su transacción reciba 1 confirmación on-chain.", - "@payPaymentInProgressDescription": { - "description": "Descripción para el pago en curso" - }, - "payPriceRefreshIn": "El precio se actualizará en ", - "@payPriceRefreshIn": { - "description": "Texto antes del temporizador de cuenta regresiva" - }, - "payFor": "Para", - "@payFor": { - "description": "Etiqueta para la sección de información del destinatario" - }, - "payRecipient": "Destinatario", - "@payRecipient": { - "description": "Etiqueta para el destinatario" - }, - "payAmount": "Monto", - "@payAmount": { - "description": "Etiqueta para el monto" - }, - "payFee": "Comisión", - "@payFee": { - "description": "Etiqueta para la comisión" - }, - "payNetwork": "Red", - "@payNetwork": { - "description": "Etiqueta para la red" - }, - "payViewRecipient": "Ver destinatario", - "@payViewRecipient": { - "description": "Botón para ver los detalles del destinatario" - }, - "payOpenInvoice": "Abrir factura", - "@payOpenInvoice": { - "description": "Botón para abrir la factura" - }, - "payCopied": "¡Copiado!", - "@payCopied": { - "description": "Mensaje de éxito después de copiar" - }, - "payWhichWallet": "¿Desde qué billetera desea pagar?", - "@payWhichWallet": { - "description": "Pregunta para la selección de billetera" - }, - "payExternalWalletDescription": "Pagar desde otra billetera Bitcoin", - "@payExternalWalletDescription": { - "description": "Descripción para la opción de billetera externa" - }, - "payInsufficientBalance": "Saldo insuficiente en la billetera seleccionada para completar esta orden de pago.", - "@payInsufficientBalance": { - "description": "Mensaje de error para saldo insuficiente" - }, - "payRbfActivated": "Replace-by-fee activado", - "@payRbfActivated": { - "description": "Etiqueta para el interruptor RBF" - }, - "transactionTitle": "Transacciones", - "@transactionTitle": { - "description": "Título para la pantalla de transacciones" - }, - "transactionError": "Error - {error}", - "@transactionError": { - "description": "Mensaje de error mostrado cuando falla la carga de transacciones", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "transactionDetailTitle": "Detalles de la transacción", - "@transactionDetailTitle": { - "description": "Título para la pantalla de detalles de transacción" - }, - "transactionDetailTransferProgress": "Progreso de la transferencia", - "@transactionDetailTransferProgress": { - "description": "Título para los detalles de la transferencia en curso" - }, - "transactionDetailSwapProgress": "Progreso del intercambio", - "@transactionDetailSwapProgress": { - "description": "Título para los detalles del intercambio en curso" - }, - "transactionDetailRetryTransfer": "Reintentar transferencia {action}", - "@transactionDetailRetryTransfer": { - "description": "Etiqueta del botón para reintentar una acción de transferencia fallida", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "transactionDetailRetrySwap": "Reintentar intercambio {action}", - "@transactionDetailRetrySwap": { - "description": "Etiqueta del botón para reintentar una acción de intercambio fallida", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "transactionDetailAddNote": "Agregar nota", - "@transactionDetailAddNote": { - "description": "Etiqueta del botón para agregar una nota a una transacción" - }, - "transactionDetailBumpFees": "Aumentar tarifas", - "@transactionDetailBumpFees": { - "description": "Etiqueta del botón para aumentar las tarifas de transacción mediante RBF" - }, - "transactionFilterAll": "Todas", - "@transactionFilterAll": { - "description": "Opción de filtro para mostrar todas las transacciones" - }, - "transactionFilterSend": "Enviar", - "@transactionFilterSend": { - "description": "Opción de filtro para mostrar solo transacciones enviadas" - }, - "transactionFilterReceive": "Recibir", - "@transactionFilterReceive": { - "description": "Opción de filtro para mostrar solo transacciones recibidas" - }, - "transactionFilterTransfer": "Transferir", - "@transactionFilterTransfer": { - "description": "Opción de filtro para mostrar solo transacciones de transferencia/intercambio" - }, - "transactionFilterPayjoin": "Payjoin", - "@transactionFilterPayjoin": { - "description": "Opción de filtro para mostrar solo transacciones payjoin" - }, - "transactionFilterSell": "Vender", - "@transactionFilterSell": { - "description": "Opción de filtro para mostrar solo órdenes de venta" - }, - "transactionFilterBuy": "Comprar", - "@transactionFilterBuy": { - "description": "Opción de filtro para mostrar solo órdenes de compra" - }, - "transactionNetworkLightning": "Lightning", - "@transactionNetworkLightning": { - "description": "Etiqueta para transacciones de la red Lightning" - }, - "transactionNetworkBitcoin": "Bitcoin", - "@transactionNetworkBitcoin": { - "description": "Etiqueta para transacciones de la red Bitcoin" - }, - "transactionNetworkLiquid": "Liquid", - "@transactionNetworkLiquid": { - "description": "Etiqueta para transacciones de la red Liquid" - }, - "transactionSwapLiquidToBitcoin": "L-BTC → BTC", - "@transactionSwapLiquidToBitcoin": { - "description": "Etiqueta para el intercambio de Liquid a Bitcoin" - }, - "transactionSwapBitcoinToLiquid": "BTC → L-BTC", - "@transactionSwapBitcoinToLiquid": { - "description": "Etiqueta para el intercambio de Bitcoin a Liquid" - }, - "transactionStatusInProgress": "En progreso", - "@transactionStatusInProgress": { - "description": "Etiqueta de estado para transacciones en progreso" - }, - "transactionStatusPending": "Pendiente", - "@transactionStatusPending": { - "description": "Etiqueta de estado para transacciones pendientes" - }, - "transactionStatusConfirmed": "Confirmada", - "@transactionStatusConfirmed": { - "description": "Etiqueta de estado para transacciones confirmadas" - }, - "transactionStatusTransferCompleted": "Transferencia completada", - "@transactionStatusTransferCompleted": { - "description": "Etiqueta de estado para transferencias completadas" - }, - "transactionStatusTransferInProgress": "Transferencia en progreso", - "@transactionStatusTransferInProgress": { - "description": "Etiqueta de estado para transferencias en progreso" - }, - "transactionStatusPaymentInProgress": "Pago en progreso", - "@transactionStatusPaymentInProgress": { - "description": "Etiqueta de estado para pagos Lightning en progreso" - }, - "transactionStatusPaymentRefunded": "Pago reembolsado", - "@transactionStatusPaymentRefunded": { - "description": "Etiqueta de estado para pagos reembolsados" - }, - "transactionStatusTransferFailed": "Transferencia fallida", - "@transactionStatusTransferFailed": { - "description": "Etiqueta de estado para transferencias fallidas" - }, - "transactionStatusSwapFailed": "Intercambio fallido", - "@transactionStatusSwapFailed": { - "description": "Etiqueta de estado para intercambios fallidos" - }, - "transactionStatusTransferExpired": "Transferencia expirada", - "@transactionStatusTransferExpired": { - "description": "Etiqueta de estado para transferencias expiradas" - }, - "transactionStatusSwapExpired": "Intercambio expirado", - "@transactionStatusSwapExpired": { - "description": "Etiqueta de estado para intercambios expirados" - }, - "transactionStatusPayjoinRequested": "Payjoin solicitado", - "@transactionStatusPayjoinRequested": { - "description": "Etiqueta de estado para solicitudes de transacción payjoin" - }, - "transactionLabelTransactionId": "ID de transacción", - "@transactionLabelTransactionId": { - "description": "Etiqueta para el campo de ID de transacción" - }, - "transactionLabelToWallet": "A billetera", - "@transactionLabelToWallet": { - "description": "Etiqueta para la billetera de destino" - }, - "transactionLabelFromWallet": "Desde billetera", - "@transactionLabelFromWallet": { - "description": "Etiqueta para la billetera de origen" - }, - "transactionLabelRecipientAddress": "Dirección del destinatario", - "@transactionLabelRecipientAddress": { - "description": "Etiqueta para la dirección del destinatario" - }, - "transactionLabelAddress": "Dirección", - "@transactionLabelAddress": { - "description": "Etiqueta para la dirección de la transacción" - }, - "transactionLabelAddressNotes": "Notas de dirección", - "@transactionLabelAddressNotes": { - "description": "Etiqueta para las notas/etiquetas de dirección" - }, - "transactionLabelAmountReceived": "Monto recibido", - "@transactionLabelAmountReceived": { - "description": "Etiqueta para el monto recibido" - }, - "transactionLabelAmountSent": "Monto enviado", - "@transactionLabelAmountSent": { - "description": "Etiqueta para el monto enviado" - }, - "transactionLabelTransactionFee": "Tarifa de transacción", - "@transactionLabelTransactionFee": { - "description": "Etiqueta para la tarifa de transacción" - }, - "transactionLabelStatus": "Estado", - "@transactionLabelStatus": { - "description": "Etiqueta para el estado de la transacción" - }, - "transactionLabelConfirmationTime": "Tiempo de confirmación", - "@transactionLabelConfirmationTime": { - "description": "Etiqueta para la marca de tiempo de confirmación de la transacción" - }, - "transactionLabelTransferId": "ID de transferencia", - "@transactionLabelTransferId": { - "description": "Etiqueta para el ID de transferencia/intercambio" - }, - "transactionLabelSwapId": "ID de intercambio", - "@transactionLabelSwapId": { - "description": "Etiqueta para el ID de intercambio" - }, - "transactionLabelTransferStatus": "Estado de transferencia", - "@transactionLabelTransferStatus": { - "description": "Etiqueta para el estado de transferencia" - }, - "transactionLabelSwapStatus": "Estado de intercambio", - "@transactionLabelSwapStatus": { - "description": "Etiqueta para el estado de intercambio" - }, - "transactionLabelSwapStatusRefunded": "Reembolsado", - "@transactionLabelSwapStatusRefunded": { - "description": "Etiqueta de estado para intercambios reembolsados" - }, - "transactionLabelLiquidTransactionId": "ID de transacción Liquid", - "@transactionLabelLiquidTransactionId": { - "description": "Etiqueta para el ID de transacción de la red Liquid" - }, - "transactionLabelBitcoinTransactionId": "ID de transacción Bitcoin", - "@transactionLabelBitcoinTransactionId": { - "description": "Etiqueta para el ID de transacción de la red Bitcoin" - }, - "transactionLabelTotalTransferFees": "Tarifas totales de transferencia", - "@transactionLabelTotalTransferFees": { - "description": "Etiqueta para las tarifas totales de transferencia" - }, - "transactionLabelTotalSwapFees": "Tarifas totales de intercambio", - "@transactionLabelTotalSwapFees": { - "description": "Etiqueta para las tarifas totales de intercambio" - }, - "transactionLabelNetworkFee": "Tarifa de red", - "@transactionLabelNetworkFee": { - "description": "Etiqueta para el componente de tarifa de red" - }, - "transactionLabelTransferFee": "Tarifa de transferencia", - "@transactionLabelTransferFee": { - "description": "Etiqueta para el componente de tarifa de transferencia" - }, - "transactionLabelBoltzSwapFee": "Tarifa de intercambio Boltz", - "@transactionLabelBoltzSwapFee": { - "description": "Etiqueta para el componente de tarifa de intercambio Boltz" - }, - "transactionLabelCreatedAt": "Creado el", - "@transactionLabelCreatedAt": { - "description": "Etiqueta para la marca de tiempo de creación" - }, - "transactionLabelCompletedAt": "Completado el", - "@transactionLabelCompletedAt": { - "description": "Etiqueta para la marca de tiempo de finalización" - }, - "transactionLabelPayjoinStatus": "Estado de payjoin", - "@transactionLabelPayjoinStatus": { - "description": "Etiqueta para el estado de payjoin" - }, - "transactionLabelPayjoinCreationTime": "Tiempo de creación de payjoin", - "@transactionLabelPayjoinCreationTime": { - "description": "Etiqueta para la marca de tiempo de creación de payjoin" - }, - "transactionPayjoinStatusCompleted": "Completado", - "@transactionPayjoinStatusCompleted": { - "description": "Estado de payjoin: completado" - }, - "transactionPayjoinStatusExpired": "Expirado", - "@transactionPayjoinStatusExpired": { - "description": "Estado de payjoin: expirado" - }, - "transactionOrderLabelOrderType": "Tipo de orden", - "@transactionOrderLabelOrderType": { - "description": "Etiqueta para el tipo de orden" - }, - "transactionOrderLabelOrderNumber": "Número de orden", - "@transactionOrderLabelOrderNumber": { - "description": "Etiqueta para el número de orden" - }, - "transactionOrderLabelPayinAmount": "Monto de pago", - "@transactionOrderLabelPayinAmount": { - "description": "Etiqueta para el monto de pago de la orden" - }, - "transactionOrderLabelPayoutAmount": "Monto a recibir", - "@transactionOrderLabelPayoutAmount": { - "description": "Etiqueta para el monto a recibir de la orden" - }, - "transactionOrderLabelExchangeRate": "Tipo de cambio", - "@transactionOrderLabelExchangeRate": { - "description": "Etiqueta para el tipo de cambio de la orden" - }, - "transactionOrderLabelPayinMethod": "Método de pago", - "@transactionOrderLabelPayinMethod": { - "description": "Etiqueta para el método de pago de la orden" - }, - "transactionOrderLabelPayoutMethod": "Método de cobro", - "@transactionOrderLabelPayoutMethod": { - "description": "Etiqueta para el método de cobro de la orden" - }, - "transactionOrderLabelPayinStatus": "Estado de pago", - "@transactionOrderLabelPayinStatus": { - "description": "Etiqueta para el estado de pago de la orden" - }, - "transactionOrderLabelOrderStatus": "Estado de orden", - "@transactionOrderLabelOrderStatus": { - "description": "Etiqueta para el estado de la orden" - }, - "transactionOrderLabelPayoutStatus": "Estado de cobro", - "@transactionOrderLabelPayoutStatus": { - "description": "Etiqueta para el estado de cobro de la orden" - }, - "transactionNotesLabel": "Notas de transacción", - "@transactionNotesLabel": { - "description": "Etiqueta para la sección de notas de transacción" - }, - "transactionNoteAddTitle": "Agregar nota", - "@transactionNoteAddTitle": { - "description": "Título para el diálogo de agregar nota" - }, - "transactionNoteEditTitle": "Editar nota", - "@transactionNoteEditTitle": { - "description": "Título para el diálogo de editar nota" - }, - "transactionNoteHint": "Nota", - "@transactionNoteHint": { - "description": "Texto de sugerencia para el campo de entrada de nota" - }, - "transactionNoteSaveButton": "Guardar", - "@transactionNoteSaveButton": { - "description": "Etiqueta del botón para guardar una nota" - }, - "transactionNoteUpdateButton": "Actualizar", - "@transactionNoteUpdateButton": { - "description": "Etiqueta del botón para actualizar una nota" - }, - "transactionPayjoinNoProposal": "¿No recibe una propuesta de payjoin del receptor?", - "@transactionPayjoinNoProposal": { - "description": "Mensaje mostrado cuando no se recibe la propuesta de payjoin" - }, - "transactionPayjoinSendWithout": "Enviar sin payjoin", - "@transactionPayjoinSendWithout": { - "description": "Etiqueta del botón para enviar la transacción sin payjoin" - }, - "transactionSwapProgressInitiated": "Iniciado", - "@transactionSwapProgressInitiated": { - "description": "Paso de progreso del intercambio: iniciado" - }, - "transactionSwapProgressPaymentMade": "Pago\nrealizado", - "@transactionSwapProgressPaymentMade": { - "description": "Paso de progreso del intercambio: pago realizado" - }, - "transactionSwapProgressFundsClaimed": "Fondos\nreclamados", - "@transactionSwapProgressFundsClaimed": { - "description": "Paso de progreso del intercambio: fondos reclamados" - }, - "transactionSwapProgressBroadcasted": "Transmitido", - "@transactionSwapProgressBroadcasted": { - "description": "Paso de progreso del intercambio: transacción transmitida" - }, - "transactionSwapProgressInvoicePaid": "Factura\npagada", - "@transactionSwapProgressInvoicePaid": { - "description": "Paso de progreso del intercambio: factura Lightning pagada" - }, - "transactionSwapProgressConfirmed": "Confirmado", - "@transactionSwapProgressConfirmed": { - "description": "Paso de progreso del intercambio: confirmado" - }, - "transactionSwapProgressClaim": "Reclamar", - "@transactionSwapProgressClaim": { - "description": "Paso de progreso del intercambio: reclamar" - }, - "transactionSwapProgressCompleted": "Completado", - "@transactionSwapProgressCompleted": { - "description": "Paso de progreso del intercambio: completado" - }, - "transactionSwapProgressInProgress": "En progreso", - "@transactionSwapProgressInProgress": { - "description": "Paso de progreso del intercambio genérico: en progreso" - }, - "transactionSwapStatusTransferStatus": "Estado de transferencia", - "@transactionSwapStatusTransferStatus": { - "description": "Encabezado para la sección de estado de transferencia" - }, - "transactionSwapStatusSwapStatus": "Estado de intercambio", - "@transactionSwapStatusSwapStatus": { - "description": "Encabezado para la sección de estado de intercambio" - }, - "transactionSwapDescLnReceivePending": "Su intercambio ha sido iniciado. Estamos esperando que se reciba un pago en la Lightning Network.", - "@transactionSwapDescLnReceivePending": { - "description": "Descripción para el intercambio de recepción Lightning pendiente" - }, - "transactionSwapDescLnReceivePaid": "¡Se ha recibido el pago! Ahora estamos transmitiendo la transacción on-chain a su billetera.", - "@transactionSwapDescLnReceivePaid": { - "description": "Descripción para el intercambio de recepción Lightning pagado" - }, - "transactionSwapDescLnReceiveClaimable": "La transacción on-chain ha sido confirmada. Ahora estamos reclamando los fondos para completar su intercambio.", - "@transactionSwapDescLnReceiveClaimable": { - "description": "Descripción para el intercambio de recepción Lightning reclamable" - }, - "transactionSwapDescLnReceiveCompleted": "¡Su intercambio ha sido completado exitosamente! Los fondos ahora deberían estar disponibles en su billetera.", - "@transactionSwapDescLnReceiveCompleted": { - "description": "Descripción para el intercambio de recepción Lightning completado" - }, - "transactionSwapDescLnReceiveFailed": "Hubo un problema con su intercambio. Por favor contacte con soporte si los fondos no han sido devueltos dentro de 24 horas.", - "@transactionSwapDescLnReceiveFailed": { - "description": "Descripción para el intercambio de recepción Lightning fallido" - }, - "transactionSwapDescLnReceiveExpired": "Este intercambio ha expirado. Cualquier fondo enviado será devuelto automáticamente al remitente.", - "@transactionSwapDescLnReceiveExpired": { - "description": "Descripción para el intercambio de recepción Lightning expirado" - }, - "transactionSwapDescLnReceiveDefault": "Su intercambio está en progreso. Este proceso es automatizado y puede tomar algún tiempo en completarse.", - "@transactionSwapDescLnReceiveDefault": { - "description": "Descripción predeterminada para el intercambio de recepción Lightning" - }, - "transactionSwapDescLnSendPending": "Su intercambio ha sido iniciado. Estamos transmitiendo la transacción on-chain para bloquear sus fondos.", - "@transactionSwapDescLnSendPending": { - "description": "Descripción para el intercambio de envío Lightning pendiente" - }, - "transactionSwapDescLnSendPaid": "Su transacción on-chain ha sido transmitida. Después de 1 confirmación, se enviará el pago Lightning.", - "@transactionSwapDescLnSendPaid": { - "description": "Descripción para el intercambio de envío Lightning pagado" - }, - "transactionSwapDescLnSendCompleted": "¡El pago Lightning ha sido enviado exitosamente! Su intercambio está ahora completo.", - "@transactionSwapDescLnSendCompleted": { - "description": "Descripción para el intercambio de envío Lightning completado" - }, - "transactionSwapDescLnSendFailed": "Hubo un problema con su intercambio. Sus fondos serán devueltos a su billetera automáticamente.", - "@transactionSwapDescLnSendFailed": { - "description": "Descripción para el intercambio de envío Lightning fallido" - }, - "transactionSwapDescLnSendExpired": "Este intercambio ha expirado. Sus fondos serán devueltos automáticamente a su billetera.", - "@transactionSwapDescLnSendExpired": { - "description": "Descripción para el intercambio de envío Lightning expirado" - }, - "transactionSwapDescLnSendDefault": "Su intercambio está en progreso. Este proceso es automatizado y puede tomar algún tiempo en completarse.", - "@transactionSwapDescLnSendDefault": { - "description": "Descripción predeterminada para el intercambio de envío Lightning" - }, - "transactionSwapDescChainPending": "Su transferencia ha sido creada pero aún no se ha iniciado.", - "@transactionSwapDescChainPending": { - "description": "Descripción para el intercambio de cadena pendiente" - }, - "transactionSwapDescChainPaid": "Su transacción ha sido transmitida. Ahora estamos esperando que la transacción de bloqueo sea confirmada.", - "@transactionSwapDescChainPaid": { - "description": "Descripción para el intercambio de cadena pagado" - }, - "transactionSwapDescChainClaimable": "La transacción de bloqueo ha sido confirmada. Ahora está reclamando los fondos para completar su transferencia.", - "@transactionSwapDescChainClaimable": { - "description": "Descripción para el intercambio de cadena reclamable" - }, - "transactionSwapDescChainRefundable": "La transferencia será reembolsada. Sus fondos serán devueltos a su billetera automáticamente.", - "@transactionSwapDescChainRefundable": { - "description": "Descripción para el intercambio de cadena reembolsable" - }, - "transactionSwapDescChainCompleted": "¡Su transferencia ha sido completada exitosamente! Los fondos ahora deberían estar disponibles en su billetera.", - "@transactionSwapDescChainCompleted": { - "description": "Descripción para el intercambio de cadena completado" - }, - "transactionSwapDescChainFailed": "Hubo un problema con su transferencia. Por favor contacte con soporte si los fondos no han sido devueltos dentro de 24 horas.", - "@transactionSwapDescChainFailed": { - "description": "Descripción para el intercambio de cadena fallido" - }, - "transactionSwapDescChainExpired": "Esta transferencia ha expirado. Sus fondos serán devueltos automáticamente a su billetera.", - "@transactionSwapDescChainExpired": { - "description": "Descripción para el intercambio de cadena expirado" - }, - "transactionSwapDescChainDefault": "Su transferencia está en progreso. Este proceso es automatizado y puede tomar algún tiempo en completarse.", - "@transactionSwapDescChainDefault": { - "description": "Descripción predeterminada para el intercambio de cadena" - }, - "transactionSwapInfoFailedExpired": "Si tiene alguna pregunta o inquietud, por favor contacte con soporte para obtener asistencia.", - "@transactionSwapInfoFailedExpired": { - "description": "Información adicional para intercambios fallidos o expirados" - }, - "transactionSwapInfoChainDelay": "Las transferencias on-chain pueden tomar algún tiempo en completarse debido a los tiempos de confirmación de blockchain.", - "@transactionSwapInfoChainDelay": { - "description": "Información adicional sobre los retrasos de transferencia on-chain" - }, - "transactionSwapInfoClaimableTransfer": "La transferencia se completará automáticamente en unos segundos. Si no, puede intentar un reclamo manual haciendo clic en el botón \"Reintentar reclamación de transferencia\".", - "@transactionSwapInfoClaimableTransfer": { - "description": "Información adicional para transferencias reclamables" - }, - "transactionSwapInfoClaimableSwap": "El intercambio se completará automáticamente en unos segundos. Si no, puede intentar un reclamo manual haciendo clic en el botón \"Reintentar reclamación de intercambio\".", - "@transactionSwapInfoClaimableSwap": { - "description": "Información adicional para intercambios reclamables" - }, - "transactionSwapInfoRefundableTransfer": "Esta transferencia será reembolsada automáticamente en unos segundos. Si no, puede intentar un reembolso manual haciendo clic en el botón \"Reintentar reembolso de transferencia\".", - "@transactionSwapInfoRefundableTransfer": { - "description": "Información adicional para transferencias reembolsables" - }, - "transactionSwapInfoRefundableSwap": "Este intercambio será reembolsado automáticamente en unos segundos. Si no, puede intentar un reembolso manual haciendo clic en el botón \"Reintentar reembolso de intercambio\".", - "@transactionSwapInfoRefundableSwap": { - "description": "Información adicional para intercambios reembolsables" - }, - "transactionListOngoingTransfersTitle": "Transferencias en curso", - "@transactionListOngoingTransfersTitle": { - "description": "Título para la sección de transferencias en curso" - }, - "transactionListOngoingTransfersDescription": "Estas transferencias están actualmente en progreso. Sus fondos están seguros y estarán disponibles cuando se complete la transferencia.", - "@transactionListOngoingTransfersDescription": { - "description": "Descripción para la sección de transferencias en curso" - }, - "transactionListLoadingTransactions": "Cargando transacciones...", - "@transactionListLoadingTransactions": { - "description": "Mensaje mostrado mientras se cargan las transacciones" - }, - "transactionListNoTransactions": "Aún no hay transacciones.", - "@transactionListNoTransactions": { - "description": "Mensaje mostrado cuando no hay transacciones" - }, - "transactionListToday": "Hoy", - "@transactionListToday": { - "description": "Etiqueta de fecha para las transacciones de hoy" - }, - "transactionListYesterday": "Ayer", - "@transactionListYesterday": { - "description": "Etiqueta de fecha para las transacciones de ayer" - }, - "transactionSwapDoNotUninstall": "No desinstale la aplicación hasta que se complete el intercambio.", - "@transactionSwapDoNotUninstall": { - "description": "Mensaje de advertencia para no desinstalar la app durante un intercambio" - }, - "transactionFeesDeductedFrom": "Estas tarifas se deducirán del monto enviado", - "@transactionFeesDeductedFrom": { - "description": "Explicación de deducción de tarifas para intercambios entrantes" - }, - "transactionFeesTotalDeducted": "Esta es la tarifa total deducida del monto enviado", - "@transactionFeesTotalDeducted": { - "description": "Explicación de deducción de tarifas para intercambios salientes" - }, - "transactionLabelSendAmount": "Monto enviado", - "@transactionLabelSendAmount": { - "description": "Etiqueta para el monto enviado en los detalles del intercambio" - }, - "transactionLabelReceiveAmount": "Monto recibido", - "@transactionLabelReceiveAmount": { - "description": "Etiqueta para el monto recibido en los detalles del intercambio" - }, - "transactionLabelSendNetworkFees": "Tarifas de red de envío", - "@transactionLabelSendNetworkFees": { - "description": "Etiqueta para las tarifas de red de envío en los detalles del intercambio" - }, - "transactionLabelReceiveNetworkFee": "Tarifa de red de recepción", - "@transactionLabelReceiveNetworkFee": { - "description": "Etiqueta para la tarifa de red de recepción en los detalles del intercambio" - }, - "transactionLabelServerNetworkFees": "Tarifas de red del servidor", - "@transactionLabelServerNetworkFees": { - "description": "Etiqueta para las tarifas de red del servidor en los detalles del intercambio" - }, - "transactionLabelPreimage": "Preimagen", - "@transactionLabelPreimage": { - "description": "Etiqueta para la preimagen en los detalles del intercambio Lightning" - }, - "transactionOrderLabelReferenceNumber": "Número de referencia", - "@transactionOrderLabelReferenceNumber": { - "description": "Etiqueta para el número de referencia en los detalles del pedido" - }, - "transactionOrderLabelOriginName": "Nombre de origen", - "@transactionOrderLabelOriginName": { - "description": "Etiqueta para el nombre de origen en el pedido de pago fiat" - }, - "transactionOrderLabelOriginCedula": "Cédula de origen", - "@transactionOrderLabelOriginCedula": { - "description": "Etiqueta para la cédula de origen en el pedido de pago fiat" - }, - "transactionDetailAccelerate": "Acelerar", - "@transactionDetailAccelerate": { - "description": "Etiqueta del botón para acelerar (RBF) una transacción no confirmada" - }, - "transactionDetailLabelTransactionId": "ID de transacción", - "@transactionDetailLabelTransactionId": { - "description": "Etiqueta para el ID de transacción" - }, - "transactionDetailLabelToWallet": "A billetera", - "@transactionDetailLabelToWallet": { - "description": "Etiqueta para la billetera de destino" - }, - "transactionDetailLabelFromWallet": "Desde billetera", - "@transactionDetailLabelFromWallet": { - "description": "Etiqueta para la billetera de origen" - }, - "transactionDetailLabelRecipientAddress": "Dirección del destinatario", - "@transactionDetailLabelRecipientAddress": { - "description": "Etiqueta para la dirección del destinatario" - }, - "transactionDetailLabelAddress": "Dirección", - "@transactionDetailLabelAddress": { - "description": "Etiqueta para la dirección" - }, - "transactionDetailLabelAddressNotes": "Notas de dirección", - "@transactionDetailLabelAddressNotes": { - "description": "Etiqueta para las notas de dirección" - }, - "transactionDetailLabelAmountReceived": "Monto recibido", - "@transactionDetailLabelAmountReceived": { - "description": "Etiqueta para el monto recibido" - }, - "transactionDetailLabelAmountSent": "Monto enviado", - "@transactionDetailLabelAmountSent": { - "description": "Etiqueta para el monto enviado" - }, - "transactionDetailLabelTransactionFee": "Comisión de transacción", - "@transactionDetailLabelTransactionFee": { - "description": "Etiqueta para la comisión de transacción" - }, - "transactionDetailLabelStatus": "Estado", - "@transactionDetailLabelStatus": { - "description": "Etiqueta para el estado" - }, - "transactionDetailLabelConfirmationTime": "Tiempo de confirmación", - "@transactionDetailLabelConfirmationTime": { - "description": "Etiqueta para el tiempo de confirmación" - }, - "transactionDetailLabelOrderType": "Tipo de orden", - "@transactionDetailLabelOrderType": { - "description": "Etiqueta para el tipo de orden" - }, - "transactionDetailLabelOrderNumber": "Número de orden", - "@transactionDetailLabelOrderNumber": { - "description": "Etiqueta para el número de orden" - }, - "transactionDetailLabelPayinAmount": "Monto de entrada", - "@transactionDetailLabelPayinAmount": { - "description": "Etiqueta para el monto de entrada" - }, - "transactionDetailLabelPayoutAmount": "Monto de salida", - "@transactionDetailLabelPayoutAmount": { - "description": "Etiqueta para el monto de salida" - }, - "transactionDetailLabelExchangeRate": "Tasa de cambio", - "@transactionDetailLabelExchangeRate": { - "description": "Etiqueta para la tasa de cambio" - }, - "transactionDetailLabelPayinMethod": "Método de entrada", - "@transactionDetailLabelPayinMethod": { - "description": "Etiqueta para el método de entrada" - }, - "transactionDetailLabelPayoutMethod": "Método de salida", - "@transactionDetailLabelPayoutMethod": { - "description": "Etiqueta para el método de salida" - }, - "transactionDetailLabelPayinStatus": "Estado de entrada", - "@transactionDetailLabelPayinStatus": { - "description": "Etiqueta para el estado de entrada" - }, - "transactionDetailLabelOrderStatus": "Estado de orden", - "@transactionDetailLabelOrderStatus": { - "description": "Etiqueta para el estado de orden" - }, - "transactionDetailLabelPayoutStatus": "Estado de salida", - "@transactionDetailLabelPayoutStatus": { - "description": "Etiqueta para el estado de salida" - }, - "transactionDetailLabelCreatedAt": "Creado el", - "@transactionDetailLabelCreatedAt": { - "description": "Etiqueta para la fecha de creación" - }, - "transactionDetailLabelCompletedAt": "Completado el", - "@transactionDetailLabelCompletedAt": { - "description": "Etiqueta para la fecha de finalización" - }, - "transactionDetailLabelTransferId": "ID de transferencia", - "@transactionDetailLabelTransferId": { - "description": "Etiqueta para el ID de transferencia" - }, - "transactionDetailLabelSwapId": "ID de swap", - "@transactionDetailLabelSwapId": { - "description": "Etiqueta para el ID de swap" - }, - "transactionDetailLabelTransferStatus": "Estado de transferencia", - "@transactionDetailLabelTransferStatus": { - "description": "Etiqueta para el estado de transferencia" - }, - "transactionDetailLabelSwapStatus": "Estado de swap", - "@transactionDetailLabelSwapStatus": { - "description": "Etiqueta para el estado de swap" - }, - "transactionDetailLabelRefunded": "Reembolsado", - "@transactionDetailLabelRefunded": { - "description": "Etiqueta para el estado de reembolso" - }, - "transactionDetailLabelLiquidTxId": "ID de transacción Liquid", - "@transactionDetailLabelLiquidTxId": { - "description": "Etiqueta para el ID de transacción Liquid" - }, - "transactionDetailLabelBitcoinTxId": "ID de transacción Bitcoin", - "@transactionDetailLabelBitcoinTxId": { - "description": "Etiqueta para el ID de transacción Bitcoin" - }, - "transactionDetailLabelTransferFees": "Comisiones de transferencia", - "@transactionDetailLabelTransferFees": { - "description": "Etiqueta para las comisiones de transferencia" - }, - "transactionDetailLabelSwapFees": "Comisiones de swap", - "@transactionDetailLabelSwapFees": { - "description": "Etiqueta para las comisiones de swap" - }, - "transactionDetailLabelSendNetworkFee": "Comisión de red de envío", - "@transactionDetailLabelSendNetworkFee": { - "description": "Etiqueta para la comisión de red de envío" - }, - "transactionDetailLabelTransferFee": "Comisión de transferencia", - "@transactionDetailLabelTransferFee": { - "description": "Etiqueta para la comisión de transferencia (Boltz)" - }, - "transactionDetailLabelPayjoinStatus": "Estado de Payjoin", - "@transactionDetailLabelPayjoinStatus": { - "description": "Etiqueta para el estado de payjoin" - }, - "transactionDetailLabelPayjoinCompleted": "Completado", - "@transactionDetailLabelPayjoinCompleted": { - "description": "Estado de payjoin completado" - }, - "transactionDetailLabelPayjoinExpired": "Expirado", - "@transactionDetailLabelPayjoinExpired": { - "description": "Estado de payjoin expirado" - }, - "transactionDetailLabelPayjoinCreationTime": "Fecha de creación de Payjoin", - "@transactionDetailLabelPayjoinCreationTime": { - "description": "Etiqueta para la fecha de creación de payjoin" - }, - "globalDefaultBitcoinWalletLabel": "Bitcoin seguro", - "@globalDefaultBitcoinWalletLabel": { - "description": "Etiqueta predeterminada para billeteras Bitcoin cuando se usan como predeterminadas" - }, - "globalDefaultLiquidWalletLabel": "Pagos instantáneos", - "@globalDefaultLiquidWalletLabel": { - "description": "Etiqueta predeterminada para billeteras Liquid/pagos instantáneos cuando se usan como predeterminadas" - }, - "walletTypeWatchOnly": "Solo lectura", - "@walletTypeWatchOnly": { - "description": "Etiqueta de tipo de billetera para billeteras de solo lectura" - }, - "walletTypeWatchSigner": "Observación-Firma", - "@walletTypeWatchSigner": { - "description": "Etiqueta de tipo de billetera para billeteras de observación-firma" - }, - "walletTypeBitcoinNetwork": "Red Bitcoin", - "@walletTypeBitcoinNetwork": { - "description": "Etiqueta de tipo de billetera para la red Bitcoin" - }, - "walletTypeLiquidLightningNetwork": "Red Liquid y Lightning", - "@walletTypeLiquidLightningNetwork": { - "description": "Etiqueta de tipo de billetera para la red Liquid y Lightning" - }, - "walletNetworkBitcoin": "Red Bitcoin", - "@walletNetworkBitcoin": { - "description": "Etiqueta de red para Bitcoin mainnet" - }, - "walletNetworkBitcoinTestnet": "Bitcoin Testnet", - "@walletNetworkBitcoinTestnet": { - "description": "Etiqueta de red para Bitcoin testnet" - }, - "walletNetworkLiquid": "Red Liquid", - "@walletNetworkLiquid": { - "description": "Etiqueta de red para Liquid mainnet" - }, - "walletNetworkLiquidTestnet": "Liquid Testnet", - "@walletNetworkLiquidTestnet": { - "description": "Etiqueta de red para Liquid testnet" - }, - "walletAddressTypeConfidentialSegwit": "Segwit confidencial", - "@walletAddressTypeConfidentialSegwit": { - "description": "Tipo de dirección para billeteras Liquid" - }, - "walletAddressTypeNativeSegwit": "Segwit nativo", - "@walletAddressTypeNativeSegwit": { - "description": "Tipo de dirección para billeteras BIP84" - }, - "walletAddressTypeNestedSegwit": "Segwit anidado", - "@walletAddressTypeNestedSegwit": { - "description": "Tipo de dirección para billeteras BIP49" - }, - "walletAddressTypeLegacy": "Legacy", - "@walletAddressTypeLegacy": { - "description": "Tipo de dirección para billeteras BIP44" - }, - "walletBalanceUnconfirmedIncoming": "En progreso", - "@walletBalanceUnconfirmedIncoming": { - "description": "Etiqueta para el saldo entrante sin confirmar" - }, - "walletButtonReceive": "Recibir", - "@walletButtonReceive": { - "description": "Etiqueta del botón para recibir fondos" - }, - "walletButtonSend": "Enviar", - "@walletButtonSend": { - "description": "Etiqueta del botón para enviar fondos" - }, - "walletArkInstantPayments": "Pagos instantáneos Ark", - "@walletArkInstantPayments": { - "description": "Título para la tarjeta de billetera Ark" - }, - "walletArkExperimental": "Experimental", - "@walletArkExperimental": { - "description": "Descripción para la billetera Ark indicando estado experimental" - }, - "fundExchangeTitle": "Financiación", - "@fundExchangeTitle": { - "description": "AppBar title for funding screen" - }, - "fundExchangeAccountTitle": "Fondea tu cuenta", - "@fundExchangeAccountTitle": { - "description": "Título principal en la pantalla de cuenta de intercambio de fondos" - }, - "fundExchangeAccountSubtitle": "Selecciona tu país y método de pago", - "@fundExchangeAccountSubtitle": { - "description": "Subtítulo en la pantalla de cuenta de intercambio de fondos que solicita al usuario que seleccione país y método de pago" - }, - "fundExchangeWarningTitle": "Cuidado con los estafadores", - "@fundExchangeWarningTitle": { - "description": "Título de la pantalla de advertencia sobre estafadores" - }, - "fundExchangeWarningDescription": "Si alguien te está pidiendo que compres Bitcoin o te está \"ayudando\", ten cuidado, ¡pueden estar tratando de estafarte!", - "@fundExchangeWarningDescription": { - "description": "Mensaje de advertencia sobre posibles estafadores al financiar la cuenta" - }, - "fundExchangeWarningTacticsTitle": "Tácticas comunes de estafadores", - "@fundExchangeWarningTacticsTitle": { - "description": "Título para la lista de tácticas comunes de estafadores" - }, - "fundExchangeWarningTactic1": "Están prometiendo retornos de inversión", - "@fundExchangeWarningTactic1": { - "description": "Primera advertencia de táctica de estafador" - }, - "fundExchangeWarningTactic2": "Te están ofreciendo un préstamo", - "@fundExchangeWarningTactic2": { - "description": "Segunda advertencia de táctica de estafador" - }, - "fundExchangeWarningTactic3": "Dicen que trabajan para cobranza de deudas o impuestos", - "@fundExchangeWarningTactic3": { - "description": "Tercera advertencia de táctica de estafador" - }, - "fundExchangeWarningTactic4": "Piden enviar Bitcoin a su dirección", - "@fundExchangeWarningTactic4": { - "description": "Cuarta advertencia de táctica de estafador" - }, - "fundExchangeWarningTactic5": "Piden enviar Bitcoin en otra plataforma", - "@fundExchangeWarningTactic5": { - "description": "Quinta advertencia de táctica de estafador" - }, - "fundExchangeWarningTactic6": "Quieren que compartas tu pantalla", - "@fundExchangeWarningTactic6": { - "description": "Sexta advertencia de táctica de estafador" - }, - "fundExchangeWarningTactic7": "Te dicen que no te preocupes por esta advertencia", - "@fundExchangeWarningTactic7": { - "description": "Séptima advertencia de táctica de estafador" - }, - "fundExchangeWarningTactic8": "Te están presionando para que actúes rápidamente", - "@fundExchangeWarningTactic8": { - "description": "Octava advertencia de táctica de estafador" - }, - "fundExchangeWarningConfirmation": "Confirmo que nadie me está pidiendo que compre Bitcoin.", - "@fundExchangeWarningConfirmation": { - "description": "Texto de casilla de confirmación de que el usuario no está siendo coaccionado para comprar Bitcoin" - }, - "fundExchangeContinueButton": "Continuar", - "@fundExchangeContinueButton": { - "description": "Etiqueta del botón para continuar desde la pantalla de advertencia a los detalles del método de pago" - }, - "fundExchangeDoneButton": "Hecho", - "@fundExchangeDoneButton": { - "description": "Etiqueta del botón para finalizar y salir del flujo de financiamiento" - }, - "fundExchangeJurisdictionCanada": "🇨🇦 Canada", - "@fundExchangeJurisdictionCanada": { - "description": "Opción desplegable para la jurisdicción de Canadá" - }, - "fundExchangeJurisdictionEurope": "🇪🇺 Europe (SEPA)", - "@fundExchangeJurisdictionEurope": { - "description": "Opción desplegable para la jurisdicción de Europa SEPA" - }, - "fundExchangeJurisdictionMexico": "🇲🇽 Mexico", - "@fundExchangeJurisdictionMexico": { - "description": "Opción desplegable para la jurisdicción de México" - }, - "fundExchangeJurisdictionCostaRica": "🇨🇷 Costa Rica", - "@fundExchangeJurisdictionCostaRica": { - "description": "Opción desplegable para la jurisdicción de Costa Rica" - }, - "fundExchangeJurisdictionArgentina": "🇦🇷 Argentina", - "@fundExchangeJurisdictionArgentina": { - "description": "Opción desplegable para la jurisdicción de Argentina" - }, - "fundExchangeMethodEmailETransfer": "Transferencia electrónica por correo", - "@fundExchangeMethodEmailETransfer": { - "description": "Método de pago: Transferencia electrónica por correo (Canadá)" - }, - "fundExchangeMethodEmailETransferSubtitle": "Método más fácil y rápido (instantáneo)", - "@fundExchangeMethodEmailETransferSubtitle": { - "description": "Subtítulo para el método de pago de transferencia electrónica por correo" - }, - "fundExchangeMethodBankTransferWire": "Transferencia bancaria (Wire o EFT)", - "@fundExchangeMethodBankTransferWire": { - "description": "Método de pago: Transferencia bancaria Wire o EFT (Canadá)" - }, - "fundExchangeMethodBankTransferWireSubtitle": "Mejor y más confiable opción para montos mayores (mismo día o día siguiente)", - "@fundExchangeMethodBankTransferWireSubtitle": { - "description": "Subtítulo para el método de pago de transferencia bancaria Wire" - }, - "fundExchangeMethodOnlineBillPayment": "Pago de facturas en línea", - "@fundExchangeMethodOnlineBillPayment": { - "description": "Método de pago: Pago de facturas en línea (Canadá)" - }, - "fundExchangeMethodOnlineBillPaymentSubtitle": "Opción más lenta, pero se puede hacer a través de banca en línea (3-4 días hábiles)", - "@fundExchangeMethodOnlineBillPaymentSubtitle": { - "description": "Subtítulo para el método de pago de facturas en línea" - }, - "fundExchangeMethodCanadaPost": "Efectivo o débito en persona en Canada Post", - "@fundExchangeMethodCanadaPost": { - "description": "Método de pago: En persona en Canada Post" - }, - "fundExchangeMethodCanadaPostSubtitle": "Mejor para quienes prefieren pagar en persona", - "@fundExchangeMethodCanadaPostSubtitle": { - "description": "Subtítulo para el método de pago Canada Post" - }, - "fundExchangeMethodInstantSepa": "SEPA instantánea", - "@fundExchangeMethodInstantSepa": { - "description": "Método de pago: SEPA instantánea (Europa)" - }, - "fundExchangeMethodInstantSepaSubtitle": "Más rápida - Solo para transacciones menores a €20,000", - "@fundExchangeMethodInstantSepaSubtitle": { - "description": "Subtítulo para el método de pago SEPA instantánea" - }, - "fundExchangeMethodRegularSepa": "SEPA regular", - "@fundExchangeMethodRegularSepa": { - "description": "Método de pago: SEPA regular (Europa)" - }, - "fundExchangeMethodRegularSepaSubtitle": "Solo usar para transacciones mayores a €20,000", - "@fundExchangeMethodRegularSepaSubtitle": { - "description": "Subtítulo para el método de pago SEPA regular" - }, - "fundExchangeMethodSpeiTransfer": "Transferencia SPEI", - "@fundExchangeMethodSpeiTransfer": { - "description": "Método de pago: Transferencia SPEI (México)" - }, - "fundExchangeMethodSpeiTransferSubtitle": "Transfiere fondos usando tu CLABE", - "@fundExchangeMethodSpeiTransferSubtitle": { - "description": "Subtítulo para el método de pago de transferencia SPEI" - }, - "fundExchangeMethodSinpeTransfer": "Transferencia SINPE", - "@fundExchangeMethodSinpeTransfer": { - "description": "Método de pago: Transferencia SINPE (Costa Rica)" - }, - "fundExchangeMethodSinpeTransferSubtitle": "Transfiere Colones usando SINPE", - "@fundExchangeMethodSinpeTransferSubtitle": { - "description": "Subtítulo para el método de pago de transferencia SINPE" - }, - "fundExchangeMethodCrIbanCrc": "IBAN Costa Rica (CRC)", - "@fundExchangeMethodCrIbanCrc": { - "description": "Método de pago: IBAN Costa Rica en Colones" - }, - "fundExchangeMethodCrIbanCrcSubtitle": "Transfiere fondos en Colón costarricense (CRC)", - "@fundExchangeMethodCrIbanCrcSubtitle": { - "description": "Subtítulo para el método de pago IBAN Costa Rica CRC" - }, - "fundExchangeMethodCrIbanUsd": "IBAN Costa Rica (USD)", - "@fundExchangeMethodCrIbanUsd": { - "description": "Método de pago: IBAN Costa Rica en dólares estadounidenses" - }, - "fundExchangeMethodCrIbanUsdSubtitle": "Transfiere fondos en dólares estadounidenses (USD)", - "@fundExchangeMethodCrIbanUsdSubtitle": { - "description": "Subtítulo para el método de pago IBAN Costa Rica USD" - }, - "fundExchangeMethodArsBankTransfer": "Transferencia bancaria", - "@fundExchangeMethodArsBankTransfer": { - "description": "Método de pago: Transferencia bancaria (Argentina)" - }, - "fundExchangeMethodArsBankTransferSubtitle": "Envía una transferencia bancaria desde tu cuenta bancaria", - "@fundExchangeMethodArsBankTransferSubtitle": { - "description": "Subtítulo para el método de pago de transferencia bancaria Argentina" - }, - "fundExchangeBankTransferWireTitle": "Transferencia bancaria (wire)", - "@fundExchangeBankTransferWireTitle": { - "description": "Título de pantalla para detalles de pago de transferencia bancaria wire" - }, - "fundExchangeBankTransferWireDescription": "Envía una transferencia wire desde tu cuenta bancaria usando los datos bancarios de Bull Bitcoin a continuación. Tu banco puede requerir solo algunas partes de estos datos.", - "@fundExchangeBankTransferWireDescription": { - "description": "Descripción de cómo usar el método de transferencia bancaria wire" - }, - "fundExchangeBankTransferWireTimeframe": "Los fondos que envíes se agregarán a tu Bull Bitcoin dentro de 1-2 días hábiles.", - "@fundExchangeBankTransferWireTimeframe": { - "description": "Plazo para que los fondos de transferencia bancaria wire sean acreditados" - }, - "fundExchangeLabelBeneficiaryName": "Nombre del beneficiario", - "@fundExchangeLabelBeneficiaryName": { - "description": "Etiqueta para el campo de nombre del beneficiario" - }, - "fundExchangeHelpBeneficiaryName": "Usa nuestro nombre corporativo oficial. No uses \"Bull Bitcoin\".", - "@fundExchangeHelpBeneficiaryName": { - "description": "Texto de ayuda para el campo de nombre del beneficiario" - }, - "fundExchangeLabelTransferCode": "Código de transferencia (agrégalo como descripción del pago)", - "@fundExchangeLabelTransferCode": { - "description": "Etiqueta para el campo de código de transferencia" - }, - "fundExchangeHelpTransferCode": "Agrégalo como el motivo de la transferencia", - "@fundExchangeHelpTransferCode": { - "description": "Texto de ayuda para el campo de código de transferencia" - }, - "fundExchangeInfoTransferCode": "Debes agregar el código de transferencia como el \"mensaje\" o \"motivo\" al hacer el pago.", - "@fundExchangeInfoTransferCode": { - "description": "Mensaje de tarjeta de información sobre la importancia del código de transferencia" - }, - "fundExchangeLabelBankAccountDetails": "Detalles de cuenta bancaria", - "@fundExchangeLabelBankAccountDetails": { - "description": "Etiqueta para el campo de detalles de cuenta bancaria" - }, - "fundExchangeLabelSwiftCode": "Código SWIFT", - "@fundExchangeLabelSwiftCode": { - "description": "Etiqueta para el campo de código SWIFT" - }, - "fundExchangeLabelInstitutionNumber": "Número de institución", - "@fundExchangeLabelInstitutionNumber": { - "description": "Etiqueta para el campo de número de institución" - }, - "fundExchangeLabelTransitNumber": "Número de tránsito", - "@fundExchangeLabelTransitNumber": { - "description": "Etiqueta para el campo de número de tránsito" - }, - "fundExchangeLabelRoutingNumber": "Número de ruta", - "@fundExchangeLabelRoutingNumber": { - "description": "Etiqueta para el campo de número de ruta" - }, - "fundExchangeLabelBeneficiaryAddress": "Dirección del beneficiario", - "@fundExchangeLabelBeneficiaryAddress": { - "description": "Etiqueta para el campo de dirección del beneficiario" - }, - "fundExchangeLabelBankName": "Nombre del banco", - "@fundExchangeLabelBankName": { - "description": "Etiqueta para el campo de nombre del banco" - }, - "fundExchangeLabelBankAddress": "Dirección de nuestro banco", - "@fundExchangeLabelBankAddress": { - "description": "Etiqueta para el campo de dirección del banco" - }, - "fundExchangeETransferTitle": "Detalles de E-Transfer", - "@fundExchangeETransferTitle": { - "description": "Título de pantalla para detalles de pago E-Transfer" - }, - "fundExchangeETransferDescription": "Cualquier monto que envíes desde tu banco mediante transferencia electrónica por correo usando la información a continuación se acreditará al saldo de tu cuenta Bull Bitcoin en pocos minutos.", - "@fundExchangeETransferDescription": { - "description": "Descripción de cómo funciona E-Transfer y el plazo" - }, - "fundExchangeETransferLabelBeneficiaryName": "Usa esto como nombre del beneficiario de E-transfer", - "@fundExchangeETransferLabelBeneficiaryName": { - "description": "Etiqueta para el nombre del beneficiario de E-transfer" - }, - "fundExchangeETransferLabelEmail": "Envía el E-transfer a este correo electrónico", - "@fundExchangeETransferLabelEmail": { - "description": "Etiqueta para el correo electrónico del destinatario de E-transfer" - }, - "fundExchangeETransferLabelSecretQuestion": "Pregunta secreta", - "@fundExchangeETransferLabelSecretQuestion": { - "description": "Etiqueta para la pregunta de seguridad de E-transfer" - }, - "fundExchangeETransferLabelSecretAnswer": "Respuesta secreta", - "@fundExchangeETransferLabelSecretAnswer": { - "description": "Etiqueta para la respuesta de seguridad de E-transfer" - }, - "fundExchangeOnlineBillPaymentTitle": "Pago de facturas en línea", - "@fundExchangeOnlineBillPaymentTitle": { - "description": "Título de pantalla para detalles de pago de facturas en línea" - }, - "fundExchangeOnlineBillPaymentDescription": "Cualquier monto que envíes a través de la función de pago de facturas en línea de tu banco usando la información a continuación se acreditará al saldo de tu cuenta Bull Bitcoin dentro de 3-4 días hábiles.", - "@fundExchangeOnlineBillPaymentDescription": { - "description": "Descripción de cómo funciona el pago de facturas en línea y el plazo" - }, - "fundExchangeOnlineBillPaymentLabelBillerName": "Busca en la lista de cobradores de tu banco este nombre", - "@fundExchangeOnlineBillPaymentLabelBillerName": { - "description": "Etiqueta para el nombre del cobrador en el pago de facturas en línea" - }, - "fundExchangeOnlineBillPaymentHelpBillerName": "Agrega esta compañía como beneficiario - es el procesador de pagos de Bull Bitcoin", - "@fundExchangeOnlineBillPaymentHelpBillerName": { - "description": "Texto de ayuda para el campo de nombre del cobrador" - }, - "fundExchangeOnlineBillPaymentLabelAccountNumber": "Agrégalo como número de cuenta", - "@fundExchangeOnlineBillPaymentLabelAccountNumber": { - "description": "Etiqueta para el número de cuenta en el pago de facturas en línea" - }, - "fundExchangeOnlineBillPaymentHelpAccountNumber": "Este número de cuenta único fue creado solo para ti", - "@fundExchangeOnlineBillPaymentHelpAccountNumber": { - "description": "Texto de ayuda para el campo de número de cuenta" - }, - "fundExchangeCanadaPostTitle": "Efectivo o débito en persona en Canada Post", - "@fundExchangeCanadaPostTitle": { - "description": "Título de pantalla para el método de pago Canada Post" - }, - "fundExchangeCanadaPostStep1": "1. Ve a cualquier ubicación de Canada Post", - "@fundExchangeCanadaPostStep1": { - "description": "Paso 1 para el proceso de pago Canada Post" - }, - "fundExchangeCanadaPostStep2": "2. Pídele al cajero que escanee el código QR \"Loadhub\"", - "@fundExchangeCanadaPostStep2": { - "description": "Paso 2 para el proceso de pago Canada Post" - }, - "fundExchangeCanadaPostStep3": "3. Dile al cajero la cantidad que quieres cargar", - "@fundExchangeCanadaPostStep3": { - "description": "Paso 3 para el proceso de pago Canada Post" - }, - "fundExchangeCanadaPostStep4": "4. El cajero te pedirá ver una identificación emitida por el gobierno y verificará que el nombre en tu identificación coincida con tu cuenta Bull Bitcoin", - "@fundExchangeCanadaPostStep4": { - "description": "Paso 4 para el proceso de pago Canada Post - verificación de identificación" - }, - "fundExchangeCanadaPostStep5": "5. Paga con efectivo o tarjeta de débito", - "@fundExchangeCanadaPostStep5": { - "description": "Paso 5 para el proceso de pago Canada Post" - }, - "fundExchangeCanadaPostStep6": "6. El cajero te entregará un recibo, guárdalo como comprobante de pago", - "@fundExchangeCanadaPostStep6": { - "description": "Paso 6 para el proceso de pago Canada Post" - }, - "fundExchangeCanadaPostStep7": "7. Los fondos se agregarán al saldo de tu cuenta Bull Bitcoin dentro de 30 minutos", - "@fundExchangeCanadaPostStep7": { - "description": "Paso 7 para el proceso de pago Canada Post - plazo" - }, - "fundExchangeCanadaPostQrCodeLabel": "Código QR Loadhub", - "@fundExchangeCanadaPostQrCodeLabel": { - "description": "Etiqueta para la visualización del código QR Loadhub" - }, - "fundExchangeSepaTitle": "Transferencia SEPA", - "@fundExchangeSepaTitle": { - "description": "Título de pantalla para detalles de pago de transferencia SEPA" - }, - "fundExchangeSepaDescription": "Envía una transferencia SEPA desde tu cuenta bancaria usando los datos a continuación ", - "@fundExchangeSepaDescription": { - "description": "Descripción para transferencia SEPA (primera parte, antes de 'exactamente')" - }, - "fundExchangeSepaDescriptionExactly": "exactamente.", - "@fundExchangeSepaDescriptionExactly": { - "description": "Palabra enfatizada 'exactamente' en la descripción SEPA" - }, - "fundExchangeInstantSepaInfo": "Solo usar para transacciones menores a €20,000. Para transacciones mayores, usa la opción SEPA regular.", - "@fundExchangeInstantSepaInfo": { - "description": "Mensaje de información para límites de transacción SEPA instantánea" - }, - "fundExchangeRegularSepaInfo": "Solo usar para transacciones mayores a €20,000. Para transacciones menores, usa la opción SEPA instantánea.", - "@fundExchangeRegularSepaInfo": { - "description": "Mensaje de información para límites de transacción SEPA regular" - }, - "fundExchangeLabelIban": "Número de cuenta IBAN", - "@fundExchangeLabelIban": { - "description": "Etiqueta para el campo de número de cuenta IBAN" - }, - "fundExchangeLabelBicCode": "Código BIC", - "@fundExchangeLabelBicCode": { - "description": "Etiqueta para el campo de código BIC" - }, - "fundExchangeLabelBankAccountCountry": "País de la cuenta bancaria", - "@fundExchangeLabelBankAccountCountry": { - "description": "Etiqueta para el campo de país de cuenta bancaria" - }, - "fundExchangeInfoBankCountryUk": "El país de nuestro banco es el Reino Unido.", - "@fundExchangeInfoBankCountryUk": { - "description": "Mensaje de información de que el país del banco es Reino Unido" - }, - "fundExchangeInfoBeneficiaryNameLeonod": "El nombre del beneficiario debe ser LEONOD. Si pones cualquier otra cosa, tu pago será rechazado.", - "@fundExchangeInfoBeneficiaryNameLeonod": { - "description": "Información crítica sobre que el nombre del beneficiario debe ser LEONOD" - }, - "fundExchangeInfoPaymentDescription": "En la descripción del pago, agrega tu código de transferencia.", - "@fundExchangeInfoPaymentDescription": { - "description": "Información sobre agregar el código de transferencia a la descripción del pago" - }, - "fundExchangeHelpBeneficiaryAddress": "Nuestra dirección oficial, en caso de que tu banco la requiera", - "@fundExchangeHelpBeneficiaryAddress": { - "description": "Texto de ayuda para el campo de dirección del beneficiario" - }, - "fundExchangeLabelRecipientName": "Nombre del destinatario", - "@fundExchangeLabelRecipientName": { - "description": "Etiqueta para el campo de nombre del destinatario (alternativa a nombre del beneficiario)" - }, - "fundExchangeLabelBankCountry": "País del banco", - "@fundExchangeLabelBankCountry": { - "description": "Etiqueta para el campo de país del banco" - }, - "fundExchangeLabelRecipientAddress": "Dirección del destinatario", - "@fundExchangeLabelRecipientAddress": { - "description": "Etiqueta para el campo de dirección del destinatario" - }, - "fundExchangeSpeiTitle": "Transferencia SPEI", - "@fundExchangeSpeiTitle": { - "description": "Título de pantalla para transferencia SPEI (México)" - }, - "fundExchangeSpeiDescription": "Transfiere fondos usando tu CLABE", - "@fundExchangeSpeiDescription": { - "description": "Descripción para el método de transferencia SPEI" - }, - "fundExchangeSpeiInfo": "Realiza un depósito usando transferencia SPEI (instantánea).", - "@fundExchangeSpeiInfo": { - "description": "Mensaje de información sobre que la transferencia SPEI es instantánea" - }, - "fundExchangeLabelClabe": "CLABE", - "@fundExchangeLabelClabe": { - "description": "Etiqueta para el campo de número CLABE (México)" - }, - "fundExchangeLabelMemo": "Memo", - "@fundExchangeLabelMemo": { - "description": "Etiqueta para el campo de memo/referencia" - }, - "fundExchangeSinpeTitle": "Transferencia SINPE", - "@fundExchangeSinpeTitle": { - "description": "Título de pantalla para transferencia SINPE (Costa Rica)" - }, - "fundExchangeSinpeDescription": "Transfiere Colones usando SINPE", - "@fundExchangeSinpeDescription": { - "description": "Descripción para el método de transferencia SINPE" - }, - "fundExchangeCrIbanCrcTitle": "Transferencia bancaria (CRC)", - "@fundExchangeCrIbanCrcTitle": { - "description": "Título de pantalla para transferencia bancaria Costa Rica en Colones" - }, - "fundExchangeCrIbanUsdTitle": "Transferencia bancaria (USD)", - "@fundExchangeCrIbanUsdTitle": { - "description": "Título de pantalla para transferencia bancaria Costa Rica en dólares estadounidenses" - }, - "fundExchangeCrBankTransferDescription1": "Envía una transferencia bancaria desde tu cuenta bancaria usando los datos a continuación ", - "@fundExchangeCrBankTransferDescription1": { - "description": "Primera parte de la descripción de transferencia bancaria Costa Rica" - }, - "fundExchangeCrBankTransferDescriptionExactly": "exactamente", - "@fundExchangeCrBankTransferDescriptionExactly": { - "description": "Palabra enfatizada 'exactamente' en la descripción de Costa Rica" - }, - "fundExchangeCrBankTransferDescription2": ". Los fondos se agregarán al saldo de tu cuenta.", - "@fundExchangeCrBankTransferDescription2": { - "description": "Segunda parte de la descripción de transferencia bancaria Costa Rica" - }, - "fundExchangeLabelIbanCrcOnly": "Número de cuenta IBAN (solo para Colones)", - "@fundExchangeLabelIbanCrcOnly": { - "description": "Etiqueta para el campo IBAN - solo Colones" - }, - "fundExchangeLabelIbanUsdOnly": "Número de cuenta IBAN (solo para dólares estadounidenses)", - "@fundExchangeLabelIbanUsdOnly": { - "description": "Etiqueta para el campo IBAN - solo dólares estadounidenses" - }, - "fundExchangeLabelPaymentDescription": "Descripción del pago", - "@fundExchangeLabelPaymentDescription": { - "description": "Etiqueta para el campo de descripción del pago" - }, - "fundExchangeHelpPaymentDescription": "Tu código de transferencia.", - "@fundExchangeHelpPaymentDescription": { - "description": "Texto de ayuda para el campo de descripción del pago" - }, - "fundExchangeInfoTransferCodeRequired": "Debes agregar el código de transferencia como el \"mensaje\" o \"motivo\" o \"descripción\" al hacer el pago. Si olvidas poner este código, tu pago puede ser rechazado.", - "@fundExchangeInfoTransferCodeRequired": { - "description": "Información importante sobre el requisito del código de transferencia para transferencias de Costa Rica" - }, - "fundExchangeLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeLabelCedulaJuridica": { - "description": "Etiqueta para Cédula Jurídica (número de identificación empresarial de Costa Rica)" - }, - "fundExchangeArsBankTransferTitle": "Transferencia bancaria", - "@fundExchangeArsBankTransferTitle": { - "description": "Título de pantalla para transferencia bancaria Argentina" - }, - "fundExchangeArsBankTransferDescription": "Envía una transferencia bancaria desde tu cuenta bancaria usando los datos bancarios exactos de Argentina a continuación.", - "@fundExchangeArsBankTransferDescription": { - "description": "Descripción para el método de transferencia bancaria Argentina" - }, - "fundExchangeLabelRecipientNameArs": "Nombre del destinatario", - "@fundExchangeLabelRecipientNameArs": { - "description": "Etiqueta para el nombre del destinatario en transferencia Argentina" - }, - "fundExchangeLabelCvu": "CVU", - "@fundExchangeLabelCvu": { - "description": "Etiqueta para el número CVU (Clave Virtual Uniforme) en Argentina" - }, - "fundExchangeErrorLoadingDetails": "Los detalles de pago no se pudieron cargar en este momento. Por favor, regresa e intenta nuevamente, elige otro método de pago o regresa más tarde.", - "@fundExchangeErrorLoadingDetails": { - "description": "Mensaje de error cuando los detalles de financiamiento no se pueden cargar" - }, - "fundExchangeSinpeDescriptionBold": "será rechazado.", - "@fundExchangeSinpeDescriptionBold": { - "description": "Texto en negrita advirtiendo que el pago desde un número incorrecto será rechazado" - }, - "fundExchangeSinpeAddedToBalance": "Una vez que se envíe el pago, se agregará a tu saldo de cuenta.", - "@fundExchangeSinpeAddedToBalance": { - "description": "Mensaje explicando que el pago se agregará al saldo de la cuenta" - }, - "fundExchangeSinpeWarningNoBitcoin": "No pongas", - "@fundExchangeSinpeWarningNoBitcoin": { - "description": "Texto de advertencia en negrita al inicio del mensaje de advertencia sobre bitcoin" - }, - "fundExchangeSinpeWarningNoBitcoinDescription": " la palabra \"Bitcoin\" o \"Crypto\" en la descripción del pago. Esto bloqueará tu pago.", - "@fundExchangeSinpeWarningNoBitcoinDescription": { - "description": "Advertencia de que incluir Bitcoin o Crypto en la descripción bloqueará el pago" - }, - "fundExchangeSinpeLabelPhone": "Envía a este número de teléfono", - "@fundExchangeSinpeLabelPhone": { - "description": "Etiqueta para el campo de número de teléfono SINPE Móvil" - }, - "fundExchangeSinpeLabelRecipientName": "Nombre del destinatario", - "@fundExchangeSinpeLabelRecipientName": { - "description": "Etiqueta para el nombre del destinatario en transferencia SINPE" - }, - "fundExchangeCrIbanCrcDescription": "Envía una transferencia bancaria desde tu cuenta bancaria usando los detalles a continuación ", - "@fundExchangeCrIbanCrcDescription": { - "description": "Primera parte de la descripción para transferencia CR IBAN CRC" - }, - "fundExchangeCrIbanCrcDescriptionBold": "exactamente", - "@fundExchangeCrIbanCrcDescriptionBold": { - "description": "Palabra de énfasis en negrita para las instrucciones de transferencia CR IBAN" - }, - "fundExchangeCrIbanCrcDescriptionEnd": ". Los fondos se agregarán a tu saldo de cuenta.", - "@fundExchangeCrIbanCrcDescriptionEnd": { - "description": "Final de la descripción para transferencia CR IBAN CRC" - }, - "fundExchangeCrIbanCrcLabelIban": "Número de cuenta IBAN (solo para Colones)", - "@fundExchangeCrIbanCrcLabelIban": { - "description": "Etiqueta para el campo de número IBAN para CRC (Colones) únicamente" - }, - "fundExchangeCrIbanCrcLabelPaymentDescription": "Descripción del pago", - "@fundExchangeCrIbanCrcLabelPaymentDescription": { - "description": "Etiqueta para el campo de descripción del pago en transferencia CR IBAN" - }, - "fundExchangeCrIbanCrcPaymentDescriptionHelp": "Tu código de transferencia.", - "@fundExchangeCrIbanCrcPaymentDescriptionHelp": { - "description": "Texto de ayuda explicando que la descripción del pago es el código de transferencia" - }, - "fundExchangeCrIbanCrcTransferCodeWarning": "Debes agregar el código de transferencia como \"mensaje\" o \"razón\" o \"descripción\" al realizar el pago. Si olvidas poner este código, tu pago puede ser rechazado.", - "@fundExchangeCrIbanCrcTransferCodeWarning": { - "description": "Advertencia sobre incluir el código de transferencia en el pago" - }, - "fundExchangeCrIbanCrcLabelRecipientName": "Nombre del destinatario", - "@fundExchangeCrIbanCrcLabelRecipientName": { - "description": "Etiqueta para el nombre del destinatario en transferencia CR IBAN CRC" - }, - "fundExchangeCrIbanCrcRecipientNameHelp": "Usa nuestro nombre corporativo oficial. No uses \"Bull Bitcoin\".", - "@fundExchangeCrIbanCrcRecipientNameHelp": { - "description": "Texto de ayuda para el campo del nombre del destinatario explicando usar el nombre corporativo" - }, - "fundExchangeCrIbanCrcLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanCrcLabelCedulaJuridica": { - "description": "Etiqueta para Cédula Jurídica (número de identificación legal en Costa Rica)" - }, - "fundExchangeCrIbanUsdDescription": "Envía una transferencia bancaria desde tu cuenta bancaria usando los detalles a continuación ", - "@fundExchangeCrIbanUsdDescription": { - "description": "Primera parte de la descripción para transferencia CR IBAN USD" - }, - "fundExchangeCrIbanUsdDescriptionBold": "exactamente", - "@fundExchangeCrIbanUsdDescriptionBold": { - "description": "Palabra de énfasis en negrita para las instrucciones de transferencia CR IBAN USD" - }, - "fundExchangeCrIbanUsdDescriptionEnd": ". Los fondos se agregarán a tu saldo de cuenta.", - "@fundExchangeCrIbanUsdDescriptionEnd": { - "description": "Final de la descripción para transferencia CR IBAN USD" - }, - "fundExchangeCrIbanUsdLabelIban": "Número de cuenta IBAN (solo para dólares estadounidenses)", - "@fundExchangeCrIbanUsdLabelIban": { - "description": "Etiqueta para el campo de número IBAN para USD únicamente" - }, - "fundExchangeCrIbanUsdLabelPaymentDescription": "Descripción del pago", - "@fundExchangeCrIbanUsdLabelPaymentDescription": { - "description": "Etiqueta para el campo de descripción del pago en transferencia CR IBAN USD" - }, - "fundExchangeCrIbanUsdPaymentDescriptionHelp": "Tu código de transferencia.", - "@fundExchangeCrIbanUsdPaymentDescriptionHelp": { - "description": "Texto de ayuda explicando que la descripción del pago es el código de transferencia" - }, - "fundExchangeCrIbanUsdTransferCodeWarning": "Debes agregar el código de transferencia como \"mensaje\" o \"razón\" o \"descripción\" al realizar el pago. Si olvidas poner este código, tu pago puede ser rechazado.", - "@fundExchangeCrIbanUsdTransferCodeWarning": { - "description": "Advertencia sobre incluir el código de transferencia en el pago para transferencias USD" - }, - "fundExchangeCrIbanUsdLabelRecipientName": "Nombre del destinatario", - "@fundExchangeCrIbanUsdLabelRecipientName": { - "description": "Etiqueta para el nombre del destinatario en transferencia CR IBAN USD" - }, - "fundExchangeCrIbanUsdRecipientNameHelp": "Usa nuestro nombre corporativo oficial. No uses \"Bull Bitcoin\".", - "@fundExchangeCrIbanUsdRecipientNameHelp": { - "description": "Texto de ayuda para el campo del nombre del destinatario explicando usar el nombre corporativo" - }, - "fundExchangeCrIbanUsdLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanUsdLabelCedulaJuridica": { - "description": "Etiqueta para Cédula Jurídica (número de identificación legal en Costa Rica) para USD" - }, - "fundExchangeCostaRicaMethodSinpeTitle": "SINPE Móvil", - "@fundExchangeCostaRicaMethodSinpeTitle": { - "description": "Título del método de pago para SINPE Móvil en la lista de métodos" - }, - "fundExchangeCostaRicaMethodSinpeSubtitle": "Transfiere Colones usando SINPE", - "@fundExchangeCostaRicaMethodSinpeSubtitle": { - "description": "Descripción de subtítulo para el método de pago SINPE Móvil" - }, - "fundExchangeCostaRicaMethodIbanCrcTitle": "IBAN Costa Rica (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcTitle": { - "description": "Título del método de pago para IBAN CRC en la lista de métodos" - }, - "fundExchangeCostaRicaMethodIbanCrcSubtitle": "Transfiere fondos en Colón Costarricense (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcSubtitle": { - "description": "Descripción de subtítulo para el método de pago IBAN CRC" - }, - "fundExchangeCostaRicaMethodIbanUsdTitle": "IBAN Costa Rica (USD)", - "@fundExchangeCostaRicaMethodIbanUsdTitle": { - "description": "Título del método de pago para IBAN USD en la lista de métodos" - }, - "fundExchangeCostaRicaMethodIbanUsdSubtitle": "Transfiere fondos en Dólares Estadounidenses (USD)", - "@fundExchangeCostaRicaMethodIbanUsdSubtitle": { - "description": "Descripción de subtítulo para el método de pago IBAN USD" - }, - "backupWalletTitle": "Respaldar su billetera", - "@backupWalletTitle": { - "description": "AppBar title for main backup options screen" - }, - "testBackupTitle": "Prueba tu respaldo", - "@testBackupTitle": { - "description": "AppBar title for main backup options screen" - }, - "backupImportanceMessage": "Sin un respaldo, eventualmente perderás acceso a tu dinero. Es críticamente importante hacer un respaldo.", - "@backupImportanceMessage": { - "description": "Mensaje de advertencia crítica sobre la importancia de respaldar la billetera" - }, - "encryptedVaultTitle": "Bóveda encriptada", - "@encryptedVaultTitle": { - "description": "Título para la opción de respaldo de bóveda encriptada" - }, - "encryptedVaultDescription": "Respaldo anónimo con encriptación fuerte usando tu nube.", - "@encryptedVaultDescription": { - "description": "Descripción del método de respaldo de bóveda encriptada" - }, - "encryptedVaultTag": "Fácil y simple (1 minuto)", - "@encryptedVaultTag": { - "description": "Etiqueta indicando que la bóveda encriptada es rápida y fácil" - }, - "physicalBackupTitle": "Respaldo físico", - "@physicalBackupTitle": { - "description": "Título para la opción de respaldo físico" - }, - "physicalBackupDescription": "Escribe 12 palabras en una hoja de papel. Guárdalas en un lugar seguro y asegúrate de no perderlas.", - "@physicalBackupDescription": { - "description": "Descripción del método de respaldo físico" - }, - "physicalBackupTag": "Sin confianza (tómate tu tiempo)", - "@physicalBackupTag": { - "description": "Etiqueta indicando que el respaldo físico no requiere confianza pero lleva tiempo" - }, - "howToDecideButton": "¿Cómo decidir?", - "@howToDecideButton": { - "description": "Etiqueta del botón para mostrar información sobre cómo elegir métodos de respaldo" - }, - "backupBestPracticesTitle": "Mejores prácticas de respaldo", - "@backupBestPracticesTitle": { - "description": "Título para la pantalla de mejores prácticas de respaldo" - }, - "lastBackupTestLabel": "Última prueba de respaldo: {date}", - "@lastBackupTestLabel": { - "description": "Etiqueta que muestra la fecha de la última prueba de respaldo", - "placeholders": { - "date": { - "type": "String", - "example": "2025-01-20 15:30:45" - } - } - }, - "backupInstruction1": "Si pierdes tu respaldo de 12 palabras, no podrás recuperar el acceso a la billetera Bitcoin.", - "@backupInstruction1": { - "description": "Primera instrucción de respaldo advirtiendo sobre perder el respaldo de 12 palabras" - }, - "backupInstruction2": "Sin un respaldo, si pierdes o rompes tu teléfono, o si desinstalas la aplicación Bull Bitcoin, tus bitcoins se perderán para siempre.", - "@backupInstruction2": { - "description": "Segunda instrucción de respaldo advirtiendo sobre perder el teléfono o la aplicación" - }, - "backupInstruction3": "Cualquiera con acceso a tu respaldo de 12 palabras puede robar tus bitcoins. Escóndelo bien.", - "@backupInstruction3": { - "description": "Tercera instrucción de respaldo advirtiendo sobre la seguridad del respaldo" - }, - "backupInstruction4": "No hagas copias digitales de tu respaldo. Escríbelo en una hoja de papel, o grábalo en metal.", - "@backupInstruction4": { - "description": "Cuarta instrucción de respaldo sobre no hacer copias digitales" - }, - "backupInstruction5": "Tu respaldo no está protegido por frase de contraseña. Agrega una frase de contraseña a tu respaldo más tarde creando una nueva billetera.", - "@backupInstruction5": { - "description": "Quinta instrucción de respaldo sobre protección con frase de contraseña" - }, - "backupButton": "Respaldar", - "@backupButton": { - "description": "Etiqueta del botón para iniciar el proceso de respaldo" - }, - "backupCompletedTitle": "¡Respaldo completado!", - "@backupCompletedTitle": { - "description": "Título mostrado cuando el respaldo se completa con éxito" - }, - "backupCompletedDescription": "Ahora probemos tu respaldo para asegurarnos de que todo se hizo correctamente.", - "@backupCompletedDescription": { - "description": "Descripción solicitando al usuario que pruebe su respaldo" - }, - "testBackupButton": "Probar respaldo", - "@testBackupButton": { - "description": "Etiqueta del botón para probar el respaldo" - }, - "keyServerLabel": "Servidor de claves ", - "@keyServerLabel": { - "description": "Etiqueta para el estado del servidor de claves" - }, - "physicalBackupStatusLabel": "Respaldo físico", - "@physicalBackupStatusLabel": { - "description": "Etiqueta de estado para el respaldo físico" - }, - "encryptedVaultStatusLabel": "Bóveda encriptada", - "@encryptedVaultStatusLabel": { - "description": "Etiqueta de estado para la bóveda encriptada" - }, - "testedStatus": "Probado", - "@testedStatus": { - "description": "Texto de estado indicando que el respaldo ha sido probado" - }, - "notTestedStatus": "No probado", - "@notTestedStatus": { - "description": "Texto de estado indicando que el respaldo no ha sido probado" - }, - "startBackupButton": "Iniciar respaldo", - "@startBackupButton": { - "description": "Etiqueta del botón para iniciar el proceso de respaldo" - }, - "exportVaultButton": "Exportar bóveda", - "@exportVaultButton": { - "description": "Etiqueta del botón para exportar la bóveda" - }, - "exportingVaultButton": "Exportando...", - "@exportingVaultButton": { - "description": "Etiqueta del botón mostrada mientras se exporta la bóveda" - }, - "viewVaultKeyButton": "Ver clave de bóveda", - "@viewVaultKeyButton": { - "description": "Etiqueta del botón para ver la clave de la bóveda" - }, - "revealingVaultKeyButton": "Revelando...", - "@revealingVaultKeyButton": { - "description": "Etiqueta del botón mostrada mientras se revela la clave de la bóveda" - }, - "errorLabel": "Error", - "@errorLabel": { - "description": "Etiqueta para mensajes de error" - }, - "backupKeyTitle": "Clave de respaldo", - "@backupKeyTitle": { - "description": "Título para la pantalla de clave de respaldo" - }, - "failedToDeriveBackupKey": "No se pudo derivar la clave de respaldo", - "@failedToDeriveBackupKey": { - "description": "Mensaje de error cuando falla la derivación de la clave de respaldo" - }, - "securityWarningTitle": "Advertencia de seguridad", - "@securityWarningTitle": { - "description": "Título para el diálogo de advertencia de seguridad" - }, - "backupKeyWarningMessage": "Advertencia: Ten cuidado dónde guardas la clave de respaldo.", - "@backupKeyWarningMessage": { - "description": "Mensaje de advertencia sobre el almacenamiento de la clave de respaldo" - }, - "backupKeySeparationWarning": "Es críticamente importante que no guardes la clave de respaldo en el mismo lugar donde guardas tu archivo de respaldo. Siempre guárdalos en dispositivos separados o proveedores de nube separados.", - "@backupKeySeparationWarning": { - "description": "Advertencia sobre almacenar la clave y el archivo de respaldo por separado" - }, - "backupKeyExampleWarning": "Por ejemplo, si usaste Google Drive para tu archivo de respaldo, no uses Google Drive para tu clave de respaldo.", - "@backupKeyExampleWarning": { - "description": "Ejemplo de advertencia sobre no usar el mismo proveedor de nube" - }, - "cancelButton": "Cancelar", - "@cancelButton": { - "description": "Button to cancel logout action" - }, - "continueButton": "Continuar", - "@continueButton": { - "description": "Default button text for success state" - }, - "testWalletTitle": "Probar {walletName}", - "@testWalletTitle": { - "description": "Título para probar el respaldo de la billetera", - "placeholders": { - "walletName": { - "type": "String", - "example": "Default Wallets" - } - } - }, - "defaultWalletsLabel": "Billeteras predeterminadas", - "@defaultWalletsLabel": { - "description": "Etiqueta para billeteras predeterminadas" - }, - "confirmButton": "Confirmar", - "@confirmButton": { - "description": "Etiqueta del botón para confirmar la acción" - }, - "recoveryPhraseTitle": "Escribe tu frase de recuperación\nen el orden correcto", - "@recoveryPhraseTitle": { - "description": "Título instruyendo al usuario que escriba la frase de recuperación" - }, - "storeItSafelyMessage": "Guárdala en un lugar seguro.", - "@storeItSafelyMessage": { - "description": "Instrucción para guardar la frase de recuperación de forma segura" - }, - "doNotShareWarning": "NO COMPARTIR CON NADIE", - "@doNotShareWarning": { - "description": "Advertencia de no compartir la frase de recuperación con nadie" - }, - "transcribeLabel": "Transcribir", - "@transcribeLabel": { - "description": "Etiqueta indicando que el usuario debe transcribir las palabras" - }, - "digitalCopyLabel": "Copia digital", - "@digitalCopyLabel": { - "description": "Etiqueta para copia digital (con marca X)" - }, - "screenshotLabel": "Captura de pantalla", - "@screenshotLabel": { - "description": "Etiqueta para captura de pantalla (con marca X)" - }, - "nextButton": "Siguiente", - "@nextButton": { - "description": "Etiqueta del botón para ir al siguiente paso" - }, - "tapWordsInOrderTitle": "Toca las palabras de recuperación en el \norden correcto", - "@tapWordsInOrderTitle": { - "description": "Título instruyendo al usuario que toque las palabras en orden" - }, - "whatIsWordNumberPrompt": "¿Cuál es la palabra número {number}?", - "@whatIsWordNumberPrompt": { - "description": "Solicitud preguntando por el número de palabra específico", - "placeholders": { - "number": { - "type": "int", - "example": "5" - } - } - }, - "allWordsSelectedMessage": "Has seleccionado todas las palabras", - "@allWordsSelectedMessage": { - "description": "Mensaje mostrado cuando todas las palabras están seleccionadas" - }, - "verifyButton": "Verificar", - "@verifyButton": { - "description": "Etiqueta del botón para verificar la frase de recuperación" - }, - "passphraseLabel": "Frase de contraseña", - "@passphraseLabel": { - "description": "Label for optional passphrase input field" - }, - "testYourWalletTitle": "Prueba tu billetera", - "@testYourWalletTitle": { - "description": "Título para la pantalla de prueba de tu billetera" - }, - "vaultSuccessfullyImported": "Tu bóveda se importó exitosamente", - "@vaultSuccessfullyImported": { - "description": "Mensaje mostrado cuando la bóveda se importa exitosamente" - }, - "backupIdLabel": "ID de respaldo:", - "@backupIdLabel": { - "description": "Etiqueta para ID de respaldo" - }, - "createdAtLabel": "Creado el:", - "@createdAtLabel": { - "description": "Etiqueta para fecha de creación" - }, - "enterBackupKeyManuallyButton": "Ingresar clave de respaldo manualmente >>", - "@enterBackupKeyManuallyButton": { - "description": "Etiqueta del botón para ingresar la clave de respaldo manualmente" - }, - "decryptVaultButton": "Desencriptar bóveda", - "@decryptVaultButton": { - "description": "Etiqueta del botón para desencriptar la bóveda" - }, - "testCompletedSuccessTitle": "¡Prueba completada con éxito!", - "@testCompletedSuccessTitle": { - "description": "Título mostrado cuando la prueba de respaldo es exitosa" - }, - "testCompletedSuccessMessage": "Puedes recuperar el acceso a una billetera Bitcoin perdida", - "@testCompletedSuccessMessage": { - "description": "Mensaje mostrado cuando la prueba de respaldo es exitosa" - }, - "gotItButton": "Entendido", - "@gotItButton": { - "description": "Etiqueta del botón para reconocer la prueba exitosa" - }, - "legacySeedViewScreenTitle": "Semillas heredadas", - "@legacySeedViewScreenTitle": { - "description": "AppBar title for legacy seeds screen" - }, - "legacySeedViewNoSeedsMessage": "No se encontraron semillas heredadas.", - "@legacySeedViewNoSeedsMessage": { - "description": "Mensaje mostrado cuando no se encuentran semillas heredadas" - }, - "legacySeedViewMnemonicLabel": "Mnemónico", - "@legacySeedViewMnemonicLabel": { - "description": "Etiqueta para palabras mnemónicas" - }, - "legacySeedViewPassphrasesLabel": "Frases de contraseña:", - "@legacySeedViewPassphrasesLabel": { - "description": "Etiqueta para la sección de frases de contraseña" - }, - "legacySeedViewEmptyPassphrase": "(vacía)", - "@legacySeedViewEmptyPassphrase": { - "description": "Texto mostrado para frase de contraseña vacía" - }, - "enterBackupKeyManuallyTitle": "Ingresar clave de respaldo manualmente", - "@enterBackupKeyManuallyTitle": { - "description": "Título para la pantalla de ingresar clave de respaldo manualmente" - }, - "enterBackupKeyManuallyDescription": "Si has exportado tu clave de respaldo y la has guardado en una ubicación separada por ti mismo, puedes ingresarla manualmente aquí. De lo contrario, regresa a la pantalla anterior.", - "@enterBackupKeyManuallyDescription": { - "description": "Descripción para ingresar la clave de respaldo manualmente" - }, - "enterBackupKeyLabel": "Ingresar clave de respaldo", - "@enterBackupKeyLabel": { - "description": "Etiqueta para el campo de entrada de clave de respaldo" - }, - "backupKeyHint": "acc8b7b12daf06412f45a90b7fd2…", - "@backupKeyHint": { - "description": "Texto de sugerencia para la entrada de clave de respaldo" - }, - "automaticallyFetchKeyButton": "Obtener clave automáticamente >>", - "@automaticallyFetchKeyButton": { - "description": "Etiqueta del botón para obtener la clave automáticamente" - }, - "enterYourPinTitle": "Ingresa tu {pinOrPassword}", - "@enterYourPinTitle": { - "description": "Título para ingresar PIN o contraseña", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "enterYourBackupPinTitle": "Ingresa tu {pinOrPassword} de respaldo", - "@enterYourBackupPinTitle": { - "description": "Título para ingresar PIN o contraseña de respaldo", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "enterPinToContinueMessage": "Ingresa tu {pinOrPassword} para continuar", - "@enterPinToContinueMessage": { - "description": "Mensaje solicitando al usuario que ingrese PIN/contraseña para continuar", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "testBackupPinMessage": "Prueba para asegurarte de que recuerdas tu {pinOrPassword} de respaldo", - "@testBackupPinMessage": { - "description": "Mensaje solicitando al usuario que pruebe el PIN/contraseña de respaldo", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "passwordLabel": "Contraseña", - "@passwordLabel": { - "description": "Etiqueta para el campo de entrada de contraseña" - }, - "pickPasswordInsteadButton": "Elegir contraseña en su lugar >>", - "@pickPasswordInsteadButton": { - "description": "Etiqueta del botón para cambiar a entrada de contraseña" - }, - "pickPinInsteadButton": "Elegir PIN en su lugar >>", - "@pickPinInsteadButton": { - "description": "Etiqueta del botón para cambiar a entrada de PIN" - }, - "recoverYourWalletTitle": "Recupera tu billetera", - "@recoverYourWalletTitle": { - "description": "Título para la pantalla de recuperación de billetera" - }, - "recoverViaCloudDescription": "Recupera tu respaldo a través de la nube usando tu PIN.", - "@recoverViaCloudDescription": { - "description": "Descripción para recuperar a través de la nube" - }, - "recoverVia12WordsDescription": "Recupera tu billetera a través de 12 palabras.", - "@recoverVia12WordsDescription": { - "description": "Descripción para recuperar a través de 12 palabras" - }, - "recoverButton": "Recuperar", - "@recoverButton": { - "description": "Etiqueta del botón para recuperar la billetera" - }, - "recoverWalletButton": "Recuperar billetera", - "@recoverWalletButton": { - "description": "Etiqueta del botón para recuperar la billetera" - }, - "importMnemonicTitle": "Importar mnemónica", - "@importMnemonicTitle": { - "description": "AppBar title for mnemonic import screen" - }, - "howToDecideBackupTitle": "Cómo decidir", - "@howToDecideBackupTitle": { - "description": "Título para el modal de cómo decidir el método de respaldo" - }, - "howToDecideBackupText1": "Una de las formas más comunes en que las personas pierden su Bitcoin es porque pierden el respaldo físico. Cualquiera que encuentre tu respaldo físico podrá tomar todos tus Bitcoin. Si estás muy seguro de que puedes esconderlo bien y nunca perderlo, es una buena opción.", - "@howToDecideBackupText1": { - "description": "Primer párrafo explicando la decisión del método de respaldo" - }, - "howToDecideBackupText2": "La bóveda encriptada te protege de ladrones que buscan robar tu respaldo. También evita que pierdas accidentalmente tu respaldo ya que se almacenará en tu nube. Los proveedores de almacenamiento en la nube como Google o Apple no tendrán acceso a tu Bitcoin porque la contraseña de encriptación es demasiado fuerte. Existe una pequeña posibilidad de que el servidor web que almacena la clave de encriptación de tu respaldo pueda verse comprometido. En este caso, la seguridad del respaldo en tu cuenta de nube podría estar en riesgo.", - "@howToDecideBackupText2": { - "description": "Segundo párrafo explicando los beneficios y riesgos de la bóveda encriptada" - }, - "physicalBackupRecommendation": "Respaldo físico: ", - "@physicalBackupRecommendation": { - "description": "Etiqueta en negrita para la recomendación de respaldo físico" - }, - "physicalBackupRecommendationText": "Estás seguro de tus propias capacidades de seguridad operativa para ocultar y preservar tus palabras semilla de Bitcoin.", - "@physicalBackupRecommendationText": { - "description": "Texto explicando cuándo usar el respaldo físico" - }, - "encryptedVaultRecommendation": "Bóveda encriptada: ", - "@encryptedVaultRecommendation": { - "description": "Etiqueta en negrita para la recomendación de bóveda encriptada" - }, - "encryptedVaultRecommendationText": "No estás seguro y necesitas más tiempo para aprender sobre prácticas de seguridad de respaldo.", - "@encryptedVaultRecommendationText": { - "description": "Texto explicando cuándo usar la bóveda encriptada" - }, - "visitRecoverBullMessage": "Visita recoverbull.com para más información.", - "@visitRecoverBullMessage": { - "description": "Mensaje con enlace a más información" - }, - "howToDecideVaultLocationText1": "Los proveedores de almacenamiento en la nube como Google o Apple no tendrán acceso a tu Bitcoin porque la contraseña de encriptación es demasiado fuerte. Solo pueden acceder a tu Bitcoin en el caso improbable de que se confabulen con el servidor de claves (el servicio en línea que almacena tu contraseña de encriptación). Si el servidor de claves alguna vez es hackeado, tu Bitcoin podría estar en riesgo con Google o Apple cloud.", - "@howToDecideVaultLocationText1": { - "description": "Primer párrafo explicando la decisión de ubicación de la bóveda" - }, - "howToDecideVaultLocationText2": "Una ubicación personalizada puede ser mucho más segura, dependiendo de qué ubicación elijas. También debes asegurarte de no perder el archivo de respaldo o de perder el dispositivo en el que está almacenado tu archivo de respaldo.", - "@howToDecideVaultLocationText2": { - "description": "Segundo párrafo explicando los beneficios de la ubicación personalizada" - }, - "customLocationRecommendation": "Ubicación personalizada: ", - "@customLocationRecommendation": { - "description": "Etiqueta en negrita para la recomendación de ubicación personalizada" - }, - "customLocationRecommendationText": "estás seguro de que no perderás el archivo de bóveda y que seguirá siendo accesible si pierdes tu teléfono.", - "@customLocationRecommendationText": { - "description": "Texto explicando cuándo usar la ubicación personalizada" - }, - "googleAppleCloudRecommendation": "Nube de Google o Apple: ", - "@googleAppleCloudRecommendation": { - "description": "Etiqueta en negrita para la recomendación de nube de Google/Apple" - }, - "googleAppleCloudRecommendationText": "quieres asegurarte de nunca perder el acceso a tu archivo de bóveda incluso si pierdes tus dispositivos.", - "@googleAppleCloudRecommendationText": { - "description": "Texto explicando cuándo usar la nube de Google/Apple" - }, - "chooseVaultLocationTitle": "Elegir ubicación de bóveda", - "@chooseVaultLocationTitle": { - "description": "Título para la pantalla de elegir ubicación de bóveda" - }, - "lastKnownEncryptedVault": "Última bóveda encriptada conocida: {date}", - "@lastKnownEncryptedVault": { - "description": "Etiqueta mostrando la fecha de la última bóveda encriptada conocida", - "placeholders": { - "date": { - "type": "String", - "example": "2025-01-20 15:30:45" - } - } - }, - "googleDriveSignInMessage": "Necesitarás iniciar sesión en Google Drive", - "@googleDriveSignInMessage": { - "description": "Mensaje sobre la necesidad de iniciar sesión en Google Drive" - }, - "googleDrivePrivacyMessage": "Google te pedirá compartir información personal con esta aplicación.", - "@googleDrivePrivacyMessage": { - "description": "Mensaje sobre Google solicitando información personal" - }, - "informationWillNotLeave": "Esta información ", - "@informationWillNotLeave": { - "description": "Primera parte del mensaje de garantía de privacidad" - }, - "willNot": "no ", - "@willNot": { - "description": "Parte en negrita de la garantía de privacidad (no)" - }, - "leaveYourPhone": "saldrá de tu teléfono y ", - "@leaveYourPhone": { - "description": "Parte media del mensaje de garantía de privacidad" - }, - "never": "nunca ", - "@never": { - "description": "Parte en negrita de la garantía de privacidad (nunca)" - }, - "sharedWithBullBitcoin": "se compartirá con Bull Bitcoin.", - "@sharedWithBullBitcoin": { - "description": "Parte final del mensaje de garantía de privacidad" - }, - "savingToDevice": "Guardando en tu dispositivo.", - "@savingToDevice": { - "description": "Mensaje mostrado al guardar en el dispositivo" - }, - "loadingBackupFile": "Cargando archivo de respaldo...", - "@loadingBackupFile": { - "description": "Mensaje mostrado mientras se carga el archivo de respaldo" - }, - "pleaseWaitFetching": "Por favor espera mientras obtenemos tu archivo de respaldo.", - "@pleaseWaitFetching": { - "description": "Mensaje pidiendo al usuario que espere mientras se obtiene el respaldo" - }, - "googleDriveProvider": "Google Drive", - "@googleDriveProvider": { - "description": "Nombre del proveedor Google Drive" - }, - "appleICloudProvider": "Apple iCloud", - "@appleICloudProvider": { - "description": "Nombre del proveedor Apple iCloud" - }, - "customLocationProvider": "Ubicación personalizada", - "@customLocationProvider": { - "description": "Nombre del proveedor de ubicación personalizada" - }, - "quickAndEasyTag": "Rápido y fácil", - "@quickAndEasyTag": { - "description": "Etiqueta para opciones rápidas y fáciles" - }, - "takeYourTimeTag": "Tómate tu tiempo", - "@takeYourTimeTag": { - "description": "Etiqueta para opciones que requieren más tiempo" - }, - "customLocationTitle": "Ubicación personalizada", - "@customLocationTitle": { - "description": "Título para la pantalla de ubicación personalizada" - }, - "recoverWalletScreenTitle": "Recuperar billetera", - "@recoverWalletScreenTitle": { - "description": "Título para la pantalla de recuperación de billetera" - }, - "recoverbullVaultRecoveryTitle": "Recuperación de bóveda Recoverbull", - "@recoverbullVaultRecoveryTitle": { - "description": "Título para la pantalla de recuperación de bóveda recoverbull" - }, - "chooseAccessPinTitle": "Elegir {pinOrPassword} de acceso", - "@chooseAccessPinTitle": { - "description": "Título para elegir PIN o contraseña de acceso", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "memorizePasswordWarning": "Debes memorizar este {pinOrPassword} para recuperar el acceso a tu billetera. Debe tener al menos 6 dígitos. Si pierdes este {pinOrPassword}, no podrás recuperar tu respaldo.", - "@memorizePasswordWarning": { - "description": "Advertencia sobre memorizar el PIN/contraseña", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "passwordTooCommonError": "Este {pinOrPassword} es demasiado común. Por favor elige uno diferente.", - "@passwordTooCommonError": { - "description": "Mensaje de error para contraseña común", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "passwordMinLengthError": "El {pinOrPassword} debe tener al menos 6 dígitos", - "@passwordMinLengthError": { - "description": "Mensaje de error para longitud mínima de contraseña", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "pickPasswordOrPinButton": "Elegir un {pinOrPassword} en su lugar >>", - "@pickPasswordOrPinButton": { - "description": "Botón para cambiar entre PIN y contraseña", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "password" - } - } - }, - "confirmAccessPinTitle": "Confirmar {pinOrPassword} de acceso", - "@confirmAccessPinTitle": { - "description": "Título para confirmar PIN o contraseña de acceso", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "enterPinAgainMessage": "Ingresa tu {pinOrPassword} nuevamente para continuar.", - "@enterPinAgainMessage": { - "description": "Mensaje pidiendo que se reingrese el PIN/contraseña", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "usePasswordInsteadButton": "Usar {pinOrPassword} en su lugar >>", - "@usePasswordInsteadButton": { - "description": "Botón para usar contraseña/PIN en su lugar", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "password" - } - } - }, - "oopsSomethingWentWrong": "¡Ups! Algo salió mal", - "@oopsSomethingWentWrong": { - "description": "Título de error cuando algo sale mal" - }, - "connectingToKeyServer": "Conectando al servidor de claves a través de Tor.\nEsto puede tomar hasta un minuto.", - "@connectingToKeyServer": { - "description": "Mensaje mostrado mientras se conecta al servidor de claves a través de Tor" - }, - "anErrorOccurred": "Ocurrió un error", - "@anErrorOccurred": { - "description": "Mensaje de error genérico" - }, - "dcaSetRecurringBuyTitle": "Configurar Compra Recurrente", - "@dcaSetRecurringBuyTitle": { - "description": "AppBar title for the main DCA setup screen" - }, - "dcaInsufficientBalanceTitle": "Saldo Insuficiente", - "@dcaInsufficientBalanceTitle": { - "description": "InfoCard title when user has insufficient funds" - }, - "dcaInsufficientBalanceDescription": "No tiene suficiente saldo para crear esta orden.", - "@dcaInsufficientBalanceDescription": { - "description": "InfoCard description explaining insufficient balance error" - }, - "dcaFundAccountButton": "Fondear su cuenta", - "@dcaFundAccountButton": { - "description": "Button label to navigate to funding screen" - }, - "dcaScheduleDescription": "Las compras de Bitcoin se realizarán automáticamente según este calendario.", - "@dcaScheduleDescription": { - "description": "Explanation text at the top of DCA setup form" - }, - "dcaFrequencyValidationError": "Por favor seleccione una frecuencia", - "@dcaFrequencyValidationError": { - "description": "Form validation error when no frequency is selected" - }, - "dcaContinueButton": "Continuar", - "@dcaContinueButton": { - "description": "Button label to proceed to next step in DCA flow" - }, - "dcaConfirmRecurringBuyTitle": "Confirmar Compra Recurrente", - "@dcaConfirmRecurringBuyTitle": { - "description": "AppBar title for confirmation screen" - }, - "dcaConfirmationDescription": "Las órdenes de compra se realizarán automáticamente según esta configuración. Puede desactivarlas en cualquier momento.", - "@dcaConfirmationDescription": { - "description": "Explanation text at the top of confirmation screen" - }, - "dcaFrequencyLabel": "Frecuencia", - "@dcaFrequencyLabel": { - "description": "Label for frequency detail row" - }, - "dcaFrequencyHourly": "hora", - "@dcaFrequencyHourly": { - "description": "Hourly DCA frequency" - }, - "dcaFrequencyDaily": "día", - "@dcaFrequencyDaily": { - "description": "Daily DCA frequency" - }, - "dcaFrequencyWeekly": "semana", - "@dcaFrequencyWeekly": { - "description": "Weekly DCA frequency" - }, - "dcaFrequencyMonthly": "mes", - "@dcaFrequencyMonthly": { - "description": "Monthly DCA frequency" - }, - "dcaAmountLabel": "Cantidad", - "@dcaAmountLabel": { - "description": "Label for amount detail row" - }, - "dcaPaymentMethodLabel": "Método de pago", - "@dcaPaymentMethodLabel": { - "description": "Label for payment method detail row" - }, - "dcaPaymentMethodValue": "Saldo en {currency}", - "@dcaPaymentMethodValue": { - "description": "Value for payment method with currency code placeholder", - "placeholders": { - "currency": { - "type": "String" - } - } - }, - "dcaOrderTypeLabel": "Tipo de orden", - "@dcaOrderTypeLabel": { - "description": "Label for order type detail row" - }, - "dcaOrderTypeValue": "Compra recurrente", - "@dcaOrderTypeValue": { - "description": "Value for order type" - }, - "dcaNetworkLabel": "Red", - "@dcaNetworkLabel": { - "description": "Label for network detail row" - }, - "dcaNetworkBitcoin": "Red Bitcoin", - "@dcaNetworkBitcoin": { - "description": "Bitcoin network label for DCA" - }, - "dcaNetworkLightning": "Red Lightning", - "@dcaNetworkLightning": { - "description": "Lightning network label for DCA" - }, - "dcaNetworkLiquid": "Red Liquid", - "@dcaNetworkLiquid": { - "description": "Liquid network label for DCA" - }, - "dcaLightningAddressLabel": "Dirección Lightning", - "@dcaLightningAddressLabel": { - "description": "Label for Lightning address detail row (shown only for Lightning network)" - }, - "dcaConfirmationError": "Algo salió mal: {error}", - "@dcaConfirmationError": { - "description": "Error message displayed when confirmation fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "dcaConfirmButton": "Continuar", - "@dcaConfirmButton": { - "description": "Button label to confirm and activate DCA" - }, - "dcaSuccessTitle": "¡Compra Recurrente Activada!", - "@dcaSuccessTitle": { - "description": "Success screen title after DCA is activated" - }, - "dcaSuccessMessageHourly": "Comprará {amount} cada hora", - "@dcaSuccessMessageHourly": { - "description": "Success message for hourly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "dcaSuccessMessageDaily": "Comprará {amount} cada día", - "@dcaSuccessMessageDaily": { - "description": "Success message for daily frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "dcaSuccessMessageWeekly": "Comprará {amount} cada semana", - "@dcaSuccessMessageWeekly": { - "description": "Success message for weekly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "dcaSuccessMessageMonthly": "Comprará {amount} cada mes", - "@dcaSuccessMessageMonthly": { - "description": "Success message for monthly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "dcaBackToHomeButton": "Volver al inicio", - "@dcaBackToHomeButton": { - "description": "Button label to return to exchange home screen" - }, - "dcaChooseWalletTitle": "Elegir Cartera de Bitcoin", - "@dcaChooseWalletTitle": { - "description": "AppBar title for wallet selection screen" - }, - "dcaWalletSelectionDescription": "Las compras de Bitcoin se realizarán automáticamente según este calendario.", - "@dcaWalletSelectionDescription": { - "description": "Explanation text at the top of wallet selection screen" - }, - "dcaNetworkValidationError": "Por favor seleccione una red", - "@dcaNetworkValidationError": { - "description": "Form validation error when no network is selected" - }, - "dcaEnterLightningAddressLabel": "Ingresar Dirección Lightning", - "@dcaEnterLightningAddressLabel": { - "description": "Label for Lightning address text input field" - }, - "dcaLightningAddressEmptyError": "Por favor ingrese una dirección Lightning", - "@dcaLightningAddressEmptyError": { - "description": "Validation error when Lightning address field is empty" - }, - "dcaLightningAddressInvalidError": "Por favor ingrese una dirección Lightning válida", - "@dcaLightningAddressInvalidError": { - "description": "Validation error when Lightning address format is invalid" - }, - "dcaUseDefaultLightningAddress": "Usar mi dirección Lightning predeterminada.", - "@dcaUseDefaultLightningAddress": { - "description": "Checkbox label to use default Lightning address" - }, - "dcaWalletSelectionContinueButton": "Continuar", - "@dcaWalletSelectionContinueButton": { - "description": "Button label to proceed to confirmation screen" - }, - "dcaSelectFrequencyLabel": "Seleccionar Frecuencia", - "@dcaSelectFrequencyLabel": { - "description": "Label above frequency selection radio buttons" - }, - "dcaSelectWalletTypeLabel": "Seleccionar Tipo de Cartera de Bitcoin", - "@dcaSelectWalletTypeLabel": { - "description": "Label above wallet type selection radio buttons" - }, - "dcaWalletTypeBitcoin": "Bitcoin (BTC)", - "@dcaWalletTypeBitcoin": { - "description": "Radio button option for Bitcoin wallet" - }, - "dcaWalletTypeLightning": "Lightning Network (LN)", - "@dcaWalletTypeLightning": { - "description": "Radio button option for Lightning wallet" - }, - "dcaWalletTypeLiquid": "Liquid (LBTC)", - "@dcaWalletTypeLiquid": { - "description": "Radio button option for Liquid wallet" - }, - "dcaWalletBitcoinSubtitle": "Mínimo 0.001 BTC", - "@dcaWalletBitcoinSubtitle": { - "description": "Subtitle/description for Bitcoin wallet option" - }, - "dcaWalletLightningSubtitle": "Requiere cartera compatible, máximo 0.25 BTC", - "@dcaWalletLightningSubtitle": { - "description": "Subtitle/description for Lightning wallet option" - }, - "dcaWalletLiquidSubtitle": "Requiere cartera compatible", - "@dcaWalletLiquidSubtitle": { - "description": "Subtitle/description for Liquid wallet option" - }, - "swapInternalTransferTitle": "Transferencia Interna", - "@swapInternalTransferTitle": { - "description": "AppBar title on the amount entry page" - }, - "swapConfirmTransferTitle": "Confirmar Transferencia", - "@swapConfirmTransferTitle": { - "description": "AppBar title on the confirmation page" - }, - "swapInfoDescription": "Transfiera Bitcoin sin problemas entre sus carteras. Mantenga fondos en la Cartera de Pagos Instantáneos solo para gastos del día a día.", - "@swapInfoDescription": { - "description": "Information banner text on amount page" - }, - "swapTransferFrom": "Transferir desde", - "@swapTransferFrom": { - "description": "Label for source wallet dropdown" - }, - "swapTransferTo": "Transferir a", - "@swapTransferTo": { - "description": "Label for destination wallet dropdown" - }, - "swapTransferAmount": "Monto de transferencia", - "@swapTransferAmount": { - "description": "Label for amount input field" - }, - "swapYouPay": "Usted Paga", - "@swapYouPay": { - "description": "Label in swap card for payment amount" - }, - "swapYouReceive": "Usted Recibe", - "@swapYouReceive": { - "description": "Label in swap card for receiving amount" - }, - "swapAvailableBalance": "Saldo disponible", - "@swapAvailableBalance": { - "description": "Available balance label" - }, - "swapMaxButton": "MÁX", - "@swapMaxButton": { - "description": "Button to use maximum available balance" - }, - "swapTotalFees": "Comisiones totales ", - "@swapTotalFees": { - "description": "Total fees label" - }, - "swapContinueButton": "Continuar", - "@swapContinueButton": { - "description": "Button to proceed from amount page to confirmation" - }, - "swapGoHomeButton": "Ir al inicio", - "@swapGoHomeButton": { - "description": "Button to return home from progress page" - }, - "swapTransferPendingTitle": "Transferencia Pendiente", - "@swapTransferPendingTitle": { - "description": "Title during pending swap status" - }, - "swapTransferPendingMessage": "La transferencia está en proceso. Las transacciones de Bitcoin pueden tardar en confirmarse. Puede volver al inicio y esperar.", - "@swapTransferPendingMessage": { - "description": "Message shown during pending swap" - }, - "swapTransferCompletedTitle": "Transferencia completada", - "@swapTransferCompletedTitle": { - "description": "Title when swap completes successfully" - }, - "swapTransferCompletedMessage": "¡Vaya, esperó! La transferencia se ha completado exitosamente.", - "@swapTransferCompletedMessage": { - "description": "Success message after transfer completion" - }, - "swapTransferRefundInProgressTitle": "Reembolso de Transferencia en Proceso", - "@swapTransferRefundInProgressTitle": { - "description": "Title when swap is being refunded" - }, - "swapTransferRefundInProgressMessage": "Hubo un error con la transferencia. Su reembolso está en proceso.", - "@swapTransferRefundInProgressMessage": { - "description": "Message during refund process" - }, - "swapTransferRefundedTitle": "Transferencia Reembolsada", - "@swapTransferRefundedTitle": { - "description": "Title when swap has been refunded" - }, - "swapTransferRefundedMessage": "La transferencia ha sido reembolsada exitosamente.", - "@swapTransferRefundedMessage": { - "description": "Refund completion message" - }, - "swapAmountPlaceholder": "0", - "@swapAmountPlaceholder": { - "description": "Placeholder for amount input fields" - }, - "swapErrorBalanceTooLow": "Saldo demasiado bajo para la cantidad mínima de intercambio", - "@swapErrorBalanceTooLow": { - "description": "Error when balance is below minimum swap limit" - }, - "swapErrorAmountExceedsMaximum": "La cantidad excede la cantidad máxima de intercambio", - "@swapErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum swap limit" - }, - "swapErrorAmountBelowMinimum": "La cantidad está por debajo de la cantidad mínima de intercambio: {min} sats", - "@swapErrorAmountBelowMinimum": { - "description": "Error shown when amount is below minimum", - "placeholders": { - "min": { - "type": "String" - } - } - }, - "swapErrorAmountAboveMaximum": "La cantidad excede la cantidad máxima de intercambio: {max} sats", - "@swapErrorAmountAboveMaximum": { - "description": "Error shown when amount is above maximum", - "placeholders": { - "max": { - "type": "String" - } - } - }, - "swapErrorInsufficientFunds": "No se pudo construir la transacción. Probablemente debido a fondos insuficientes para cubrir las comisiones y la cantidad.", - "@swapErrorInsufficientFunds": { - "description": "Error when transaction cannot be built due to insufficient funds" - }, - "swapTransferTitle": "Transferencia", - "@swapTransferTitle": { - "description": "AppBar title on the main swap page" - }, - "swapExternalTransferLabel": "Transferencia externa", - "@swapExternalTransferLabel": { - "description": "Label for external transfer toggle" - }, - "swapFromLabel": "De", - "@swapFromLabel": { - "description": "Label for source wallet dropdown" - }, - "swapToLabel": "A", - "@swapToLabel": { - "description": "Label for destination wallet dropdown or address input" - }, - "swapAmountLabel": "Cantidad", - "@swapAmountLabel": { - "description": "Label for amount input section" - }, - "swapReceiveExactAmountLabel": "Recibir cantidad exacta", - "@swapReceiveExactAmountLabel": { - "description": "Label when receive exact amount toggle is on" - }, - "swapSubtractFeesLabel": "Restar comisiones de la cantidad", - "@swapSubtractFeesLabel": { - "description": "Label when receive exact amount toggle is off" - }, - "swapExternalAddressHint": "Ingrese la dirección de la billetera externa", - "@swapExternalAddressHint": { - "description": "Hint text for external address input" - }, - "swapValidationEnterAmount": "Por favor ingrese una cantidad", - "@swapValidationEnterAmount": { - "description": "Validation error when amount is empty" - }, - "swapValidationPositiveAmount": "Ingrese una cantidad positiva", - "@swapValidationPositiveAmount": { - "description": "Validation error when amount is not positive" - }, - "swapValidationInsufficientBalance": "Saldo insuficiente", - "@swapValidationInsufficientBalance": { - "description": "Validation error when amount exceeds wallet balance" - }, - "swapValidationMinimumAmount": "La cantidad mínima es {amount} {currency}", - "@swapValidationMinimumAmount": { - "description": "Validation error when amount is below minimum", - "placeholders": { - "amount": { - "type": "String" - }, - "currency": { - "type": "String" - } - } - }, - "swapValidationMaximumAmount": "La cantidad máxima es {amount} {currency}", - "@swapValidationMaximumAmount": { - "description": "Validation error when amount exceeds maximum", - "placeholders": { - "amount": { - "type": "String" - }, - "currency": { - "type": "String" - } - } - }, - "swapValidationSelectFromWallet": "Por favor seleccione una billetera de origen", - "@swapValidationSelectFromWallet": { - "description": "Validation error when no source wallet selected" - }, - "swapValidationSelectToWallet": "Por favor seleccione una billetera de destino", - "@swapValidationSelectToWallet": { - "description": "Validation error when no destination wallet selected" - }, - "swapDoNotUninstallWarning": "¡No desinstale la aplicación hasta que se complete la transferencia!", - "@swapDoNotUninstallWarning": { - "description": "Warning message during pending transfer" - }, - "pinSecurityTitle": "PIN de Seguridad", - "@pinSecurityTitle": { - "description": "AppBar title for PIN settings screen" - }, - "pinManageDescription": "Administre su PIN de seguridad", - "@pinManageDescription": { - "description": "Headline text on PIN settings screen" - }, - "pinProtectionDescription": "Su PIN protege el acceso a su cartera y configuración. Manténgalo memorable.", - "@pinProtectionDescription": { - "description": "Informational text explaining PIN purpose" - }, - "pinButtonChange": "Cambiar PIN", - "@pinButtonChange": { - "description": "Button label when PIN already exists" - }, - "pinButtonCreate": "Crear PIN", - "@pinButtonCreate": { - "description": "Button label when no PIN exists" - }, - "pinButtonRemove": "Eliminar PIN de Seguridad", - "@pinButtonRemove": { - "description": "Button label to delete existing PIN" - }, - "pinAuthenticationTitle": "Autenticación", - "@pinAuthenticationTitle": { - "description": "AppBar title for create/confirm PIN screens" - }, - "appUnlockScreenTitle": "Autenticación", - "@appUnlockScreenTitle": { - "description": "Título de la pantalla de desbloqueo de la aplicación" - }, - "pinCreateHeadline": "Crear nuevo PIN", - "@pinCreateHeadline": { - "description": "Headline text on PIN creation screen" - }, - "pinValidationError": "El PIN debe tener al menos {minLength} dígitos", - "@pinValidationError": { - "description": "Error message when PIN is too short", - "placeholders": { - "minLength": { - "type": "String" - } - } - }, - "pinButtonContinue": "Continuar", - "@pinButtonContinue": { - "description": "Button label to proceed after entering new PIN" - }, - "pinConfirmHeadline": "Confirmar nuevo PIN", - "@pinConfirmHeadline": { - "description": "Headline text on PIN confirmation screen" - }, - "pinConfirmMismatchError": "Los PIN no coinciden", - "@pinConfirmMismatchError": { - "description": "Error message when confirmation PIN doesn't match original" - }, - "pinButtonConfirm": "Confirmar", - "@pinButtonConfirm": { - "description": "Button label to submit confirmed PIN" - }, - "appUnlockEnterPinMessage": "Ingrese su código PIN para desbloquear", - "@appUnlockEnterPinMessage": { - "description": "Mensaje que solicita al usuario que ingrese su código PIN para desbloquear la aplicación" - }, - "appUnlockIncorrectPinError": "PIN incorrecto. Por favor, inténtelo de nuevo. ({failedAttempts} {attemptsWord})", - "@appUnlockIncorrectPinError": { - "description": "Mensaje de error mostrado cuando el usuario ingresa un PIN incorrecto", - "placeholders": { - "failedAttempts": { - "type": "int" - }, - "attemptsWord": { - "type": "String" - } - } - }, - "appUnlockAttemptSingular": "intento fallido", - "@appUnlockAttemptSingular": { - "description": "Forma singular de 'intento' para intentos de desbloqueo fallidos" - }, - "appUnlockAttemptPlural": "intentos fallidos", - "@appUnlockAttemptPlural": { - "description": "Forma plural de 'intentos' para intentos de desbloqueo fallidos" - }, - "appUnlockButton": "Desbloquear", - "@appUnlockButton": { - "description": "Etiqueta del botón para desbloquear la aplicación" - }, - "pinStatusLoading": "Cargando", - "@pinStatusLoading": { - "description": "Status screen title during initialization" - }, - "pinStatusCheckingDescription": "Verificando estado del PIN", - "@pinStatusCheckingDescription": { - "description": "Status screen description during initialization" - }, - "pinStatusProcessing": "Procesando", - "@pinStatusProcessing": { - "description": "Status screen title during PIN save/delete operations" - }, - "pinStatusSettingUpDescription": "Configurando su código PIN", - "@pinStatusSettingUpDescription": { - "description": "Status screen description during PIN save/delete operations" - }, - "autoswapSettingsTitle": "Configuración de Transferencia Automática", - "@autoswapSettingsTitle": { - "description": "Main header/title of the auto swap settings bottom sheet" - }, - "autoswapEnableToggleLabel": "Habilitar Transferencia Automática", - "@autoswapEnableToggleLabel": { - "description": "Label for the main toggle switch to enable/disable auto transfer feature" - }, - "autoswapMaxBalanceLabel": "Saldo Máximo de Billetera Instantánea", - "@autoswapMaxBalanceLabel": { - "description": "Label for amount threshold input field" - }, - "autoswapMaxBalanceInfoText": "Cuando el saldo de la billetera exceda el doble de esta cantidad, se activará la transferencia automática para reducir el saldo a este nivel", - "@autoswapMaxBalanceInfoText": { - "description": "Help text explaining how the max balance threshold works" - }, - "autoswapBaseBalanceInfoText": "El saldo de su billetera de pagos instantáneos volverá a este saldo después de un intercambio automático.", - "@autoswapBaseBalanceInfoText": { - "description": "Info text explaining what happens to the balance after an autoswap" - }, - "autoswapTriggerAtBalanceInfoText": "El intercambio automático se activará cuando su saldo supere este monto.", - "@autoswapTriggerAtBalanceInfoText": { - "description": "Info text explaining when autoswap will trigger" - }, - "autoswapMaxFeeLabel": "Comisión Máxima de Transferencia", - "@autoswapMaxFeeLabel": { - "description": "Label for fee threshold percentage input field" - }, - "autoswapMaxFeeInfoText": "Si la comisión total de transferencia supera el porcentaje establecido, la transferencia automática será bloqueada", - "@autoswapMaxFeeInfoText": { - "description": "Help text explaining how the max fee threshold works" - }, - "autoswapRecipientWalletLabel": "Billetera Bitcoin Receptora", - "@autoswapRecipientWalletLabel": { - "description": "Label for wallet selection dropdown" - }, - "autoswapRecipientWalletRequired": "*", - "@autoswapRecipientWalletRequired": { - "description": "Required field indicator asterisk" - }, - "autoswapRecipientWalletPlaceholder": "Seleccione una billetera Bitcoin", - "@autoswapRecipientWalletPlaceholder": { - "description": "Dropdown placeholder text when no wallet is selected" - }, - "autoswapRecipientWalletPlaceholderRequired": "Seleccione una billetera Bitcoin *", - "@autoswapRecipientWalletPlaceholderRequired": { - "description": "Dropdown placeholder with required indicator when auto transfer is enabled" - }, - "autoswapRecipientWalletInfoText": "Elija qué billetera Bitcoin recibirá los fondos transferidos (requerido)", - "@autoswapRecipientWalletInfoText": { - "description": "Help text explaining wallet selection" - }, - "autoswapRecipientWalletDefaultLabel": "Billetera Bitcoin", - "@autoswapRecipientWalletDefaultLabel": { - "description": "Default label shown for wallets without a custom label in the dropdown" - }, - "autoswapAlwaysBlockLabel": "Siempre Bloquear Comisiones Altas", - "@autoswapAlwaysBlockLabel": { - "description": "Label for toggle to always block high fee transfers" - }, - "autoswapAlwaysBlockInfoEnabled": "Cuando está habilitado, las transferencias automáticas con comisiones superiores al límite establecido siempre serán bloqueadas", - "@autoswapAlwaysBlockInfoEnabled": { - "description": "Help text when always block is enabled" - }, - "autoswapAlwaysBlockInfoDisabled": "Cuando está deshabilitado, se le dará la opción de permitir una transferencia automática que fue bloqueada debido a comisiones altas", - "@autoswapAlwaysBlockInfoDisabled": { - "description": "Help text when always block is disabled" - }, - "autoswapSaveButton": "Guardar", - "@autoswapSaveButton": { - "description": "Save button label at bottom of settings sheet" - }, - "autoswapSaveErrorMessage": "Error al guardar la configuración: {error}", - "@autoswapSaveErrorMessage": { - "description": "SnackBar error message when save fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "autoswapWarningCardTitle": "La transferencia automática está habilitada.", - "@autoswapWarningCardTitle": { - "description": "Texto del título mostrado en la tarjeta de advertencia de transferencia automática en la pantalla de inicio" - }, - "autoswapWarningCardSubtitle": "Se activará un intercambio si el saldo de su billetera de pagos instantáneos supera 0,02 BTC.", - "@autoswapWarningCardSubtitle": { - "description": "Texto del subtítulo mostrado en la tarjeta de advertencia de transferencia automática en la pantalla de inicio" - }, - "autoswapWarningDescription": "La transferencia automática garantiza que se mantenga un buen equilibrio entre su billetera de pagos instantáneos y su billetera Bitcoin segura.", - "@autoswapWarningDescription": { - "description": "Texto de descripción en la parte superior de la hoja de advertencia de transferencia automática" - }, - "autoswapWarningTitle": "La transferencia automática está habilitada con la siguiente configuración:", - "@autoswapWarningTitle": { - "description": "Texto del título en la hoja de advertencia de transferencia automática" - }, - "autoswapWarningBaseBalance": "Saldo base 0,01 BTC", - "@autoswapWarningBaseBalance": { - "description": "Texto del saldo base mostrado en la hoja de advertencia de transferencia automática" - }, - "autoswapWarningTriggerAmount": "Monto de activación de 0,02 BTC", - "@autoswapWarningTriggerAmount": { - "description": "Texto del monto de activación mostrado en la hoja de advertencia de transferencia automática" - }, - "autoswapWarningExplanation": "Cuando su saldo supere el monto de activación, se activará un intercambio. El monto base se mantendrá en su billetera de pagos instantáneos y el monto restante se intercambiará en su billetera Bitcoin segura.", - "@autoswapWarningExplanation": { - "description": "Texto de explicación en la hoja de advertencia de transferencia automática" - }, - "autoswapWarningDontShowAgain": "No volver a mostrar esta advertencia.", - "@autoswapWarningDontShowAgain": { - "description": "Etiqueta de la casilla de verificación para descartar la advertencia de transferencia automática" - }, - "autoswapWarningSettingsLink": "Llévame a la configuración de transferencia automática", - "@autoswapWarningSettingsLink": { - "description": "Texto del enlace para navegar a la configuración de transferencia automática desde la hoja de advertencia" - }, - "autoswapWarningOkButton": "OK", - "@autoswapWarningOkButton": { - "description": "Etiqueta del botón OK en la hoja de advertencia de transferencia automática" - }, - "autoswapLoadSettingsError": "Error al cargar la configuración de intercambio automático", - "@autoswapLoadSettingsError": { - "description": "Error message when loading settings fails" - }, - "autoswapUpdateSettingsError": "Error al actualizar la configuración de intercambio automático", - "@autoswapUpdateSettingsError": { - "description": "Error message when updating settings fails" - }, - "autoswapSelectWalletError": "Por favor seleccione una billetera Bitcoin receptora", - "@autoswapSelectWalletError": { - "description": "Validation error when trying to enable auto transfer without selecting a wallet" - }, - "autoswapAutoSaveError": "Error al guardar la configuración", - "@autoswapAutoSaveError": { - "description": "Error message when auto-save on disable fails" - }, - "autoswapMinimumThresholdErrorBtc": "El umbral mínimo de saldo es {amount} BTC", - "@autoswapMinimumThresholdErrorBtc": { - "description": "Validation error shown when amount threshold is below minimum (BTC display)", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "autoswapMinimumThresholdErrorSats": "El umbral mínimo de saldo es {amount} sats", - "@autoswapMinimumThresholdErrorSats": { - "description": "Validation error shown when amount threshold is below minimum (sats display)", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "autoswapMaximumFeeError": "El umbral máximo de comisión es {threshold}%", - "@autoswapMaximumFeeError": { - "description": "Validation error shown when fee threshold exceeds maximum", - "placeholders": { - "threshold": { - "type": "String" - } - } - }, - "autoswapTriggerBalanceError": "El saldo de activación debe ser al menos 2x el saldo base", - "@autoswapTriggerBalanceError": { - "description": "Validation error shown when trigger balance is less than 2x the base balance" - }, - "arkNoTransactionsYet": "Aún no hay transacciones.", - "@arkNoTransactionsYet": { - "description": "Empty state message shown when user has no transaction history" - }, - "arkToday": "Hoy", - "@arkToday": { - "description": "Date label for transactions from today" - }, - "arkYesterday": "Ayer", - "@arkYesterday": { - "description": "Date label for transactions from yesterday" - }, - "arkSettleTransactions": "Liquidar Transacciones", - "@arkSettleTransactions": { - "description": "Bottom sheet title for settling pending transactions" - }, - "arkSettleDescription": "Finalice las transacciones pendientes e incluya vtxos recuperables si es necesario", - "@arkSettleDescription": { - "description": "Description explaining what settling transactions does" - }, - "arkIncludeRecoverableVtxos": "Incluir vtxos recuperables", - "@arkIncludeRecoverableVtxos": { - "description": "Label for toggle switch to include recoverable vtxos when settling" - }, - "arkCancelButton": "Cancelar", - "@arkCancelButton": { - "description": "Cancel button label in settle bottom sheet" - }, - "arkSettleButton": "Liquidar", - "@arkSettleButton": { - "description": "Settle button label" - }, - "arkReceiveTitle": "Recibir Ark", - "@arkReceiveTitle": { - "description": "AppBar title for Ark receive screen" - }, - "arkUnifiedAddressCopied": "Dirección unificada copiada", - "@arkUnifiedAddressCopied": { - "description": "SnackBar message when unified address is copied to clipboard" - }, - "arkCopyAddress": "Copiar dirección", - "@arkCopyAddress": { - "description": "Button label to expand and show address details for copying" - }, - "arkUnifiedAddressBip21": "Dirección unificada (BIP21)", - "@arkUnifiedAddressBip21": { - "description": "Label for the BIP21 unified address field" - }, - "arkBtcAddress": "Dirección BTC", - "@arkBtcAddress": { - "description": "Label for the Bitcoin address field" - }, - "arkArkAddress": "Dirección Ark", - "@arkArkAddress": { - "description": "Label for the Ark address field" - }, - "arkSendTitle": "Enviar", - "@arkSendTitle": { - "description": "AppBar title for Ark send screen" - }, - "arkRecipientAddress": "Dirección del destinatario", - "@arkRecipientAddress": { - "description": "Label for recipient address input field" - }, - "arkAddressPlaceholder": "ark1qp9wsjfpsj5v5ex022v6…", - "@arkAddressPlaceholder": { - "description": "Placeholder text for recipient address input" - }, - "arkConfirmedBalance": "Saldo Confirmado", - "@arkConfirmedBalance": { - "description": "Label for confirmed balance row" - }, - "arkPendingBalance": "Saldo Pendiente", - "@arkPendingBalance": { - "description": "Label for pending balance row" - }, - "arkConfirmButton": "Confirmar", - "@arkConfirmButton": { - "description": "Confirm button to proceed with send transaction" - }, - "arkCollaborativeRedeem": "Redención Colaborativa", - "@arkCollaborativeRedeem": { - "description": "Bottom sheet title for collaborative redeem for BTC address sends" - }, - "arkRecoverableVtxos": "Vtxos Recuperables", - "@arkRecoverableVtxos": { - "description": "Label for switch to include recoverable vtxos in redeem" - }, - "arkRedeemButton": "Redimir", - "@arkRedeemButton": { - "description": "Confirm button to execute collaborative redeem" - }, - "arkInstantPayments": "Pagos Instantáneos Ark", - "@arkInstantPayments": { - "description": "Main page title in top bar" - }, - "arkSettleTransactionCount": "Liquidar {count} {transaction}", - "@arkSettleTransactionCount": { - "description": "Button label showing number of unsettled transactions", - "placeholders": { - "count": { - "type": "String" - }, - "transaction": { - "type": "String" - } - } - }, - "arkTransaction": "transacción", - "@arkTransaction": { - "description": "Singular form for transaction count" - }, - "arkTransactions": "transacciones", - "@arkTransactions": { - "description": "Plural form for transaction count" - }, - "arkReceiveButton": "Recibir", - "@arkReceiveButton": { - "description": "Bottom button to navigate to receive page" - }, - "arkSendButton": "Enviar", - "@arkSendButton": { - "description": "Bottom button to navigate to send page" - }, - "arkTxTypeBoarding": "Abordaje", - "@arkTxTypeBoarding": { - "description": "Transaction type label for boarding transactions" - }, - "arkTxTypeCommitment": "Compromiso", - "@arkTxTypeCommitment": { - "description": "Transaction type label for commitment transactions" - }, - "arkTxTypeRedeem": "Canjear", - "@arkTxTypeRedeem": { - "description": "Transaction type label for redeem transactions" - }, - "arkTransactionDetails": "Detalles de la transacción", - "@arkTransactionDetails": { - "description": "AppBar title for transaction details page" - }, - "arkStatusConfirmed": "Confirmado", - "@arkStatusConfirmed": { - "description": "Status label for confirmed boarding transactions" - }, - "arkStatusPending": "Pendiente", - "@arkStatusPending": { - "description": "Status label for pending transactions" - }, - "arkStatusSettled": "Liquidado", - "@arkStatusSettled": { - "description": "Status label for settled redeem transactions" - }, - "arkTransactionId": "ID de transacción", - "@arkTransactionId": { - "description": "Label for transaction ID field in details table" - }, - "arkType": "Tipo", - "@arkType": { - "description": "Label for transaction type field in details table" - }, - "arkStatus": "Estado", - "@arkStatus": { - "description": "Label for transaction status field in details table" - }, - "arkAmount": "Monto", - "@arkAmount": { - "description": "Label for transaction amount field in details table" - }, - "arkDate": "Fecha", - "@arkDate": { - "description": "Label for transaction date field in details table" - }, - "arkBalanceBreakdown": "Desglose del saldo", - "@arkBalanceBreakdown": { - "description": "Title of bottom sheet showing balance breakdown" - }, - "arkConfirmed": "Confirmado", - "@arkConfirmed": { - "description": "Label for confirmed balance in breakdown" - }, - "arkPending": "Pendiente", - "@arkPending": { - "description": "Label for pending balance in breakdown" - }, - "arkTotal": "Total", - "@arkTotal": { - "description": "Label for total balance in breakdown" - }, - "arkBalanceBreakdownTooltip": "Desglose del saldo", - "@arkBalanceBreakdownTooltip": { - "description": "Tooltip for info button that opens balance breakdown" - }, - "arkAboutTitle": "Acerca de", - "@arkAboutTitle": { - "description": "AppBar title for Ark about screen" - }, - "arkServerUrl": "URL del servidor", - "@arkServerUrl": { - "description": "Label for server URL field" - }, - "arkServerPubkey": "Clave pública del servidor", - "@arkServerPubkey": { - "description": "Label for server public key field" - }, - "arkForfeitAddress": "Dirección de confiscación", - "@arkForfeitAddress": { - "description": "Label for forfeit address field" - }, - "arkNetwork": "Red", - "@arkNetwork": { - "description": "Label for network field" - }, - "arkDust": "Polvo", - "@arkDust": { - "description": "Label for dust amount field" - }, - "arkSessionDuration": "Duración de la sesión", - "@arkSessionDuration": { - "description": "Label for session duration field" - }, - "arkBoardingExitDelay": "Retraso de salida de abordaje", - "@arkBoardingExitDelay": { - "description": "Label for boarding exit delay field" - }, - "arkUnilateralExitDelay": "Retraso de salida unilateral", - "@arkUnilateralExitDelay": { - "description": "Label for unilateral exit delay field" - }, - "arkEsploraUrl": "URL de Esplora", - "@arkEsploraUrl": { - "description": "Label for Esplora URL field" - }, - "arkDurationSeconds": "{seconds} segundos", - "@arkDurationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "String" - } - } - }, - "arkDurationMinute": "{minutes} minuto", - "@arkDurationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "arkDurationMinutes": "{minutes} minutos", - "@arkDurationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "arkDurationHour": "{hours} hora", - "@arkDurationHour": { - "description": "Duration format for singular hour", - "placeholders": { - "hours": { - "type": "String" - } - } - }, - "arkDurationHours": "{hours} horas", - "@arkDurationHours": { - "description": "Duration format for plural hours", - "placeholders": { - "hours": { - "type": "String" - } - } - }, - "arkDurationDay": "{days} día", - "@arkDurationDay": { - "description": "Duration format for singular day", - "placeholders": { - "days": { - "type": "String" - } - } - }, - "arkDurationDays": "{days} días", - "@arkDurationDays": { - "description": "Duration format for plural days", - "placeholders": { - "days": { - "type": "String" - } - } - }, - "arkCopy": "Copiar", - "@arkCopy": { - "description": "Button label to copy field value to clipboard" - }, - "arkCopiedToClipboard": "{label} copiado al portapapeles", - "@arkCopiedToClipboard": { - "description": "SnackBar message when field is copied", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "arkSendSuccessTitle": "Envío exitoso", - "@arkSendSuccessTitle": { - "description": "Title shown after successful Ark send transaction" - }, - "arkSendSuccessMessage": "¡Tu transacción Ark fue exitosa!", - "@arkSendSuccessMessage": { - "description": "Success message shown after Ark send transaction completes" - }, - "arkBoardingUnconfirmed": "Embarque sin confirmar", - "@arkBoardingUnconfirmed": { - "description": "Label for unconfirmed boarding balance in Ark balance breakdown" - }, - "arkBoardingConfirmed": "Embarque confirmado", - "@arkBoardingConfirmed": { - "description": "Label for confirmed boarding balance in Ark balance breakdown" - }, - "arkPreconfirmed": "Preconfirmado", - "@arkPreconfirmed": { - "description": "Label for preconfirmed balance in Ark balance breakdown" - }, - "arkSettled": "Liquidado", - "@arkSettled": { - "description": "Label for settled balance in Ark balance breakdown" - }, - "arkAvailable": "Disponible", - "@arkAvailable": { - "description": "Label for available balance in Ark balance breakdown" - }, - "arkNoBalanceData": "No hay datos de saldo disponibles", - "@arkNoBalanceData": { - "description": "Message shown when Ark balance data is not available" - }, - "arkTxPending": "Pendiente", - "@arkTxPending": { - "description": "Status label for pending Ark transactions" - }, - "arkTxBoarding": "Embarque", - "@arkTxBoarding": { - "description": "Transaction type label for Ark boarding transactions" - }, - "arkTxSettlement": "Liquidación", - "@arkTxSettlement": { - "description": "Transaction type label for Ark settlement transactions" - }, - "arkTxPayment": "Pago", - "@arkTxPayment": { - "description": "Transaction type label for Ark payment transactions" - }, - "arkSatsUnit": "sats", - "@arkSatsUnit": { - "description": "Unit label for satoshis in Ark transaction details" - }, - "bitboxErrorPermissionDenied": "Se requieren permisos USB para conectarse a dispositivos BitBox.", - "@bitboxErrorPermissionDenied": { - "description": "Error when USB permissions are not granted for BitBox" - }, - "bitboxErrorNoDevicesFound": "No se encontraron dispositivos BitBox. Asegúrese de que su dispositivo esté encendido y conectado por USB.", - "@bitboxErrorNoDevicesFound": { - "description": "Error when no BitBox devices are detected" - }, - "bitboxErrorMultipleDevicesFound": "Se encontraron múltiples dispositivos BitBox. Asegúrese de que solo un dispositivo esté conectado.", - "@bitboxErrorMultipleDevicesFound": { - "description": "Error when multiple BitBox devices are connected" - }, - "bitboxErrorDeviceNotFound": "Dispositivo BitBox no encontrado.", - "@bitboxErrorDeviceNotFound": { - "description": "Error when BitBox device cannot be found" - }, - "bitboxErrorConnectionTypeNotInitialized": "Tipo de conexión no inicializado.", - "@bitboxErrorConnectionTypeNotInitialized": { - "description": "Error when connection type is not initialized" - }, - "bitboxErrorNoActiveConnection": "No hay conexión activa con el dispositivo BitBox.", - "@bitboxErrorNoActiveConnection": { - "description": "Error when there is no active connection to BitBox" - }, - "bitboxErrorDeviceMismatch": "Se detectó una incompatibilidad de dispositivo.", - "@bitboxErrorDeviceMismatch": { - "description": "Error when connected device does not match expected device" - }, - "bitboxErrorInvalidMagicBytes": "Se detectó un formato PSBT inválido.", - "@bitboxErrorInvalidMagicBytes": { - "description": "Error when PSBT has invalid magic bytes" - }, - "bitboxErrorDeviceNotPaired": "Dispositivo no emparejado. Complete primero el proceso de emparejamiento.", - "@bitboxErrorDeviceNotPaired": { - "description": "Error when BitBox device is not paired" - }, - "bitboxErrorHandshakeFailed": "Error al establecer conexión segura. Inténtelo de nuevo.", - "@bitboxErrorHandshakeFailed": { - "description": "Error when handshake with BitBox device fails" - }, - "bitboxErrorOperationTimeout": "La operación expiró. Inténtelo de nuevo.", - "@bitboxErrorOperationTimeout": { - "description": "Error when BitBox operation times out" - }, - "bitboxErrorConnectionFailed": "Error al conectar con el dispositivo BitBox. Verifique su conexión.", - "@bitboxErrorConnectionFailed": { - "description": "Error when connection to BitBox device fails" - }, - "bitboxErrorInvalidResponse": "Respuesta inválida del dispositivo BitBox. Inténtelo de nuevo.", - "@bitboxErrorInvalidResponse": { - "description": "Error when BitBox returns an invalid response" - }, - "bitboxErrorOperationCancelled": "La operación fue cancelada. Inténtelo de nuevo.", - "@bitboxErrorOperationCancelled": { - "description": "Error when BitBox operation is cancelled" - }, - "bitboxActionUnlockDeviceTitle": "Desbloquear dispositivo BitBox", - "@bitboxActionUnlockDeviceTitle": { - "description": "Title for unlock device action" - }, - "bitboxActionPairDeviceTitle": "Emparejar dispositivo BitBox", - "@bitboxActionPairDeviceTitle": { - "description": "Title for pair device action" - }, - "bitboxActionImportWalletTitle": "Importar billetera BitBox", - "@bitboxActionImportWalletTitle": { - "description": "Title for import wallet action" - }, - "bitboxActionSignTransactionTitle": "Firmar transacción", - "@bitboxActionSignTransactionTitle": { - "description": "Title for sign transaction action" - }, - "bitboxActionVerifyAddressTitle": "Verificar dirección en BitBox", - "@bitboxActionVerifyAddressTitle": { - "description": "Title for verify address action" - }, - "bitboxActionUnlockDeviceButton": "Desbloquear dispositivo", - "@bitboxActionUnlockDeviceButton": { - "description": "Button text for unlock device" - }, - "bitboxActionPairDeviceButton": "Iniciar emparejamiento", - "@bitboxActionPairDeviceButton": { - "description": "Button text for pair device" - }, - "bitboxActionImportWalletButton": "Iniciar importación", - "@bitboxActionImportWalletButton": { - "description": "Button text for import wallet" - }, - "bitboxActionSignTransactionButton": "Iniciar firma", - "@bitboxActionSignTransactionButton": { - "description": "Button text for sign transaction" - }, - "bitboxActionVerifyAddressButton": "Verificar dirección", - "@bitboxActionVerifyAddressButton": { - "description": "Button text for verify address" - }, - "bitboxActionUnlockDeviceProcessing": "Desbloqueando dispositivo", - "@bitboxActionUnlockDeviceProcessing": { - "description": "Processing text for unlock device" - }, - "bitboxActionPairDeviceProcessing": "Emparejando dispositivo", - "@bitboxActionPairDeviceProcessing": { - "description": "Processing text for pair device" - }, - "bitboxActionImportWalletProcessing": "Importando billetera", - "@bitboxActionImportWalletProcessing": { - "description": "Processing text for import wallet" - }, - "bitboxActionSignTransactionProcessing": "Firmando transacción", - "@bitboxActionSignTransactionProcessing": { - "description": "Processing text for sign transaction" - }, - "bitboxActionVerifyAddressProcessing": "Mostrando dirección en BitBox...", - "@bitboxActionVerifyAddressProcessing": { - "description": "Processing text for verify address" - }, - "bitboxActionUnlockDeviceSuccess": "Dispositivo desbloqueado exitosamente", - "@bitboxActionUnlockDeviceSuccess": { - "description": "Success text for unlock device" - }, - "bitboxActionPairDeviceSuccess": "Dispositivo emparejado exitosamente", - "@bitboxActionPairDeviceSuccess": { - "description": "Success text for pair device" - }, - "bitboxActionImportWalletSuccess": "Billetera importada exitosamente", - "@bitboxActionImportWalletSuccess": { - "description": "Success text for import wallet" - }, - "bitboxActionSignTransactionSuccess": "Transacción firmada exitosamente", - "@bitboxActionSignTransactionSuccess": { - "description": "Success text for sign transaction" - }, - "bitboxActionVerifyAddressSuccess": "Dirección verificada exitosamente", - "@bitboxActionVerifyAddressSuccess": { - "description": "Success text for verify address" - }, - "bitboxActionUnlockDeviceSuccessSubtext": "Su dispositivo BitBox ahora está desbloqueado y listo para usar.", - "@bitboxActionUnlockDeviceSuccessSubtext": { - "description": "Success subtext for unlock device" - }, - "bitboxActionPairDeviceSuccessSubtext": "Su dispositivo BitBox ahora está emparejado y listo para usar.", - "@bitboxActionPairDeviceSuccessSubtext": { - "description": "Success subtext for pair device" - }, - "bitboxActionImportWalletSuccessSubtext": "Su billetera BitBox ha sido importada exitosamente.", - "@bitboxActionImportWalletSuccessSubtext": { - "description": "Success subtext for import wallet" - }, - "bitboxActionSignTransactionSuccessSubtext": "Su transacción ha sido firmada exitosamente.", - "@bitboxActionSignTransactionSuccessSubtext": { - "description": "Success subtext for sign transaction" - }, - "bitboxActionVerifyAddressSuccessSubtext": "La dirección ha sido verificada en su dispositivo BitBox.", - "@bitboxActionVerifyAddressSuccessSubtext": { - "description": "Success subtext for verify address" - }, - "bitboxActionUnlockDeviceProcessingSubtext": "Por favor ingrese su contraseña en el dispositivo BitBox...", - "@bitboxActionUnlockDeviceProcessingSubtext": { - "description": "Processing subtext for unlock device" - }, - "bitboxActionPairDeviceProcessingSubtext": "Por favor verifique el código de emparejamiento en su dispositivo BitBox...", - "@bitboxActionPairDeviceProcessingSubtext": { - "description": "Processing subtext for pair device" - }, - "bitboxActionImportWalletProcessingSubtext": "Configurando su billetera de solo lectura...", - "@bitboxActionImportWalletProcessingSubtext": { - "description": "Processing subtext for import wallet" - }, - "bitboxActionSignTransactionProcessingSubtext": "Por favor confirme la transacción en su dispositivo BitBox...", - "@bitboxActionSignTransactionProcessingSubtext": { - "description": "Processing subtext for sign transaction" - }, - "bitboxActionVerifyAddressProcessingSubtext": "Por favor confirme la dirección en su dispositivo BitBox.", - "@bitboxActionVerifyAddressProcessingSubtext": { - "description": "Processing subtext for verify address" - }, - "bitboxScreenConnectDevice": "Conecte su dispositivo BitBox", - "@bitboxScreenConnectDevice": { - "description": "Main text when in initial state" - }, - "bitboxScreenScanning": "Buscando dispositivos", - "@bitboxScreenScanning": { - "description": "Main text when scanning for devices" - }, - "bitboxScreenConnecting": "Conectando al BitBox", - "@bitboxScreenConnecting": { - "description": "Main text when connecting to device" - }, - "bitboxScreenPairingCode": "Código de emparejamiento", - "@bitboxScreenPairingCode": { - "description": "Main text when showing pairing code" - }, - "bitboxScreenEnterPassword": "Ingresar contraseña", - "@bitboxScreenEnterPassword": { - "description": "Main text when waiting for password" - }, - "bitboxScreenVerifyAddress": "Verificar dirección", - "@bitboxScreenVerifyAddress": { - "description": "Main text when showing address verification" - }, - "bitboxScreenActionFailed": "{action} falló", - "@bitboxScreenActionFailed": { - "description": "Main text when action fails", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "bitboxScreenConnectSubtext": "Asegúrese de que su BitBox02 esté desbloqueado y conectado por USB.", - "@bitboxScreenConnectSubtext": { - "description": "Subtext for initial state" - }, - "bitboxScreenScanningSubtext": "Buscando su dispositivo BitBox...", - "@bitboxScreenScanningSubtext": { - "description": "Subtext when scanning" - }, - "bitboxScreenConnectingSubtext": "Estableciendo conexión segura...", - "@bitboxScreenConnectingSubtext": { - "description": "Subtext when connecting" - }, - "bitboxScreenPairingCodeSubtext": "Verifique que este código coincida con el de su pantalla BitBox02, luego confirme en el dispositivo.", - "@bitboxScreenPairingCodeSubtext": { - "description": "Subtext when showing pairing code" - }, - "bitboxScreenEnterPasswordSubtext": "Por favor ingrese su contraseña en el dispositivo BitBox para continuar.", - "@bitboxScreenEnterPasswordSubtext": { - "description": "Subtext when waiting for password" - }, - "bitboxScreenVerifyAddressSubtext": "Compare esta dirección con la de su pantalla BitBox02", - "@bitboxScreenVerifyAddressSubtext": { - "description": "Subtext when showing address verification" - }, - "bitboxScreenUnknownError": "Ocurrió un error desconocido", - "@bitboxScreenUnknownError": { - "description": "Fallback error message" - }, - "bitboxScreenWaitingConfirmation": "Esperando confirmación en BitBox02...", - "@bitboxScreenWaitingConfirmation": { - "description": "Message shown while waiting for device confirmation" - }, - "bitboxScreenAddressToVerify": "Dirección a verificar:", - "@bitboxScreenAddressToVerify": { - "description": "Label for address verification" - }, - "bitboxScreenVerifyOnDevice": "Por favor verifique esta dirección en su dispositivo BitBox", - "@bitboxScreenVerifyOnDevice": { - "description": "Instruction to verify address on device" - }, - "bitboxScreenWalletTypeLabel": "Tipo de billetera:", - "@bitboxScreenWalletTypeLabel": { - "description": "Label for wallet type selector" - }, - "bitboxScreenSelectWalletType": "Seleccionar tipo de billetera", - "@bitboxScreenSelectWalletType": { - "description": "Title for wallet type selection modal" - }, - "bitboxScreenSegwitBip84": "Segwit (BIP84)", - "@bitboxScreenSegwitBip84": { - "description": "Script type display name for BIP84" - }, - "bitboxScreenSegwitBip84Subtitle": "Native SegWit - Recomendado", - "@bitboxScreenSegwitBip84Subtitle": { - "description": "Subtitle for BIP84 option" - }, - "bitboxScreenNestedSegwitBip49": "Nested Segwit (BIP49)", - "@bitboxScreenNestedSegwitBip49": { - "description": "Script type display name for BIP49" - }, - "bitboxScreenNestedSegwitBip49Subtitle": "P2WPKH-nested-in-P2SH", - "@bitboxScreenNestedSegwitBip49Subtitle": { - "description": "Subtitle for BIP49 option" - }, - "bitboxScreenTroubleshootingTitle": "Solución de problemas BitBox02", - "@bitboxScreenTroubleshootingTitle": { - "description": "Title for troubleshooting instructions" - }, - "bitboxScreenTroubleshootingSubtitle": "Primero, asegúrese de que su dispositivo BitBox02 esté conectado al puerto USB de su teléfono. Si su dispositivo aún no se conecta con la aplicación, intente lo siguiente:", - "@bitboxScreenTroubleshootingSubtitle": { - "description": "Subtitle for troubleshooting instructions" - }, - "bitboxScreenTroubleshootingStep1": "Asegúrese de tener el firmware más reciente instalado en su BitBox.", - "@bitboxScreenTroubleshootingStep1": { - "description": "Troubleshooting step 1" - }, - "bitboxScreenTroubleshootingStep2": "Asegúrese de que los permisos USB estén habilitados en su teléfono.", - "@bitboxScreenTroubleshootingStep2": { - "description": "Troubleshooting step 2" - }, - "bitboxScreenTroubleshootingStep3": "Reinicie su dispositivo BitBox02 desconectándolo y volviéndolo a conectar.", - "@bitboxScreenTroubleshootingStep3": { - "description": "Troubleshooting step 3" - }, - "bitboxScreenTryAgainButton": "Intentar de nuevo", - "@bitboxScreenTryAgainButton": { - "description": "Button to retry failed action" - }, - "bitboxScreenManagePermissionsButton": "Gestionar permisos de la aplicación", - "@bitboxScreenManagePermissionsButton": { - "description": "Button to open app permissions settings" - }, - "bitboxScreenNeedHelpButton": "¿Necesita ayuda?", - "@bitboxScreenNeedHelpButton": { - "description": "Button to show help instructions" - }, - "bitboxScreenDefaultWalletLabel": "Billetera BitBox", - "@bitboxScreenDefaultWalletLabel": { - "description": "Default label for imported BitBox wallet" - }, - "bitboxCubitPermissionDenied": "Permiso USB denegado. Por favor otorgue permiso para acceder a su dispositivo BitBox.", - "@bitboxCubitPermissionDenied": { - "description": "Error interpretation for permission denied" - }, - "bitboxCubitDeviceNotFound": "No se encontró ningún dispositivo BitBox. Por favor conecte su dispositivo e inténtelo de nuevo.", - "@bitboxCubitDeviceNotFound": { - "description": "Error interpretation for device not found" - }, - "bitboxCubitDeviceNotPaired": "Dispositivo no emparejado. Por favor complete primero el proceso de emparejamiento.", - "@bitboxCubitDeviceNotPaired": { - "description": "Error interpretation for device not paired" - }, - "bitboxCubitHandshakeFailed": "Error al establecer conexión segura. Inténtelo de nuevo.", - "@bitboxCubitHandshakeFailed": { - "description": "Error interpretation for handshake failure" - }, - "bitboxCubitOperationTimeout": "La operación expiró. Inténtelo de nuevo.", - "@bitboxCubitOperationTimeout": { - "description": "Error interpretation for timeout" - }, - "bitboxCubitConnectionFailed": "Error al conectar con el dispositivo BitBox. Por favor verifique su conexión.", - "@bitboxCubitConnectionFailed": { - "description": "Error interpretation for connection failure" - }, - "bitboxCubitInvalidResponse": "Respuesta inválida del dispositivo BitBox. Inténtelo de nuevo.", - "@bitboxCubitInvalidResponse": { - "description": "Error interpretation for invalid response" - }, - "bitboxCubitOperationCancelled": "La operación fue cancelada. Inténtelo de nuevo.", - "@bitboxCubitOperationCancelled": { - "description": "Error interpretation for cancelled operation" - }, - "advancedOptionsTitle": "Opciones avanzadas", - "@advancedOptionsTitle": { - "description": "Bottom sheet header/title for advanced sending options" - }, - "replaceByFeeActivatedLabel": "Reemplazo por tarifa activado", - "@replaceByFeeActivatedLabel": { - "description": "Label for RBF toggle switch" - }, - "replaceByFeeBroadcastButton": "Transmitir", - "@replaceByFeeBroadcastButton": { - "description": "Button to broadcast the replacement transaction" - }, - "replaceByFeeCustomFeeTitle": "Tarifa personalizada", - "@replaceByFeeCustomFeeTitle": { - "description": "Title for custom fee input section" - }, - "replaceByFeeErrorFeeRateTooLow": "Necesita aumentar la tasa de tarifa en al menos 1 sat/vbyte en comparación con la transacción original", - "@replaceByFeeErrorFeeRateTooLow": { - "description": "Error message when new fee rate is not high enough" - }, - "replaceByFeeErrorNoFeeRateSelected": "Por favor seleccione una tasa de tarifa", - "@replaceByFeeErrorNoFeeRateSelected": { - "description": "Error message when no fee rate is selected" - }, - "replaceByFeeErrorTransactionConfirmed": "La transacción original ha sido confirmada", - "@replaceByFeeErrorTransactionConfirmed": { - "description": "Error message when original transaction is already confirmed" - }, - "replaceByFeeErrorGeneric": "Ocurrió un error al intentar reemplazar la transacción", - "@replaceByFeeErrorGeneric": { - "description": "Generic error message for replace-by-fee operation failures" - }, - "replaceByFeeFastestDescription": "Entrega estimada ~ 10 minutos", - "@replaceByFeeFastestDescription": { - "description": "Description for fastest fee option" - }, - "replaceByFeeFastestTitle": "Más rápido", - "@replaceByFeeFastestTitle": { - "description": "Title for fastest fee option" - }, - "replaceByFeeFeeRateDisplay": "Tasa de tarifa: {feeRate} sat/vbyte", - "@replaceByFeeFeeRateDisplay": { - "description": "Display text showing the fee rate", - "placeholders": { - "feeRate": { - "type": "String" - } - } - }, - "replaceByFeeOriginalTransactionTitle": "Transacción original", - "@replaceByFeeOriginalTransactionTitle": { - "description": "Title for original transaction section" - }, - "replaceByFeeSatsVbUnit": "sats/vB", - "@replaceByFeeSatsVbUnit": { - "description": "Unit label for satoshis per virtual byte" - }, - "replaceByFeeScreenTitle": "Reemplazo por tarifa", - "@replaceByFeeScreenTitle": { - "description": "Screen title for replace by fee feature" - }, - "selectCoinsManuallyLabel": "Seleccionar monedas manualmente", - "@selectCoinsManuallyLabel": { - "description": "List tile option to manually select UTXOs" - }, - "doneButton": "Hecho", - "@doneButton": { - "description": "Button to close advanced options bottom sheet" - }, - "confirmLogoutTitle": "Confirmar cierre de sesión", - "@confirmLogoutTitle": { - "description": "Dialog title for logout confirmation" - }, - "confirmLogoutMessage": "¿Está seguro de que desea cerrar sesión en su cuenta de Bull Bitcoin? Deberá iniciar sesión nuevamente para acceder a las funciones de intercambio.", - "@confirmLogoutMessage": { - "description": "Confirmation message explaining logout consequences" - }, - "logoutButton": "Cerrar sesión", - "@logoutButton": { - "description": "Button to confirm logout action" - }, - "comingSoonDefaultMessage": "Esta función está actualmente en desarrollo y estará disponible pronto.", - "@comingSoonDefaultMessage": { - "description": "Default message for features under development" - }, - "featureComingSoonTitle": "Función próximamente", - "@featureComingSoonTitle": { - "description": "Title for coming soon bottom sheet" - }, - "okButton": "Aceptar", - "@okButton": { - "description": "Button to dismiss coming soon message" - }, - "notLoggedInTitle": "No ha iniciado sesión", - "@notLoggedInTitle": { - "description": "Title for not logged in state" - }, - "notLoggedInMessage": "Por favor, inicie sesión en su cuenta de Bull Bitcoin para acceder a la configuración de intercambio.", - "@notLoggedInMessage": { - "description": "Message prompting user to log in for exchange features" - }, - "loginButton": "INICIAR SESIÓN", - "@loginButton": { - "description": "Button to navigate to login screen" - }, - "selectAmountTitle": "Seleccionar monto", - "@selectAmountTitle": { - "description": "Title for manual coin selection bottom sheet" - }, - "amountRequestedLabel": "Monto solicitado: {amount}", - "@amountRequestedLabel": { - "description": "Shows the requested amount to send", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "addressLabel": "Dirección: ", - "@addressLabel": { - "description": "Label for UTXO address in coin selection tile" - }, - "typeLabel": "Tipo: ", - "@typeLabel": { - "description": "Label for address type (Receive/Change)" - }, - "addressViewReceiveType": "Recibir", - "@addressViewReceiveType": { - "description": "Address type label for external/receive addresses" - }, - "addressViewChangeType": "Cambio", - "@addressViewChangeType": { - "description": "Address type label for internal/change addresses" - }, - "pasteInputDefaultHint": "Pegue una dirección de pago o factura", - "@pasteInputDefaultHint": { - "description": "Default placeholder hint for paste input field" - }, - "copyDialogButton": "Copiar", - "@copyDialogButton": { - "description": "Button in modal dialog to copy value to clipboard" - }, - "closeDialogButton": "Cerrar", - "@closeDialogButton": { - "description": "Button to close the value display modal dialog" - }, - "scanningProgressLabel": "Escaneando: {percent}%", - "@scanningProgressLabel": { - "description": "Progress indicator for UR QR code scanning", - "placeholders": { - "percent": { - "type": "String" - } - } - }, - "urProgressLabel": "Progreso UR: {parts} partes", - "@urProgressLabel": { - "description": "Progress message showing parts processed for multi-part UR codes", - "placeholders": { - "parts": { - "type": "String" - } - } - }, - "scanningCompletedMessage": "Escaneo completado", - "@scanningCompletedMessage": { - "description": "Success message when UR scanning completes" - }, - "urDecodingFailedMessage": "Decodificación UR fallida", - "@urDecodingFailedMessage": { - "description": "Error message when UR decoding fails" - }, - "urProcessingFailedMessage": "Procesamiento UR fallido", - "@urProcessingFailedMessage": { - "description": "Error message when UR processing encounters an exception" - }, - "scanNfcButton": "Escanear NFC", - "@scanNfcButton": { - "description": "Button label to initiate NFC scanning" - }, - "shareLogsLabel": "Compartir registros", - "@shareLogsLabel": { - "description": "List tile label to share application logs" - }, - "viewLogsLabel": "Ver registros", - "@viewLogsLabel": { - "description": "List tile label to view logs inline or in viewer" - }, - "errorSharingLogsMessage": "Error al compartir registros: {error}", - "@errorSharingLogsMessage": { - "description": "Error message when log sharing fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "copiedToClipboardMessage": "Copiado al portapapeles", - "@copiedToClipboardMessage": { - "description": "Snackbar confirmation message after copying to clipboard" - }, - "submitButton": "Enviar", - "@submitButton": { - "description": "Default button label to submit mnemonic" - }, - "optionalPassphraseHint": "Frase de contraseña opcional", - "@optionalPassphraseHint": { - "description": "Placeholder hint for passphrase field" - }, - "labelInputLabel": "Etiqueta", - "@labelInputLabel": { - "description": "Label for wallet label input field" - }, - "requiredHint": "Requerido", - "@requiredHint": { - "description": "Placeholder hint for required label field" - }, - "wordsDropdownSuffix": " palabras", - "@wordsDropdownSuffix": { - "description": "Suffix for mnemonic length dropdown" - }, - "emptyMnemonicWordsError": "Ingrese todas las palabras de su mnemónico", - "@emptyMnemonicWordsError": { - "description": "Error message when not all mnemonic words are filled in" - }, - "tryAgainButton": "Intentar de nuevo", - "@tryAgainButton": { - "description": "Default button text for error state" - }, - "errorGenericTitle": "¡Ups! Algo salió mal", - "@errorGenericTitle": { - "description": "Generic error title when hasError is true" - }, - "confirmSendTitle": "Confirmar envío", - "@confirmSendTitle": { - "description": "Title for send confirmation screen when sending bitcoin" - }, - "confirmTransferTitle": "Confirmar transferencia", - "@confirmTransferTitle": { - "description": "Title for confirmation screen when transferring between wallets" - }, - "fromLabel": "De", - "@fromLabel": { - "description": "Label for source wallet in transaction details" - }, - "toLabel": "Para", - "@toLabel": { - "description": "Label for destination address in transaction details" - }, - "amountLabel": "Monto", - "@amountLabel": { - "description": "Label for transaction amount display" - }, - "networkFeesLabel": "Tarifas de red", - "@networkFeesLabel": { - "description": "Label for network transaction fees in onchain send" - }, - "feePriorityLabel": "Prioridad de tarifa", - "@feePriorityLabel": { - "description": "Label for fee selection priority option" - }, - "transferIdLabel": "ID de transferencia", - "@transferIdLabel": { - "description": "Label for swap transfer ID" - }, - "totalFeesLabel": "Tarifas totales", - "@totalFeesLabel": { - "description": "Label for total fees in lightning swap" - }, - "totalFeeLabel": "Tarifa total", - "@totalFeeLabel": { - "description": "Label for expandable total fee breakdown in swap" - }, - "networkFeeLabel": "Tarifa de red", - "@networkFeeLabel": { - "description": "Breakdown component showing network fee portion" - }, - "transferFeeLabel": "Tarifa de transferencia", - "@transferFeeLabel": { - "description": "Breakdown component showing Boltz transfer fee portion" - }, - "sendNetworkFeesLabel": "Tarifas de red de envío", - "@sendNetworkFeesLabel": { - "description": "Label for sending network fees in chain swap" - }, - "confirmButtonLabel": "Confirmar", - "@confirmButtonLabel": { - "description": "Button label to confirm and execute the transaction" - }, - "satsSuffix": " sats", - "@satsSuffix": { - "description": "Unit suffix for satoshi amounts" - }, - "approximateFiatPrefix": "~", - "@approximateFiatPrefix": { - "description": "Prefix indicating approximate fiat equivalent value" - }, - "routeErrorMessage": "Página no encontrada", - "@routeErrorMessage": { - "description": "Error message displayed when user navigates to non-existent route" - }, - "logsViewerTitle": "Registros", - "@logsViewerTitle": { - "description": "AppBar title for logs viewer screen" - }, - "payInvoiceTitle": "Pagar Factura", - "@payInvoiceTitle": { - "description": "AppBar title for the pay invoice screen" - }, - "payEnterAmountTitle": "Ingresar Monto", - "@payEnterAmountTitle": { - "description": "Title for amount entry screen in payment flow" - }, - "payInvalidInvoice": "Factura inválida", - "@payInvalidInvoice": { - "description": "Error message when invoice format is invalid" - }, - "payInvoiceExpired": "Factura expirada", - "@payInvoiceExpired": { - "description": "Error message when Lightning invoice has expired" - }, - "payNetworkError": "Error de red. Por favor intente nuevamente", - "@payNetworkError": { - "description": "Error message for network connectivity issues during payment" - }, - "payProcessingPayment": "Procesando pago...", - "@payProcessingPayment": { - "description": "Loading message while payment is being processed" - }, - "payPaymentSuccessful": "Pago exitoso", - "@payPaymentSuccessful": { - "description": "Success message after payment completes" - }, - "payPaymentFailed": "Pago fallido", - "@payPaymentFailed": { - "description": "Error message when payment fails" - }, - "payRetryPayment": "Reintentar Pago", - "@payRetryPayment": { - "description": "Button text to retry a failed payment" - }, - "payScanQRCode": "Escanear Código QR", - "@payScanQRCode": { - "description": "Button text to open QR code scanner for payment" - }, - "payPasteInvoice": "Pegar Factura", - "@payPasteInvoice": { - "description": "Button text to paste invoice from clipboard" - }, - "payEnterInvoice": "Ingresar Factura", - "@payEnterInvoice": { - "description": "Placeholder text for invoice input field" - }, - "payTotal": "Total", - "@payTotal": { - "description": "Label for total payment amount (amount + fee)" - }, - "payDescription": "Descripción", - "@payDescription": { - "description": "Label for payment description/memo field" - }, - "payCancelPayment": "Cancelar Pago", - "@payCancelPayment": { - "description": "Button text to cancel payment flow" - }, - "payLightningInvoice": "Factura Lightning", - "@payLightningInvoice": { - "description": "Label indicating invoice type is Lightning Network" - }, - "payBitcoinAddress": "Dirección Bitcoin", - "@payBitcoinAddress": { - "description": "Label indicating payment destination is on-chain address" - }, - "payLiquidAddress": "Dirección Liquid", - "@payLiquidAddress": { - "description": "Label indicating payment destination is Liquid address" - }, - "payInvoiceDetails": "Detalles de la Factura", - "@payInvoiceDetails": { - "description": "Section header for invoice information" - }, - "payAmountTooLow": "El monto está por debajo del mínimo", - "@payAmountTooLow": { - "description": "Error when payment amount is below minimum allowed" - }, - "payAmountTooHigh": "El monto excede el máximo", - "@payAmountTooHigh": { - "description": "Error when payment amount exceeds maximum allowed" - }, - "payInvalidAmount": "Monto inválido", - "@payInvalidAmount": { - "description": "Error when entered amount is invalid" - }, - "payFeeTooHigh": "La comisión es inusualmente alta", - "@payFeeTooHigh": { - "description": "Warning when calculated fee is higher than expected" - }, - "payConfirmHighFee": "La comisión para este pago es {percentage}% del monto. ¿Continuar?", - "@payConfirmHighFee": { - "description": "Confirmation prompt when fee percentage is high", - "placeholders": { - "percentage": { - "type": "String" - } - } - }, - "payNoRouteFound": "No se encontró una ruta para este pago", - "@payNoRouteFound": { - "description": "Error when Lightning routing cannot find a path" - }, - "payRoutingFailed": "Enrutamiento fallido", - "@payRoutingFailed": { - "description": "Error when Lightning payment routing fails" - }, - "payChannelBalanceLow": "Saldo del canal demasiado bajo", - "@payChannelBalanceLow": { - "description": "Error when Lightning channel lacks sufficient outbound liquidity" - }, - "payOpenChannelRequired": "Se requiere abrir un canal para este pago", - "@payOpenChannelRequired": { - "description": "Message indicating a new Lightning channel is needed" - }, - "payEstimatedFee": "Comisión Estimada", - "@payEstimatedFee": { - "description": "Label for estimated network fee" - }, - "payActualFee": "Comisión Real", - "@payActualFee": { - "description": "Label for actual fee paid after transaction" - }, - "payTimeoutError": "Tiempo de espera agotado. Por favor verifique el estado", - "@payTimeoutError": { - "description": "Error when payment takes too long to complete" - }, - "payCheckingStatus": "Verificando estado del pago...", - "@payCheckingStatus": { - "description": "Loading message while verifying payment status" - }, - "payPaymentPending": "Pago pendiente", - "@payPaymentPending": { - "description": "Status message for in-flight payment" - }, - "payPaymentConfirmed": "Pago confirmado", - "@payPaymentConfirmed": { - "description": "Status message for confirmed payment" - }, - "payViewTransaction": "Ver Transacción", - "@payViewTransaction": { - "description": "Button text to view transaction details" - }, - "payShareInvoice": "Compartir Factura", - "@payShareInvoice": { - "description": "Button text to share payment invoice" - }, - "payInvoiceCopied": "Factura copiada al portapapeles", - "@payInvoiceCopied": { - "description": "Toast message after copying invoice" - }, - "payExpiresIn": "Expira en {time}", - "@payExpiresIn": { - "description": "Label showing invoice expiration time", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "payExpired": "Expirado", - "@payExpired": { - "description": "Status label for expired invoice" - }, - "payLightningFee": "Comisión Lightning", - "@payLightningFee": { - "description": "Label for Lightning Network routing fee" - }, - "payOnChainFee": "Comisión On-Chain", - "@payOnChainFee": { - "description": "Label for Bitcoin on-chain transaction fee" - }, - "payLiquidFee": "Comisión Liquid", - "@payLiquidFee": { - "description": "Label for Liquid Network transaction fee" - }, - "paySwapFee": "Comisión de Swap", - "@paySwapFee": { - "description": "Label for submarine swap fee" - }, - "payServiceFee": "Comisión de Servicio", - "@payServiceFee": { - "description": "Label for service provider fee" - }, - "payTotalFees": "Comisiones Totales", - "@payTotalFees": { - "description": "Label for sum of all fees" - }, - "payFeeBreakdown": "Desglose de Comisiones", - "@payFeeBreakdown": { - "description": "Section header for detailed fee information" - }, - "payMinimumAmount": "Mínimo: {amount}", - "@payMinimumAmount": { - "description": "Label showing minimum payment amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "payMaximumAmount": "Máximo: {amount}", - "@payMaximumAmount": { - "description": "Label showing maximum payment amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "payAvailableBalance": "Disponible: {amount}", - "@payAvailableBalance": { - "description": "Label showing available wallet balance", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "payRequiresSwap": "Este pago requiere un swap", - "@payRequiresSwap": { - "description": "Info message when payment needs submarine swap" - }, - "paySwapInProgress": "Swap en progreso...", - "@paySwapInProgress": { - "description": "Status message during submarine swap" - }, - "paySwapCompleted": "Swap completado", - "@paySwapCompleted": { - "description": "Status message after successful swap" - }, - "paySwapFailed": "Swap fallido", - "@paySwapFailed": { - "description": "Error message when swap fails" - }, - "payBroadcastingTransaction": "Transmitiendo transacción...", - "@payBroadcastingTransaction": { - "description": "Status message while broadcasting to network" - }, - "payTransactionBroadcast": "Transacción transmitida", - "@payTransactionBroadcast": { - "description": "Success message after broadcasting" - }, - "payBroadcastFailed": "Transmisión fallida", - "@payBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, - "payConfirmationRequired": "Confirmación requerida", - "@payConfirmationRequired": { - "description": "Message when user confirmation is needed" - }, - "payReviewPayment": "Revisar Pago", - "@payReviewPayment": { - "description": "Title for payment review screen" - }, - "payPaymentDetails": "Detalles del Pago", - "@payPaymentDetails": { - "description": "Section header for payment information" - }, - "payFromWallet": "Desde Billetera", - "@payFromWallet": { - "description": "Label showing source wallet" - }, - "payToAddress": "A Dirección", - "@payToAddress": { - "description": "Label showing destination address" - }, - "payNetworkType": "Red", - "@payNetworkType": { - "description": "Label for network type (Lightning/Bitcoin/Liquid)" - }, - "payPriority": "Prioridad", - "@payPriority": { - "description": "Label for transaction priority/fee level" - }, - "payLowPriority": "Baja", - "@payLowPriority": { - "description": "Low fee priority option" - }, - "payMediumPriority": "Media", - "@payMediumPriority": { - "description": "Medium fee priority option" - }, - "payHighPriority": "Alta", - "@payHighPriority": { - "description": "High fee priority option" - }, - "payCustomFee": "Comisión Personalizada", - "@payCustomFee": { - "description": "Option to set custom fee amount" - }, - "payFeeRate": "Tarifa de Comisión", - "@payFeeRate": { - "description": "Label for fee rate (sat/vB)" - }, - "paySatsPerByte": "{sats} sat/vB", - "@paySatsPerByte": { - "description": "Fee rate format", - "placeholders": { - "sats": { - "type": "String" - } - } - }, - "payEstimatedConfirmation": "Confirmación estimada: {time}", - "@payEstimatedConfirmation": { - "description": "Estimated time until confirmation", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "payReplaceByFee": "Replace-By-Fee (RBF)", - "@payReplaceByFee": { - "description": "Label for RBF feature" - }, - "payEnableRBF": "Habilitar RBF", - "@payEnableRBF": { - "description": "Checkbox to enable Replace-By-Fee" - }, - "payRBFEnabled": "RBF habilitado", - "@payRBFEnabled": { - "description": "Status when RBF is enabled" - }, - "payRBFDisabled": "RBF deshabilitado", - "@payRBFDisabled": { - "description": "Status when RBF is disabled" - }, - "payBumpFee": "Aumentar Comisión", - "@payBumpFee": { - "description": "Button to increase fee of pending transaction" - }, - "payCannotBumpFee": "No se puede aumentar la comisión para esta transacción", - "@payCannotBumpFee": { - "description": "Error when RBF is not available" - }, - "payFeeBumpSuccessful": "Aumento de comisión exitoso", - "@payFeeBumpSuccessful": { - "description": "Success message after fee bump" - }, - "payFeeBumpFailed": "Aumento de comisión fallido", - "@payFeeBumpFailed": { - "description": "Error when fee bump fails" - }, - "payBatchPayment": "Pago por Lote", - "@payBatchPayment": { - "description": "Option to combine multiple payments" - }, - "payAddRecipient": "Agregar Destinatario", - "@payAddRecipient": { - "description": "Button to add another payment recipient" - }, - "payRemoveRecipient": "Eliminar Destinatario", - "@payRemoveRecipient": { - "description": "Button to remove a recipient from batch" - }, - "payRecipientCount": "{count} destinatarios", - "@payRecipientCount": { - "description": "Label showing number of recipients", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "payTotalAmount": "Monto Total", - "@payTotalAmount": { - "description": "Label for sum of all payment amounts" - }, - "paySendAll": "Enviar Todo", - "@paySendAll": { - "description": "Button to send entire wallet balance" - }, - "paySendMax": "Máx", - "@paySendMax": { - "description": "Button to set amount to maximum available" - }, - "payInvalidAddress": "Dirección inválida", - "@payInvalidAddress": { - "description": "Error for malformed address" - }, - "payAddressRequired": "La dirección es requerida", - "@payAddressRequired": { - "description": "Validation error for empty address field" - }, - "payAmountRequired": "El monto es requerido", - "@payAmountRequired": { - "description": "Validation error for empty amount field" - }, - "payEnterValidAmount": "Por favor ingrese un monto válido", - "@payEnterValidAmount": { - "description": "Validation error for invalid amount format" - }, - "payWalletNotSynced": "Billetera no sincronizada. Por favor espere", - "@payWalletNotSynced": { - "description": "Error when wallet sync is incomplete" - }, - "paySyncingWallet": "Sincronizando billetera...", - "@paySyncingWallet": { - "description": "Status message during wallet sync" - }, - "payNoActiveWallet": "No hay billetera activa", - "@payNoActiveWallet": { - "description": "Error when no wallet is selected" - }, - "paySelectActiveWallet": "Por favor seleccione una billetera", - "@paySelectActiveWallet": { - "description": "Prompt to choose a wallet" - }, - "payUnsupportedInvoiceType": "Tipo de factura no soportado", - "@payUnsupportedInvoiceType": { - "description": "Error for unknown invoice format" - }, - "payDecodingInvoice": "Decodificando factura...", - "@payDecodingInvoice": { - "description": "Loading message while parsing invoice" - }, - "payInvoiceDecoded": "Factura decodificada exitosamente", - "@payInvoiceDecoded": { - "description": "Success message after decoding" - }, - "payDecodeFailed": "Falló la decodificación de la factura", - "@payDecodeFailed": { - "description": "Error when invoice parsing fails" - }, - "payMemo": "Nota", - "@payMemo": { - "description": "Label for optional payment note" - }, - "payAddMemo": "Agregar nota (opcional)", - "@payAddMemo": { - "description": "Placeholder for memo input field" - }, - "payPrivatePayment": "Pago Privado", - "@payPrivatePayment": { - "description": "Label for privacy-enhanced payment option" - }, - "payUseCoinjoin": "Usar CoinJoin", - "@payUseCoinjoin": { - "description": "Option to use CoinJoin for privacy" - }, - "payCoinjoinInProgress": "CoinJoin en progreso...", - "@payCoinjoinInProgress": { - "description": "Status during CoinJoin process" - }, - "payCoinjoinCompleted": "CoinJoin completado", - "@payCoinjoinCompleted": { - "description": "Success message after CoinJoin" - }, - "payCoinjoinFailed": "CoinJoin fallido", - "@payCoinjoinFailed": { - "description": "Error when CoinJoin fails" - }, - "payPaymentHistory": "Historial de Pagos", - "@payPaymentHistory": { - "description": "Title for list of past payments" - }, - "payNoPayments": "Aún no hay pagos", - "@payNoPayments": { - "description": "Empty state message" - }, - "payFilterPayments": "Filtrar Pagos", - "@payFilterPayments": { - "description": "Button to filter payment list" - }, - "paySearchPayments": "Buscar pagos...", - "@paySearchPayments": { - "description": "Search box placeholder" - }, - "payAllPayments": "Todos los Pagos", - "@payAllPayments": { - "description": "Filter option to show all" - }, - "paySuccessfulPayments": "Exitosos", - "@paySuccessfulPayments": { - "description": "Filter for successful payments" - }, - "payFailedPayments": "Fallidos", - "@payFailedPayments": { - "description": "Filter for failed payments" - }, - "payPendingPayments": "Pendientes", - "@payPendingPayments": { - "description": "Filter for pending payments" - }, - "sendCoinControl": "Control de Monedas", - "@sendCoinControl": { - "description": "Feature to manually select UTXOs" - }, - "sendSelectCoins": "Seleccionar Monedas", - "@sendSelectCoins": { - "description": "Button to open UTXO selector" - }, - "sendSelectedCoins": "{count} monedas seleccionadas", - "@sendSelectedCoins": { - "description": "Label showing number of UTXOs selected", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "sendClearSelection": "Limpiar Selección", - "@sendClearSelection": { - "description": "Button to deselect all UTXOs" - }, - "sendCoinAmount": "Cantidad: {amount}", - "@sendCoinAmount": { - "description": "Label for UTXO amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sendCoinConfirmations": "{count} confirmaciones", - "@sendCoinConfirmations": { - "description": "Label for UTXO confirmation count", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "sendUnconfirmed": "Sin Confirmar", - "@sendUnconfirmed": { - "description": "Status for 0-conf UTXO" - }, - "sendFrozenCoin": "Congelada", - "@sendFrozenCoin": { - "description": "Status for manually frozen UTXO" - }, - "sendFreezeCoin": "Congelar Moneda", - "@sendFreezeCoin": { - "description": "Action to prevent UTXO from being spent" - }, - "sendUnfreezeCoin": "Descongelar Moneda", - "@sendUnfreezeCoin": { - "description": "Action to allow spending frozen UTXO" - }, - "sendSubmarineSwap": "Submarine Swap", - "@sendSubmarineSwap": { - "description": "Feature to swap on-chain to Lightning" - }, - "sendInitiatingSwap": "Iniciando swap...", - "@sendInitiatingSwap": { - "description": "Loading message during swap setup" - }, - "sendSwapDetails": "Detalles del Swap", - "@sendSwapDetails": { - "description": "Section header for swap information" - }, - "sendSwapAmount": "Cantidad del Swap", - "@sendSwapAmount": { - "description": "Label for amount being swapped" - }, - "sendSwapFeeEstimate": "Comisión estimada del swap: {amount}", - "@sendSwapFeeEstimate": { - "description": "Estimated cost of swap", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sendSwapTimeEstimate": "Tiempo estimado: {time}", - "@sendSwapTimeEstimate": { - "description": "Expected swap duration", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "sendConfirmSwap": "Confirmar Swap", - "@sendConfirmSwap": { - "description": "Button to proceed with swap" - }, - "sendSwapCancelled": "Swap cancelado", - "@sendSwapCancelled": { - "description": "Message when user cancels swap" - }, - "sendSwapTimeout": "Tiempo de espera del swap agotado", - "@sendSwapTimeout": { - "description": "Error when swap expires" - }, - "sendCustomFeeRate": "Tarifa de Comisión Personalizada", - "@sendCustomFeeRate": { - "description": "Option to manually set fee" - }, - "sendFeeRateTooLow": "Tarifa de comisión demasiado baja", - "@sendFeeRateTooLow": { - "description": "Error for insufficient fee" - }, - "sendFeeRateTooHigh": "La tarifa de comisión parece muy alta", - "@sendFeeRateTooHigh": { - "description": "Warning for excessive fee" - }, - "sendRecommendedFee": "Recomendado: {rate} sat/vB", - "@sendRecommendedFee": { - "description": "Suggested fee rate", - "placeholders": { - "rate": { - "type": "String" - } - } - }, - "sendEconomyFee": "Económica", - "@sendEconomyFee": { - "description": "Lowest fee tier" - }, - "sendNormalFee": "Normal", - "@sendNormalFee": { - "description": "Standard fee tier" - }, - "sendFastFee": "Rápida", - "@sendFastFee": { - "description": "Highest fee tier" - }, - "sendHardwareWallet": "Billetera de Hardware", - "@sendHardwareWallet": { - "description": "Option to sign with hardware device" - }, - "sendConnectDevice": "Conectar Dispositivo", - "@sendConnectDevice": { - "description": "Prompt to plug in hardware wallet" - }, - "sendDeviceConnected": "Dispositivo conectado", - "@sendDeviceConnected": { - "description": "Status when hardware wallet is detected" - }, - "sendDeviceDisconnected": "Dispositivo desconectado", - "@sendDeviceDisconnected": { - "description": "Error when hardware wallet unplugged" - }, - "sendVerifyOnDevice": "Verificar en el dispositivo", - "@sendVerifyOnDevice": { - "description": "Instruction to check hardware wallet screen" - }, - "sendSigningTransaction": "Firmando transacción...", - "@sendSigningTransaction": { - "description": "Status while hardware wallet signs" - }, - "sendSignatureReceived": "Firma recibida", - "@sendSignatureReceived": { - "description": "Success after hardware wallet signs" - }, - "sendSigningFailed": "Firma fallida", - "@sendSigningFailed": { - "description": "Error during hardware wallet signing" - }, - "sendUserRejected": "Usuario rechazó en el dispositivo", - "@sendUserRejected": { - "description": "Error when user declines on hardware wallet" - }, - "sendBuildingTransaction": "Construyendo transacción...", - "@sendBuildingTransaction": { - "description": "Status while constructing transaction" - }, - "sendTransactionBuilt": "Transacción lista", - "@sendTransactionBuilt": { - "description": "Success after transaction constructed" - }, - "sendBuildFailed": "Error al construir la transacción", - "@sendBuildFailed": { - "description": "Error during transaction construction" - }, - "sendInsufficientFunds": "Fondos insuficientes", - "@sendInsufficientFunds": { - "description": "Error when balance too low" - }, - "sendDustAmount": "Cantidad demasiado pequeña (dust)", - "@sendDustAmount": { - "description": "Error for uneconomical amount" - }, - "sendOutputTooSmall": "Salida por debajo del límite de dust", - "@sendOutputTooSmall": { - "description": "Error for tiny output amount" - }, - "sendScheduledPayment": "Pago Programado", - "@sendScheduledPayment": { - "description": "Feature to delay transaction" - }, - "sendScheduleFor": "Programar para {date}", - "@sendScheduleFor": { - "description": "Label for scheduled date", - "placeholders": { - "date": { - "type": "String" - } - } - }, - "sendSwapId": "ID de intercambio", - "@sendSwapId": { - "description": "Label for swap identifier in transaction details" - }, - "sendSendAmount": "Cantidad enviada", - "@sendSendAmount": { - "description": "Label for amount being sent in swap" - }, - "sendReceiveAmount": "Cantidad recibida", - "@sendReceiveAmount": { - "description": "Label for amount being received in swap" - }, - "sendSendNetworkFee": "Comisión de red de envío", - "@sendSendNetworkFee": { - "description": "Label for network fee on send side of swap" - }, - "sendTransferFee": "Comisión de transferencia", - "@sendTransferFee": { - "description": "Label for total swap transfer fee" - }, - "sendTransferFeeDescription": "Esta es la comisión total deducida de la cantidad enviada", - "@sendTransferFeeDescription": { - "description": "Explanation of what the transfer fee represents" - }, - "sendReceiveNetworkFee": "Comisión de red de recepción", - "@sendReceiveNetworkFee": { - "description": "Label for network fee on receive side" - }, - "sendServerNetworkFees": "Comisiones de red del servidor", - "@sendServerNetworkFees": { - "description": "Label for Boltz server fees" - }, - "sendConfirmSend": "Confirmar envío", - "@sendConfirmSend": { - "description": "Title for send confirmation screen" - }, - "sendSending": "Enviando", - "@sendSending": { - "description": "Title shown while transaction is being sent" - }, - "sendBroadcastingTransaction": "Transmitiendo la transacción.", - "@sendBroadcastingTransaction": { - "description": "Message shown while broadcasting transaction to network" - }, - "sendSwapInProgressInvoice": "El intercambio está en curso. La factura se pagará en unos segundos.", - "@sendSwapInProgressInvoice": { - "description": "Message for Liquid swap in progress" - }, - "sendSwapInProgressBitcoin": "El intercambio está en curso. Las transacciones de Bitcoin pueden tardar en confirmarse. Puede volver al inicio y esperar.", - "@sendSwapInProgressBitcoin": { - "description": "Message for Bitcoin swap in progress" - }, - "sendSwapRefundInProgress": "Reembolso de intercambio en curso", - "@sendSwapRefundInProgress": { - "description": "Title when swap failed and refund is processing" - }, - "sendSwapFailed": "El intercambio falló. Su reembolso se procesará en breve.", - "@sendSwapFailed": { - "description": "Message explaining swap failure and refund" - }, - "sendSwapRefundCompleted": "Reembolso de intercambio completado", - "@sendSwapRefundCompleted": { - "description": "Title when refund has completed" - }, - "sendRefundProcessed": "Su reembolso ha sido procesado.", - "@sendRefundProcessed": { - "description": "Message confirming refund completion" - }, - "sendInvoicePaid": "Factura pagada", - "@sendInvoicePaid": { - "description": "Title when Lightning invoice payment succeeds" - }, - "sendPaymentProcessing": "El pago se está procesando. Puede tardar hasta un minuto", - "@sendPaymentProcessing": { - "description": "Message while payment processes" - }, - "sendPaymentWillTakeTime": "El pago tardará tiempo", - "@sendPaymentWillTakeTime": { - "description": "Title warning of delayed payment" - }, - "sendSwapInitiated": "Intercambio iniciado", - "@sendSwapInitiated": { - "description": "Title when chain swap begins" - }, - "sendSwapWillTakeTime": "Tardará un tiempo en confirmarse", - "@sendSwapWillTakeTime": { - "description": "Message warning swap confirmation takes time" - }, - "sendSuccessfullySent": "Enviado con éxito", - "@sendSuccessfullySent": { - "description": "Title for successful send completion" - }, - "sendViewDetails": "Ver detalles", - "@sendViewDetails": { - "description": "Button to view transaction details" - }, - "sendShowPsbt": "Mostrar PSBT", - "@sendShowPsbt": { - "description": "Button to display PSBT for external signing" - }, - "sendSignWithLedger": "Firmar con Ledger", - "@sendSignWithLedger": { - "description": "Button to sign transaction with Ledger hardware wallet" - }, - "sendSignWithBitBox": "Firmar con BitBox", - "@sendSignWithBitBox": { - "description": "Button to sign transaction with BitBox hardware wallet" - }, - "sendTransactionSignedLedger": "Transacción firmada con éxito con Ledger", - "@sendTransactionSignedLedger": { - "description": "Success message after Ledger signing" - }, - "sendHighFeeWarningDescription": "La comisión total es {feePercent}% de la cantidad que está enviando", - "@sendHighFeeWarningDescription": { - "description": "Warning message showing fee as percentage of send amount", - "placeholders": { - "feePercent": { - "type": "String" - } - } - }, - "sendEnterAbsoluteFee": "Ingrese la comisión absoluta en sats", - "@sendEnterAbsoluteFee": { - "description": "Placeholder for absolute fee input field" - }, - "sendEnterRelativeFee": "Ingrese la comisión relativa en sats/vB", - "@sendEnterRelativeFee": { - "description": "Placeholder for relative fee rate input field" - }, - "sendErrorArkExperimentalOnly": "Las solicitudes de pago ARK solo están disponibles desde la función experimental Ark.", - "@sendErrorArkExperimentalOnly": { - "description": "Error when ARK payment is attempted without experimental feature enabled" - }, - "sendErrorSwapCreationFailed": "Error al crear el intercambio.", - "@sendErrorSwapCreationFailed": { - "description": "Error when swap creation fails" - }, - "sendErrorInsufficientBalanceForPayment": "Saldo insuficiente para cubrir este pago", - "@sendErrorInsufficientBalanceForPayment": { - "description": "Error when wallet balance is insufficient for payment" - }, - "sendErrorInvalidAddressOrInvoice": "Dirección de pago Bitcoin o factura inválida", - "@sendErrorInvalidAddressOrInvoice": { - "description": "Error when payment request is invalid" - }, - "sendErrorBuildFailed": "Error de construcción", - "@sendErrorBuildFailed": { - "description": "Error title when transaction build fails" - }, - "sendErrorConfirmationFailed": "Error de confirmación", - "@sendErrorConfirmationFailed": { - "description": "Error title when transaction confirmation fails" - }, - "sendErrorInsufficientBalanceForSwap": "Saldo insuficiente para pagar este intercambio a través de Liquid y fuera de los límites de intercambio para pagar a través de Bitcoin.", - "@sendErrorInsufficientBalanceForSwap": { - "description": "Error when balance insufficient for swap through either network" - }, - "sendErrorAmountBelowSwapLimits": "La cantidad está por debajo de los límites de intercambio", - "@sendErrorAmountBelowSwapLimits": { - "description": "Error when amount is below minimum swap limit" - }, - "sendErrorAmountAboveSwapLimits": "La cantidad está por encima de los límites de intercambio", - "@sendErrorAmountAboveSwapLimits": { - "description": "Error when amount exceeds maximum swap limit" - }, - "sendErrorAmountBelowMinimum": "Cantidad por debajo del límite de intercambio mínimo: {minLimit} sats", - "@sendErrorAmountBelowMinimum": { - "description": "Error with specific minimum swap amount", - "placeholders": { - "minLimit": { - "type": "String" - } - } - }, - "sendErrorAmountAboveMaximum": "Cantidad por encima del límite de intercambio máximo: {maxLimit} sats", - "@sendErrorAmountAboveMaximum": { - "description": "Error with specific maximum swap amount", - "placeholders": { - "maxLimit": { - "type": "String" - } - } - }, - "sendErrorSwapFeesNotLoaded": "Comisiones de intercambio no cargadas", - "@sendErrorSwapFeesNotLoaded": { - "description": "Error when swap fee information is unavailable" - }, - "sendErrorInsufficientFundsForFees": "Fondos insuficientes para cubrir la cantidad y las comisiones", - "@sendErrorInsufficientFundsForFees": { - "description": "Error when wallet cannot cover transaction amount plus fees" - }, - "sendErrorBroadcastFailed": "Error al transmitir la transacción. Verifique su conexión de red e intente nuevamente.", - "@sendErrorBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, - "sendErrorBalanceTooLowForMinimum": "Saldo demasiado bajo para la cantidad de intercambio mínima", - "@sendErrorBalanceTooLowForMinimum": { - "description": "Error when balance is below minimum required for swap" - }, - "sendErrorAmountExceedsMaximum": "La cantidad excede la cantidad de intercambio máxima", - "@sendErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum allowed for swap" - }, - "sendErrorLiquidWalletRequired": "Se debe usar una billetera Liquid para un intercambio de liquid a lightning", - "@sendErrorLiquidWalletRequired": { - "description": "Error when wrong wallet type used for Liquid to Lightning swap" - }, - "sendErrorBitcoinWalletRequired": "Se debe usar una billetera Bitcoin para un intercambio de bitcoin a lightning", - "@sendErrorBitcoinWalletRequired": { - "description": "Error when wrong wallet type used for Bitcoin to Lightning swap" - }, - "sendErrorInsufficientFundsForPayment": "Fondos insuficientes disponibles para realizar este pago.", - "@sendErrorInsufficientFundsForPayment": { - "description": "Error when insufficient funds available" - }, - "sendTypeSend": "Enviar", - "@sendTypeSend": { - "description": "Send type name for Bitcoin/Liquid transactions" - }, - "sendTypeSwap": "Intercambiar", - "@sendTypeSwap": { - "description": "Send type name for Lightning swap transactions" - }, - "sellAmount": "Cantidad a Vender", - "@sellAmount": { - "description": "Label for Bitcoin amount input" - }, - "sellReceiveAmount": "Usted recibirá", - "@sellReceiveAmount": { - "description": "Label showing fiat amount to receive" - }, - "sellWalletBalance": "Saldo: {amount}", - "@sellWalletBalance": { - "description": "Shows available balance", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellPaymentMethod": "Método de Pago", - "@sellPaymentMethod": { - "description": "Section for selecting how to receive fiat" - }, - "sellBankTransfer": "Transferencia Bancaria", - "@sellBankTransfer": { - "description": "Option for bank deposit" - }, - "sellInteracTransfer": "Transferencia Interac e-Transfer", - "@sellInteracTransfer": { - "description": "Option for Interac payment (Canada)" - }, - "sellCashPickup": "Retiro en Efectivo", - "@sellCashPickup": { - "description": "Option for in-person cash" - }, - "sellBankDetails": "Datos Bancarios", - "@sellBankDetails": { - "description": "Section header for bank account info" - }, - "sellAccountName": "Nombre de la Cuenta", - "@sellAccountName": { - "description": "Label for bank account holder name" - }, - "sellAccountNumber": "Número de Cuenta", - "@sellAccountNumber": { - "description": "Label for bank account number" - }, - "sellRoutingNumber": "Número de Ruta", - "@sellRoutingNumber": { - "description": "Label for bank routing/transit number" - }, - "sellInstitutionNumber": "Número de Institución", - "@sellInstitutionNumber": { - "description": "Label for bank institution code" - }, - "sellSwiftCode": "Código SWIFT/BIC", - "@sellSwiftCode": { - "description": "Label for international bank code" - }, - "sellIBAN": "IBAN", - "@sellIBAN": { - "description": "Label for International Bank Account Number" - }, - "sellInteracEmail": "Correo Electrónico de Interac", - "@sellInteracEmail": { - "description": "Label for email to receive Interac payment" - }, - "sellReviewOrder": "Revisar Orden de Venta", - "@sellReviewOrder": { - "description": "Title for order confirmation screen" - }, - "sellConfirmOrder": "Confirmar Orden de Venta", - "@sellConfirmOrder": { - "description": "Button to submit sell order" - }, - "sellProcessingOrder": "Procesando orden...", - "@sellProcessingOrder": { - "description": "Loading message during order submission" - }, - "sellOrderPlaced": "Orden de venta realizada exitosamente", - "@sellOrderPlaced": { - "description": "Success message after order submission" - }, - "sellOrderFailed": "Error al realizar la orden de venta", - "@sellOrderFailed": { - "description": "Error message when order fails" - }, - "sellInsufficientBalance": "Saldo insuficiente en la billetera", - "@sellInsufficientBalance": { - "description": "Error when wallet lacks funds" - }, - "sellMinimumAmount": "Cantidad mínima de venta: {amount}", - "@sellMinimumAmount": { - "description": "Error for amount below minimum", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellMaximumAmount": "Cantidad máxima de venta: {amount}", - "@sellMaximumAmount": { - "description": "Error for amount above maximum", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellNetworkError": "Error de red. Por favor, intente nuevamente", - "@sellNetworkError": { - "description": "Error for connectivity issues" - }, - "sellRateExpired": "Tasa de cambio expirada. Actualizando...", - "@sellRateExpired": { - "description": "Message when rate quote times out" - }, - "sellUpdatingRate": "Actualizando tasa de cambio...", - "@sellUpdatingRate": { - "description": "Loading message while fetching new rate" - }, - "sellCurrentRate": "Tasa Actual", - "@sellCurrentRate": { - "description": "Label for BTC/fiat exchange rate" - }, - "sellRateValidFor": "Tasa válida por {seconds}s", - "@sellRateValidFor": { - "description": "Shows rate expiration countdown", - "placeholders": { - "seconds": { - "type": "int" - } - } - }, - "sellEstimatedArrival": "Llegada estimada: {time}", - "@sellEstimatedArrival": { - "description": "Expected time to receive fiat", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "sellTransactionFee": "Comisión de Transacción", - "@sellTransactionFee": { - "description": "Label for Bitcoin network fee" - }, - "sellServiceFee": "Comisión de Servicio", - "@sellServiceFee": { - "description": "Label for Bull Bitcoin service fee" - }, - "sellTotalFees": "Comisiones Totales", - "@sellTotalFees": { - "description": "Label for sum of all fees" - }, - "sellNetAmount": "Cantidad Neta", - "@sellNetAmount": { - "description": "Label for amount after fees" - }, - "sellKYCRequired": "Verificación KYC requerida", - "@sellKYCRequired": { - "description": "Error when identity verification needed" - }, - "sellKYCPending": "Verificación KYC pendiente", - "@sellKYCPending": { - "description": "Message when verification in progress" - }, - "sellKYCApproved": "KYC aprobado", - "@sellKYCApproved": { - "description": "Status when verification complete" - }, - "sellKYCRejected": "Verificación KYC rechazada", - "@sellKYCRejected": { - "description": "Error when verification fails" - }, - "sellCompleteKYC": "Completar KYC", - "@sellCompleteKYC": { - "description": "Button to start verification process" - }, - "sellDailyLimitReached": "Límite diario de venta alcanzado", - "@sellDailyLimitReached": { - "description": "Error when hitting daily maximum" - }, - "sellDailyLimit": "Límite diario: {amount}", - "@sellDailyLimit": { - "description": "Shows maximum daily sell amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellRemainingLimit": "Restante hoy: {amount}", - "@sellRemainingLimit": { - "description": "Shows remaining daily limit", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyExpressWithdrawal": "Retiro Express", - "@buyExpressWithdrawal": { - "description": "Fast withdrawal option" - }, - "buyExpressWithdrawalDesc": "Reciba Bitcoin instantáneamente después del pago", - "@buyExpressWithdrawalDesc": { - "description": "Explanation of express withdrawal feature" - }, - "buyExpressWithdrawalFee": "Comisión express: {amount}", - "@buyExpressWithdrawalFee": { - "description": "Additional fee for instant withdrawal", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyStandardWithdrawal": "Retiro Estándar", - "@buyStandardWithdrawal": { - "description": "Regular withdrawal option" - }, - "buyStandardWithdrawalDesc": "Reciba Bitcoin después de que se liquide el pago (1-3 días)", - "@buyStandardWithdrawalDesc": { - "description": "Explanation of standard withdrawal timing" - }, - "buyKYCLevel": "Nivel KYC", - "@buyKYCLevel": { - "description": "Label for verification tier" - }, - "buyKYCLevel1": "Nivel 1 - Básico", - "@buyKYCLevel1": { - "description": "Basic verification tier" - }, - "buyKYCLevel2": "Nivel 2 - Mejorado", - "@buyKYCLevel2": { - "description": "Enhanced verification tier" - }, - "buyKYCLevel3": "Nivel 3 - Completo", - "@buyKYCLevel3": { - "description": "Full verification tier" - }, - "buyUpgradeKYC": "Actualizar Nivel KYC", - "@buyUpgradeKYC": { - "description": "Button to increase verification tier" - }, - "buyLevel1Limit": "Límite Nivel 1: {amount}", - "@buyLevel1Limit": { - "description": "Purchase limit for basic KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyLevel2Limit": "Límite Nivel 2: {amount}", - "@buyLevel2Limit": { - "description": "Purchase limit for enhanced KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyLevel3Limit": "Límite Nivel 3: {amount}", - "@buyLevel3Limit": { - "description": "Purchase limit for full KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyVerificationRequired": "Verificación requerida para esta cantidad", - "@buyVerificationRequired": { - "description": "Error when KYC needed for purchase size" - }, - "buyVerifyIdentity": "Verificar Identidad", - "@buyVerifyIdentity": { - "description": "Button to start KYC process" - }, - "buyVerificationInProgress": "Verificación en progreso...", - "@buyVerificationInProgress": { - "description": "Status during KYC review" - }, - "buyVerificationComplete": "Verificación completa", - "@buyVerificationComplete": { - "description": "Success message after KYC approval" - }, - "buyVerificationFailed": "Verificación fallida: {reason}", - "@buyVerificationFailed": { - "description": "Error message with failure reason", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "buyDocumentUpload": "Cargar Documentos", - "@buyDocumentUpload": { - "description": "Section for ID document submission" - }, - "buyPhotoID": "Identificación con Foto", - "@buyPhotoID": { - "description": "Type of document required" - }, - "buyProofOfAddress": "Comprobante de Domicilio", - "@buyProofOfAddress": { - "description": "Type of document required" - }, - "buySelfie": "Selfie con Identificación", - "@buySelfie": { - "description": "Type of document required" - }, - "receiveSelectNetwork": "Seleccionar Red", - "@receiveSelectNetwork": { - "description": "Dropdown to choose receiving network" - }, - "receiveBitcoinNetwork": "Bitcoin", - "@receiveBitcoinNetwork": { - "description": "Bitcoin on-chain network option" - }, - "receiveLightningNetwork": "Lightning", - "@receiveLightningNetwork": { - "description": "Lightning Network option" - }, - "receiveLiquidNetwork": "Liquid", - "@receiveLiquidNetwork": { - "description": "Liquid Network option" - }, - "receiveArkNetwork": "Ark", - "@receiveArkNetwork": { - "description": "Ark Instant Payments option" - }, - "receiveInvoice": "Factura Lightning", - "@receiveInvoice": { - "description": "Label for Lightning invoice" - }, - "receiveFixedAmount": "Cantidad", - "@receiveFixedAmount": { - "description": "Required amount field" - }, - "receiveDescription": "Descripción (opcional)", - "@receiveDescription": { - "description": "Optional memo field" - }, - "receiveGenerateInvoice": "Generar Factura", - "@receiveGenerateInvoice": { - "description": "Button to create Lightning invoice" - }, - "receiveGenerateAddress": "Generar Nueva Dirección", - "@receiveGenerateAddress": { - "description": "Button to create new on-chain address" - }, - "receiveQRCode": "Código QR", - "@receiveQRCode": { - "description": "Section header for QR code display" - }, - "receiveCopyAddress": "Copiar Dirección", - "@receiveCopyAddress": { - "description": "Button to copy address to clipboard" - }, - "receiveCopyInvoice": "Copiar Factura", - "@receiveCopyInvoice": { - "description": "Button to copy invoice to clipboard" - }, - "receiveAddressCopied": "Dirección copiada al portapapeles", - "@receiveAddressCopied": { - "description": "Toast message after copying address" - }, - "receiveInvoiceCopied": "Factura copiada al portapapeles", - "@receiveInvoiceCopied": { - "description": "Toast message after copying invoice" - }, - "receiveShareAddress": "Compartir Dirección", - "@receiveShareAddress": { - "description": "Button to share via system share sheet" - }, - "receiveShareInvoice": "Compartir Factura", - "@receiveShareInvoice": { - "description": "Button to share invoice" - }, - "receiveInvoiceExpiry": "La factura expira en {time}", - "@receiveInvoiceExpiry": { - "description": "Shows expiration countdown", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "receiveInvoiceExpired": "Factura expirada", - "@receiveInvoiceExpired": { - "description": "Status when invoice is no longer valid" - }, - "receiveAwaitingPayment": "Esperando pago...", - "@receiveAwaitingPayment": { - "description": "Status while waiting for payment" - }, - "receiveConfirming": "Confirmando... ({count}/{required})", - "@receiveConfirming": { - "description": "Shows confirmation progress", - "placeholders": { - "count": { - "type": "int" - }, - "required": { - "type": "int" - } - } - }, - "receiveConfirmed": "Confirmado", - "@receiveConfirmed": { - "description": "Status when fully confirmed" - }, - "receiveGenerationFailed": "Error al generar {type}", - "@receiveGenerationFailed": { - "description": "Error when address/invoice generation fails", - "placeholders": { - "type": { - "type": "String" - } - } - }, - "receiveNetworkUnavailable": "{network} no está disponible actualmente", - "@receiveNetworkUnavailable": { - "description": "Error when network is down", - "placeholders": { - "network": { - "type": "String" - } - } - }, - "receiveInsufficientInboundLiquidity": "Capacidad de recepción Lightning insuficiente", - "@receiveInsufficientInboundLiquidity": { - "description": "Error when Lightning channels lack inbound capacity" - }, - "receiveRequestInboundLiquidity": "Solicitar Capacidad de Recepción", - "@receiveRequestInboundLiquidity": { - "description": "Button to open channel for receiving" - }, - "backupSettingsPhysicalBackup": "Respaldo Físico", - "@backupSettingsPhysicalBackup": { - "description": "Label for physical backup status row" - }, - "backupSettingsEncryptedVault": "Bóveda Cifrada", - "@backupSettingsEncryptedVault": { - "description": "Label for encrypted vault backup status row" - }, - "backupSettingsTested": "Probado", - "@backupSettingsTested": { - "description": "Status text shown when backup has been tested" - }, - "backupSettingsNotTested": "No Probado", - "@backupSettingsNotTested": { - "description": "Status text shown when backup has not been tested" - }, - "backupSettingsTestBackup": "Probar Respaldo", - "@backupSettingsTestBackup": { - "description": "Button text to test existing backup" - }, - "backupSettingsStartBackup": "Iniciar Respaldo", - "@backupSettingsStartBackup": { - "description": "Button text to start new backup process" - }, - "backupSettingsExportVault": "Exportar Bóveda", - "@backupSettingsExportVault": { - "description": "Button text to export encrypted vault file" - }, - "backupSettingsExporting": "Exportando...", - "@backupSettingsExporting": { - "description": "Button text while vault export is in progress" - }, - "backupSettingsViewVaultKey": "Ver Clave de la Bóveda", - "@backupSettingsViewVaultKey": { - "description": "Button text to view vault decryption key" - }, - "backupSettingsRevealing": "Revelando...", - "@backupSettingsRevealing": { - "description": "Button text while revealing vault key" - }, - "backupSettingsKeyServer": "Servidor de Claves ", - "@backupSettingsKeyServer": { - "description": "Label for key server connection status indicator" - }, - "backupSettingsError": "Error", - "@backupSettingsError": { - "description": "Header text for error message display" - }, - "backupSettingsBackupKey": "Clave de Respaldo", - "@backupSettingsBackupKey": { - "description": "AppBar title for view backup key screen" - }, - "backupSettingsFailedToDeriveKey": "Error al derivar la clave de respaldo", - "@backupSettingsFailedToDeriveKey": { - "description": "Error message when backup key derivation fails" - }, - "backupSettingsSecurityWarning": "Advertencia de Seguridad", - "@backupSettingsSecurityWarning": { - "description": "Title for backup key security warning modal" - }, - "backupSettingsKeyWarningBold": "Advertencia: Tenga cuidado donde guarde la clave de respaldo.", - "@backupSettingsKeyWarningBold": { - "description": "Bold warning message in backup key warning modal" - }, - "backupSettingsKeyWarningMessage": "Es críticamente importante que no guarde la clave de respaldo en el mismo lugar donde guarda su archivo de respaldo. Siempre almacénelos en dispositivos separados o proveedores de nube separados.", - "@backupSettingsKeyWarningMessage": { - "description": "Detailed warning about storing backup key separately" - }, - "backupSettingsKeyWarningExample": "Por ejemplo, si utilizó Google Drive para su archivo de respaldo, no utilice Google Drive para su clave de respaldo.", - "@backupSettingsKeyWarningExample": { - "description": "Example explaining backup key storage separation" - }, - "backupSettingsLabelsButton": "Etiquetas", - "@backupSettingsLabelsButton": { - "description": "Button text to manage transaction labels" - }, - "backupSettingsRecoverBullSettings": "Recoverbull", - "@backupSettingsRecoverBullSettings": { - "description": "Button text for Recoverbull" - }, - "backupWalletImportanceWarning": "Sin un respaldo, eventualmente perderá el acceso a su dinero. Es críticamente importante hacer un respaldo.", - "@backupWalletImportanceWarning": { - "description": "Warning message emphasizing the importance of creating a backup" - }, - "backupWalletEncryptedVaultTitle": "Bóveda cifrada", - "@backupWalletEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, - "backupWalletEncryptedVaultDescription": "Respaldo anónimo con cifrado robusto usando su nube.", - "@backupWalletEncryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, - "backupWalletEncryptedVaultTag": "Fácil y simple (1 minuto)", - "@backupWalletEncryptedVaultTag": { - "description": "Tag indicating difficulty and time for encrypted vault backup" - }, - "backupWalletPhysicalBackupTitle": "Respaldo físico", - "@backupWalletPhysicalBackupTitle": { - "description": "Title for physical backup option" - }, - "backupWalletPhysicalBackupDescription": "Escriba 12 palabras en un pedazo de papel. Manténgalas seguras y asegúrese de no perderlas.", - "@backupWalletPhysicalBackupDescription": { - "description": "Description of physical backup method" - }, - "backupWalletPhysicalBackupTag": "Sin confianza (tómese su tiempo)", - "@backupWalletPhysicalBackupTag": { - "description": "Tag indicating difficulty and trust model for physical backup" - }, - "backupWalletHowToDecide": "¿Cómo decidir?", - "@backupWalletHowToDecide": { - "description": "Link text to open modal explaining how to choose backup method" - }, - "backupWalletChooseVaultLocationTitle": "Elegir ubicación de la bóveda", - "@backupWalletChooseVaultLocationTitle": { - "description": "AppBar title for choosing encrypted vault provider screen" - }, - "backupWalletLastKnownEncryptedVault": "Última bóveda cifrada conocida: ", - "@backupWalletLastKnownEncryptedVault": { - "description": "Label prefix for displaying timestamp of last encrypted vault backup" - }, - "backupWalletGoogleDriveSignInTitle": "Necesitará iniciar sesión en Google Drive", - "@backupWalletGoogleDriveSignInTitle": { - "description": "Loading screen title when initiating Google Drive backup" - }, - "backupWalletGoogleDrivePermissionWarning": "Google le pedirá que comparta información personal con esta aplicación.", - "@backupWalletGoogleDrivePermissionWarning": { - "description": "Warning message about Google Drive permission request" - }, - "backupWalletGoogleDrivePrivacyMessage1": "Esta información ", - "@backupWalletGoogleDrivePrivacyMessage1": { - "description": "First part of privacy message about Google Drive data" - }, - "backupWalletGoogleDrivePrivacyMessage2": "no saldrá ", - "@backupWalletGoogleDrivePrivacyMessage2": { - "description": "Second part of privacy message (bold)" - }, - "backupWalletGoogleDrivePrivacyMessage3": "de su teléfono y ", - "@backupWalletGoogleDrivePrivacyMessage3": { - "description": "Third part of privacy message" - }, - "backupWalletGoogleDrivePrivacyMessage4": "nunca ", - "@backupWalletGoogleDrivePrivacyMessage4": { - "description": "Fourth part of privacy message (bold)" - }, - "backupWalletGoogleDrivePrivacyMessage5": "se comparte con Bull Bitcoin.", - "@backupWalletGoogleDrivePrivacyMessage5": { - "description": "Fifth part of privacy message" - }, - "backupWalletSavingToDeviceTitle": "Guardando en su dispositivo.", - "@backupWalletSavingToDeviceTitle": { - "description": "Loading screen title when saving to custom location" - }, - "backupWalletBestPracticesTitle": "Mejores prácticas de respaldo", - "@backupWalletBestPracticesTitle": { - "description": "AppBar title for physical backup checklist screen" - }, - "backupWalletLastBackupTest": "Última prueba de respaldo: ", - "@backupWalletLastBackupTest": { - "description": "Label prefix for displaying timestamp of last physical backup test" - }, - "backupWalletInstructionLoseBackup": "Si pierde su respaldo de 12 palabras, no podrá recuperar el acceso a la Billetera Bitcoin.", - "@backupWalletInstructionLoseBackup": { - "description": "Warning instruction about losing backup" - }, - "backupWalletInstructionLosePhone": "Sin un respaldo, si pierde o rompe su teléfono, o si desinstala la aplicación Bull Bitcoin, sus bitcoins se perderán para siempre.", - "@backupWalletInstructionLosePhone": { - "description": "Warning instruction about consequences without backup" - }, - "backupWalletInstructionSecurityRisk": "Cualquier persona con acceso a su respaldo de 12 palabras puede robar sus bitcoins. Ocúltelo bien.", - "@backupWalletInstructionSecurityRisk": { - "description": "Security warning about protecting backup from theft" - }, - "backupWalletInstructionNoDigitalCopies": "No haga copias digitales de su respaldo. Escríbalo en un pedazo de papel o grábelo en metal.", - "@backupWalletInstructionNoDigitalCopies": { - "description": "Instruction to avoid digital copies and use physical medium" - }, - "backupWalletInstructionNoPassphrase": "Su respaldo no está protegido por frase de contraseña. Agregue una frase de contraseña a su respaldo más adelante creando una nueva billetera.", - "@backupWalletInstructionNoPassphrase": { - "description": "Information about passphrase protection option" - }, - "backupWalletBackupButton": "Respaldar", - "@backupWalletBackupButton": { - "description": "Button text to proceed with physical backup" - }, - "backupWalletSuccessTitle": "¡Respaldo completado!", - "@backupWalletSuccessTitle": { - "description": "Success screen title after backup is completed" - }, - "backupWalletSuccessDescription": "Ahora probemos su respaldo para asegurarnos de que todo se hizo correctamente.", - "@backupWalletSuccessDescription": { - "description": "Success screen description prompting user to test backup" - }, - "backupWalletSuccessTestButton": "Probar Respaldo", - "@backupWalletSuccessTestButton": { - "description": "Button text to proceed to backup testing" - }, - "backupWalletHowToDecideBackupModalTitle": "Cómo decidir", - "@backupWalletHowToDecideBackupModalTitle": { - "description": "Modal title for backup method comparison help" - }, - "backupWalletHowToDecideBackupLosePhysical": "Una de las formas más comunes en que las personas pierden sus Bitcoin es porque pierden el respaldo físico. Cualquier persona que encuentre su respaldo físico podrá tomar todos sus Bitcoin. Si está muy seguro de que puede ocultarlo bien y nunca perderlo, es una buena opción.", - "@backupWalletHowToDecideBackupLosePhysical": { - "description": "Explanation of physical backup risks in decision help modal" - }, - "backupWalletHowToDecideBackupEncryptedVault": "La bóveda cifrada lo protege de ladrones que buscan robar su respaldo. También le impide perder accidentalmente su respaldo ya que se almacenará en su nube. Los proveedores de almacenamiento en nube como Google o Apple no tendrán acceso a sus Bitcoin porque la contraseña de cifrado es demasiado robusta. Existe una pequeña posibilidad de que el servidor web que almacena la clave de cifrado de su respaldo pueda verse comprometido. En este caso, la seguridad del respaldo en su cuenta de nube podría estar en riesgo.", - "@backupWalletHowToDecideBackupEncryptedVault": { - "description": "Explanation of encrypted vault benefits and risks in decision help modal" - }, - "backupWalletHowToDecideBackupPhysicalRecommendation": "Respaldo físico: ", - "@backupWalletHowToDecideBackupPhysicalRecommendation": { - "description": "Bold label for physical backup recommendation" - }, - "backupWalletHowToDecideBackupPhysicalRecommendationText": "Está seguro de sus propias capacidades de seguridad operacional para ocultar y preservar sus palabras de semilla de Bitcoin.", - "@backupWalletHowToDecideBackupPhysicalRecommendationText": { - "description": "Recommendation text for when to use physical backup" - }, - "backupWalletHowToDecideBackupEncryptedRecommendation": "Bóveda cifrada: ", - "@backupWalletHowToDecideBackupEncryptedRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, - "backupWalletHowToDecideBackupEncryptedRecommendationText": "No está seguro y necesita más tiempo para aprender sobre las prácticas de seguridad de respaldo.", - "@backupWalletHowToDecideBackupEncryptedRecommendationText": { - "description": "Recommendation text for when to use encrypted vault" - }, - "backupWalletHowToDecideBackupMoreInfo": "Visite recoverbull.com para más información.", - "@backupWalletHowToDecideBackupMoreInfo": { - "description": "Link text to external resource" - }, - "backupWalletHowToDecideVaultModalTitle": "Cómo decidir", - "@backupWalletHowToDecideVaultModalTitle": { - "description": "Modal title for vault location comparison help" - }, - "backupWalletHowToDecideVaultCloudSecurity": "Los proveedores de almacenamiento en nube como Google o Apple no tendrán acceso a sus Bitcoin porque la contraseña de cifrado es demasiado robusta. Solo pueden acceder a sus Bitcoin en el caso improbable de que colaboren con el servidor de claves (el servicio en línea que almacena su contraseña de cifrado). Si el servidor de claves alguna vez es pirateado, sus Bitcoin podrían estar en riesgo con la nube de Google o Apple.", - "@backupWalletHowToDecideVaultCloudSecurity": { - "description": "Explanation of cloud storage security in vault location decision help modal" - }, - "backupWalletHowToDecideVaultCustomLocation": "Una ubicación personalizada puede ser mucho más segura, dependiendo de la ubicación que elija. También debe asegurarse de no perder el archivo de respaldo o el dispositivo en el que se almacena su archivo de respaldo.", - "@backupWalletHowToDecideVaultCustomLocation": { - "description": "Explanation of custom location benefits and risks" - }, - "backupWalletHowToDecideVaultCustomRecommendation": "Ubicación personalizada: ", - "@backupWalletHowToDecideVaultCustomRecommendation": { - "description": "Bold label for custom location recommendation" - }, - "backupWalletHowToDecideVaultCustomRecommendationText": "está seguro de que no perderá el archivo de la bóveda y que seguirá siendo accesible si pierde su teléfono.", - "@backupWalletHowToDecideVaultCustomRecommendationText": { - "description": "Recommendation text for when to use custom location" - }, - "backupWalletHowToDecideVaultCloudRecommendation": "Nube de Google o Apple: ", - "@backupWalletHowToDecideVaultCloudRecommendation": { - "description": "Bold label for cloud storage recommendation" - }, - "backupWalletHowToDecideVaultCloudRecommendationText": "desea asegurarse de nunca perder el acceso a su archivo de bóveda incluso si pierde sus dispositivos.", - "@backupWalletHowToDecideVaultCloudRecommendationText": { - "description": "Recommendation text for when to use cloud storage" - }, - "backupWalletHowToDecideVaultMoreInfo": "Visite recoverbull.com para más información.", - "@backupWalletHowToDecideVaultMoreInfo": { - "description": "Link text to external resource about vault locations" - }, - "backupWalletVaultProviderGoogleDrive": "Google Drive", - "@backupWalletVaultProviderGoogleDrive": { - "description": "Name of Google Drive vault provider option" - }, - "backupWalletVaultProviderAppleICloud": "Apple iCloud", - "@backupWalletVaultProviderAppleICloud": { - "description": "Name of Apple iCloud vault provider option" - }, - "backupWalletVaultProviderCustomLocation": "Ubicación personalizada", - "@backupWalletVaultProviderCustomLocation": { - "description": "Name of custom location vault provider option" - }, - "backupWalletVaultProviderQuickEasy": "Rápido y fácil", - "@backupWalletVaultProviderQuickEasy": { - "description": "Tag for Google Drive and iCloud providers" - }, - "backupWalletVaultProviderTakeYourTime": "Tómese su tiempo", - "@backupWalletVaultProviderTakeYourTime": { - "description": "Tag for custom location provider" - }, - "backupWalletErrorFileSystemPath": "Error al seleccionar la ruta del sistema de archivos", - "@backupWalletErrorFileSystemPath": { - "description": "Error when file system path selection fails" - }, - "backupWalletErrorGoogleDriveConnection": "Error al conectar con Google Drive", - "@backupWalletErrorGoogleDriveConnection": { - "description": "Error when Google Drive connection fails" - }, - "backupWalletErrorSaveBackup": "Error al guardar el respaldo", - "@backupWalletErrorSaveBackup": { - "description": "Error when backup save operation fails" - }, - "backupWalletErrorGoogleDriveSave": "Error al guardar en Google Drive", - "@backupWalletErrorGoogleDriveSave": { - "description": "Error when saving to Google Drive fails" - }, - "testBackupWalletTitle": "Probar {walletName}", - "@testBackupWalletTitle": { - "description": "Dynamic AppBar title showing which wallet is being tested", - "placeholders": { - "walletName": { - "type": "String" - } - } - }, - "testBackupDefaultWallets": "Billeteras Predeterminadas", - "@testBackupDefaultWallets": { - "description": "Label shown when testing the default wallets" - }, - "testBackupConfirm": "Confirmar", - "@testBackupConfirm": { - "description": "Button text to confirm wallet selection" - }, - "testBackupWriteDownPhrase": "Escriba su frase de recuperación\nen el orden correcto", - "@testBackupWriteDownPhrase": { - "description": "Main instruction header for physical backup screen" - }, - "testBackupStoreItSafe": "Guárdela en un lugar seguro.", - "@testBackupStoreItSafe": { - "description": "Sub-instruction telling users to store recovery phrase safely" - }, - "testBackupLastBackupTest": "Última prueba de respaldo: {timestamp}", - "@testBackupLastBackupTest": { - "description": "Shows timestamp of last physical backup test", - "placeholders": { - "timestamp": { - "type": "String" - } - } - }, - "testBackupDoNotShare": "NO COMPARTA CON NADIE", - "@testBackupDoNotShare": { - "description": "Warning header about keeping recovery phrase secret" - }, - "testBackupTranscribe": "Transcribir", - "@testBackupTranscribe": { - "description": "Label with checkmark indicating users should transcribe the phrase" - }, - "testBackupDigitalCopy": "Copia digital", - "@testBackupDigitalCopy": { - "description": "Label with X mark warning against making digital copies" - }, - "testBackupScreenshot": "Captura de pantalla", - "@testBackupScreenshot": { - "description": "Label with X mark warning against taking screenshots" - }, - "testBackupNext": "Siguiente", - "@testBackupNext": { - "description": "Button to proceed to verification quiz" - }, - "testBackupTapWordsInOrder": "Toque las palabras de recuperación en el\norden correcto", - "@testBackupTapWordsInOrder": { - "description": "Instruction header for word selection quiz" - }, - "testBackupWhatIsWordNumber": "¿Cuál es la palabra número {number}?", - "@testBackupWhatIsWordNumber": { - "description": "Quiz prompt asking for specific word number", - "placeholders": { - "number": { - "type": "int" - } - } - }, - "testBackupAllWordsSelected": "Ha seleccionado todas las palabras", - "@testBackupAllWordsSelected": { - "description": "Message shown when user has selected all 12 words" - }, - "testBackupVerify": "Verificar", - "@testBackupVerify": { - "description": "Button text to verify the selected word order" - }, - "testBackupPassphrase": "Frase de contraseña", - "@testBackupPassphrase": { - "description": "Label for optional passphrase field" - }, - "testBackupSuccessTitle": "¡Prueba completada exitosamente!", - "@testBackupSuccessTitle": { - "description": "Success screen title after completing backup verification" - }, - "testBackupSuccessMessage": "Puede recuperar el acceso a una billetera Bitcoin perdida", - "@testBackupSuccessMessage": { - "description": "Success screen message confirming recovery capability" - }, - "testBackupSuccessButton": "Entendido", - "@testBackupSuccessButton": { - "description": "Button to dismiss success screen" - }, - "testBackupWarningMessage": "Sin un respaldo, eventualmente perderá el acceso a su dinero. Es críticamente importante hacer un respaldo.", - "@testBackupWarningMessage": { - "description": "Warning message emphasizing importance of backups" - }, - "testBackupEncryptedVaultTitle": "Bóveda cifrada", - "@testBackupEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option card" - }, - "testBackupEncryptedVaultDescription": "Respaldo anónimo con cifrado robusto usando su nube.", - "@testBackupEncryptedVaultDescription": { - "description": "Description for encrypted vault backup option" - }, - "testBackupEncryptedVaultTag": "Fácil y simple (1 minuto)", - "@testBackupEncryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, - "testBackupPhysicalBackupTitle": "Respaldo físico", - "@testBackupPhysicalBackupTitle": { - "description": "Title for physical backup option card" - }, - "testBackupPhysicalBackupDescription": "Escriba 12 palabras en un pedazo de papel. Manténgalas seguras y asegúrese de no perderlas.", - "@testBackupPhysicalBackupDescription": { - "description": "Description for physical backup option" - }, - "testBackupPhysicalBackupTag": "Sin confianza (tómese su tiempo)", - "@testBackupPhysicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes longer" - }, - "testBackupChooseVaultLocation": "Elegir ubicación de la bóveda", - "@testBackupChooseVaultLocation": { - "description": "AppBar title for encrypted vault provider selection screen" - }, - "testBackupLastKnownVault": "Última bóveda cifrada conocida: {timestamp}", - "@testBackupLastKnownVault": { - "description": "Shows timestamp of last encrypted vault backup", - "placeholders": { - "timestamp": { - "type": "String" - } - } - }, - "testBackupRetrieveVaultDescription": "Pruebe para asegurarse de que puede recuperar su bóveda cifrada.", - "@testBackupRetrieveVaultDescription": { - "description": "Description explaining purpose of vault location selection" - }, - "testBackupGoogleDriveSignIn": "Necesitará iniciar sesión en Google Drive", - "@testBackupGoogleDriveSignIn": { - "description": "Progress screen title when fetching from Google Drive" - }, - "testBackupGoogleDrivePermission": "Google le pedirá que comparta información personal con esta aplicación.", - "@testBackupGoogleDrivePermission": { - "description": "Progress screen description explaining Google Drive permission request" - }, - "testBackupGoogleDrivePrivacyPart1": "Esta información ", - "@testBackupGoogleDrivePrivacyPart1": { - "description": "First part of privacy message" - }, - "testBackupGoogleDrivePrivacyPart2": "no saldrá ", - "@testBackupGoogleDrivePrivacyPart2": { - "description": "Second part (emphasized) of privacy message" - }, - "testBackupGoogleDrivePrivacyPart3": "de su teléfono y ", - "@testBackupGoogleDrivePrivacyPart3": { - "description": "Third part of privacy message" - }, - "testBackupGoogleDrivePrivacyPart4": "nunca ", - "@testBackupGoogleDrivePrivacyPart4": { - "description": "Fourth part (emphasized) of privacy message" - }, - "testBackupGoogleDrivePrivacyPart5": "se comparte con Bull Bitcoin.", - "@testBackupGoogleDrivePrivacyPart5": { - "description": "Fifth part of privacy message" - }, - "testBackupFetchingFromDevice": "Obteniendo desde su dispositivo.", - "@testBackupFetchingFromDevice": { - "description": "Progress screen title when fetching from local device" - }, - "testBackupRecoverWallet": "Recuperar Billetera", - "@testBackupRecoverWallet": { - "description": "AppBar title for fetched backup info screen" - }, - "testBackupVaultSuccessMessage": "Su bóveda se importó exitosamente", - "@testBackupVaultSuccessMessage": { - "description": "Success message after vault is imported" - }, - "testBackupBackupId": "ID de Respaldo:", - "@testBackupBackupId": { - "description": "Label for backup ID field" - }, - "testBackupCreatedAt": "Creado el:", - "@testBackupCreatedAt": { - "description": "Label for vault creation timestamp field" - }, - "testBackupEnterKeyManually": "Ingresar clave de respaldo manualmente >>", - "@testBackupEnterKeyManually": { - "description": "Button text to manually enter backup key" - }, - "testBackupDecryptVault": "Descifrar bóveda", - "@testBackupDecryptVault": { - "description": "Button text to decrypt the vault" - }, - "testBackupErrorNoMnemonic": "No se cargó ninguna mnemónica", - "@testBackupErrorNoMnemonic": { - "description": "Error when mnemonic is not loaded" - }, - "testBackupErrorSelectAllWords": "Por favor seleccione todas las palabras", - "@testBackupErrorSelectAllWords": { - "description": "Error when not all words are selected" - }, - "testBackupErrorIncorrectOrder": "Orden de palabras incorrecto. Por favor intente nuevamente.", - "@testBackupErrorIncorrectOrder": { - "description": "Error when words are selected in wrong order" - }, - "testBackupErrorVerificationFailed": "Verificación fallida: {error}", - "@testBackupErrorVerificationFailed": { - "description": "Generic error message for verification failure", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "testBackupErrorFailedToFetch": "Error al obtener respaldo: {error}", - "@testBackupErrorFailedToFetch": { - "description": "Error when backup fetch fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "testBackupErrorInvalidFile": "Contenido del archivo inválido", - "@testBackupErrorInvalidFile": { - "description": "Error when selected file has invalid content" - }, - "testBackupErrorUnexpectedSuccess": "Éxito inesperado: el respaldo debería coincidir con la billetera existente", - "@testBackupErrorUnexpectedSuccess": { - "description": "Error for unexpected successful vault restoration" - }, - "testBackupErrorWalletMismatch": "El respaldo no coincide con la billetera existente", - "@testBackupErrorWalletMismatch": { - "description": "Error when backup doesn't match current wallet" - }, - "testBackupErrorWriteFailed": "Error al escribir en el almacenamiento: {error}", - "@testBackupErrorWriteFailed": { - "description": "Error when writing verification status to storage fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "testBackupErrorTestFailed": "Error al probar respaldo: {error}", - "@testBackupErrorTestFailed": { - "description": "Generic error message for backup test failure", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "testBackupErrorLoadWallets": "Error al cargar billeteras: {error}", - "@testBackupErrorLoadWallets": { - "description": "Error when loading wallets fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "testBackupErrorLoadMnemonic": "Error al cargar mnemónica: {error}", - "@testBackupErrorLoadMnemonic": { - "description": "Error when loading mnemonic fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "recoverbullGoogleDriveCancelButton": "Cancelar", - "@recoverbullGoogleDriveCancelButton": { - "description": "Cancel button text for delete confirmation dialog" - }, - "recoverbullGoogleDriveDeleteButton": "Eliminar", - "@recoverbullGoogleDriveDeleteButton": { - "description": "Delete button text for vault backup" - }, - "recoverbullGoogleDriveDeleteConfirmation": "¿Está seguro de que desea eliminar esta copia de seguridad del cofre? Esta acción no se puede deshacer.", - "@recoverbullGoogleDriveDeleteConfirmation": { - "description": "Confirmation message for deleting a vault backup" - }, - "recoverbullGoogleDriveDeleteVaultTitle": "Eliminar Cofre", - "@recoverbullGoogleDriveDeleteVaultTitle": { - "description": "Title for delete vault confirmation dialog" - }, - "recoverbullGoogleDriveErrorDisplay": "Error: {error}", - "@recoverbullGoogleDriveErrorDisplay": { - "description": "Error message display format", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "recoverbullBalance": "Saldo: {balance}", - "@recoverbullBalance": { - "description": "Label showing wallet balance during vault recovery", - "placeholders": { - "balance": { - "type": "String" - } - } - }, - "recoverbullCheckingConnection": "Verificando conexión para RecoverBull", - "@recoverbullCheckingConnection": { - "description": "Screen title while checking connection status" - }, - "recoverbullConfirm": "Confirmar", - "@recoverbullConfirm": { - "description": "Button text to confirm an action" - }, - "recoverbullConfirmInput": "Confirmar {inputType}", - "@recoverbullConfirmInput": { - "description": "Label to confirm input (PIN or password)", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullConnected": "Conectado", - "@recoverbullConnected": { - "description": "Status label indicating successful connection" - }, - "recoverbullConnecting": "Conectando", - "@recoverbullConnecting": { - "description": "Status label indicating connection in progress" - }, - "recoverbullConnectingTor": "Conectando al servidor de claves a través de Tor.\nEsto puede tomar hasta un minuto.", - "@recoverbullConnectingTor": { - "description": "Message shown while establishing Tor connection" - }, - "recoverbullConnectionFailed": "Conexión fallida", - "@recoverbullConnectionFailed": { - "description": "Status label indicating connection failure" - }, - "recoverbullContinue": "Continuar", - "@recoverbullContinue": { - "description": "Button text to proceed to next step" - }, - "recoverbullCreatingVault": "Creando Bóveda Cifrada", - "@recoverbullCreatingVault": { - "description": "Screen title while vault is being created" - }, - "recoverbullDecryptVault": "Descifrar bóveda", - "@recoverbullDecryptVault": { - "description": "Button text to decrypt the selected vault" - }, - "recoverbullEncryptedVaultCreated": "¡Bóveda Cifrada creada!", - "@recoverbullEncryptedVaultCreated": { - "description": "Success message title after vault creation" - }, - "recoverbullEnterInput": "Ingrese su {inputType}", - "@recoverbullEnterInput": { - "description": "Input field label prompting for PIN or password", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullEnterToDecrypt": "Por favor ingrese su {inputType} para descifrar su bóveda.", - "@recoverbullEnterToDecrypt": { - "description": "Instruction to enter PIN or password for vault decryption", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullEnterToTest": "Por favor ingrese su {inputType} para probar su bóveda.", - "@recoverbullEnterToTest": { - "description": "Instruction to enter PIN or password to test vault recovery", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullEnterToView": "Por favor ingrese su {inputType} para ver su clave de bóveda.", - "@recoverbullEnterToView": { - "description": "Instruction to enter PIN or password to view vault key", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullEnterVaultKeyInstead": "Ingresar una clave de bóveda en su lugar", - "@recoverbullEnterVaultKeyInstead": { - "description": "Button text to switch to manual vault key entry" - }, - "recoverbullErrorCheckStatusFailed": "Error al verificar el estado de la bóveda", - "@recoverbullErrorCheckStatusFailed": { - "description": "Error message when vault status check fails" - }, - "recoverbullErrorConnectionFailed": "Error al conectar con el servidor de claves de destino. ¡Por favor intente de nuevo más tarde!", - "@recoverbullErrorConnectionFailed": { - "description": "Error message when server connection fails" - }, - "recoverbullErrorDecryptedVaultNotSet": "La bóveda descifrada no está configurada", - "@recoverbullErrorDecryptedVaultNotSet": { - "description": "Error when attempting operation without decrypted vault" - }, - "recoverbullErrorDecryptFailed": "Error al descifrar la bóveda", - "@recoverbullErrorDecryptFailed": { - "description": "Error message when vault decryption fails" - }, - "recoverbullErrorFetchKeyFailed": "Error al obtener la clave de bóveda del servidor", - "@recoverbullErrorFetchKeyFailed": { - "description": "Error message when server key fetch fails" - }, - "recoverbullErrorInvalidCredentials": "Contraseña incorrecta para este archivo de respaldo", - "@recoverbullErrorInvalidCredentials": { - "description": "Error message when wrong password is entered for vault" - }, - "recoverbullErrorInvalidFlow": "Flujo inválido", - "@recoverbullErrorInvalidFlow": { - "description": "Error message for invalid operation flow" - }, - "recoverbullErrorMissingBytes": "Faltan bytes en la respuesta de Tor. Reintente, pero si el problema persiste, es un problema conocido para algunos dispositivos con Tor.", - "@recoverbullErrorMissingBytes": { - "description": "Error message when Tor response is incomplete" - }, - "recoverbullErrorPasswordNotSet": "La contraseña no está configurada", - "@recoverbullErrorPasswordNotSet": { - "description": "Error when attempting operation without setting password" - }, - "recoverbullErrorRecoveryFailed": "Error al recuperar la bóveda", - "@recoverbullErrorRecoveryFailed": { - "description": "Error message when vault recovery fails" - }, - "recoverbullTorNotStarted": "Tor no está iniciado", - "@recoverbullTorNotStarted": { - "description": "Error message when Tor is not started" - }, - "recoverbullErrorRateLimited": "Límite de solicitudes alcanzado. Por favor, inténtalo en {retryIn}", - "@recoverbullErrorRateLimited": { - "description": "Error message when rate limited by the server", - "placeholders": { - "retryIn": { - "type": "String" - } - } - }, - "recoverbullErrorUnexpected": "Error inesperado, ver registros", - "@recoverbullErrorUnexpected": { - "description": "Error message for unexpected errors" - }, - "recoverbullUnexpectedError": "Error inesperado", - "@recoverbullUnexpectedError": { - "description": "Short unexpected error message" - }, - "recoverbullErrorSelectVault": "Error al seleccionar la bóveda", - "@recoverbullErrorSelectVault": { - "description": "Error message when vault selection fails" - }, - "recoverbullErrorVaultCreatedKeyNotStored": "Error: Archivo de bóveda creado pero clave no almacenada en el servidor", - "@recoverbullErrorVaultCreatedKeyNotStored": { - "description": "Error when vault file created but server key storage failed" - }, - "recoverbullErrorVaultCreationFailed": "Error al crear la bóveda, puede ser el archivo o la clave", - "@recoverbullErrorVaultCreationFailed": { - "description": "Error message when overall vault creation fails" - }, - "recoverbullErrorVaultNotSet": "La bóveda no está configurada", - "@recoverbullErrorVaultNotSet": { - "description": "Error when attempting operation without selected vault" - }, - "recoverbullFailed": "Fallido", - "@recoverbullFailed": { - "description": "Status label indicating operation failure" - }, - "recoverbullFetchingVaultKey": "Obteniendo Clave de Bóveda", - "@recoverbullFetchingVaultKey": { - "description": "Screen title while fetching vault key from server" - }, - "recoverbullFetchVaultKey": "Obtener Clave de Bóveda", - "@recoverbullFetchVaultKey": { - "description": "Screen title for vault key fetch screen" - }, - "recoverbullGoBackEdit": "<< Volver y editar", - "@recoverbullGoBackEdit": { - "description": "Button text to return to previous screen for editing" - }, - "recoverbullGotIt": "Entendido", - "@recoverbullGotIt": { - "description": "Button text to acknowledge and dismiss message" - }, - "recoverbullKeyServer": "Servidor de Claves ", - "@recoverbullKeyServer": { - "description": "Label for key server connection status" - }, - "recoverbullLookingForBalance": "Buscando saldo y transacciones…", - "@recoverbullLookingForBalance": { - "description": "Loading message while scanning wallet" - }, - "recoverbullMemorizeWarning": "Debe memorizar este {inputType} para recuperar el acceso a su billetera. Debe tener al menos 6 dígitos. Si pierde este {inputType} no podrá recuperar su respaldo.", - "@recoverbullMemorizeWarning": { - "description": "Warning message about memorizing PIN or password", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullPassword": "Contraseña", - "@recoverbullPassword": { - "description": "Label for password input type" - }, - "recoverbullPasswordMismatch": "Las contraseñas no coinciden", - "@recoverbullPasswordMismatch": { - "description": "Validation error when passwords don't match" - }, - "recoverbullPasswordRequired": "La contraseña es requerida", - "@recoverbullPasswordRequired": { - "description": "Validation error when password field is empty" - }, - "recoverbullPasswordTooCommon": "Esta contraseña es muy común. Por favor elija una diferente", - "@recoverbullPasswordTooCommon": { - "description": "Validation error for commonly used passwords" - }, - "recoverbullPasswordTooShort": "La contraseña debe tener al menos 6 caracteres", - "@recoverbullPasswordTooShort": { - "description": "Validation error for passwords under minimum length" - }, - "recoverbullPIN": "PIN", - "@recoverbullPIN": { - "description": "Label for PIN input type" - }, - "recoverbullPleaseWait": "Por favor espere mientras establecemos una conexión segura...", - "@recoverbullPleaseWait": { - "description": "Message shown during connection establishment" - }, - "recoverbullReenterConfirm": "Por favor vuelva a ingresar su {inputType} para confirmar.", - "@recoverbullReenterConfirm": { - "description": "Instruction to re-enter PIN or password for confirmation", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullReenterRequired": "Vuelva a ingresar su {inputType}", - "@recoverbullReenterRequired": { - "description": "Label for confirmation input field", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullGoogleDriveErrorDeleteFailed": "Error al eliminar el cofre de Google Drive", - "@recoverbullGoogleDriveErrorDeleteFailed": { - "description": "Error message when deleting a drive backup fails" - }, - "recoverbullGoogleDriveErrorExportFailed": "Error al exportar el cofre de Google Drive", - "@recoverbullGoogleDriveErrorExportFailed": { - "description": "Error message when exporting a drive backup fails" - }, - "recoverbullGoogleDriveErrorFetchFailed": "Error al obtener los cofres de Google Drive", - "@recoverbullGoogleDriveErrorFetchFailed": { - "description": "Error message when fetching drive backups fails" - }, - "recoverbullGoogleDriveErrorGeneric": "Se produjo un error. Por favor, inténtelo de nuevo.", - "@recoverbullGoogleDriveErrorGeneric": { - "description": "Generic error message for unknown errors" - }, - "recoverbullGoogleDriveErrorSelectFailed": "Error al seleccionar el cofre de Google Drive", - "@recoverbullGoogleDriveErrorSelectFailed": { - "description": "Error message when selecting/loading a drive backup fails" - }, - "recoverbullGoogleDriveExportButton": "Exportar", - "@recoverbullGoogleDriveExportButton": { - "description": "Export button text for vault backup" - }, - "recoverbullGoogleDriveNoBackupsFound": "No se encontraron copias de seguridad", - "@recoverbullGoogleDriveNoBackupsFound": { - "description": "Message displayed when no backups are found in Google Drive" - }, - "recoverbullGoogleDriveScreenTitle": "Cofres de Google Drive", - "@recoverbullGoogleDriveScreenTitle": { - "description": "Screen title for Google Drive vaults management" - }, - "recoverbullRecoverBullServer": "Servidor RecoverBull", - "@recoverbullRecoverBullServer": { - "description": "Label for RecoverBull server connection status" - }, - "recoverbullRetry": "Reintentar", - "@recoverbullRetry": { - "description": "Button text to retry failed operation" - }, - "recoverbullSecureBackup": "Asegure su respaldo", - "@recoverbullSecureBackup": { - "description": "Screen title for backup security setup" - }, - "recoverbullSeeMoreVaults": "Ver más bóvedas", - "@recoverbullSeeMoreVaults": { - "description": "Button text to view additional vault options" - }, - "recoverbullSelectRecoverWallet": "Recuperar Billetera", - "@recoverbullSelectRecoverWallet": { - "description": "AppBar title for initial provider selection screen" - }, - "recoverbullSelectVaultSelected": "Bóveda Seleccionada", - "@recoverbullSelectVaultSelected": { - "description": "AppBar title shown after vault has been selected" - }, - "recoverbullSelectCustomLocation": "Ubicación Personalizada", - "@recoverbullSelectCustomLocation": { - "description": "AppBar title for custom location file picker screen" - }, - "recoverbullSelectDriveBackups": "Respaldos de Drive", - "@recoverbullSelectDriveBackups": { - "description": "AppBar title for screen showing list of Google Drive backups" - }, - "recoverbullSelectGoogleDrive": "Google Drive", - "@recoverbullSelectGoogleDrive": { - "description": "Name label for Google Drive backup provider option" - }, - "recoverbullSelectAppleIcloud": "Apple iCloud", - "@recoverbullSelectAppleIcloud": { - "description": "Name label for Apple iCloud backup provider option" - }, - "recoverbullSelectCustomLocationProvider": "Ubicación personalizada", - "@recoverbullSelectCustomLocationProvider": { - "description": "Name label for custom location backup provider option" - }, - "recoverbullSelectQuickAndEasy": "Rápido y fácil", - "@recoverbullSelectQuickAndEasy": { - "description": "Description tag for Google Drive and iCloud provider options" - }, - "recoverbullSelectTakeYourTime": "Tómese su tiempo", - "@recoverbullSelectTakeYourTime": { - "description": "Description tag for custom location provider option" - }, - "recoverbullSelectVaultImportSuccess": "Su bóveda se importó exitosamente", - "@recoverbullSelectVaultImportSuccess": { - "description": "Success message shown on vault selected page" - }, - "recoverbullSelectEnterBackupKeyManually": "Ingresar clave de respaldo manualmente >>", - "@recoverbullSelectEnterBackupKeyManually": { - "description": "Button text to manually enter backup key" - }, - "recoverbullSelectDecryptVault": "Descifrar bóveda", - "@recoverbullSelectDecryptVault": { - "description": "Primary button text to proceed with vault decryption" - }, - "recoverbullSelectNoBackupsFound": "No se encontraron respaldos", - "@recoverbullSelectNoBackupsFound": { - "description": "Empty state message when no backup files found in Google Drive" - }, - "recoverbullSelectErrorPrefix": "Error:", - "@recoverbullSelectErrorPrefix": { - "description": "Prefix text shown before error messages" - }, - "recoverbullSelectFetchDriveFilesError": "Error al obtener todos los respaldos de Drive", - "@recoverbullSelectFetchDriveFilesError": { - "description": "Error when unable to retrieve backup list from Google Drive" - }, - "recoverbullSelectFileNotSelectedError": "Archivo no seleccionado", - "@recoverbullSelectFileNotSelectedError": { - "description": "Error when user cancels file selection" - }, - "recoverbullSelectCustomLocationError": "Error al seleccionar archivo desde ubicación personalizada", - "@recoverbullSelectCustomLocationError": { - "description": "Error when file selection from custom location fails" - }, - "recoverbullSelectBackupFileNotValidError": "El archivo de respaldo de RecoverBull no es válido", - "@recoverbullSelectBackupFileNotValidError": { - "description": "Error when selected file is not a valid RecoverBull backup format" - }, - "recoverbullSelectVaultProvider": "Seleccionar Proveedor de Bóveda", - "@recoverbullSelectVaultProvider": { - "description": "Screen title for vault provider selection" - }, - "recoverbullSwitchToPassword": "Elegir una contraseña en su lugar", - "@recoverbullSwitchToPassword": { - "description": "Button text to switch from PIN to password input" - }, - "recoverbullSwitchToPIN": "Elegir un PIN en su lugar", - "@recoverbullSwitchToPIN": { - "description": "Button text to switch from password to PIN input" - }, - "recoverbullTestBackupDescription": "Ahora probemos su respaldo para asegurarnos de que todo se hizo correctamente.", - "@recoverbullTestBackupDescription": { - "description": "Description message before testing backup" - }, - "recoverbullTestCompletedTitle": "¡Prueba completada con éxito!", - "@recoverbullTestCompletedTitle": { - "description": "Success title after completing backup test" - }, - "recoverbullTestRecovery": "Probar Recuperación", - "@recoverbullTestRecovery": { - "description": "Button text to initiate recovery test" - }, - "recoverbullTestSuccessDescription": "Puede recuperar el acceso a una billetera Bitcoin perdida", - "@recoverbullTestSuccessDescription": { - "description": "Description shown after successful recovery test" - }, - "recoverbullTorNetwork": "Red Tor", - "@recoverbullTorNetwork": { - "description": "Label for Tor network connection status" - }, - "recoverbullTransactions": "Transacciones: {count}", - "@recoverbullTransactions": { - "description": "Label showing transaction count during vault recovery", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "recoverbullVaultCreatedSuccess": "Bóveda creada con éxito", - "@recoverbullVaultCreatedSuccess": { - "description": "Success message after vault creation" - }, - "recoverbullVaultImportedSuccess": "Su bóveda se importó exitosamente", - "@recoverbullVaultImportedSuccess": { - "description": "Success message after vault import" - }, - "recoverbullVaultKey": "Clave de Bóveda", - "@recoverbullVaultKey": { - "description": "Screen title and label for vault key" - }, - "recoverbullVaultKeyInput": "Clave de Bóveda", - "@recoverbullVaultKeyInput": { - "description": "Input field label for vault key entry" - }, - "recoverbullVaultRecovery": "Recuperación de Bóveda", - "@recoverbullVaultRecovery": { - "description": "Screen title for vault recovery process" - }, - "recoverbullVaultSelected": "Bóveda Seleccionada", - "@recoverbullVaultSelected": { - "description": "Screen title after vault has been selected" - }, - "recoverbullWaiting": "Esperando", - "@recoverbullWaiting": { - "description": "Status label indicating waiting state" - }, - "recoverbullRecoveryTitle": "Recuperación de bóveda RecoverBull", - "@recoverbullRecoveryTitle": { - "description": "AppBar title for vault recovery screen" - }, - "recoverbullRecoveryLoadingMessage": "Buscando saldo y transacciones…", - "@recoverbullRecoveryLoadingMessage": { - "description": "Loading message while checking wallet balance and transactions" - }, - "recoverbullRecoveryBalanceLabel": "Saldo: {amount}", - "@recoverbullRecoveryBalanceLabel": { - "description": "Label showing total wallet balance found", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "recoverbullRecoveryTransactionsLabel": "Transacciones: {count}", - "@recoverbullRecoveryTransactionsLabel": { - "description": "Label showing total number of transactions found", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "recoverbullRecoveryContinueButton": "Continuar", - "@recoverbullRecoveryContinueButton": { - "description": "Button text to proceed with importing the wallet" - }, - "recoverbullRecoveryErrorWalletExists": "Esta billetera ya existe.", - "@recoverbullRecoveryErrorWalletExists": { - "description": "Error when attempting to restore vault that already exists" - }, - "recoverbullRecoveryErrorWalletMismatch": "Ya existe una billetera predeterminada diferente. Solo puede tener una billetera predeterminada.", - "@recoverbullRecoveryErrorWalletMismatch": { - "description": "Error when different default wallet already exists" - }, - "recoverbullRecoveryErrorKeyDerivationFailed": "Error en la derivación de la clave de respaldo local.", - "@recoverbullRecoveryErrorKeyDerivationFailed": { - "description": "Error when app fails to derive backup encryption key" - }, - "recoverbullRecoveryErrorVaultCorrupted": "El archivo de respaldo seleccionado está corrupto.", - "@recoverbullRecoveryErrorVaultCorrupted": { - "description": "Error when vault backup file cannot be decrypted or is invalid" - }, - "recoverbullRecoveryErrorMissingDerivationPath": "Ruta de derivación faltante en el archivo de respaldo.", - "@recoverbullRecoveryErrorMissingDerivationPath": { - "description": "Error when vault backup file is missing required derivation path" - }, - "rbfTitle": "Reemplazar por tarifa", - "@rbfTitle": { - "description": "AppBar title for Replace-By-Fee screen" - }, - "rbfOriginalTransaction": "Transacción original", - "@rbfOriginalTransaction": { - "description": "Header label for original transaction details" - }, - "rbfBroadcast": "Transmitir", - "@rbfBroadcast": { - "description": "Button text to broadcast the bumped transaction" - }, - "rbfFastest": "Más rápida", - "@rbfFastest": { - "description": "Label for fastest fee option" - }, - "rbfEstimatedDelivery": "Entrega estimada ~ 10 minutos", - "@rbfEstimatedDelivery": { - "description": "Estimated confirmation time for fastest fee" - }, - "rbfFeeRate": "Tarifa: {rate} sat/vbyte", - "@rbfFeeRate": { - "description": "Label showing fee rate", - "placeholders": { - "rate": { - "type": "String" - } - } - }, - "rbfCustomFee": "Tarifa Personalizada", - "@rbfCustomFee": { - "description": "Label for custom fee option" - }, - "rbfSatsPerVbyte": "sats/vB", - "@rbfSatsPerVbyte": { - "description": "Unit label for fee rate input" - }, - "rbfErrorNoFeeRate": "Por favor seleccione una tarifa", - "@rbfErrorNoFeeRate": { - "description": "Error when no fee rate is selected" - }, - "rbfErrorAlreadyConfirmed": "La transacción original ha sido confirmada", - "@rbfErrorAlreadyConfirmed": { - "description": "Error when trying to RBF a confirmed transaction" - }, - "rbfErrorFeeTooLow": "Debe aumentar la tarifa en al menos 1 sat/vbyte comparado con la transacción original", - "@rbfErrorFeeTooLow": { - "description": "Error when new fee rate is not high enough" - }, - "psbtSignTransaction": "Firmar transacción", - "@psbtSignTransaction": { - "description": "AppBar title for PSBT signing screen" - }, - "psbtInstructions": "Instrucciones", - "@psbtInstructions": { - "description": "Button text to show device-specific signing instructions" - }, - "psbtImDone": "He terminado", - "@psbtImDone": { - "description": "Button text to proceed after signing transaction on hardware device" - }, - "psbtFlowSignTransaction": "Firmar transacción", - "@psbtFlowSignTransaction": { - "description": "Title for psbt flow signing screen" - }, - "psbtFlowInstructions": "Instrucciones", - "@psbtFlowInstructions": { - "description": "Instructions section header in psbt flow" - }, - "psbtFlowDone": "He terminado", - "@psbtFlowDone": { - "description": "Button to complete psbt flow signing process" - }, - "psbtFlowError": "Error: {error}", - "@psbtFlowError": { - "description": "Error message in psbt flow", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "psbtFlowNoPartsToDisplay": "No hay partes para mostrar", - "@psbtFlowNoPartsToDisplay": { - "description": "Message when there are no QR code parts to show" - }, - "psbtFlowPartProgress": "Parte {current} de {total}", - "@psbtFlowPartProgress": { - "description": "Progress indicator for animated QR code parts", - "placeholders": { - "current": { - "type": "String" - }, - "total": { - "type": "String" - } - } - }, - "psbtFlowKruxTitle": "Instrucciones de Krux", - "@psbtFlowKruxTitle": { - "description": "Title for Krux device signing instructions" - }, - "psbtFlowKeystoneTitle": "Instrucciones de Keystone", - "@psbtFlowKeystoneTitle": { - "description": "Title for Keystone device signing instructions" - }, - "psbtFlowPassportTitle": "Instrucciones de Foundation Passport", - "@psbtFlowPassportTitle": { - "description": "Title for Foundation Passport device signing instructions" - }, - "psbtFlowSeedSignerTitle": "Instrucciones de SeedSigner", - "@psbtFlowSeedSignerTitle": { - "description": "Title for SeedSigner device signing instructions" - }, - "psbtFlowSpecterTitle": "Instrucciones de Specter", - "@psbtFlowSpecterTitle": { - "description": "Title for Specter device signing instructions" - }, - "psbtFlowColdcardTitle": "Instrucciones de Coldcard Q", - "@psbtFlowColdcardTitle": { - "description": "Title for Coldcard Q device signing instructions" - }, - "psbtFlowJadeTitle": "Instrucciones PSBT de Blockstream Jade", - "@psbtFlowJadeTitle": { - "description": "Title for Blockstream Jade PSBT signing instructions" - }, - "psbtFlowLoginToDevice": "Inicie sesión en su dispositivo {device}", - "@psbtFlowLoginToDevice": { - "description": "Instruction to login to hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowTurnOnDevice": "Encienda su dispositivo {device}", - "@psbtFlowTurnOnDevice": { - "description": "Instruction to power on hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowAddPassphrase": "Agregue una frase de contraseña si tiene una (opcional)", - "@psbtFlowAddPassphrase": { - "description": "Optional instruction to add BIP39 passphrase" - }, - "psbtFlowClickScan": "Haga clic en Escanear", - "@psbtFlowClickScan": { - "description": "Instruction to click scan button on device" - }, - "psbtFlowClickSign": "Haga clic en Firmar", - "@psbtFlowClickSign": { - "description": "Instruction to click sign button on device" - }, - "psbtFlowClickPsbt": "Haga clic en PSBT", - "@psbtFlowClickPsbt": { - "description": "Instruction to click PSBT option on device" - }, - "psbtFlowLoadFromCamera": "Haga clic en Cargar desde la cámara", - "@psbtFlowLoadFromCamera": { - "description": "Instruction to select camera load option on device" - }, - "psbtFlowScanQrOption": "Seleccione la opción \"Escanear QR\"", - "@psbtFlowScanQrOption": { - "description": "Instruction to select scan QR menu option" - }, - "psbtFlowScanAnyQr": "Seleccione la opción \"Escanear cualquier código QR\"", - "@psbtFlowScanAnyQr": { - "description": "Instruction to select scan any QR code option" - }, - "psbtFlowSignWithQr": "Haga clic en Firmar con código QR", - "@psbtFlowSignWithQr": { - "description": "Instruction to select QR code signing method" - }, - "psbtFlowScanQrShown": "Escanee el código QR que se muestra en la billetera Bull", - "@psbtFlowScanQrShown": { - "description": "Instruction to scan QR code displayed in app" - }, - "psbtFlowTroubleScanningTitle": "Si tiene problemas para escanear:", - "@psbtFlowTroubleScanningTitle": { - "description": "Header for troubleshooting scanning issues" - }, - "psbtFlowIncreaseBrightness": "Aumente el brillo de la pantalla en su dispositivo", - "@psbtFlowIncreaseBrightness": { - "description": "Troubleshooting tip to increase brightness" - }, - "psbtFlowMoveLaser": "Mueva el láser rojo hacia arriba y abajo sobre el código QR", - "@psbtFlowMoveLaser": { - "description": "Troubleshooting tip for devices with laser scanners" - }, - "psbtFlowMoveBack": "Intente alejar un poco su dispositivo", - "@psbtFlowMoveBack": { - "description": "Troubleshooting tip to adjust scanning distance" - }, - "psbtFlowHoldSteady": "Mantenga el código QR estable y centrado", - "@psbtFlowHoldSteady": { - "description": "Troubleshooting tip to hold QR code still" - }, - "psbtFlowMoveCloserFurther": "Intente acercar o alejar más su dispositivo", - "@psbtFlowMoveCloserFurther": { - "description": "Troubleshooting tip to adjust distance" - }, - "psbtFlowReviewTransaction": "Una vez que la transacción se importe en su {device}, revise la dirección de destino y el monto.", - "@psbtFlowReviewTransaction": { - "description": "Instruction to review transaction details on device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowSelectSeed": "Una vez que la transacción se importe en su {device}, debe seleccionar la semilla con la que desea firmar.", - "@psbtFlowSelectSeed": { - "description": "Instruction to select seed on device for signing", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowSignTransactionOnDevice": "Haga clic en los botones para firmar la transacción en su {device}.", - "@psbtFlowSignTransactionOnDevice": { - "description": "Instruction to sign transaction on hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowDeviceShowsQr": "El {device} le mostrará entonces su propio código QR.", - "@psbtFlowDeviceShowsQr": { - "description": "Information that device will display QR code after signing", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowClickDone": "Haga clic en \"He terminado\" en la billetera Bull Bitcoin.", - "@psbtFlowClickDone": { - "description": "Instruction to click done button in app" - }, - "psbtFlowScanDeviceQr": "La billetera Bull Bitcoin le pedirá que escanee el código QR en el {device}. Escanéelo.", - "@psbtFlowScanDeviceQr": { - "description": "Instruction to scan QR code from hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowTransactionImported": "La transacción se importará en la billetera Bull Bitcoin.", - "@psbtFlowTransactionImported": { - "description": "Confirmation that transaction was imported successfully" - }, - "psbtFlowReadyToBroadcast": "¡Ahora está lista para transmitir! Tan pronto como haga clic en transmitir, la transacción se publicará en la red Bitcoin y se enviarán los fondos.", - "@psbtFlowReadyToBroadcast": { - "description": "Final message that transaction is ready to broadcast" - }, - "hwConnectTitle": "Conectar Billetera de Hardware", - "@hwConnectTitle": { - "description": "AppBar title for hardware wallet selection screen" - }, - "hwChooseDevice": "Elija la billetera de hardware que desea conectar", - "@hwChooseDevice": { - "description": "Instruction text for hardware wallet selection" - }, - "hwColdcardQ": "Coldcard Q", - "@hwColdcardQ": { - "description": "Name of Coldcard Q hardware wallet" - }, - "hwLedger": "Ledger", - "@hwLedger": { - "description": "Name of Ledger hardware wallet" - }, - "hwJade": "Blockstream Jade", - "@hwJade": { - "description": "Name of Blockstream Jade hardware wallet" - }, - "hwKeystone": "Keystone", - "@hwKeystone": { - "description": "Name of Keystone hardware wallet" - }, - "hwKrux": "Krux", - "@hwKrux": { - "description": "Name of Krux hardware wallet" - }, - "hwPassport": "Foundation Passport", - "@hwPassport": { - "description": "Name of Foundation Passport hardware wallet" - }, - "hwSeedSigner": "SeedSigner", - "@hwSeedSigner": { - "description": "Name of SeedSigner hardware wallet" - }, - "kruxInstructionsTitle": "Instrucciones Krux", - "@kruxInstructionsTitle": { - "description": "Title for Krux signing instructions modal" - }, - "kruxStep1": "Inicie sesión en su dispositivo Krux", - "@kruxStep1": { - "description": "Krux instruction step 1" - }, - "kruxStep2": "Haga clic en Firmar", - "@kruxStep2": { - "description": "Krux instruction step 2" - }, - "kruxStep3": "Haga clic en PSBT", - "@kruxStep3": { - "description": "Krux instruction step 3" - }, - "kruxStep4": "Haga clic en Cargar desde cámara", - "@kruxStep4": { - "description": "Krux instruction step 4" - }, - "kruxStep5": "Escanee el código QR mostrado en la billetera Bull", - "@kruxStep5": { - "description": "Krux instruction step 5" - }, - "kruxStep6": "Si tiene problemas para escanear:", - "@kruxStep6": { - "description": "Krux troubleshooting header" - }, - "kruxStep7": " - Aumente el brillo de la pantalla en su dispositivo", - "@kruxStep7": { - "description": "Krux troubleshooting tip 1" - }, - "kruxStep8": " - Mueva el láser rojo arriba y abajo sobre el código QR", - "@kruxStep8": { - "description": "Krux troubleshooting tip 2" - }, - "kruxStep9": " - Intente alejar un poco su dispositivo", - "@kruxStep9": { - "description": "Krux troubleshooting tip 3" - }, - "kruxStep10": "Una vez que la transacción se importe en su Krux, revise la dirección de destino y el monto.", - "@kruxStep10": { - "description": "Krux instruction for reviewing transaction" - }, - "kruxStep11": "Haga clic en los botones para firmar la transacción en su Krux.", - "@kruxStep11": { - "description": "Krux instruction for signing" - }, - "kruxStep12": "El Krux entonces mostrará su propio código QR.", - "@kruxStep12": { - "description": "Krux instruction about signed PSBT QR" - }, - "kruxStep13": "Haga clic en \"He terminado\" en la billetera Bull Bitcoin.", - "@kruxStep13": { - "description": "Krux instruction to return to app" - }, - "kruxStep14": "La billetera Bull Bitcoin le pedirá que escanee el código QR en el Krux. Escanéelo.", - "@kruxStep14": { - "description": "Krux instruction for scanning signed PSBT" - }, - "kruxStep15": "La transacción se importará en la billetera Bull Bitcoin.", - "@kruxStep15": { - "description": "Krux instruction about import completion" - }, - "kruxStep16": "¡Ahora está lista para transmitir! Tan pronto como haga clic en transmitir, la transacción se publicará en la red Bitcoin y los fondos serán enviados.", - "@kruxStep16": { - "description": "Krux final instruction about broadcasting" - }, - "keystoneInstructionsTitle": "Instrucciones Keystone", - "@keystoneInstructionsTitle": { - "description": "Title for Keystone signing instructions modal" - }, - "keystoneStep1": "Inicie sesión en su dispositivo Keystone", - "@keystoneStep1": { - "description": "Keystone instruction step 1" - }, - "keystoneStep2": "Haga clic en Escanear", - "@keystoneStep2": { - "description": "Keystone instruction step 2" - }, - "keystoneStep3": "Escanee el código QR mostrado en la billetera Bull", - "@keystoneStep3": { - "description": "Keystone instruction step 3" - }, - "keystoneStep4": "Si tiene problemas para escanear:", - "@keystoneStep4": { - "description": "Keystone troubleshooting header" - }, - "keystoneStep5": " - Aumente el brillo de la pantalla en su dispositivo", - "@keystoneStep5": { - "description": "Keystone troubleshooting tip 1" - }, - "keystoneStep6": " - Mueva el láser rojo arriba y abajo sobre el código QR", - "@keystoneStep6": { - "description": "Keystone troubleshooting tip 2" - }, - "keystoneStep7": " - Intente alejar un poco su dispositivo", - "@keystoneStep7": { - "description": "Keystone troubleshooting tip 3" - }, - "keystoneStep8": "Una vez que la transacción se importe en su Keystone, revise la dirección de destino y el monto.", - "@keystoneStep8": { - "description": "Keystone instruction for reviewing transaction" - }, - "keystoneStep9": "Haga clic en los botones para firmar la transacción en su Keystone.", - "@keystoneStep9": { - "description": "Keystone instruction for signing" - }, - "keystoneStep10": "El Keystone entonces mostrará su propio código QR.", - "@keystoneStep10": { - "description": "Keystone instruction about signed PSBT QR" - }, - "keystoneStep11": "Haga clic en \"He terminado\" en la billetera Bull Bitcoin.", - "@keystoneStep11": { - "description": "Keystone instruction to return to app" - }, - "keystoneStep12": "La billetera Bull Bitcoin le pedirá que escanee el código QR en el Keystone. Escanéelo.", - "@keystoneStep12": { - "description": "Keystone instruction for scanning signed PSBT" - }, - "keystoneStep13": "La transacción se importará en la billetera Bull Bitcoin.", - "@keystoneStep13": { - "description": "Keystone instruction about import completion" - }, - "keystoneStep14": "¡Ahora está lista para transmitir! Tan pronto como haga clic en transmitir, la transacción se publicará en la red Bitcoin y los fondos serán enviados.", - "@keystoneStep14": { - "description": "Keystone final instruction about broadcasting" - }, - "passportInstructionsTitle": "Instrucciones Foundation Passport", - "@passportInstructionsTitle": { - "description": "Title for Passport signing instructions modal" - }, - "passportStep1": "Inicie sesión en su dispositivo Passport", - "@passportStep1": { - "description": "Passport instruction step 1" - }, - "passportStep2": "Haga clic en Firmar con Código QR", - "@passportStep2": { - "description": "Passport instruction step 2" - }, - "passportStep3": "Escanee el código QR mostrado en la billetera Bull", - "@passportStep3": { - "description": "Passport instruction step 3" - }, - "passportStep4": "Si tiene problemas para escanear:", - "@passportStep4": { - "description": "Passport troubleshooting header" - }, - "passportStep5": " - Aumente el brillo de la pantalla en su dispositivo", - "@passportStep5": { - "description": "Passport troubleshooting tip 1" - }, - "passportStep6": " - Mueva el láser rojo arriba y abajo sobre el código QR", - "@passportStep6": { - "description": "Passport troubleshooting tip 2" - }, - "passportStep7": " - Intente alejar un poco su dispositivo", - "@passportStep7": { - "description": "Passport troubleshooting tip 3" - }, - "passportStep8": "Una vez que la transacción se importe en su Passport, revise la dirección de destino y el monto.", - "@passportStep8": { - "description": "Passport instruction for reviewing transaction" - }, - "passportStep9": "Haga clic en los botones para firmar la transacción en su Passport.", - "@passportStep9": { - "description": "Passport instruction for signing" - }, - "passportStep10": "El Passport entonces mostrará su propio código QR.", - "@passportStep10": { - "description": "Passport instruction about signed PSBT QR" - }, - "passportStep11": "Haga clic en \"He terminado\" en la billetera Bull Bitcoin.", - "@passportStep11": { - "description": "Passport instruction to return to app" - }, - "passportStep12": "La billetera Bull Bitcoin le pedirá que escanee el código QR en el Passport. Escanéelo.", - "@passportStep12": { - "description": "Passport instruction for scanning signed PSBT" - }, - "passportStep13": "La transacción se importará en la billetera Bull Bitcoin.", - "@passportStep13": { - "description": "Passport instruction about import completion" - }, - "passportStep14": "¡Ahora está lista para transmitir! Tan pronto como haga clic en transmitir, la transacción se publicará en la red Bitcoin y los fondos serán enviados.", - "@passportStep14": { - "description": "Passport final instruction about broadcasting" - }, - "seedsignerInstructionsTitle": "Instrucciones SeedSigner", - "@seedsignerInstructionsTitle": { - "description": "Title for SeedSigner signing instructions modal" - }, - "seedsignerStep1": "Encienda su dispositivo SeedSigner", - "@seedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, - "seedsignerStep2": "Haga clic en Escanear", - "@seedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, - "seedsignerStep3": "Escanee el código QR mostrado en la billetera Bull", - "@seedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, - "seedsignerStep4": "Si tiene problemas para escanear:", - "@seedsignerStep4": { - "description": "SeedSigner troubleshooting header" - }, - "seedsignerStep5": " - Aumente el brillo de la pantalla en su dispositivo", - "@seedsignerStep5": { - "description": "SeedSigner troubleshooting tip 1" - }, - "seedsignerStep6": " - Mueva el láser rojo arriba y abajo sobre el código QR", - "@seedsignerStep6": { - "description": "SeedSigner troubleshooting tip 2" - }, - "seedsignerStep7": " - Intente alejar un poco su dispositivo", - "@seedsignerStep7": { - "description": "SeedSigner troubleshooting tip 3" - }, - "seedsignerStep8": "Una vez que la transacción se importe en su SeedSigner, debe seleccionar la semilla con la que desea firmar.", - "@seedsignerStep8": { - "description": "SeedSigner instruction for seed selection" - }, - "seedsignerStep9": "Revise la dirección de destino y el monto, y confirme la firma en su SeedSigner.", - "@seedsignerStep9": { - "description": "SeedSigner instruction for reviewing and signing" - }, - "seedsignerStep10": "El SeedSigner entonces mostrará su propio código QR.", - "@seedsignerStep10": { - "description": "SeedSigner instruction about signed PSBT QR" - }, - "seedsignerStep11": "Haga clic en \"He terminado\" en la billetera Bull Bitcoin.", - "@seedsignerStep11": { - "description": "SeedSigner instruction to return to app" - }, - "seedsignerStep12": "La billetera Bull Bitcoin le pedirá que escanee el código QR en el SeedSigner. Escanéelo.", - "@seedsignerStep12": { - "description": "SeedSigner instruction for scanning signed PSBT" - }, - "seedsignerStep13": "La transacción se importará en la billetera Bull Bitcoin.", - "@seedsignerStep13": { - "description": "SeedSigner instruction about import completion" - }, - "seedsignerStep14": "¡Ahora está lista para transmitir! Tan pronto como haga clic en transmitir, la transacción se publicará en la red Bitcoin y los fondos serán enviados.", - "@seedsignerStep14": { - "description": "SeedSigner final instruction about broadcasting" - }, - "connectHardwareWalletTitle": "Conectar billetera de hardware", - "@connectHardwareWalletTitle": { - "description": "Title for connect hardware wallet page" - }, - "connectHardwareWalletDescription": "Elija la billetera de hardware que desea conectar", - "@connectHardwareWalletDescription": { - "description": "Description text on connect hardware wallet page" - }, - "connectHardwareWalletColdcardQ": "Coldcard Q", - "@connectHardwareWalletColdcardQ": { - "description": "Coldcard Q hardware wallet option" - }, - "connectHardwareWalletLedger": "Ledger", - "@connectHardwareWalletLedger": { - "description": "Ledger hardware wallet option" - }, - "connectHardwareWalletJade": "Blockstream Jade", - "@connectHardwareWalletJade": { - "description": "Blockstream Jade hardware wallet option" - }, - "connectHardwareWalletKeystone": "Keystone", - "@connectHardwareWalletKeystone": { - "description": "Keystone hardware wallet option" - }, - "connectHardwareWalletKrux": "Krux", - "@connectHardwareWalletKrux": { - "description": "Krux hardware wallet option" - }, - "connectHardwareWalletPassport": "Foundation Passport", - "@connectHardwareWalletPassport": { - "description": "Foundation Passport hardware wallet option" - }, - "connectHardwareWalletSeedSigner": "SeedSigner", - "@connectHardwareWalletSeedSigner": { - "description": "SeedSigner hardware wallet option" - }, - "coldcardInstructionsTitle": "Instrucciones Coldcard Q", - "@coldcardInstructionsTitle": { - "description": "Title for Coldcard Q signing instructions modal" - }, - "coldcardStep1": "Inicie sesión en su dispositivo Coldcard Q", - "@coldcardStep1": { - "description": "Coldcard instruction step 1" - }, - "coldcardStep2": "Agregue una frase de contraseña si tiene una (opcional)", - "@coldcardStep2": { - "description": "Coldcard instruction step 2" - }, - "coldcardStep3": "Seleccione la opción \"Escanear cualquier código QR\"", - "@coldcardStep3": { - "description": "Coldcard instruction step 3" - }, - "coldcardStep4": "Escanee el código QR mostrado en la billetera Bull", - "@coldcardStep4": { - "description": "Coldcard instruction step 4" - }, - "coldcardStep5": "Si tiene problemas para escanear:", - "@coldcardStep5": { - "description": "Coldcard troubleshooting header" - }, - "coldcardStep6": " - Aumente el brillo de la pantalla en su dispositivo", - "@coldcardStep6": { - "description": "Coldcard troubleshooting tip 1" - }, - "coldcardStep7": " - Mueva el láser rojo arriba y abajo sobre el código QR", - "@coldcardStep7": { - "description": "Coldcard troubleshooting tip 2" - }, - "coldcardStep8": " - Intente alejar un poco su dispositivo", - "@coldcardStep8": { - "description": "Coldcard troubleshooting tip 3" - }, - "coldcardStep9": "Una vez que la transacción se importe en su Coldcard, revise la dirección de destino y el monto.", - "@coldcardStep9": { - "description": "Coldcard instruction for reviewing transaction" - }, - "coldcardStep10": "Haga clic en los botones para firmar la transacción en su Coldcard.", - "@coldcardStep10": { - "description": "Coldcard instruction for signing" - }, - "coldcardStep11": "El Coldcard Q entonces mostrará su propio código QR.", - "@coldcardStep11": { - "description": "Coldcard instruction about signed PSBT QR" - }, - "coldcardStep12": "Haga clic en \"He terminado\" en la billetera Bull Bitcoin.", - "@coldcardStep12": { - "description": "Coldcard instruction to return to app" - }, - "coldcardStep13": "La billetera Bull Bitcoin le pedirá que escanee el código QR en el Coldcard. Escanéelo.", - "@coldcardStep13": { - "description": "Coldcard instruction for scanning signed PSBT" - }, - "coldcardStep14": "La transacción se importará en la billetera Bull Bitcoin.", - "@coldcardStep14": { - "description": "Coldcard instruction about import completion" - }, - "coldcardStep15": "¡Ahora está lista para transmitir! Tan pronto como haga clic en transmitir, la transacción se publicará en la red Bitcoin y los fondos serán enviados.", - "@coldcardStep15": { - "description": "Coldcard final instruction about broadcasting" - }, - "jadeInstructionsTitle": "Instrucciones PSBT Blockstream Jade", - "@jadeInstructionsTitle": { - "description": "Title for Jade signing instructions modal" - }, - "jadeStep1": "Inicie sesión en su dispositivo Jade", - "@jadeStep1": { - "description": "Jade instruction step 1" - }, - "jadeStep2": "Agregue una frase de contraseña si tiene una (opcional)", - "@jadeStep2": { - "description": "Jade instruction step 2" - }, - "jadeStep3": "Seleccione la opción \"Escanear QR\"", - "@jadeStep3": { - "description": "Jade instruction step 3" - }, - "jadeStep4": "Escanee el código QR mostrado en la billetera Bull", - "@jadeStep4": { - "description": "Jade instruction step 4" - }, - "jadeStep5": "Si tiene problemas para escanear:", - "@jadeStep5": { - "description": "Jade troubleshooting header" - }, - "jadeStep6": " - Aumente el brillo de la pantalla en su dispositivo", - "@jadeStep6": { - "description": "Jade troubleshooting tip 1" - }, - "jadeStep7": " - Mantenga el código QR estable y centrado", - "@jadeStep7": { - "description": "Jade troubleshooting tip 2" - }, - "jadeStep8": " - Intente acercar o alejar su dispositivo", - "@jadeStep8": { - "description": "Jade troubleshooting tip 3" - }, - "jadeStep9": "Una vez que la transacción se importe en su Jade, revise la dirección de destino y el monto.", - "@jadeStep9": { - "description": "Jade instruction for reviewing transaction" - }, - "jadeStep10": "Haga clic en los botones para firmar la transacción en su Jade.", - "@jadeStep10": { - "description": "Jade instruction for signing" - }, - "jadeStep11": "El Jade entonces mostrará su propio código QR.", - "@jadeStep11": { - "description": "Jade instruction about signed PSBT QR" - }, - "jadeStep12": "Haga clic en \"He terminado\" en la billetera Bull Bitcoin.", - "@jadeStep12": { - "description": "Jade instruction to return to app" - }, - "jadeStep13": "La billetera Bull Bitcoin le pedirá que escanee el código QR en el Jade. Escanéelo.", - "@jadeStep13": { - "description": "Jade instruction for scanning signed PSBT" - }, - "jadeStep14": "La transacción se importará en la billetera Bull Bitcoin.", - "@jadeStep14": { - "description": "Jade instruction about import completion" - }, - "jadeStep15": "¡Ahora está lista para transmitir! Tan pronto como haga clic en transmitir, la transacción se publicará en la red Bitcoin y los fondos serán enviados.", - "@jadeStep15": { - "description": "Jade final instruction about broadcasting" - }, - "importWalletTitle": "Agregar una nueva billetera", - "@importWalletTitle": { - "description": "AppBar title for wallet import selection screen" - }, - "importWalletConnectHardware": "Conectar billetera de hardware", - "@importWalletConnectHardware": { - "description": "Button to connect hardware wallet" - }, - "importWalletImportMnemonic": "Importar mnemónica", - "@importWalletImportMnemonic": { - "description": "Button to import wallet from seed phrase" - }, - "importWalletImportWatchOnly": "Importar solo lectura", - "@importWalletImportWatchOnly": { - "description": "Button to import watch-only wallet" - }, - "importWalletSectionGeneric": "Billeteras genéricas", - "@importWalletSectionGeneric": { - "description": "Section header for generic wallet types" - }, - "importWalletSectionHardware": "Billeteras de hardware", - "@importWalletSectionHardware": { - "description": "Section header for hardware wallet types" - }, - "importWalletColdcardQ": "Coldcard Q", - "@importWalletColdcardQ": { - "description": "Button label for Coldcard Q hardware wallet" - }, - "importWalletLedger": "Ledger", - "@importWalletLedger": { - "description": "Button label for Ledger hardware wallet" - }, - "importWalletJade": "Blockstream Jade", - "@importWalletJade": { - "description": "Button label for Blockstream Jade hardware wallet" - }, - "importWalletKeystone": "Keystone", - "@importWalletKeystone": { - "description": "Button label for Keystone hardware wallet" - }, - "importWalletPassport": "Foundation Passport", - "@importWalletPassport": { - "description": "Button label for Foundation Passport hardware wallet" - }, - "importWalletSeedSigner": "SeedSigner", - "@importWalletSeedSigner": { - "description": "Button label for SeedSigner hardware wallet" - }, - "importWalletSpecter": "Specter", - "@importWalletSpecter": { - "description": "Button label for Specter hardware wallet" - }, - "importWalletKrux": "Krux", - "@importWalletKrux": { - "description": "Button label for Krux hardware wallet" - }, - "importMnemonicContinue": "Continuar", - "@importMnemonicContinue": { - "description": "Button text to proceed after entering mnemonic" - }, - "importMnemonicSelectScriptType": "Importar mnemónica", - "@importMnemonicSelectScriptType": { - "description": "AppBar title for script type selection" - }, - "importMnemonicSyncMessage": "Los tres tipos de billetera se están sincronizando y su saldo y transacciones aparecerán pronto. Puede esperar hasta que se complete la sincronización o proceder a importar si está seguro del tipo de billetera que desea importar.", - "@importMnemonicSyncMessage": { - "description": "Message explaining wallet type syncing process" - }, - "importMnemonicSegwit": "Segwit", - "@importMnemonicSegwit": { - "description": "Label for Segwit (BIP84) wallet type" - }, - "importMnemonicNestedSegwit": "Nested Segwit", - "@importMnemonicNestedSegwit": { - "description": "Label for Nested Segwit (BIP49) wallet type" - }, - "importMnemonicLegacy": "Legacy", - "@importMnemonicLegacy": { - "description": "Label for Legacy (BIP44) wallet type" - }, - "importMnemonicChecking": "Verificando...", - "@importMnemonicChecking": { - "description": "Status while checking wallet type" - }, - "importMnemonicEmpty": "Vacío", - "@importMnemonicEmpty": { - "description": "Status for wallet type with no transactions" - }, - "importMnemonicHasBalance": "Tiene saldo", - "@importMnemonicHasBalance": { - "description": "Status for wallet type with balance" - }, - "importMnemonicTransactions": "{count} transacciones", - "@importMnemonicTransactions": { - "description": "Shows number of transactions for wallet type", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "importMnemonicBalance": "Saldo: {amount}", - "@importMnemonicBalance": { - "description": "Shows balance for wallet type", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "importMnemonicImport": "Importar", - "@importMnemonicImport": { - "description": "Button to import selected wallet type" - }, - "importMnemonicImporting": "Importando...", - "@importMnemonicImporting": { - "description": "Loading message while importing wallet" - }, - "importMnemonicSelectType": "Seleccione un tipo de billetera para importar", - "@importMnemonicSelectType": { - "description": "Instruction to select wallet type" - }, - "importMnemonicBalanceLabel": "Saldo: {amount}", - "@importMnemonicBalanceLabel": { - "description": "ImportMnemonic: Balance label with amount in wallet type card", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "importMnemonicTransactionsLabel": "Transacciones: {count}", - "@importMnemonicTransactionsLabel": { - "description": "ImportMnemonic: Transactions label with count in wallet type card", - "placeholders": { - "count": { - "type": "String" - } - } - }, - "importWatchOnlyTitle": "Importar solo lectura", - "@importWatchOnlyTitle": { - "description": "AppBar title for watch-only import screen" - }, - "importWatchOnlyPasteHint": "Pegar xpub, ypub, zpub o descriptor", - "@importWatchOnlyPasteHint": { - "description": "Placeholder hint for paste input field" - }, - "importWatchOnlyXpub": "xpub", - "@importWatchOnlyXpub": { - "description": "Label for xpub import method" - }, - "importWatchOnlyYpub": "ypub", - "@importWatchOnlyYpub": { - "description": "Label for ypub import method" - }, - "importWatchOnlyZpub": "zpub", - "@importWatchOnlyZpub": { - "description": "Label for zpub import method" - }, - "importWatchOnlyDescriptor": "Descriptor", - "@importWatchOnlyDescriptor": { - "description": "Label for descriptor import method" - }, - "importWatchOnlyScanQR": "Escanear QR", - "@importWatchOnlyScanQR": { - "description": "Button to scan QR code for watch-only import" - }, - "importWatchOnlyScriptType": "Tipo de script", - "@importWatchOnlyScriptType": { - "description": "Label for script type field" - }, - "importWatchOnlyFingerprint": "Huella digital", - "@importWatchOnlyFingerprint": { - "description": "Label for wallet fingerprint field" - }, - "importWatchOnlyDerivationPath": "Ruta de derivación", - "@importWatchOnlyDerivationPath": { - "description": "Label for derivation path field" - }, - "importWatchOnlyImportButton": "Importar billetera solo lectura", - "@importWatchOnlyImportButton": { - "description": "Button to confirm watch-only import" - }, - "importWatchOnlyCancel": "Cancelar", - "@importWatchOnlyCancel": { - "description": "Button to cancel watch-only import" - }, - "importWatchOnlyBuyDevice": "Comprar un dispositivo", - "@importWatchOnlyBuyDevice": { - "description": "Button label to purchase a hardware wallet device" - }, - "importWatchOnlyWalletGuides": "Guías de billetera", - "@importWatchOnlyWalletGuides": { - "description": "Button label for wallet documentation and guides" - }, - "importWatchOnlyCopiedToClipboard": "Copiado al portapapeles", - "@importWatchOnlyCopiedToClipboard": { - "description": "Snackbar message shown when QR code content is copied" - }, - "importWatchOnlySelectDerivation": "Seleccionar derivación", - "@importWatchOnlySelectDerivation": { - "description": "Title for bottom sheet to select wallet derivation type" - }, - "importWatchOnlyType": "Tipo", - "@importWatchOnlyType": { - "description": "Label for wallet script type field" - }, - "importWatchOnlySigningDevice": "Dispositivo de firma", - "@importWatchOnlySigningDevice": { - "description": "Label for signing device selection field" - }, - "importWatchOnlyUnknown": "Desconocido", - "@importWatchOnlyUnknown": { - "description": "Default value when signing device is unknown" - }, - "importWatchOnlyLabel": "Etiqueta", - "@importWatchOnlyLabel": { - "description": "Label for wallet name/label input field" - }, - "importWatchOnlyRequired": "Requerido", - "@importWatchOnlyRequired": { - "description": "Placeholder hint for required input fields" - }, - "importWatchOnlyImport": "Importar", - "@importWatchOnlyImport": { - "description": "Button label to import watch-only wallet" - }, - "importWatchOnlyExtendedPublicKey": "Clave pública extendida", - "@importWatchOnlyExtendedPublicKey": { - "description": "Label for extended public key (xpub/ypub/zpub) display" - }, - "importWatchOnlyDisclaimerTitle": "Advertencia sobre la ruta de derivación", - "@importWatchOnlyDisclaimerTitle": { - "description": "Title for derivation path warning disclaimer" - }, - "importWatchOnlyDisclaimerDescription": "Asegúrate de que la ruta de derivación que elijas coincida con la que produjo la xpub dada, ya que usar la ruta incorrecta puede llevar a la pérdida de fondos", - "@importWatchOnlyDisclaimerDescription": { - "description": "Description explaining derivation path matching requirement" - }, - "bip85Title": "Entropías determinísticas BIP85", - "@bip85Title": { - "description": "AppBar title for BIP85 entropy derivation screen" - }, - "bip85ExperimentalWarning": "Experimental \nRespalde sus rutas de derivación manualmente", - "@bip85ExperimentalWarning": { - "description": "Warning message about experimental feature" - }, - "bip85NextMnemonic": "Siguiente mnemónica", - "@bip85NextMnemonic": { - "description": "Button to derive next mnemonic entropy" - }, - "bip85NextHex": "Siguiente HEX", - "@bip85NextHex": { - "description": "Button to derive next hex entropy" - }, - "bip85Mnemonic": "Mnemónica", - "@bip85Mnemonic": { - "description": "Label for mnemonic type entropy" - }, - "bip85Hex": "HEX", - "@bip85Hex": { - "description": "Label for hex type entropy" - }, - "bip85Index": "Índice: {index}", - "@bip85Index": { - "description": "Shows derivation index", - "placeholders": { - "index": { - "type": "int" - } - } - }, - "bip329LabelsTitle": "Etiquetas BIP329", - "@bip329LabelsTitle": { - "description": "Title for BIP329 labels page" - }, - "bip329LabelsHeading": "Importar/Exportar etiquetas BIP329", - "@bip329LabelsHeading": { - "description": "Main heading on BIP329 labels page" - }, - "bip329LabelsDescription": "Importa o exporta etiquetas de billetera usando el formato estándar BIP329.", - "@bip329LabelsDescription": { - "description": "Description of BIP329 labels functionality" - }, - "bip329LabelsImportButton": "Importar etiquetas", - "@bip329LabelsImportButton": { - "description": "Button text to import labels" - }, - "bip329LabelsExportButton": "Exportar etiquetas", - "@bip329LabelsExportButton": { - "description": "Button text to export labels" - }, - "bip329LabelsExportSuccess": "{count, plural, =1{1 etiqueta exportada} other{{count} etiquetas exportadas}}", - "@bip329LabelsExportSuccess": { - "description": "Success message after exporting labels", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "bip329LabelsImportSuccess": "{count, plural, =1{1 etiqueta importada} other{{count} etiquetas importadas}}", - "@bip329LabelsImportSuccess": { - "description": "Success message after importing labels", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "broadcastSignedTxTitle": "Transmitir transacción", - "@broadcastSignedTxTitle": { - "description": "AppBar title for broadcast signed transaction screen" - }, - "broadcastSignedTxScanQR": "Escanee el código QR de su billetera de hardware", - "@broadcastSignedTxScanQR": { - "description": "Instruction to scan signed PSBT QR code" - }, - "broadcastSignedTxReviewTransaction": "Revisar transacción", - "@broadcastSignedTxReviewTransaction": { - "description": "Section header for transaction review" - }, - "broadcastSignedTxAmount": "Cantidad", - "@broadcastSignedTxAmount": { - "description": "Label for transaction amount" - }, - "broadcastSignedTxFee": "Comisión", - "@broadcastSignedTxFee": { - "description": "Label for transaction fee" - }, - "broadcastSignedTxTo": "A", - "@broadcastSignedTxTo": { - "description": "Label for destination address" - }, - "broadcastSignedTxBroadcast": "Transmitir", - "@broadcastSignedTxBroadcast": { - "description": "Button to broadcast signed transaction" - }, - "broadcastSignedTxBroadcasting": "Transmitiendo...", - "@broadcastSignedTxBroadcasting": { - "description": "Loading message while broadcasting" - }, - "broadcastSignedTxPageTitle": "Transmitir transacción firmada", - "@broadcastSignedTxPageTitle": { - "description": "Page title for broadcast signed transaction screen" - }, - "broadcastSignedTxPasteHint": "Pegar un PSBT o HEX de transacción", - "@broadcastSignedTxPasteHint": { - "description": "Hint text for paste input field" - }, - "broadcastSignedTxCameraButton": "Cámara", - "@broadcastSignedTxCameraButton": { - "description": "Button to open camera QR scanner" - }, - "broadcastSignedTxPushTxButton": "PushTx", - "@broadcastSignedTxPushTxButton": { - "description": "Button to use PushTx NFC device" - }, - "broadcastSignedTxDoneButton": "Hecho", - "@broadcastSignedTxDoneButton": { - "description": "Button to finish after successful broadcast" - }, - "broadcastSignedTxNfcTitle": "NFC", - "@broadcastSignedTxNfcTitle": { - "description": "Title for NFC scanning page" - }, - "addressViewTitle": "Detalles de la dirección", - "@addressViewTitle": { - "description": "AppBar title for address details screen" - }, - "addressViewAddress": "Dirección", - "@addressViewAddress": { - "description": "Label for address field" - }, - "addressViewBalance": "Saldo", - "@addressViewBalance": { - "description": "Label for address balance" - }, - "addressViewTransactions": "Transacciones", - "@addressViewTransactions": { - "description": "Label for number of transactions" - }, - "addressViewCopyAddress": "Copiar dirección", - "@addressViewCopyAddress": { - "description": "Button to copy address to clipboard" - }, - "addressViewShowQR": "Mostrar código QR", - "@addressViewShowQR": { - "description": "Button to display address as QR code" - }, - "importQrDeviceTitle": "Conectar {deviceName}", - "@importQrDeviceTitle": { - "description": "AppBar title for QR device import", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "importQrDeviceScanPrompt": "Escanee el código QR de su {deviceName}", - "@importQrDeviceScanPrompt": { - "description": "Instruction to scan QR from device", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "importQrDeviceScanning": "Escaneando...", - "@importQrDeviceScanning": { - "description": "Status while scanning QR code" - }, - "importQrDeviceImporting": "Importando billetera...", - "@importQrDeviceImporting": { - "description": "Status while importing from QR device" - }, - "importQrDeviceSuccess": "Billetera importada exitosamente", - "@importQrDeviceSuccess": { - "description": "Success message after import" - }, - "importQrDeviceError": "Error al importar billetera", - "@importQrDeviceError": { - "description": "Error message when import fails" - }, - "importQrDeviceInvalidQR": "Código QR inválido", - "@importQrDeviceInvalidQR": { - "description": "Error for invalid QR code format" - }, - "importQrDeviceWalletName": "Nombre de la billetera", - "@importQrDeviceWalletName": { - "description": "Label for wallet name field" - }, - "importQrDeviceFingerprint": "Huella digital", - "@importQrDeviceFingerprint": { - "description": "Label for device fingerprint" - }, - "importQrDeviceImport": "Importar", - "@importQrDeviceImport": { - "description": "Button to confirm import from QR device" - }, - "importQrDeviceButtonOpenCamera": "Abrir la cámara", - "@importQrDeviceButtonOpenCamera": { - "description": "ImportQrDevice: Button to open camera for QR scanning" - }, - "importQrDeviceButtonInstructions": "Instrucciones", - "@importQrDeviceButtonInstructions": { - "description": "ImportQrDevice: Button to show setup instructions" - }, - "importQrDeviceJadeName": "Blockstream Jade", - "@importQrDeviceJadeName": { - "description": "Name of Blockstream Jade device" - }, - "importQrDeviceJadeInstructionsTitle": "Instrucciones de Blockstream Jade", - "@importQrDeviceJadeInstructionsTitle": { - "description": "Title for Jade setup instructions" - }, - "importQrDeviceJadeStep1": "Encienda su dispositivo Jade", - "@importQrDeviceJadeStep1": { - "description": "Jade instruction step 1" - }, - "importQrDeviceJadeStep2": "Seleccione \"Modo QR\" en el menú principal", - "@importQrDeviceJadeStep2": { - "description": "Jade instruction step 2" - }, - "importQrDeviceJadeStep3": "Siga las instrucciones del dispositivo para desbloquear el Jade", - "@importQrDeviceJadeStep3": { - "description": "Jade instruction step 3" - }, - "importQrDeviceJadeStep4": "Seleccione \"Opciones\" en el menú principal", - "@importQrDeviceJadeStep4": { - "description": "Jade instruction step 4" - }, - "importQrDeviceJadeStep5": "Seleccione \"Billetera\" en la lista de opciones", - "@importQrDeviceJadeStep5": { - "description": "Jade instruction step 5" - }, - "importQrDeviceJadeStep6": "Seleccione \"Exportar Xpub\" en el menú de billetera", - "@importQrDeviceJadeStep6": { - "description": "Jade instruction step 6" - }, - "importQrDeviceJadeStep7": "Si es necesario, seleccione \"Opciones\" para cambiar el tipo de dirección", - "@importQrDeviceJadeStep7": { - "description": "Jade instruction step 7" - }, - "importQrDeviceJadeStep8": "Haga clic en el botón \"abrir cámara\"", - "@importQrDeviceJadeStep8": { - "description": "Jade instruction step 8" - }, - "importQrDeviceJadeStep9": "Escanee el código QR que ve en su dispositivo.", - "@importQrDeviceJadeStep9": { - "description": "Jade instruction step 9" - }, - "importQrDeviceJadeStep10": "¡Eso es todo!", - "@importQrDeviceJadeStep10": { - "description": "Jade instruction step 10" - }, - "importQrDeviceJadeFirmwareWarning": "Asegúrese de que su dispositivo esté actualizado con el firmware más reciente", - "@importQrDeviceJadeFirmwareWarning": { - "description": "Warning message to update Jade firmware" - }, - "importQrDeviceKruxName": "Krux", - "@importQrDeviceKruxName": { - "description": "Name of Krux device" - }, - "importQrDeviceKruxInstructionsTitle": "Instrucciones de Krux", - "@importQrDeviceKruxInstructionsTitle": { - "description": "Title for Krux setup instructions" - }, - "importQrDeviceKruxStep1": "Encienda su dispositivo Krux", - "@importQrDeviceKruxStep1": { - "description": "Krux instruction step 1" - }, - "importQrDeviceKruxStep2": "Haga clic en Clave Pública Extendida", - "@importQrDeviceKruxStep2": { - "description": "Krux instruction step 2" - }, - "importQrDeviceKruxStep3": "Haga clic en XPUB - Código QR", - "@importQrDeviceKruxStep3": { - "description": "Krux instruction step 3" - }, - "importQrDeviceKruxStep4": "Haga clic en el botón \"abrir cámara\"", - "@importQrDeviceKruxStep4": { - "description": "Krux instruction step 4" - }, - "importQrDeviceKruxStep5": "Escanee el código QR que ve en su dispositivo.", - "@importQrDeviceKruxStep5": { - "description": "Krux instruction step 5" - }, - "importQrDeviceKruxStep6": "¡Eso es todo!", - "@importQrDeviceKruxStep6": { - "description": "Krux instruction step 6" - }, - "importQrDeviceKeystoneName": "Keystone", - "@importQrDeviceKeystoneName": { - "description": "Name of Keystone device" - }, - "importQrDeviceKeystoneInstructionsTitle": "Instrucciones de Keystone", - "@importQrDeviceKeystoneInstructionsTitle": { - "description": "Title for Keystone setup instructions" - }, - "importQrDeviceKeystoneStep1": "Encienda su dispositivo Keystone", - "@importQrDeviceKeystoneStep1": { - "description": "Keystone instruction step 1" - }, - "importQrDeviceKeystoneStep2": "Ingrese su PIN", - "@importQrDeviceKeystoneStep2": { - "description": "Keystone instruction step 2" - }, - "importQrDeviceKeystoneStep3": "Haga clic en los tres puntos en la parte superior derecha", - "@importQrDeviceKeystoneStep3": { - "description": "Keystone instruction step 3" - }, - "importQrDeviceKeystoneStep4": "Seleccione Conectar Billetera de Software", - "@importQrDeviceKeystoneStep4": { - "description": "Keystone instruction step 4" - }, - "importQrDeviceKeystoneStep5": "Elija la opción de billetera BULL", - "@importQrDeviceKeystoneStep5": { - "description": "Keystone instruction step 5" - }, - "importQrDeviceKeystoneStep6": "En su dispositivo móvil, toque Abrir Cámara", - "@importQrDeviceKeystoneStep6": { - "description": "Keystone instruction step 6" - }, - "importQrDeviceKeystoneStep7": "Escanee el código QR mostrado en su Keystone", - "@importQrDeviceKeystoneStep7": { - "description": "Keystone instruction step 7" - }, - "importQrDeviceKeystoneStep8": "Ingrese una etiqueta para su billetera Keystone y toque Importar", - "@importQrDeviceKeystoneStep8": { - "description": "Keystone instruction step 8" - }, - "importQrDeviceKeystoneStep9": "La configuración está completa", - "@importQrDeviceKeystoneStep9": { - "description": "Keystone instruction step 9" - }, - "importQrDevicePassportName": "Foundation Passport", - "@importQrDevicePassportName": { - "description": "Name of Foundation Passport device" - }, - "importQrDevicePassportInstructionsTitle": "Instrucciones de Foundation Passport", - "@importQrDevicePassportInstructionsTitle": { - "description": "Title for Passport setup instructions" - }, - "importQrDevicePassportStep1": "Encienda su dispositivo Passport", - "@importQrDevicePassportStep1": { - "description": "Passport instruction step 1" - }, - "importQrDevicePassportStep2": "Ingrese su PIN", - "@importQrDevicePassportStep2": { - "description": "Passport instruction step 2" - }, - "importQrDevicePassportStep3": "Seleccione \"Administrar Cuenta\"", - "@importQrDevicePassportStep3": { - "description": "Passport instruction step 3" - }, - "importQrDevicePassportStep4": "Seleccione \"Conectar Billetera\"", - "@importQrDevicePassportStep4": { - "description": "Passport instruction step 4" - }, - "importQrDevicePassportStep5": "Seleccione la opción \"Sparrow\"", - "@importQrDevicePassportStep5": { - "description": "Passport instruction step 5" - }, - "importQrDevicePassportStep6": "Seleccione \"Firma Única\"", - "@importQrDevicePassportStep6": { - "description": "Passport instruction step 6" - }, - "importQrDevicePassportStep7": "Seleccione \"Código QR\"", - "@importQrDevicePassportStep7": { - "description": "Passport instruction step 7" - }, - "importQrDevicePassportStep8": "En su dispositivo móvil, toque \"abrir cámara\"", - "@importQrDevicePassportStep8": { - "description": "Passport instruction step 8" - }, - "importQrDevicePassportStep9": "Escanee el código QR mostrado en su Passport", - "@importQrDevicePassportStep9": { - "description": "Passport instruction step 9" - }, - "importQrDevicePassportStep10": "En la aplicación BULL wallet, seleccione \"Segwit (BIP84)\" como opción de derivación", - "@importQrDevicePassportStep10": { - "description": "Passport instruction step 10" - }, - "importQrDevicePassportStep11": "Ingrese una etiqueta para su billetera Passport y toque \"Importar\"", - "@importQrDevicePassportStep11": { - "description": "Passport instruction step 11" - }, - "importQrDevicePassportStep12": "Configuración completada.", - "@importQrDevicePassportStep12": { - "description": "Passport instruction step 12" - }, - "importQrDeviceSeedsignerName": "SeedSigner", - "@importQrDeviceSeedsignerName": { - "description": "Name of SeedSigner device" - }, - "importQrDeviceSeedsignerInstructionsTitle": "Instrucciones de SeedSigner", - "@importQrDeviceSeedsignerInstructionsTitle": { - "description": "Title for SeedSigner setup instructions" - }, - "importQrDeviceSeedsignerStep1": "Encienda su dispositivo SeedSigner", - "@importQrDeviceSeedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, - "importQrDeviceSeedsignerStep2": "Abra el menú \"Seeds\"", - "@importQrDeviceSeedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, - "importQrDeviceSeedsignerStep3": "Escanee un SeedQR o ingrese su frase de 12 o 24 palabras", - "@importQrDeviceSeedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, - "importQrDeviceSeedsignerStep4": "Seleccione \"Exportar Xpub\"", - "@importQrDeviceSeedsignerStep4": { - "description": "SeedSigner instruction step 4" - }, - "importQrDeviceSeedsignerStep5": "Elija \"Firma Única\", luego seleccione su tipo de script preferido (elija Native Segwit si no está seguro).", - "@importQrDeviceSeedsignerStep5": { - "description": "SeedSigner instruction step 5" - }, - "importQrDeviceSeedsignerStep6": "Seleccione \"Sparrow\" como opción de exportación", - "@importQrDeviceSeedsignerStep6": { - "description": "SeedSigner instruction step 6" - }, - "importQrDeviceSeedsignerStep7": "En su dispositivo móvil, toque Abrir Cámara", - "@importQrDeviceSeedsignerStep7": { - "description": "SeedSigner instruction step 7" - }, - "importQrDeviceSeedsignerStep8": "Escanee el código QR que se muestra en su SeedSigner", - "@importQrDeviceSeedsignerStep8": { - "description": "SeedSigner instruction step 8" - }, - "importQrDeviceSeedsignerStep9": "Ingrese una etiqueta para su billetera SeedSigner y toque Importar", - "@importQrDeviceSeedsignerStep9": { - "description": "SeedSigner instruction step 9" - }, - "importQrDeviceSeedsignerStep10": "Configuración completa", - "@importQrDeviceSeedsignerStep10": { - "description": "SeedSigner instruction step 10" - }, - "importQrDeviceSpecterName": "Specter", - "@importQrDeviceSpecterName": { - "description": "Name of Specter device" - }, - "importQrDeviceSpecterInstructionsTitle": "Instrucciones de Specter", - "@importQrDeviceSpecterInstructionsTitle": { - "description": "Title for Specter setup instructions" - }, - "importQrDeviceSpecterStep1": "Encienda su dispositivo Specter", - "@importQrDeviceSpecterStep1": { - "description": "Specter instruction step 1" - }, - "importQrDeviceSpecterStep2": "Ingrese su PIN", - "@importQrDeviceSpecterStep2": { - "description": "Specter instruction step 2" - }, - "importQrDeviceSpecterStep3": "Ingrese su seed/clave (elija la opción que le convenga)", - "@importQrDeviceSpecterStep3": { - "description": "Specter instruction step 3" - }, - "importQrDeviceSpecterStep4": "Siga las indicaciones según el método elegido", - "@importQrDeviceSpecterStep4": { - "description": "Specter instruction step 4" - }, - "importQrDeviceSpecterStep5": "Seleccione \"Claves públicas maestras\"", - "@importQrDeviceSpecterStep5": { - "description": "Specter instruction step 5" - }, - "importQrDeviceSpecterStep6": "Elija \"Clave única\"", - "@importQrDeviceSpecterStep6": { - "description": "Specter instruction step 6" - }, - "importQrDeviceSpecterStep7": "Desactive \"Usar SLIP-132\"", - "@importQrDeviceSpecterStep7": { - "description": "Specter instruction step 7" - }, - "importQrDeviceSpecterStep8": "En su dispositivo móvil, toque Abrir Cámara", - "@importQrDeviceSpecterStep8": { - "description": "Specter instruction step 8" - }, - "importQrDeviceSpecterStep9": "Escanee el código QR que se muestra en su Specter", - "@importQrDeviceSpecterStep9": { - "description": "Specter instruction step 9" - }, - "importQrDeviceSpecterStep10": "Ingrese una etiqueta para su billetera Specter y toque Importar", - "@importQrDeviceSpecterStep10": { - "description": "Specter instruction step 10" - }, - "importQrDeviceSpecterStep11": "La configuración está completa", - "@importQrDeviceSpecterStep11": { - "description": "Specter instruction step 11" - }, - "importColdcardTitle": "Conectar Coldcard Q", - "@importColdcardTitle": { - "description": "AppBar title for Coldcard Q import" - }, - "importColdcardScanPrompt": "Escanee el código QR de su Coldcard Q", - "@importColdcardScanPrompt": { - "description": "Instruction to scan Coldcard QR" - }, - "importColdcardMultisigPrompt": "Para billeteras multisig, escanee el código QR del descriptor de billetera", - "@importColdcardMultisigPrompt": { - "description": "Additional instruction for multisig" - }, - "importColdcardScanning": "Escaneando...", - "@importColdcardScanning": { - "description": "Status while scanning" - }, - "importColdcardImporting": "Importando billetera Coldcard...", - "@importColdcardImporting": { - "description": "Status while importing" - }, - "importColdcardSuccess": "Billetera Coldcard importada", - "@importColdcardSuccess": { - "description": "Success message" - }, - "importColdcardError": "Error al importar Coldcard", - "@importColdcardError": { - "description": "Error message" - }, - "importColdcardInvalidQR": "Código QR de Coldcard inválido", - "@importColdcardInvalidQR": { - "description": "Error for invalid QR format" - }, - "importColdcardDescription": "Importa el código QR descriptor de billetera de tu Coldcard Q", - "@importColdcardDescription": { - "description": "ImportColdcardQ: Main instruction text on import page" - }, - "importColdcardButtonOpenCamera": "Abrir la cámara", - "@importColdcardButtonOpenCamera": { - "description": "ImportColdcardQ: Button to open camera for QR scanning" - }, - "importColdcardButtonInstructions": "Instrucciones", - "@importColdcardButtonInstructions": { - "description": "ImportColdcardQ: Button to show setup instructions" - }, - "importColdcardButtonPurchase": "Comprar dispositivo", - "@importColdcardButtonPurchase": { - "description": "ImportColdcardQ: Button to navigate to Coinkite store" - }, - "importColdcardInstructionsTitle": "Instrucciones Coldcard Q", - "@importColdcardInstructionsTitle": { - "description": "ImportColdcardQ: Title of instructions bottom sheet" - }, - "importColdcardInstructionsStep1": "Inicia sesión en tu dispositivo Coldcard Q", - "@importColdcardInstructionsStep1": { - "description": "ImportColdcardQ: First instruction step" - }, - "importColdcardInstructionsStep2": "Ingresa una frase de contraseña si corresponde", - "@importColdcardInstructionsStep2": { - "description": "ImportColdcardQ: Second instruction step" - }, - "importColdcardInstructionsStep3": "Navega a \"Avanzado/Herramientas\"", - "@importColdcardInstructionsStep3": { - "description": "ImportColdcardQ: Third instruction step" - }, - "importColdcardInstructionsStep4": "Verifica que tu firmware esté actualizado a la versión 1.3.4Q", - "@importColdcardInstructionsStep4": { - "description": "ImportColdcardQ: Fourth instruction step" - }, - "importColdcardInstructionsStep5": "Selecciona \"Exportar billetera\"", - "@importColdcardInstructionsStep5": { - "description": "ImportColdcardQ: Fifth instruction step" - }, - "importColdcardInstructionsStep6": "Elige \"Bull Bitcoin\" como opción de exportación", - "@importColdcardInstructionsStep6": { - "description": "ImportColdcardQ: Sixth instruction step" - }, - "importColdcardInstructionsStep7": "En tu dispositivo móvil, toca \"abrir cámara\"", - "@importColdcardInstructionsStep7": { - "description": "ImportColdcardQ: Seventh instruction step" - }, - "importColdcardInstructionsStep8": "Escanea el código QR mostrado en tu Coldcard Q", - "@importColdcardInstructionsStep8": { - "description": "ImportColdcardQ: Eighth instruction step" - }, - "importColdcardInstructionsStep9": "Ingresa una 'Etiqueta' para tu billetera Coldcard Q y toca \"Importar\"", - "@importColdcardInstructionsStep9": { - "description": "ImportColdcardQ: Ninth instruction step" - }, - "importColdcardInstructionsStep10": "Configuración completada", - "@importColdcardInstructionsStep10": { - "description": "ImportColdcardQ: Final instruction step" - }, - "exchangeLandingTitle": "BULL BITCOIN", - "@exchangeLandingTitle": { - "description": "Main title on exchange landing screen" - }, - "exchangeLandingConnect": "Conecte su cuenta de intercambio Bull Bitcoin", - "@exchangeLandingConnect": { - "description": "Subtitle on exchange landing screen" - }, - "exchangeLandingFeature1": "Compre Bitcoin directamente en autocustodia", - "@exchangeLandingFeature1": { - "description": "First feature bullet point" - }, - "exchangeLandingFeature2": "DCA, órdenes limitadas y compra automática", - "@exchangeLandingFeature2": { - "description": "Second feature bullet point" - }, - "exchangeLandingFeature3": "Venda Bitcoin, reciba pagos con Bitcoin", - "@exchangeLandingFeature3": { - "description": "Third feature bullet point" - }, - "exchangeLandingFeature4": "Envíe transferencias bancarias y pague facturas", - "@exchangeLandingFeature4": { - "description": "Fourth feature bullet point" - }, - "exchangeLandingFeature5": "Chatee con soporte al cliente", - "@exchangeLandingFeature5": { - "description": "Fifth feature bullet point" - }, - "exchangeLandingFeature6": "Historial de transacciones unificado", - "@exchangeLandingFeature6": { - "description": "Sixth feature bullet point" - }, - "exchangeLandingRestriction": "El acceso a los servicios de intercambio estará restringido a países donde Bull Bitcoin pueda operar legalmente y puede requerir KYC.", - "@exchangeLandingRestriction": { - "description": "Legal restriction notice" - }, - "exchangeLandingLoginButton": "Iniciar sesión o registrarse", - "@exchangeLandingLoginButton": { - "description": "Button to proceed to login/signup" - }, - "exchangeHomeDeposit": "Depositar", - "@exchangeHomeDeposit": { - "description": "Deposit button label" - }, - "exchangeHomeWithdraw": "Retirar", - "@exchangeHomeWithdraw": { - "description": "Withdraw button label" - }, - "exchangeKycLight": "Ligero", - "@exchangeKycLight": { - "description": "Light KYC level label" - }, - "exchangeKycLimited": "Limitado", - "@exchangeKycLimited": { - "description": "Limited KYC level label" - }, - "exchangeKycComplete": "Complete su KYC", - "@exchangeKycComplete": { - "description": "KYC card title" - }, - "exchangeKycRemoveLimits": "Para eliminar límites de transacción", - "@exchangeKycRemoveLimits": { - "description": "KYC card subtitle" - }, - "dcaActivate": "Activar compra recurrente", - "@dcaActivate": { - "description": "Label to activate DCA" - }, - "dcaDeactivate": "Desactivar compra recurrente", - "@dcaDeactivate": { - "description": "Label to deactivate DCA" - }, - "dcaViewSettings": "Ver configuración", - "@dcaViewSettings": { - "description": "Link to view DCA settings" - }, - "dcaHideSettings": "Ocultar configuración", - "@dcaHideSettings": { - "description": "Link to hide DCA settings" - }, - "dcaCancelTitle": "¿Cancelar compra recurrente de Bitcoin?", - "@dcaCancelTitle": { - "description": "Dialog title for DCA cancellation" - }, - "dcaCancelMessage": "Su plan de compra recurrente de Bitcoin se detendrá y las compras programadas finalizarán. Para reiniciar, deberá configurar un nuevo plan.", - "@dcaCancelMessage": { - "description": "Dialog message for DCA cancellation" - }, - "dcaCancelButton": "Cancelar", - "@dcaCancelButton": { - "description": "Cancel button in DCA dialog" - }, - "dcaConfirmDeactivate": "Sí, desactivar", - "@dcaConfirmDeactivate": { - "description": "Confirm deactivation button" - }, - "dcaUnableToGetConfig": "No se puede obtener la configuración DCA", - "@dcaUnableToGetConfig": { - "description": "Error message when DCA config unavailable" - }, - "dcaAddressBitcoin": "Dirección Bitcoin", - "@dcaAddressBitcoin": { - "description": "Bitcoin address label" - }, - "dcaAddressLightning": "Dirección Lightning", - "@dcaAddressLightning": { - "description": "Lightning address label" - }, - "dcaAddressLiquid": "Dirección Liquid", - "@dcaAddressLiquid": { - "description": "Liquid address label" - }, - "dcaBuyingMessage": "Está comprando {amount} cada {frequency} a través de {network} mientras haya fondos en su cuenta.", - "@dcaBuyingMessage": { - "description": "DCA status message", - "placeholders": { - "amount": { - "type": "String" - }, - "frequency": { - "type": "String" - }, - "network": { - "type": "String" - } - } - }, - "exchangeAuthLoginFailed": "Inicio de sesión fallido", - "@exchangeAuthLoginFailed": { - "description": "Login failure dialog title" - }, - "exchangeAuthErrorMessage": "Ocurrió un error, por favor intente iniciar sesión nuevamente.", - "@exchangeAuthErrorMessage": { - "description": "Login error message" - }, - "exchangeAuthOk": "OK", - "@exchangeAuthOk": { - "description": "OK button in error dialog" - }, - "withdrawAmountTitle": "Retirar fiat", - "@withdrawAmountTitle": { - "description": "AppBar title for withdraw amount screen" - }, - "withdrawAmountContinue": "Continuar", - "@withdrawAmountContinue": { - "description": "Continue button on amount screen" - }, - "withdrawRecipientsTitle": "Seleccionar destinatario", - "@withdrawRecipientsTitle": { - "description": "AppBar title for recipients screen" - }, - "withdrawRecipientsPrompt": "¿Dónde y cómo debemos enviar el dinero?", - "@withdrawRecipientsPrompt": { - "description": "Instructions on recipients screen" - }, - "withdrawRecipientsNewTab": "Nuevo destinatario", - "@withdrawRecipientsNewTab": { - "description": "Tab label for new recipient" - }, - "withdrawRecipientsMyTab": "Mis destinatarios fiat", - "@withdrawRecipientsMyTab": { - "description": "Tab label for existing recipients" - }, - "withdrawRecipientsFilterAll": "Todos los tipos", - "@withdrawRecipientsFilterAll": { - "description": "Filter option for all recipient types" - }, - "withdrawRecipientsNoRecipients": "No se encontraron destinatarios para retirar.", - "@withdrawRecipientsNoRecipients": { - "description": "Empty state message" - }, - "withdrawRecipientsContinue": "Continuar", - "@withdrawRecipientsContinue": { - "description": "Continue button on recipients screen" - }, - "withdrawConfirmTitle": "Confirmar retiro", - "@withdrawConfirmTitle": { - "description": "Title on confirmation screen" - }, - "withdrawConfirmRecipientName": "Nombre del destinatario", - "@withdrawConfirmRecipientName": { - "description": "Field label for recipient name" - }, - "withdrawConfirmAmount": "Monto", - "@withdrawConfirmAmount": { - "description": "Field label for withdrawal amount" - }, - "withdrawConfirmEmail": "Correo electrónico", - "@withdrawConfirmEmail": { - "description": "Field label for email (Interac)" - }, - "withdrawConfirmPayee": "Beneficiario", - "@withdrawConfirmPayee": { - "description": "Field label for payee (Bill Payment)" - }, - "withdrawConfirmAccount": "Cuenta", - "@withdrawConfirmAccount": { - "description": "Field label for bank account" - }, - "withdrawConfirmIban": "IBAN", - "@withdrawConfirmIban": { - "description": "Field label for IBAN" - }, - "withdrawConfirmClabe": "CLABE", - "@withdrawConfirmClabe": { - "description": "Field label for CLABE (Mexico)" - }, - "withdrawConfirmPhone": "Teléfono", - "@withdrawConfirmPhone": { - "description": "Field label for phone number" - }, - "withdrawConfirmCard": "Tarjeta", - "@withdrawConfirmCard": { - "description": "Field label for debit card" - }, - "withdrawConfirmButton": "Confirmar retiro", - "@withdrawConfirmButton": { - "description": "Button to confirm withdrawal" - }, - "withdrawConfirmError": "Error: {error}", - "@withdrawConfirmError": { - "description": "Error message on confirmation screen", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "fundExchangeFundAccount": "Financiar su cuenta", - "@fundExchangeFundAccount": { - "description": "Main heading on funding screen" - }, - "fundExchangeSelectCountry": "Seleccione su país y método de pago", - "@fundExchangeSelectCountry": { - "description": "Instruction text" - }, - "fundExchangeSpeiTransfer": "Transferencia SPEI", - "@fundExchangeSpeiTransfer": { - "description": "SPEI transfer method title (Mexico)" - }, - "fundExchangeSpeiSubtitle": "Transfiera fondos usando su CLABE", - "@fundExchangeSpeiSubtitle": { - "description": "SPEI transfer subtitle" - }, - "fundExchangeBankTransfer": "Transferencia bancaria", - "@fundExchangeBankTransfer": { - "description": "Bank transfer method title" - }, - "fundExchangeBankTransferSubtitle": "Envíe una transferencia bancaria desde su cuenta bancaria", - "@fundExchangeBankTransferSubtitle": { - "description": "Bank transfer subtitle" - }, - "dcaSetupTitle": "Configurar compra recurrente", - "@dcaSetupTitle": { - "description": "AppBar title for DCA setup screen" - }, - "dcaSetupInsufficientBalance": "Saldo insuficiente", - "@dcaSetupInsufficientBalance": { - "description": "Insufficient balance error title" - }, - "dcaSetupInsufficientBalanceMessage": "No tiene suficiente saldo para crear esta orden.", - "@dcaSetupInsufficientBalanceMessage": { - "description": "Insufficient balance error message" - }, - "dcaSetupFundAccount": "Financiar su cuenta", - "@dcaSetupFundAccount": { - "description": "Button to fund account" - }, - "dcaSetupScheduleMessage": "Las compras de Bitcoin se realizarán automáticamente según este calendario.", - "@dcaSetupScheduleMessage": { - "description": "DCA schedule explanation" - }, - "dcaSetupFrequencyError": "Por favor seleccione una frecuencia", - "@dcaSetupFrequencyError": { - "description": "Frequency validation error" - }, - "dcaSetupContinue": "Continuar", - "@dcaSetupContinue": { - "description": "Continue button on DCA setup" - }, - "dcaConfirmTitle": "Confirmar compra recurrente", - "@dcaConfirmTitle": { - "description": "AppBar title for DCA confirmation screen" - }, - "dcaConfirmAutoMessage": "Las órdenes de compra se realizarán automáticamente según esta configuración. Puede desactivarlas en cualquier momento.", - "@dcaConfirmAutoMessage": { - "description": "DCA auto-placement message" - }, - "dcaConfirmFrequency": "Frecuencia", - "@dcaConfirmFrequency": { - "description": "Field label for frequency" - }, - "dcaConfirmFrequencyHourly": "Cada hora", - "@dcaConfirmFrequencyHourly": { - "description": "Hourly frequency label" - }, - "dcaConfirmFrequencyDaily": "Cada día", - "@dcaConfirmFrequencyDaily": { - "description": "Daily frequency label" - }, - "dcaConfirmFrequencyWeekly": "Cada semana", - "@dcaConfirmFrequencyWeekly": { - "description": "Weekly frequency label" - }, - "dcaConfirmFrequencyMonthly": "Cada mes", - "@dcaConfirmFrequencyMonthly": { - "description": "Monthly frequency label" - }, - "dcaConfirmAmount": "Monto", - "@dcaConfirmAmount": { - "description": "Field label for amount" - }, - "dcaConfirmPaymentMethod": "Método de pago", - "@dcaConfirmPaymentMethod": { - "description": "Field label for payment method" - }, - "dcaConfirmPaymentBalance": "Saldo {currency}", - "@dcaConfirmPaymentBalance": { - "description": "Payment method balance format", - "placeholders": { - "currency": { - "type": "String" - } - } - }, - "dcaConfirmOrderType": "Tipo de orden", - "@dcaConfirmOrderType": { - "description": "Field label for order type" - }, - "dcaConfirmOrderTypeValue": "Compra recurrente", - "@dcaConfirmOrderTypeValue": { - "description": "Order type value" - }, - "dcaConfirmNetwork": "Red", - "@dcaConfirmNetwork": { - "description": "Field label for network" - }, - "dcaConfirmNetworkBitcoin": "Bitcoin", - "@dcaConfirmNetworkBitcoin": { - "description": "Bitcoin network label" - }, - "dcaConfirmNetworkLightning": "Lightning", - "@dcaConfirmNetworkLightning": { - "description": "Lightning network label" - }, - "dcaConfirmNetworkLiquid": "Liquid", - "@dcaConfirmNetworkLiquid": { - "description": "Liquid network label" - }, - "dcaConfirmLightningAddress": "Dirección Lightning", - "@dcaConfirmLightningAddress": { - "description": "Field label for Lightning address" - }, - "dcaConfirmError": "Algo salió mal: {error}", - "@dcaConfirmError": { - "description": "DCA confirmation error message", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "dcaConfirmContinue": "Continuar", - "@dcaConfirmContinue": { - "description": "Continue button on DCA confirmation" - }, - "buyInputTitle": "Comprar Bitcoin", - "@buyInputTitle": { - "description": "AppBar title for buy input screen" - }, - "buyInputMinAmountError": "Debe comprar al menos", - "@buyInputMinAmountError": { - "description": "Minimum amount error message" - }, - "buyInputMaxAmountError": "No puede comprar más de", - "@buyInputMaxAmountError": { - "description": "Maximum amount error message" - }, - "buyInputKycPending": "Verificación de identidad KYC pendiente", - "@buyInputKycPending": { - "description": "KYC pending info card title" - }, - "buyInputKycMessage": "Debe completar primero la verificación de identidad", - "@buyInputKycMessage": { - "description": "KYC pending info card message" - }, - "buyInputCompleteKyc": "Completar KYC", - "@buyInputCompleteKyc": { - "description": "Button to complete KYC" - }, - "buyInputInsufficientBalance": "Saldo insuficiente", - "@buyInputInsufficientBalance": { - "description": "Insufficient balance info card title" - }, - "buyInputInsufficientBalanceMessage": "No tiene suficiente saldo para crear esta orden.", - "@buyInputInsufficientBalanceMessage": { - "description": "Insufficient balance message" - }, - "buyInputFundAccount": "Financiar su cuenta", - "@buyInputFundAccount": { - "description": "Button to fund account" - }, - "buyInputContinue": "Continuar", - "@buyInputContinue": { - "description": "Continue button on buy input" - }, - "buyConfirmTitle": "Comprar Bitcoin", - "@buyConfirmTitle": { - "description": "AppBar title for buy confirmation screen" - }, - "buyConfirmYouPay": "Usted paga", - "@buyConfirmYouPay": { - "description": "Field label for payment amount" - }, - "buyConfirmYouReceive": "Usted recibe", - "@buyConfirmYouReceive": { - "description": "Field label for receive amount" - }, - "buyConfirmBitcoinPrice": "Precio de Bitcoin", - "@buyConfirmBitcoinPrice": { - "description": "Field label for Bitcoin price" - }, - "buyConfirmPayoutMethod": "Método de pago", - "@buyConfirmPayoutMethod": { - "description": "Field label for payout method" - }, - "buyConfirmExternalWallet": "Billetera Bitcoin externa", - "@buyConfirmExternalWallet": { - "description": "External wallet payout method" - }, - "buyConfirmAwaitingConfirmation": "Esperando confirmación ", - "@buyConfirmAwaitingConfirmation": { - "description": "Awaiting confirmation label" - }, - "sellSendPaymentTitle": "Confirmar pago", - "@sellSendPaymentTitle": { - "description": "Title on sell payment screen" - }, - "sellSendPaymentPriceRefresh": "El precio se actualizará en ", - "@sellSendPaymentPriceRefresh": { - "description": "Price refresh countdown prefix" - }, - "sellSendPaymentOrderNumber": "Número de orden", - "@sellSendPaymentOrderNumber": { - "description": "Field label for order number" - }, - "sellSendPaymentPayoutRecipient": "Destinatario del pago", - "@sellSendPaymentPayoutRecipient": { - "description": "Field label for payout recipient" - }, - "sellSendPaymentCadBalance": "Saldo CAD", - "@sellSendPaymentCadBalance": { - "description": "CAD balance payout method" - }, - "sellSendPaymentCrcBalance": "Saldo CRC", - "@sellSendPaymentCrcBalance": { - "description": "CRC balance payout method" - }, - "sellSendPaymentEurBalance": "Saldo EUR", - "@sellSendPaymentEurBalance": { - "description": "EUR balance payout method" - }, - "sellSendPaymentUsdBalance": "Saldo USD", - "@sellSendPaymentUsdBalance": { - "description": "USD balance payout method" - }, - "sellSendPaymentMxnBalance": "Saldo MXN", - "@sellSendPaymentMxnBalance": { - "description": "MXN balance payout method" - }, - "sellSendPaymentPayinAmount": "Monto pagado", - "@sellSendPaymentPayinAmount": { - "description": "Field label for payin amount" - }, - "sellSendPaymentPayoutAmount": "Monto recibido", - "@sellSendPaymentPayoutAmount": { - "description": "Field label for payout amount" - }, - "sellSendPaymentExchangeRate": "Tasa de cambio", - "@sellSendPaymentExchangeRate": { - "description": "Field label for exchange rate" - }, - "sellSendPaymentPayFromWallet": "Pagar desde billetera", - "@sellSendPaymentPayFromWallet": { - "description": "Field label for source wallet" - }, - "sellSendPaymentInstantPayments": "Pagos instantáneos", - "@sellSendPaymentInstantPayments": { - "description": "Instant payments wallet label" - }, - "sellSendPaymentSecureWallet": "Billetera Bitcoin segura", - "@sellSendPaymentSecureWallet": { - "description": "Secure wallet label" - }, - "sellSendPaymentFeePriority": "Prioridad de comisión", - "@sellSendPaymentFeePriority": { - "description": "Field label for fee priority" - }, - "sellSendPaymentFastest": "Más rápido", - "@sellSendPaymentFastest": { - "description": "Fastest fee priority option" - }, - "sellSendPaymentNetworkFees": "Comisiones de red", - "@sellSendPaymentNetworkFees": { - "description": "Field label for network fees" - }, - "sellSendPaymentCalculating": "Calculando...", - "@sellSendPaymentCalculating": { - "description": "Calculating fees message" - }, - "sellSendPaymentAdvanced": "Configuración avanzada", - "@sellSendPaymentAdvanced": { - "description": "Advanced settings button" - }, - "sellSendPaymentContinue": "Continuar", - "@sellSendPaymentContinue": { - "description": "Continue button on sell payment" - }, - "sellSendPaymentAboveMax": "Está intentando vender por encima del monto máximo que se puede vender con esta billetera.", - "@sellSendPaymentAboveMax": { - "description": "Above max amount error" - }, - "sellSendPaymentBelowMin": "Está intentando vender por debajo del monto mínimo que se puede vender con esta billetera.", - "@sellSendPaymentBelowMin": { - "description": "Below min amount error" - }, - "sellSendPaymentInsufficientBalance": "Saldo insuficiente en la billetera seleccionada para completar esta orden de venta.", - "@sellSendPaymentInsufficientBalance": { - "description": "Insufficient balance error" - }, - "arkSetupTitle": "Configuración Ark", - "@arkSetupTitle": { - "description": "AppBar title for Ark setup screen" - }, - "arkSetupExperimentalWarning": "Ark aún es experimental.\n\nSu billetera Ark se deriva de la frase semilla de su billetera principal. No se necesita respaldo adicional, su respaldo de billetera existente también restaura sus fondos Ark.\n\nAl continuar, usted reconoce la naturaleza experimental de Ark y el riesgo de perder fondos.\n\nNota del desarrollador: El secreto Ark se deriva de la semilla de la billetera principal utilizando una derivación BIP-85 arbitraria (índice 11811).", - "@arkSetupExperimentalWarning": { - "description": "Ark experimental warning text" - }, - "arkSetupEnable": "Activar Ark", - "@arkSetupEnable": { - "description": "Button to enable Ark" - }, - "swapTitle": "Transferencia interna", - "@swapTitle": { - "description": "AppBar title for swap/internal transfer screen" - }, - "swapInfoBanner": "Transfiera Bitcoin sin problemas entre sus billeteras. Solo mantenga fondos en la Billetera de pago instantáneo para gastos del día a día.", - "@swapInfoBanner": { - "description": "Info banner on swap amount screen" - }, - "swapMax": "MÁX", - "@swapMax": { - "description": "MAX button label" - }, - "swapContinue": "Continuar", - "@swapContinue": { - "description": "Continue button on swap amount screen" - }, - "swapConfirmTitle": "Confirmar transferencia", - "@swapConfirmTitle": { - "description": "AppBar title for swap confirmation screen" - }, - "swapProgressTitle": "Transferencia interna", - "@swapProgressTitle": { - "description": "AppBar title for swap progress screen" - }, - "swapProgressPending": "Transferencia pendiente", - "@swapProgressPending": { - "description": "Pending transfer status" - }, - "swapProgressPendingMessage": "La transferencia está en progreso. Las transacciones de Bitcoin pueden tardar en confirmarse. Puede regresar al inicio y esperar.", - "@swapProgressPendingMessage": { - "description": "Pending transfer message" - }, - "swapProgressCompleted": "Transferencia completada", - "@swapProgressCompleted": { - "description": "Completed transfer status" - }, - "swapProgressCompletedMessage": "¡Wow, esperó! La transferencia se completó exitosamente.", - "@swapProgressCompletedMessage": { - "description": "Completed transfer message" - }, - "swapProgressRefundInProgress": "Reembolso de transferencia en progreso", - "@swapProgressRefundInProgress": { - "description": "Refund in progress status" - }, - "swapProgressRefundMessage": "Hubo un error con la transferencia. Su reembolso está en progreso.", - "@swapProgressRefundMessage": { - "description": "Refund in progress message" - }, - "swapProgressRefunded": "Transferencia reembolsada", - "@swapProgressRefunded": { - "description": "Refunded transfer status" - }, - "swapProgressRefundedMessage": "La transferencia ha sido reembolsada exitosamente.", - "@swapProgressRefundedMessage": { - "description": "Refunded transfer message" - }, - "swapProgressGoHome": "Ir al inicio", - "@swapProgressGoHome": { - "description": "Go home button on progress screen" - }, - "autoswapTitle": "Configuración de transferencia automática", - "@autoswapTitle": { - "description": "Header title for auto transfer settings bottom sheet" - }, - "autoswapEnable": "Activar transferencia automática", - "@autoswapEnable": { - "description": "Toggle label to enable auto transfer" - }, - "autoswapMaxBalance": "Saldo máximo de billetera instantánea", - "@autoswapMaxBalance": { - "description": "Field label for max balance threshold" - }, - "autoswapMaxBalanceInfo": "Cuando el saldo de la billetera exceda el doble de esta cantidad, la transferencia automática se activará para reducir el saldo a este nivel", - "@autoswapMaxBalanceInfo": { - "description": "Info tooltip for max balance field" - }, - "autoswapMaxFee": "Comisión de transferencia máxima", - "@autoswapMaxFee": { - "description": "Field label for max fee threshold" - }, - "autoswapMaxFeeInfo": "Si la comisión total de transferencia está por encima del porcentaje establecido, la transferencia automática será bloqueada", - "@autoswapMaxFeeInfo": { - "description": "Info tooltip for max fee field" - }, - "autoswapAlwaysBlock": "Siempre bloquear comisiones altas", - "@autoswapAlwaysBlock": { - "description": "Toggle label for always block high fees" - }, - "autoswapAlwaysBlockEnabledInfo": "Cuando está activado, las transferencias automáticas con comisiones superiores al límite establecido siempre serán bloqueadas", - "@autoswapAlwaysBlockEnabledInfo": { - "description": "Info text when always block is enabled" - }, - "autoswapAlwaysBlockDisabledInfo": "Cuando está desactivado, se le dará la opción de permitir una transferencia automática que está bloqueada debido a comisiones altas", - "@autoswapAlwaysBlockDisabledInfo": { - "description": "Info text when always block is disabled" - }, - "autoswapRecipientWallet": "Billetera Bitcoin destinataria", - "@autoswapRecipientWallet": { - "description": "Field label for recipient wallet dropdown" - }, - "autoswapRecipientRequired": "*", - "@autoswapRecipientRequired": { - "description": "Required field indicator" - }, - "autoswapSelectWallet": "Seleccionar una billetera Bitcoin", - "@autoswapSelectWallet": { - "description": "Placeholder for wallet dropdown" - }, - "autoswapSelectWalletRequired": "Seleccionar una billetera Bitcoin *", - "@autoswapSelectWalletRequired": { - "description": "Placeholder for wallet dropdown when required" - }, - "autoswapRecipientWalletInfo": "Elija qué billetera Bitcoin recibirá los fondos transferidos (obligatorio)", - "@autoswapRecipientWalletInfo": { - "description": "Info tooltip for recipient wallet field" - }, - "autoswapDefaultWalletLabel": "Billetera Bitcoin", - "@autoswapDefaultWalletLabel": { - "description": "Default label for unnamed Bitcoin wallet" - }, - "autoswapSave": "Guardar", - "@autoswapSave": { - "description": "Save button label" - }, - "autoswapSaveError": "Error al guardar la configuración: {error}", - "@autoswapSaveError": { - "description": "Error message when save fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "electrumTitle": "Configuración del servidor Electrum", - "@electrumTitle": { - "description": "AppBar title for Electrum settings screen" - }, - "electrumNetworkBitcoin": "Bitcoin", - "@electrumNetworkBitcoin": { - "description": "Bitcoin network tab label" - }, - "electrumNetworkLiquid": "Liquid", - "@electrumNetworkLiquid": { - "description": "Liquid network tab label" - }, - "electrumAdvancedOptions": "Opciones avanzadas", - "@electrumAdvancedOptions": { - "description": "Advanced options button label" - }, - "electrumAddCustomServer": "Agregar servidor personalizado", - "@electrumAddCustomServer": { - "description": "Add custom server bottom sheet title" - }, - "electrumCloseTooltip": "Cerrar", - "@electrumCloseTooltip": { - "description": "Close button tooltip" - }, - "electrumServerUrlHint": "URL del servidor {network} {environment}", - "@electrumServerUrlHint": { - "description": "Hint text for server URL input", - "placeholders": { - "network": { - "type": "String" - }, - "environment": { - "type": "String" - } - } - }, - "electrumMainnet": "Mainnet", - "@electrumMainnet": { - "description": "Mainnet environment label" - }, - "electrumTestnet": "Testnet", - "@electrumTestnet": { - "description": "Testnet environment label" - }, - "electrumEmptyFieldError": "Este campo no puede estar vacío", - "@electrumEmptyFieldError": { - "description": "Validation error for empty field" - }, - "electrumBitcoinSslInfo": "Si no se especifica ningún protocolo, se usará SSL por defecto.", - "@electrumBitcoinSslInfo": { - "description": "Info text for Bitcoin server protocol" - }, - "electrumLiquidSslInfo": "No se debe especificar ningún protocolo, SSL se usará automáticamente.", - "@electrumLiquidSslInfo": { - "description": "Info text for Liquid server protocol" - }, - "electrumAddServer": "Agregar servidor", - "@electrumAddServer": { - "description": "Add server button label" - }, - "electrumEnableSsl": "Activar SSL", - "@electrumEnableSsl": { - "description": "SSL toggle label in add custom server sheet" - }, - "electrumProtocolError": "No incluya el protocolo (ssl:// o tcp://).", - "@electrumProtocolError": { - "description": "Validation error when protocol is included in server URL" - }, - "electrumFormatError": "Use el formato host:puerto (p. ej., ejemplo.com:50001)", - "@electrumFormatError": { - "description": "Validation error for incorrect server URL format" - }, - "electrumBitcoinServerInfo": "Ingrese la dirección del servidor en el formato: host:puerto (p. ej., ejemplo.com:50001)", - "@electrumBitcoinServerInfo": { - "description": "Info text for Bitcoin server URL format" - }, - "electrumStopGap": "Intervalo de parada", - "@electrumStopGap": { - "description": "Stop Gap field label and hint in advanced options" - }, - "electrumTimeout": "Tiempo de espera (segundos)", - "@electrumTimeout": { - "description": "Timeout field label and hint in advanced options" - }, - "electrumRetryCount": "Número de reintentos", - "@electrumRetryCount": { - "description": "Retry Count field label and hint in advanced options" - }, - "electrumValidateDomain": "Validar dominio", - "@electrumValidateDomain": { - "description": "Validate Domain switch label in advanced options" - }, - "electrumStopGapEmptyError": "El intervalo de parada no puede estar vacío", - "@electrumStopGapEmptyError": { - "description": "Validation error for empty Stop Gap field" - }, - "electrumInvalidNumberError": "Ingrese un número válido", - "@electrumInvalidNumberError": { - "description": "Validation error for non-numeric input" - }, - "electrumStopGapNegativeError": "El intervalo de parada no puede ser negativo", - "@electrumStopGapNegativeError": { - "description": "Validation error for negative Stop Gap value" - }, - "electrumStopGapTooHighError": "El intervalo de parada parece demasiado alto. (Máx. {maxStopGap})", - "@electrumStopGapTooHighError": { - "description": "Validation error for Stop Gap exceeding maximum", - "placeholders": { - "maxStopGap": { - "type": "String" - } - } - }, - "electrumTimeoutEmptyError": "El tiempo de espera no puede estar vacío", - "@electrumTimeoutEmptyError": { - "description": "Validation error for empty Timeout field" - }, - "electrumTimeoutPositiveError": "El tiempo de espera debe ser positivo", - "@electrumTimeoutPositiveError": { - "description": "Validation error for non-positive Timeout value" - }, - "electrumTimeoutTooHighError": "El tiempo de espera parece demasiado alto. (Máx. {maxTimeout} segundos)", - "@electrumTimeoutTooHighError": { - "description": "Validation error for Timeout exceeding maximum", - "placeholders": { - "maxTimeout": { - "type": "String" - } - } - }, - "electrumRetryCountEmptyError": "El número de reintentos no puede estar vacío", - "@electrumRetryCountEmptyError": { - "description": "Validation error for empty Retry Count field" - }, - "electrumRetryCountNegativeError": "El número de reintentos no puede ser negativo", - "@electrumRetryCountNegativeError": { - "description": "Validation error for negative Retry Count value" - }, - "electrumTimeoutWarning": "Su tiempo de espera ({timeoutValue} segundos) es menor que el valor recomendado ({recommended} segundos) para este intervalo de parada.", - "@electrumTimeoutWarning": { - "description": "Warning message when timeout is too low for the configured Stop Gap", - "placeholders": { - "timeoutValue": { - "type": "String" - }, - "recommended": { - "type": "String" - } - } - }, - "electrumInvalidStopGapError": "Valor de intervalo de parada inválido: {value}", - "@electrumInvalidStopGapError": { - "description": "Error message for invalid Stop Gap value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "electrumInvalidTimeoutError": "Valor de tiempo de espera inválido: {value}", - "@electrumInvalidTimeoutError": { - "description": "Error message for invalid Timeout value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "electrumInvalidRetryError": "Valor de número de reintentos inválido: {value}", - "@electrumInvalidRetryError": { - "description": "Error message for invalid Retry Count value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "electrumSaveFailedError": "Error al guardar las opciones avanzadas", - "@electrumSaveFailedError": { - "description": "Error message when saving advanced options fails" - }, - "electrumUnknownError": "Ocurrió un error", - "@electrumUnknownError": { - "description": "Generic error message for unknown errors" - }, - "electrumReset": "Restablecer", - "@electrumReset": { - "description": "Reset button label in advanced options" - }, - "electrumConfirm": "Confirmar", - "@electrumConfirm": { - "description": "Confirm button label in advanced options" - }, - "electrumDeleteServerTitle": "Eliminar servidor personalizado", - "@electrumDeleteServerTitle": { - "description": "Delete server dialog title" - }, - "electrumDeletePrivacyNotice": "Aviso de privacidad:\n\nUsar su propio nodo garantiza que ningún tercero pueda vincular su dirección IP con sus transacciones. Al eliminar su último servidor personalizado, se conectará a un servidor BullBitcoin.\n", - "@electrumDeletePrivacyNotice": { - "description": "Privacy notice shown when deleting last custom server" - }, - "electrumDeleteConfirmation": "¿Está seguro de que desea eliminar este servidor?\n\n{serverUrl}", - "@electrumDeleteConfirmation": { - "description": "Confirmation message for server deletion", - "placeholders": { - "serverUrl": { - "type": "String" - } - } - }, - "electrumCancel": "Cancelar", - "@electrumCancel": { - "description": "Cancel button label in delete dialog" - }, - "electrumDelete": "Eliminar", - "@electrumDelete": { - "description": "Delete button label in delete dialog" - }, - "electrumDefaultServers": "Servidores predeterminados", - "@electrumDefaultServers": { - "description": "Section header for default servers list" - }, - "electrumDefaultServersInfo": "Para proteger su privacidad, los servidores predeterminados no se utilizan cuando se configuran servidores personalizados.", - "@electrumDefaultServersInfo": { - "description": "Info message explaining default servers behavior" - }, - "electrumCustomServers": "Servidores personalizados", - "@electrumCustomServers": { - "description": "Section header for custom servers list" - }, - "electrumDragToReorder": "(Mantenga presionado para arrastrar y cambiar la prioridad)", - "@electrumDragToReorder": { - "description": "Instruction text for reordering servers" - }, - "electrumLoadFailedError": "Error al cargar los servidores{reason}", - "@electrumLoadFailedError": { - "description": "Error message when loading servers fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "electrumSavePriorityFailedError": "Error al guardar la prioridad del servidor{reason}", - "@electrumSavePriorityFailedError": { - "description": "Error message when saving server priority fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "electrumAddFailedError": "Error al agregar el servidor personalizado{reason}", - "@electrumAddFailedError": { - "description": "Error message when adding custom server fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "electrumDeleteFailedError": "Error al eliminar el servidor personalizado{reason}", - "@electrumDeleteFailedError": { - "description": "Error message when deleting custom server fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "electrumServerAlreadyExists": "Este servidor ya existe", - "@electrumServerAlreadyExists": { - "description": "Error message when trying to add a duplicate server" - }, - "electrumPrivacyNoticeTitle": "Aviso de privacidad", - "@electrumPrivacyNoticeTitle": { - "description": "Title for privacy notice bottom sheet" - }, - "electrumPrivacyNoticeContent1": "Aviso de privacidad: El uso de su propio nodo garantiza que ningún tercero pueda vincular su dirección IP con sus transacciones.", - "@electrumPrivacyNoticeContent1": { - "description": "First paragraph of privacy notice" - }, - "electrumPrivacyNoticeContent2": "Sin embargo, si visualiza transacciones a través de mempool haciendo clic en su ID de transacción o en la página de Detalles del destinatario, esta información será conocida por BullBitcoin.", - "@electrumPrivacyNoticeContent2": { - "description": "Second paragraph of privacy notice" - }, - "electrumPrivacyNoticeCancel": "Cancelar", - "@electrumPrivacyNoticeCancel": { - "description": "Cancel button in privacy notice dialog" - }, - "electrumPrivacyNoticeSave": "Guardar", - "@electrumPrivacyNoticeSave": { - "description": "Save button in privacy notice dialog" - }, - "electrumServerNotUsed": "No utilizado", - "@electrumServerNotUsed": { - "description": "Status text for disabled servers" - }, - "electrumServerOnline": "En línea", - "@electrumServerOnline": { - "description": "Status text for online servers" - }, - "electrumServerOffline": "Fuera de línea", - "@electrumServerOffline": { - "description": "Status text for offline servers" - }, - "arkSendRecipientLabel": "Dirección del destinatario", - "@arkSendRecipientLabel": { - "description": "Label for recipient address field" - }, - "arkSendRecipientHint": "ark1qp9wsjfpsj5v5ex022v6…", - "@arkSendRecipientHint": { - "description": "Hint text for recipient address field" - }, - "arkSendConfirmedBalance": "Saldo confirmado", - "@arkSendConfirmedBalance": { - "description": "Confirmed balance label" - }, - "arkSendPendingBalance": "Saldo pendiente ", - "@arkSendPendingBalance": { - "description": "Pending balance label" - }, - "arkSendConfirm": "Confirmar", - "@arkSendConfirm": { - "description": "Confirm button on send screen" - }, - "arkReceiveCopyAddress": "Copiar dirección", - "@arkReceiveCopyAddress": { - "description": "Copy address button label" - }, - "arkReceiveUnifiedAddress": "Dirección unificada (BIP21)", - "@arkReceiveUnifiedAddress": { - "description": "Label for unified BIP21 address" - }, - "arkReceiveBtcAddress": "Dirección BTC", - "@arkReceiveBtcAddress": { - "description": "Label for Bitcoin address" - }, - "arkReceiveArkAddress": "Dirección Ark", - "@arkReceiveArkAddress": { - "description": "Label for Ark address" - }, - "arkReceiveUnifiedCopied": "Dirección unificada copiada", - "@arkReceiveUnifiedCopied": { - "description": "Snackbar message when unified address copied" - }, - "arkSettleTitle": "Liquidar transacciones", - "@arkSettleTitle": { - "description": "Settle bottom sheet title" - }, - "arkSettleMessage": "Finalizar transacciones pendientes e incluir vtxos recuperables si es necesario", - "@arkSettleMessage": { - "description": "Settle bottom sheet explanation" - }, - "arkSettleIncludeRecoverable": "Incluir vtxos recuperables", - "@arkSettleIncludeRecoverable": { - "description": "Toggle label for including recoverable vtxos" - }, - "arkSettleCancel": "Cancelar", - "@arkSettleCancel": { - "description": "Cancel button on settle bottom sheet" - }, - "arkAboutServerUrl": "URL del servidor", - "@arkAboutServerUrl": { - "description": "Field label for server URL" - }, - "arkAboutServerPubkey": "Clave pública del servidor", - "@arkAboutServerPubkey": { - "description": "Field label for server pubkey" - }, - "arkAboutForfeitAddress": "Dirección de decomiso", - "@arkAboutForfeitAddress": { - "description": "Field label for forfeit address" - }, - "arkAboutNetwork": "Red", - "@arkAboutNetwork": { - "description": "Field label for network" - }, - "arkAboutDust": "Polvo", - "@arkAboutDust": { - "description": "Field label for dust amount" - }, - "arkAboutDustValue": "{dust} SATS", - "@arkAboutDustValue": { - "description": "Dust value format", - "placeholders": { - "dust": { - "type": "int" - } - } - }, - "arkAboutSessionDuration": "Duración de sesión", - "@arkAboutSessionDuration": { - "description": "Field label for session duration" - }, - "arkAboutBoardingExitDelay": "Retraso de salida de embarque", - "@arkAboutBoardingExitDelay": { - "description": "Field label for boarding exit delay" - }, - "arkAboutUnilateralExitDelay": "Retraso de salida unilateral", - "@arkAboutUnilateralExitDelay": { - "description": "Field label for unilateral exit delay" - }, - "arkAboutEsploraUrl": "URL Esplora", - "@arkAboutEsploraUrl": { - "description": "Field label for Esplora URL" - }, - "arkAboutCopy": "Copiar", - "@arkAboutCopy": { - "description": "Copy button label" - }, - "arkAboutCopiedMessage": "{label} copiado al portapapeles", - "@arkAboutCopiedMessage": { - "description": "Snackbar message when field copied", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "arkAboutDurationSeconds": "{seconds} segundos", - "@arkAboutDurationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "int" - } - } - }, - "arkAboutDurationMinute": "{minutes} minuto", - "@arkAboutDurationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "int" - } - } - }, - "arkAboutDurationMinutes": "{minutes} minutos", - "@arkAboutDurationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "int" - } - } - }, - "arkAboutDurationHour": "{hours} hora", - "@arkAboutDurationHour": { - "description": "Duration format for singular hour", - "placeholders": { - "hours": { - "type": "int" - } - } - }, - "arkAboutDurationHours": "{hours} horas", - "@arkAboutDurationHours": { - "description": "Duration format for plural hours", - "placeholders": { - "hours": { - "type": "int" - } - } - }, - "arkAboutDurationDay": "{days} día", - "@arkAboutDurationDay": { - "description": "Duration format for singular day", - "placeholders": { - "days": { - "type": "int" - } - } - }, - "arkAboutDurationDays": "{days} días", - "@arkAboutDurationDays": { - "description": "Duration format for plural days", - "placeholders": { - "days": { - "type": "int" - } - } - }, - "arkSendRecipientTitle": "Enviar al destinatario", - "@arkSendRecipientTitle": { - "description": "Title for the ark send recipient page" - }, - "arkSendRecipientError": "Por favor ingrese un destinatario", - "@arkSendRecipientError": { - "description": "Error message when recipient field is empty" - }, - "arkSendAmountTitle": "Ingrese el monto", - "@arkSendAmountTitle": { - "description": "Title for the ark send amount page" - }, - "arkSendConfirmTitle": "Confirmar envío", - "@arkSendConfirmTitle": { - "description": "Title for the ark send confirmation page" - }, - "arkSendConfirmMessage": "Por favor confirme los detalles de su transacción antes de enviar.", - "@arkSendConfirmMessage": { - "description": "Message displayed on send confirmation page" - }, - "arkReceiveSegmentArk": "Ark", - "@arkReceiveSegmentArk": { - "description": "Segment option for Ark address type" - }, - "arkReceiveSegmentBoarding": "Embarque", - "@arkReceiveSegmentBoarding": { - "description": "Segment option for Boarding (BTC) address type" - }, - "arkReceiveBoardingAddress": "Dirección de embarque BTC", - "@arkReceiveBoardingAddress": { - "description": "Label for BTC boarding address" - }, - "arkAboutSecretKey": "Clave secreta", - "@arkAboutSecretKey": { - "description": "Label for secret key field in about page" - }, - "arkAboutShow": "Mostrar", - "@arkAboutShow": { - "description": "Button text to show hidden secret key" - }, - "arkAboutHide": "Ocultar", - "@arkAboutHide": { - "description": "Button text to hide visible secret key" - }, - "arkContinueButton": "Continuar", - "@arkContinueButton": { - "description": "Continue button text used in ark send flow" - }, - "addressViewErrorLoadingAddresses": "Error al cargar las direcciones: {error}", - "@addressViewErrorLoadingAddresses": { - "description": "Mensaje de error mostrado cuando falla la carga de direcciones", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "addressViewNoAddressesFound": "No se encontraron direcciones", - "@addressViewNoAddressesFound": { - "description": "Mensaje de estado vacío cuando no hay direcciones disponibles" - }, - "addressViewErrorLoadingMoreAddresses": "Error al cargar más direcciones: {error}", - "@addressViewErrorLoadingMoreAddresses": { - "description": "Mensaje de error mostrado cuando falla la paginación de direcciones", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "addressViewChangeAddressesComingSoon": "Direcciones de cambio próximamente", - "@addressViewChangeAddressesComingSoon": { - "description": "Mensaje de estado vacío para la función de direcciones de cambio próximamente" - }, - "addressViewChangeAddressesDescription": "Mostrar direcciones de cambio de la billetera", - "@addressViewChangeAddressesDescription": { - "description": "Descripción del diálogo próximamente al intentar ver direcciones de cambio" - }, - "appStartupErrorTitle": "Error de inicio", - "@appStartupErrorTitle": { - "description": "Título mostrado cuando la aplicación no se inicia correctamente" - }, - "appStartupErrorMessageWithBackup": "En la versión 5.4.0 se descubrió un error crítico en una de nuestras dependencias que afecta el almacenamiento de claves privadas. Su aplicación ha sido afectada por esto. Deberá eliminar esta aplicación y reinstalarla con su frase de recuperación respaldada.", - "@appStartupErrorMessageWithBackup": { - "description": "Mensaje de error mostrado cuando el inicio de la aplicación falla debido a un problema de almacenamiento de frase de recuperación y el usuario tiene una copia de seguridad" - }, - "appStartupErrorMessageNoBackup": "En la versión 5.4.0 se descubrió un error crítico en una de nuestras dependencias que afecta el almacenamiento de claves privadas. Su aplicación ha sido afectada por esto. Contacte a nuestro equipo de soporte.", - "@appStartupErrorMessageNoBackup": { - "description": "Mensaje de error mostrado cuando el inicio de la aplicación falla debido a un problema de almacenamiento de frase de recuperación y el usuario no tiene una copia de seguridad" - }, - "appStartupContactSupportButton": "Contactar Soporte", - "@appStartupContactSupportButton": { - "description": "Etiqueta del botón para contactar al soporte cuando falla el inicio de la aplicación" - }, - "ledgerImportTitle": "Importar Cartera Ledger", - "@ledgerImportTitle": { - "description": "Título para importar una cartera hardware Ledger" - }, - "ledgerSignTitle": "Firmar Transacción", - "@ledgerSignTitle": { - "description": "Título para firmar una transacción con Ledger" - }, - "ledgerVerifyTitle": "Verificar Dirección en Ledger", - "@ledgerVerifyTitle": { - "description": "Título para verificar una dirección en el dispositivo Ledger" - }, - "ledgerImportButton": "Comenzar Importación", - "@ledgerImportButton": { - "description": "Etiqueta del botón para comenzar la importación de cartera Ledger" - }, - "ledgerSignButton": "Comenzar Firma", - "@ledgerSignButton": { - "description": "Etiqueta del botón para comenzar la firma de transacción con Ledger" - }, - "ledgerVerifyButton": "Verificar Dirección", - "@ledgerVerifyButton": { - "description": "Etiqueta del botón para comenzar la verificación de dirección en Ledger" - }, - "ledgerProcessingImport": "Importando Cartera", - "@ledgerProcessingImport": { - "description": "Mensaje de estado mostrado mientras se importa la cartera Ledger" - }, - "ledgerProcessingSign": "Firmando Transacción", - "@ledgerProcessingSign": { - "description": "Mensaje de estado mostrado mientras se firma la transacción con Ledger" - }, - "ledgerProcessingVerify": "Mostrando dirección en Ledger...", - "@ledgerProcessingVerify": { - "description": "Mensaje de estado mostrado mientras se verifica la dirección en Ledger" - }, - "ledgerSuccessImportTitle": "Cartera Importada Exitosamente", - "@ledgerSuccessImportTitle": { - "description": "Título del mensaje de éxito después de importar la cartera Ledger" - }, - "ledgerSuccessSignTitle": "Transacción Firmada Exitosamente", - "@ledgerSuccessSignTitle": { - "description": "Título del mensaje de éxito después de firmar la transacción con Ledger" - }, - "ledgerSuccessVerifyTitle": "Verificando dirección en Ledger...", - "@ledgerSuccessVerifyTitle": { - "description": "Título del mensaje de éxito para la verificación de dirección en Ledger" - }, - "ledgerSuccessImportDescription": "Su cartera Ledger ha sido importada exitosamente.", - "@ledgerSuccessImportDescription": { - "description": "Descripción del mensaje de éxito después de importar la cartera Ledger" - }, - "ledgerSuccessSignDescription": "Su transacción ha sido firmada exitosamente.", - "@ledgerSuccessSignDescription": { - "description": "Descripción del mensaje de éxito después de firmar la transacción con Ledger" - }, - "ledgerSuccessVerifyDescription": "La dirección ha sido verificada en su dispositivo Ledger.", - "@ledgerSuccessVerifyDescription": { - "description": "Descripción del mensaje de éxito después de verificar la dirección en Ledger" - }, - "ledgerProcessingImportSubtext": "Configurando su cartera de solo lectura...", - "@ledgerProcessingImportSubtext": { - "description": "Subtexto de procesamiento mostrado mientras se importa la cartera Ledger" - }, - "ledgerProcessingSignSubtext": "Por favor confirme la transacción en su dispositivo Ledger...", - "@ledgerProcessingSignSubtext": { - "description": "Subtexto de procesamiento mostrado mientras se firma la transacción" - }, - "ledgerProcessingVerifySubtext": "Por favor confirme la dirección en su dispositivo Ledger.", - "@ledgerProcessingVerifySubtext": { - "description": "Subtexto de procesamiento mostrado mientras se verifica la dirección" - }, - "ledgerConnectTitle": "Conecte su Dispositivo Ledger", - "@ledgerConnectTitle": { - "description": "Título de la pantalla de conexión inicial de Ledger" - }, - "ledgerScanningTitle": "Buscando Dispositivos", - "@ledgerScanningTitle": { - "description": "Título mostrado mientras se buscan dispositivos Ledger" - }, - "ledgerConnectingMessage": "Conectando a {deviceName}", - "@ledgerConnectingMessage": { - "description": "Mensaje mostrado mientras se conecta a un dispositivo Ledger específico", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "ledgerActionFailedMessage": "{action} Falló", - "@ledgerActionFailedMessage": { - "description": "Mensaje de error cuando una acción de Ledger falla", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "ledgerInstructionsIos": "Asegúrese de que su Ledger esté desbloqueado con la aplicación Bitcoin abierta y Bluetooth habilitado.", - "@ledgerInstructionsIos": { - "description": "Instrucciones de conexión para dispositivos iOS (solo Bluetooth)" - }, - "ledgerInstructionsAndroidUsb": "Asegúrese de que su Ledger esté desbloqueado con la aplicación Bitcoin abierta y conéctelo vía USB.", - "@ledgerInstructionsAndroidUsb": { - "description": "Instrucciones de conexión para dispositivos Android (solo USB)" - }, - "ledgerInstructionsAndroidDual": "Asegúrese de que su Ledger esté desbloqueado con la aplicación Bitcoin abierta y Bluetooth habilitado, o conecte el dispositivo vía USB.", - "@ledgerInstructionsAndroidDual": { - "description": "Instrucciones de conexión para dispositivos Android (Bluetooth o USB)" - }, - "ledgerScanningMessage": "Buscando dispositivos Ledger cercanos...", - "@ledgerScanningMessage": { - "description": "Mensaje mostrado mientras se buscan dispositivos Ledger" - }, - "ledgerConnectingSubtext": "Estableciendo conexión segura...", - "@ledgerConnectingSubtext": { - "description": "Subtexto mostrado mientras se conecta al Ledger" - }, - "ledgerErrorUnknown": "Error desconocido", - "@ledgerErrorUnknown": { - "description": "Mensaje de error genérico para errores de Ledger desconocidos" - }, - "ledgerErrorUnknownOccurred": "Ocurrió un error desconocido", - "@ledgerErrorUnknownOccurred": { - "description": "Mensaje de error cuando ocurre un error desconocido durante una operación de Ledger" - }, - "ledgerErrorNoConnection": "No hay conexión Ledger disponible", - "@ledgerErrorNoConnection": { - "description": "Mensaje de error cuando no hay conexión Ledger disponible" - }, - "ledgerErrorRejectedByUser": "La transacción fue rechazada por el usuario en el dispositivo Ledger.", - "@ledgerErrorRejectedByUser": { - "description": "Mensaje de error cuando el usuario rechaza la transacción en Ledger (código de error 6985)" - }, - "ledgerErrorDeviceLocked": "El dispositivo Ledger está bloqueado. Por favor desbloquee su dispositivo e intente nuevamente.", - "@ledgerErrorDeviceLocked": { - "description": "Mensaje de error cuando el dispositivo Ledger está bloqueado (código de error 5515)" - }, - "ledgerErrorBitcoinAppNotOpen": "Por favor abra la aplicación Bitcoin en su dispositivo Ledger e intente nuevamente.", - "@ledgerErrorBitcoinAppNotOpen": { - "description": "Mensaje de error cuando la aplicación Bitcoin no está abierta en Ledger (códigos de error 6e01, 6a87, 6d02, 6511, 6e00)" - }, - "ledgerErrorMissingPsbt": "Se requiere PSBT para firmar", - "@ledgerErrorMissingPsbt": { - "description": "Mensaje de error cuando falta el parámetro PSBT para firmar" - }, - "ledgerErrorMissingDerivationPathSign": "Se requiere ruta de derivación para firmar", - "@ledgerErrorMissingDerivationPathSign": { - "description": "Mensaje de error cuando falta la ruta de derivación para firmar" - }, - "ledgerErrorMissingScriptTypeSign": "Se requiere tipo de script para firmar", - "@ledgerErrorMissingScriptTypeSign": { - "description": "Mensaje de error cuando falta el tipo de script para firmar" - }, - "ledgerErrorMissingAddress": "Se requiere dirección para verificación", - "@ledgerErrorMissingAddress": { - "description": "Mensaje de error cuando falta la dirección para verificación" - }, - "ledgerErrorMissingDerivationPathVerify": "Se requiere ruta de derivación para verificación", - "@ledgerErrorMissingDerivationPathVerify": { - "description": "Mensaje de error cuando falta la ruta de derivación para verificación" - }, - "ledgerErrorMissingScriptTypeVerify": "Se requiere tipo de script para verificación", - "@ledgerErrorMissingScriptTypeVerify": { - "description": "Mensaje de error cuando falta el tipo de script para verificación" - }, - "ledgerButtonTryAgain": "Intentar Nuevamente", - "@ledgerButtonTryAgain": { - "description": "Etiqueta del botón para reintentar una operación de Ledger fallida" - }, - "ledgerButtonManagePermissions": "Administrar Permisos de la Aplicación", - "@ledgerButtonManagePermissions": { - "description": "Etiqueta del botón para abrir la configuración de permisos de la aplicación" - }, - "ledgerButtonNeedHelp": "¿Necesita Ayuda?", - "@ledgerButtonNeedHelp": { - "description": "Etiqueta del botón para mostrar las instrucciones de ayuda/solución de problemas" - }, - "ledgerVerifyAddressLabel": "Dirección a verificar:", - "@ledgerVerifyAddressLabel": { - "description": "Etiqueta para la dirección que se está verificando en Ledger" - }, - "ledgerWalletTypeLabel": "Tipo de Cartera:", - "@ledgerWalletTypeLabel": { - "description": "Etiqueta para la selección de tipo de cartera/script" - }, - "ledgerWalletTypeSegwit": "Segwit (BIP84)", - "@ledgerWalletTypeSegwit": { - "description": "Nombre para mostrar del tipo de cartera Segwit (BIP84)" - }, - "ledgerWalletTypeSegwitDescription": "Native SegWit - Recomendado", - "@ledgerWalletTypeSegwitDescription": { - "description": "Descripción para el tipo de cartera Segwit" - }, - "ledgerWalletTypeNestedSegwit": "Nested Segwit (BIP49)", - "@ledgerWalletTypeNestedSegwit": { - "description": "Nombre para mostrar del tipo de cartera Nested Segwit (BIP49)" - }, - "ledgerWalletTypeNestedSegwitDescription": "P2WPKH-nested-in-P2SH", - "@ledgerWalletTypeNestedSegwitDescription": { - "description": "Descripción técnica para el tipo de cartera Nested Segwit" - }, - "ledgerWalletTypeLegacy": "Legacy (BIP44)", - "@ledgerWalletTypeLegacy": { - "description": "Nombre para mostrar del tipo de cartera Legacy (BIP44)" - }, - "ledgerWalletTypeLegacyDescription": "P2PKH - Formato antiguo", - "@ledgerWalletTypeLegacyDescription": { - "description": "Descripción para el tipo de cartera Legacy" - }, - "ledgerWalletTypeSelectTitle": "Seleccionar Tipo de Cartera", - "@ledgerWalletTypeSelectTitle": { - "description": "Título para el modal de selección de tipo de cartera" - }, - "ledgerSuccessAddressVerified": "¡Dirección verificada exitosamente!", - "@ledgerSuccessAddressVerified": { - "description": "Mensaje de notificación de éxito después de la verificación de dirección" - }, - "ledgerHelpTitle": "Solución de Problemas de Ledger", - "@ledgerHelpTitle": { - "description": "Título para el modal de ayuda de solución de problemas de Ledger" - }, - "ledgerHelpSubtitle": "Primero, asegúrese de que su dispositivo Ledger esté desbloqueado y que la aplicación Bitcoin esté abierta. Si su dispositivo aún no se conecta con la aplicación, intente lo siguiente:", - "@ledgerHelpSubtitle": { - "description": "Subtítulo/introducción para la ayuda de solución de problemas de Ledger" - }, - "ledgerHelpStep1": "Reinicie su dispositivo Ledger.", - "@ledgerHelpStep1": { - "description": "Primer paso de solución de problemas para problemas de conexión de Ledger" - }, - "ledgerHelpStep2": "Asegúrese de que su teléfono tenga Bluetooth activado y permitido.", - "@ledgerHelpStep2": { - "description": "Segundo paso de solución de problemas para problemas de conexión de Ledger" - }, - "ledgerHelpStep3": "Asegúrese de que su Ledger tenga Bluetooth activado.", - "@ledgerHelpStep3": { - "description": "Tercer paso de solución de problemas para problemas de conexión de Ledger" - }, - "ledgerHelpStep4": "Asegúrese de haber instalado la última versión de la aplicación Bitcoin desde Ledger Live.", - "@ledgerHelpStep4": { - "description": "Cuarto paso de solución de problemas para problemas de conexión de Ledger" - }, - "ledgerHelpStep5": "Asegúrese de que su dispositivo Ledger esté usando el firmware más reciente, puede actualizar el firmware usando la aplicación Ledger Live para escritorio.", - "@ledgerHelpStep5": { - "description": "Quinto paso de solución de problemas para problemas de conexión de Ledger" - }, - "ledgerDefaultWalletLabel": "Cartera Ledger", - "@ledgerDefaultWalletLabel": { - "description": "Etiqueta predeterminada para la cartera Ledger importada" - }, - "exchangeBrandName": "BULL BITCOIN", - "@exchangeBrandName": { - "description": "The Bull Bitcoin brand name displayed on exchange screens" - }, - "exchangeLandingConnectAccount": "Conecta tu cuenta de intercambio Bull Bitcoin", - "@exchangeLandingConnectAccount": { - "description": "Subtitle text on the exchange landing screen encouraging users to connect" - }, - "exchangeLandingRecommendedExchange": "Intercambio de Bitcoin recomendado", - "@exchangeLandingRecommendedExchange": { - "description": "Subtitle on landing screen v2 describing Bull Bitcoin as recommended" - }, - "exchangeFeatureSelfCustody": "• Compra Bitcoin directamente en autocustodia", - "@exchangeFeatureSelfCustody": { - "description": "Feature bullet point describing self-custody Bitcoin purchases" - }, - "exchangeFeatureDcaOrders": "• DCA, órdenes limitadas y compra automática", - "@exchangeFeatureDcaOrders": { - "description": "Feature bullet point describing DCA and automated buying features" - }, - "exchangeFeatureSellBitcoin": "• Vende Bitcoin, recibe pagos en Bitcoin", - "@exchangeFeatureSellBitcoin": { - "description": "Feature bullet point describing selling Bitcoin functionality" - }, - "exchangeFeatureBankTransfers": "• Envía transferencias bancarias y paga facturas", - "@exchangeFeatureBankTransfers": { - "description": "Feature bullet point describing bank transfer and bill payment features" - }, - "exchangeFeatureCustomerSupport": "• Chatea con el soporte al cliente", - "@exchangeFeatureCustomerSupport": { - "description": "Feature bullet point describing customer support chat feature" - }, - "exchangeFeatureUnifiedHistory": "• Historial de transacciones unificado", - "@exchangeFeatureUnifiedHistory": { - "description": "Feature bullet point describing unified transaction history feature" - }, - "priceChartFetchingHistory": "Obteniendo historial de precios...", - "@priceChartFetchingHistory": { - "description": "Message shown while fetching price history when no local data is available" - }, - "exchangeLandingDisclaimerLegal": "El acceso a los servicios de intercambio estará restringido a países donde Bull Bitcoin pueda operar legalmente y puede requerir KYC.", - "@exchangeLandingDisclaimerLegal": { - "description": "Legal disclaimer about exchange service availability and KYC requirements" - }, - "exchangeLandingDisclaimerNotAvailable": "Los servicios de intercambio de criptomonedas no están disponibles en la aplicación móvil de Bull Bitcoin.", - "@exchangeLandingDisclaimerNotAvailable": { - "description": "Disclaimer informing users that exchange services are not available in the mobile app" - }, - "exchangeLoginButton": "Iniciar sesión o registrarse", - "@exchangeLoginButton": { - "description": "Button label for logging in or signing up to the exchange" - }, - "exchangeGoToWebsiteButton": "Ir al sitio web del intercambio Bull Bitcoin", - "@exchangeGoToWebsiteButton": { - "description": "Button label for navigating to the Bull Bitcoin exchange website" - }, - "exchangeAuthLoginFailedTitle": "Error de inicio de sesión", - "@exchangeAuthLoginFailedTitle": { - "description": "Title of the dialog shown when exchange login fails" - }, - "exchangeAuthLoginFailedMessage": "Ocurrió un error, por favor intenta iniciar sesión nuevamente.", - "@exchangeAuthLoginFailedMessage": { - "description": "Message shown when exchange login fails" - }, - "exchangeAuthLoginFailedOkButton": "OK", - "@exchangeAuthLoginFailedOkButton": { - "description": "OK button label in the login failed dialog" - }, - "exchangeHomeDepositButton": "Depositar", - "@exchangeHomeDepositButton": { - "description": "Button label for depositing funds to the exchange" - }, - "exchangeHomeWithdrawButton": "Retirar", - "@exchangeHomeWithdrawButton": { - "description": "Button label for withdrawing funds from the exchange" - }, - "exchangeSupportChatTitle": "Chat de Soporte", - "@exchangeSupportChatTitle": { - "description": "Title for the support chat screen" - }, - "exchangeSupportChatEmptyState": "Aún no hay mensajes. ¡Inicia una conversación!", - "@exchangeSupportChatEmptyState": { - "description": "Message shown when there are no chat messages" - }, - "exchangeSupportChatInputHint": "Escribe un mensaje...", - "@exchangeSupportChatInputHint": { - "description": "Placeholder text for the message input field" - }, - "exchangeSupportChatMessageRequired": "Se requiere un mensaje", - "@exchangeSupportChatMessageRequired": { - "description": "Placeholder text when attachments are present but no message text" - }, - "exchangeSupportChatMessageEmptyError": "El mensaje no puede estar vacío", - "@exchangeSupportChatMessageEmptyError": { - "description": "Error message when trying to send an empty message" - }, - "exchangeSupportChatYesterday": "Ayer", - "@exchangeSupportChatYesterday": { - "description": "Label for yesterday in date formatting" - }, - "exchangeSupportChatWalletIssuesInfo": "Este chat es solo para problemas relacionados con el intercambio en Funding/Compra/Venta/Retiro/Pago.\nPara problemas relacionados con la billetera, únete al grupo de Telegram haciendo clic aquí.", - "@exchangeSupportChatWalletIssuesInfo": { - "description": "Info message about wallet issues and telegram group link" - }, - "exchangeDcaUnableToGetConfig": "No se puede obtener la configuración de DCA", - "@exchangeDcaUnableToGetConfig": { - "description": "Error message when DCA configuration cannot be retrieved" - }, - "exchangeDcaDeactivateTitle": "Desactivar compra recurrente", - "@exchangeDcaDeactivateTitle": { - "description": "Title shown when DCA is active and can be deactivated" - }, - "exchangeDcaActivateTitle": "Activar compra recurrente", - "@exchangeDcaActivateTitle": { - "description": "Title shown when DCA is inactive and can be activated" - }, - "exchangeDcaHideSettings": "Ocultar configuración", - "@exchangeDcaHideSettings": { - "description": "Link text to hide DCA settings details" - }, - "exchangeDcaViewSettings": "Ver configuración", - "@exchangeDcaViewSettings": { - "description": "Link text to view DCA settings details" - }, - "exchangeDcaCancelDialogTitle": "¿Cancelar compra recurrente de Bitcoin?", - "@exchangeDcaCancelDialogTitle": { - "description": "Title of the dialog confirming DCA cancellation" - }, - "exchangeDcaCancelDialogMessage": "Tu plan de compra recurrente de Bitcoin se detendrá y las compras programadas finalizarán. Para reiniciar, deberás configurar un nuevo plan.", - "@exchangeDcaCancelDialogMessage": { - "description": "Message explaining the consequences of canceling DCA" - }, - "exchangeDcaCancelDialogCancelButton": "Cancelar", - "@exchangeDcaCancelDialogCancelButton": { - "description": "Button label to cancel the DCA cancellation dialog" - }, - "exchangeDcaCancelDialogConfirmButton": "Sí, desactivar", - "@exchangeDcaCancelDialogConfirmButton": { - "description": "Button label to confirm DCA deactivation" - }, - "exchangeDcaFrequencyHour": "hora", - "@exchangeDcaFrequencyHour": { - "description": "DCA frequency unit: hour" - }, - "exchangeDcaFrequencyDay": "día", - "@exchangeDcaFrequencyDay": { - "description": "DCA frequency unit: day" - }, - "exchangeDcaFrequencyWeek": "semana", - "@exchangeDcaFrequencyWeek": { - "description": "DCA frequency unit: week" - }, - "exchangeDcaFrequencyMonth": "mes", - "@exchangeDcaFrequencyMonth": { - "description": "DCA frequency unit: month" - }, - "exchangeDcaNetworkBitcoin": "Red Bitcoin", - "@exchangeDcaNetworkBitcoin": { - "description": "DCA network option: Bitcoin" - }, - "exchangeDcaNetworkLightning": "Red Lightning", - "@exchangeDcaNetworkLightning": { - "description": "DCA network option: Lightning" - }, - "exchangeDcaNetworkLiquid": "Red Liquid", - "@exchangeDcaNetworkLiquid": { - "description": "DCA network option: Liquid" - }, - "exchangeDcaAddressLabelBitcoin": "Dirección Bitcoin", - "@exchangeDcaAddressLabelBitcoin": { - "description": "Label for Bitcoin address in DCA settings" - }, - "exchangeDcaAddressLabelLightning": "Dirección Lightning", - "@exchangeDcaAddressLabelLightning": { - "description": "Label for Lightning address in DCA settings" - }, - "exchangeDcaAddressLabelLiquid": "Dirección Liquid", - "@exchangeDcaAddressLabelLiquid": { - "description": "Label for Liquid address in DCA settings" - }, - "exchangeDcaSummaryMessage": "Estás comprando {amount} cada {frequency} a través de {network} mientras haya fondos en tu cuenta.", - "@exchangeDcaSummaryMessage": { - "description": "Summary message describing the DCA configuration", - "placeholders": { - "amount": { - "type": "String", - "description": "The amount being purchased (e.g., '$100 CAD')" - }, - "frequency": { - "type": "String" - }, - "network": { - "type": "String" - } - } - }, - "exchangeDcaAddressDisplay": "{addressLabel}: {address}", - "@exchangeDcaAddressDisplay": { - "description": "Format for displaying address label and address", - "placeholders": { - "addressLabel": { - "type": "String", - "description": "The address label (e.g., 'Bitcoin address')" - }, - "address": { - "type": "String", - "description": "The actual address" - } - } - }, - "exchangeCurrencyDropdownTitle": "Seleccionar moneda", - "@exchangeCurrencyDropdownTitle": { - "description": "Title for the currency selection dropdown" - }, - "exchangeCurrencyDropdownValidation": "Por favor selecciona una moneda", - "@exchangeCurrencyDropdownValidation": { - "description": "Validation message when no currency is selected" - }, - "exchangeKycLevelLight": "Ligera", - "@exchangeKycLevelLight": { - "description": "KYC verification level: Light" - }, - "exchangeKycLevelLimited": "Limitada", - "@exchangeKycLevelLimited": { - "description": "KYC verification level: Limited" - }, - "exchangeKycCardTitle": "Completa tu verificación KYC", - "@exchangeKycCardTitle": { - "description": "Title of the KYC completion card" - }, - "exchangeKycCardSubtitle": "Para eliminar los límites de transacción", - "@exchangeKycCardSubtitle": { - "description": "Subtitle explaining why to complete KYC" - }, - "exchangeAmountInputTitle": "Ingresar monto", - "@exchangeAmountInputTitle": { - "description": "Title for the amount input field" - }, - "exchangeAmountInputValidationEmpty": "Por favor ingresa un monto", - "@exchangeAmountInputValidationEmpty": { - "description": "Validation message when amount field is empty" - }, - "exchangeAmountInputValidationInvalid": "Monto inválido", - "@exchangeAmountInputValidationInvalid": { - "description": "Validation message when amount is invalid" - }, - "exchangeAmountInputValidationZero": "El monto debe ser mayor que cero", - "@exchangeAmountInputValidationZero": { - "description": "Validation message when amount is zero or negative" - }, - "exchangeAmountInputValidationInsufficient": "Saldo insuficiente", - "@exchangeAmountInputValidationInsufficient": { - "description": "Validation message when amount exceeds available balance" - }, - "sellBitcoinPriceLabel": "Precio de Bitcoin", - "@sellBitcoinPriceLabel": { - "description": "Label for Bitcoin price display" - }, - "sellViewDetailsButton": "Ver detalles", - "@sellViewDetailsButton": { - "description": "Button text to view order details" - }, - "sellKycPendingTitle": "Verificación KYC pendiente", - "@sellKycPendingTitle": { - "description": "Title shown when KYC verification is pending" - }, - "sellKycPendingDescription": "Debes completar la verificación de identidad primero", - "@sellKycPendingDescription": { - "description": "Description explaining user must complete KYC before proceeding" - }, - "sellErrorPrepareTransaction": "Error al preparar la transacción: {error}", - "@sellErrorPrepareTransaction": { - "description": "Error message when transaction preparation fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "sellErrorNoWalletSelected": "No se seleccionó ninguna billetera para enviar el pago", - "@sellErrorNoWalletSelected": { - "description": "Error message when no wallet is selected for payment" - }, - "sellErrorFeesNotCalculated": "Tarifas de transacción no calculadas. Por favor, inténtalo de nuevo.", - "@sellErrorFeesNotCalculated": { - "description": "Error message when transaction fees calculation failed" - }, - "sellErrorUnexpectedOrderType": "Se esperaba SellOrder pero se recibió un tipo de orden diferente", - "@sellErrorUnexpectedOrderType": { - "description": "Error message when wrong order type is received" - }, - "sellErrorLoadUtxos": "Error al cargar UTXOs: {error}", - "@sellErrorLoadUtxos": { - "description": "Error message when loading UTXOs fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "sellErrorRecalculateFees": "Error al recalcular tarifas: {error}", - "@sellErrorRecalculateFees": { - "description": "Error message when fee recalculation fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "sellLoadingGeneric": "Cargando...", - "@sellLoadingGeneric": { - "description": "Generic loading message" - }, - "allSeedViewTitle": "Visualizador de Semillas", - "@allSeedViewTitle": { - "description": "Title for the seed viewer screen" - }, - "allSeedViewLoadingMessage": "Esto puede tardar un tiempo en cargar si tiene muchas semillas en este dispositivo.", - "@allSeedViewLoadingMessage": { - "description": "Loading message shown while fetching seeds" - }, - "allSeedViewNoSeedsFound": "No se encontraron semillas.", - "@allSeedViewNoSeedsFound": { - "description": "Message shown when no seeds are found" - }, - "allSeedViewShowSeedsButton": "Mostrar Semillas", - "@allSeedViewShowSeedsButton": { - "description": "Button label to show seed phrases" - }, - "allSeedViewExistingWallets": "Billeteras Existentes ({count})", - "@allSeedViewExistingWallets": { - "description": "Section header for existing wallets with count", - "placeholders": { - "count": { - "type": "int", - "format": "decimalPattern" - } - } - }, - "allSeedViewOldWallets": "Billeteras Antiguas ({count})", - "@allSeedViewOldWallets": { - "description": "Section header for old wallets with count", - "placeholders": { - "count": { - "type": "int", - "format": "decimalPattern" - } - } - }, - "allSeedViewSecurityWarningTitle": "Advertencia de Seguridad", - "@allSeedViewSecurityWarningTitle": { - "description": "Title for security warning dialog" - }, - "allSeedViewSecurityWarningMessage": "Mostrar frases de recuperación es un riesgo de seguridad. Cualquiera que vea su frase de recuperación puede acceder a sus fondos. Asegúrese de estar en un lugar privado y de que nadie pueda ver su pantalla.", - "@allSeedViewSecurityWarningMessage": { - "description": "Security warning message about displaying seed phrases" - }, - "allSeedViewIUnderstandButton": "Entiendo", - "@allSeedViewIUnderstandButton": { - "description": "Button label to acknowledge security warning" - }, - "allSeedViewDeleteWarningTitle": "¡ADVERTENCIA!", - "@allSeedViewDeleteWarningTitle": { - "description": "Title for delete seed warning dialog" - }, - "allSeedViewDeleteWarningMessage": "Eliminar la semilla es una acción irreversible. Solo haga esto si tiene copias de seguridad seguras de esta semilla o si las billeteras asociadas han sido completamente vaciadas.", - "@allSeedViewDeleteWarningMessage": { - "description": "Warning message about deleting a seed" - }, - "allSeedViewPassphraseLabel": "Frase de contraseña:", - "@allSeedViewPassphraseLabel": { - "description": "Label for passphrase display" - }, - "cancel": "Cancelar", - "@cancel": { - "description": "Generic cancel button label" - }, - "delete": "Eliminar", - "@delete": { - "description": "Generic delete button label" - }, - "statusCheckTitle": "Estado de Servicios", - "@statusCheckTitle": { - "description": "Title for the service status screen" - }, - "statusCheckLastChecked": "Última verificación: {time}", - "@statusCheckLastChecked": { - "description": "Label showing when services were last checked", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "statusCheckOnline": "En línea", - "@statusCheckOnline": { - "description": "Status text when a service is online" - }, - "statusCheckOffline": "Fuera de línea", - "@statusCheckOffline": { - "description": "Status text when a service is offline" - }, - "statusCheckUnknown": "Desconocido", - "@statusCheckUnknown": { - "description": "Status text when service status is unknown" - }, - "torSettingsTitle": "Configuración de Tor", - "@torSettingsTitle": { - "description": "AppBar title for the Tor settings screen" - }, - "torSettingsEnableProxy": "Habilitar proxy Tor", - "@torSettingsEnableProxy": { - "description": "Label for the toggle to enable/disable Tor proxy" - }, - "torSettingsProxyPort": "Puerto del proxy Tor", - "@torSettingsProxyPort": { - "description": "Title for Tor proxy port settings" - }, - "torSettingsPortDisplay": "Puerto: {port}", - "@torSettingsPortDisplay": { - "description": "Display text showing current port number", - "placeholders": { - "port": { - "type": "int" - } - } - }, - "torSettingsPortNumber": "Número de puerto", - "@torSettingsPortNumber": { - "description": "Label for port number input field" - }, - "torSettingsPortHint": "9050", - "@torSettingsPortHint": { - "description": "Hint text for port input showing default value" - }, - "torSettingsPortHelper": "Puerto Orbot predeterminado: 9050", - "@torSettingsPortHelper": { - "description": "Helper text explaining default Orbot port" - }, - "torSettingsPortValidationEmpty": "Por favor ingrese un número de puerto", - "@torSettingsPortValidationEmpty": { - "description": "Validation error when port is empty" - }, - "torSettingsPortValidationInvalid": "Por favor ingrese un número válido", - "@torSettingsPortValidationInvalid": { - "description": "Validation error when port is not a valid number" - }, - "torSettingsPortValidationRange": "El puerto debe estar entre 1 y 65535", - "@torSettingsPortValidationRange": { - "description": "Validation error when port is out of valid range" - }, - "torSettingsSaveButton": "Guardar", - "@torSettingsSaveButton": { - "description": "Save button label for Tor port settings" - }, - "torSettingsConnectionStatus": "Estado de conexión", - "@torSettingsConnectionStatus": { - "description": "Title for connection status card" - }, - "torSettingsStatusConnected": "Conectado", - "@torSettingsStatusConnected": { - "description": "Status title when Tor is connected" - }, - "torSettingsStatusConnecting": "Conectando...", - "@torSettingsStatusConnecting": { - "description": "Status title when Tor is connecting" - }, - "torSettingsStatusDisconnected": "Desconectado", - "@torSettingsStatusDisconnected": { - "description": "Status title when Tor is disconnected" - }, - "torSettingsStatusUnknown": "Estado desconocido", - "@torSettingsStatusUnknown": { - "description": "Status title when Tor status is unknown" - }, - "torSettingsDescConnected": "El proxy Tor está activo y listo", - "@torSettingsDescConnected": { - "description": "Description when Tor is connected" - }, - "torSettingsDescConnecting": "Estableciendo conexión Tor", - "@torSettingsDescConnecting": { - "description": "Description when Tor is connecting" - }, - "torSettingsDescDisconnected": "El proxy Tor no está activo", - "@torSettingsDescDisconnected": { - "description": "Description when Tor is disconnected" - }, - "torSettingsDescUnknown": "No se puede determinar el estado de Tor. Asegúrese de que Orbot esté instalado y en ejecución.", - "@torSettingsDescUnknown": { - "description": "Description when Tor status is unknown" - }, - "torSettingsInfoTitle": "Información importante", - "@torSettingsInfoTitle": { - "description": "Title for the Tor information card" - }, - "torSettingsInfoDescription": "• El proxy Tor solo aplica a Bitcoin (no Liquid)\n• El puerto Orbot predeterminado es 9050\n• Asegúrese de que Orbot esté ejecutándose antes de habilitar\n• La conexión puede ser más lenta a través de Tor", - "@torSettingsInfoDescription": { - "description": "Information about Tor proxy usage" - }, - "withdrawSuccessTitle": "Retiro iniciado", - "@withdrawSuccessTitle": { - "description": "Title shown when withdrawal is successfully initiated" - }, - "withdrawSuccessOrderDetails": "Detalles del pedido", - "@withdrawSuccessOrderDetails": { - "description": "Button label to view order details after withdrawal" - }, - "withdrawConfirmBankAccount": "Cuenta bancaria", - "@withdrawConfirmBankAccount": { - "description": "Default label for bank account in confirmation screen" - }, - "withdrawOwnershipQuestion": "¿A quién pertenece esta cuenta?", - "@withdrawOwnershipQuestion": { - "description": "Question asking about account ownership" - }, - "withdrawOwnershipMyAccount": "Es mi cuenta", - "@withdrawOwnershipMyAccount": { - "description": "Option indicating the account belongs to the user" - }, - "withdrawOwnershipOtherAccount": "Es la cuenta de otra persona", - "@withdrawOwnershipOtherAccount": { - "description": "Option indicating the account belongs to someone else" - }, - "walletAutoTransferBlockedTitle": "Transferencia automática bloqueada", - "@walletAutoTransferBlockedTitle": { - "description": "Title for auto-swap fee warning when fees exceed threshold" - }, - "walletAutoTransferBlockedMessage": "Intentando transferir {amount} BTC. La comisión actual es {currentFee}% del monto de la transferencia y el umbral de comisión está fijado en {thresholdFee}%", - "@walletAutoTransferBlockedMessage": { - "description": "Message explaining why auto-transfer was blocked", - "placeholders": { - "amount": { - "type": "String" - }, - "currentFee": { - "type": "String" - }, - "thresholdFee": { - "type": "String" - } - } - }, - "walletAutoTransferBlockButton": "Bloquear", - "@walletAutoTransferBlockButton": { - "description": "Button to block auto-transfer until next execution" - }, - "walletAutoTransferAllowButton": "Permitir", - "@walletAutoTransferAllowButton": { - "description": "Button to allow auto-transfer despite high fees" - }, - "navigationTabWallet": "Billetera", - "@navigationTabWallet": { - "description": "Label for the Wallet tab in bottom navigation" - }, - "navigationTabExchange": "Intercambio", - "@navigationTabExchange": { - "description": "Label for the Exchange tab in bottom navigation" - }, - "buyUnauthenticatedError": "No está autenticado. Por favor, inicie sesión para continuar.", - "@buyUnauthenticatedError": { - "description": "Error message for unauthenticated user during buy" - }, - "buyBelowMinAmountError": "Está intentando comprar por debajo del monto mínimo.", - "@buyBelowMinAmountError": { - "description": "Error message for amount below minimum during buy" - }, - "buyAboveMaxAmountError": "Está intentando comprar por encima del monto máximo.", - "@buyAboveMaxAmountError": { - "description": "Error message for amount above maximum during buy" - }, - "buyInsufficientFundsError": "Fondos insuficientes en su cuenta Bull Bitcoin para completar esta compra.", - "@buyInsufficientFundsError": { - "description": "Error message for insufficient funds during buy" - }, - "buyOrderNotFoundError": "No se encontró la orden de compra. Por favor, inténtelo de nuevo.", - "@buyOrderNotFoundError": { - "description": "Error message for order not found during buy" - }, - "buyOrderAlreadyConfirmedError": "Esta orden de compra ya ha sido confirmada.", - "@buyOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed buy order" - }, - "withdrawUnauthenticatedError": "No está autenticado. Por favor, inicie sesión para continuar.", - "@withdrawUnauthenticatedError": { - "description": "Error message for unauthenticated user during withdraw" - }, - "withdrawBelowMinAmountError": "Está intentando retirar por debajo del monto mínimo.", - "@withdrawBelowMinAmountError": { - "description": "Error message for amount below minimum during withdraw" - }, - "withdrawAboveMaxAmountError": "Está intentando retirar por encima del monto máximo.", - "@withdrawAboveMaxAmountError": { - "description": "Error message for amount above maximum during withdraw" - }, - "withdrawOrderNotFoundError": "No se encontró la orden de retiro. Por favor, inténtelo de nuevo.", - "@withdrawOrderNotFoundError": { - "description": "Error message for order not found during withdraw" - }, - "withdrawOrderAlreadyConfirmedError": "Esta orden de retiro ya ha sido confirmada.", - "@withdrawOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed withdrawal order" - }, - "coreScreensPageNotFound": "Página no encontrada", - "@coreScreensPageNotFound": { - "description": "Error message shown when a page/route is not found" - }, - "coreScreensLogsTitle": "Registros", - "@coreScreensLogsTitle": { - "description": "AppBar title for logs viewer screen" - }, - "coreScreensConfirmSend": "Confirmar envío", - "@coreScreensConfirmSend": { - "description": "Title for confirm send action" - }, - "coreScreensExternalTransfer": "Transferencia externa", - "@coreScreensExternalTransfer": { - "description": "Title for external transfer action" - }, - "coreScreensInternalTransfer": "Transferencia interna", - "@coreScreensInternalTransfer": { - "description": "Title for internal transfer action" - }, - "coreScreensConfirmTransfer": "Confirmar transferencia", - "@coreScreensConfirmTransfer": { - "description": "Title for confirm transfer action" - }, - "coreScreensFromLabel": "De", - "@coreScreensFromLabel": { - "description": "Label for source/sender field" - }, - "coreScreensToLabel": "A", - "@coreScreensToLabel": { - "description": "Label for destination/receiver field" - }, - "coreScreensAmountLabel": "Monto", - "@coreScreensAmountLabel": { - "description": "Label for amount field" - }, - "coreScreensNetworkFeesLabel": "Tarifas de red", - "@coreScreensNetworkFeesLabel": { - "description": "Label for network fees field" - }, - "coreScreensFeePriorityLabel": "Prioridad de tarifa", - "@coreScreensFeePriorityLabel": { - "description": "Label for fee priority field" - }, - "coreScreensTransferIdLabel": "ID de transferencia", - "@coreScreensTransferIdLabel": { - "description": "Label for transfer ID field" - }, - "coreScreensTotalFeesLabel": "Tarifas totales", - "@coreScreensTotalFeesLabel": { - "description": "Label for total fees field" - }, - "coreScreensTransferFeeLabel": "Tarifa de transferencia", - "@coreScreensTransferFeeLabel": { - "description": "Label for transfer fee field" - }, - "coreScreensFeeDeductionExplanation": "Este es el total de tarifas deducidas del monto enviado", - "@coreScreensFeeDeductionExplanation": { - "description": "Explanation text for fee deduction" - }, - "coreScreensReceiveNetworkFeeLabel": "Tarifa de red de recepción", - "@coreScreensReceiveNetworkFeeLabel": { - "description": "Label for receive network fee field" - }, - "coreScreensServerNetworkFeesLabel": "Tarifas de red del servidor", - "@coreScreensServerNetworkFeesLabel": { - "description": "Label for server network fees field" - }, - "coreScreensSendAmountLabel": "Monto a enviar", - "@coreScreensSendAmountLabel": { - "description": "Label for send amount field" - }, - "coreScreensReceiveAmountLabel": "Monto a recibir", - "@coreScreensReceiveAmountLabel": { - "description": "Label for receive amount field" - }, - "coreScreensSendNetworkFeeLabel": "Tarifa de red de envío", - "@coreScreensSendNetworkFeeLabel": { - "description": "Label for send network fee field" - }, - "coreScreensConfirmButton": "Confirmar", - "@coreScreensConfirmButton": { - "description": "Text for confirm button" - }, - "recoverbullErrorRejected": "Rechazado por el servidor de claves", - "@recoverbullErrorRejected": { - "description": "Error message when request is rejected by the key server" - }, - "recoverbullErrorServiceUnavailable": "Servicio no disponible. Por favor, verifica tu conexión.", - "@recoverbullErrorServiceUnavailable": { - "description": "Error message when key server service is unavailable" - }, - "recoverbullErrorInvalidVaultFile": "Archivo de bóveda inválido.", - "@recoverbullErrorInvalidVaultFile": { - "description": "Error message when vault file format is invalid" - }, - "systemLabelSwaps": "Swaps", - "@systemLabelSwaps": { - "description": "System label for swap transactions" - }, - "systemLabelAutoSwap": "Auto Swap", - "@systemLabelAutoSwap": { - "description": "System label for automatic swap transactions" - }, - "systemLabelPayjoin": "Payjoin", - "@systemLabelPayjoin": { - "description": "System label for payjoin transactions" - }, - "systemLabelSelfSpend": "Auto Gasto", - "@systemLabelSelfSpend": { - "description": "System label for self-spend transactions" - }, - "systemLabelExchangeBuy": "Comprar", - "@systemLabelExchangeBuy": { - "description": "System label for exchange buy transactions" - }, - "systemLabelExchangeSell": "Vender", - "@systemLabelExchangeSell": { - "description": "System label for exchange sell transactions" - }, - "labelErrorNotFound": "Etiqueta \"{label}\" no encontrada.", - "@labelErrorNotFound": { - "description": "Error message when a label is not found", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "labelErrorUnsupportedType": "Este tipo {type} no es compatible", - "@labelErrorUnsupportedType": { - "description": "Error message when label type is not supported", - "placeholders": { - "type": { - "type": "String" - } - } - }, - "labelErrorUnexpected": "Error inesperado: {message}", - "@labelErrorUnexpected": { - "description": "Error message for unexpected label errors", - "placeholders": { - "message": { - "type": "String" - } - } - }, - "labelErrorSystemCannotDelete": "Las etiquetas del sistema no se pueden eliminar.", - "@labelErrorSystemCannotDelete": { - "description": "Error message when trying to delete a system label" - }, - "labelDeleteFailed": "No se puede eliminar \"{label}\". Por favor, inténtalo de nuevo.", - "@labelDeleteFailed": { - "description": "Error message when label deletion fails", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "bitcoinSettingsMempoolServerTitle": "Configuración del servidor Mempool", - "@bitcoinSettingsMempoolServerTitle": { - "description": "Title for the Mempool server settings section in Bitcoin settings" - }, + "@@locale": "es", + "translationWarningTitle": "Traducciones generadas por IA", + "translationWarningDescription": "La mayoría de las traducciones en esta aplicación fueron generadas usando IA y pueden contener inexactitudes. Si notas algún error o deseas ayudar a mejorar las traducciones, puedes contribuir a través de nuestra plataforma de traducción comunitaria.", + "translationWarningContributeButton": "Ayudar a mejorar traducciones", + "translationWarningDismissButton": "Entendido", + "durationSeconds": "{seconds} segundos", + "@durationSeconds": { + "placeholders": { + "seconds": { + "type": "String" + } + } + }, "durationMinute": "{minutes} minuto", "@durationMinute": { - "description": "Duration format for singular minute", "placeholders": { "minutes": { "type": "String" @@ -12186,7 +22,6 @@ }, "durationMinutes": "{minutes} minutos", "@durationMinutes": { - "description": "Duration format for plural minutes", "placeholders": { "minutes": { "type": "String" @@ -12194,240 +29,65 @@ } }, "coreSwapsStatusPending": "Pendiente", - "@coreSwapsStatusPending": { - "description": "Display name for pending swap status" - }, "coreSwapsStatusInProgress": "En progreso", - "@coreSwapsStatusInProgress": { - "description": "Display name for in-progress swap status (paid, claimable, refundable, canCoop)" - }, "coreSwapsStatusCompleted": "Completado", - "@coreSwapsStatusCompleted": { - "description": "Display name for completed swap status" - }, "coreSwapsStatusExpired": "Expirado", - "@coreSwapsStatusExpired": { - "description": "Display name for expired swap status" - }, "coreSwapsStatusFailed": "Fallido", - "@coreSwapsStatusFailed": { - "description": "Display name for failed swap status" - }, "coreSwapsActionClaim": "Reclamar", - "@coreSwapsActionClaim": { - "description": "Action label for claiming a swap" - }, "coreSwapsActionClose": "Cerrar", - "@coreSwapsActionClose": { - "description": "Action label for closing a swap cooperatively" - }, "coreSwapsActionRefund": "Reembolsar", - "@coreSwapsActionRefund": { - "description": "Action label for refunding a swap" - }, "coreSwapsLnReceivePending": "El intercambio aún no está inicializado.", - "@coreSwapsLnReceivePending": { - "description": "Status message for pending Lightning receive swap" - }, "coreSwapsLnReceivePaid": "El remitente ha pagado la factura.", - "@coreSwapsLnReceivePaid": { - "description": "Status message for paid Lightning receive swap" - }, "coreSwapsLnReceiveClaimable": "El intercambio está listo para ser reclamado.", - "@coreSwapsLnReceiveClaimable": { - "description": "Status message for claimable Lightning receive swap" - }, "coreSwapsLnReceiveRefundable": "El intercambio está listo para ser reembolsado.", - "@coreSwapsLnReceiveRefundable": { - "description": "Status message for refundable Lightning receive swap" - }, "coreSwapsLnReceiveCanCoop": "El intercambio se completará en breve.", - "@coreSwapsLnReceiveCanCoop": { - "description": "Status message for Lightning receive swap that can complete cooperatively" - }, "coreSwapsLnReceiveCompleted": "El intercambio está completado.", - "@coreSwapsLnReceiveCompleted": { - "description": "Status message for completed Lightning receive swap" - }, "coreSwapsLnReceiveExpired": "Intercambio expirado.", - "@coreSwapsLnReceiveExpired": { - "description": "Status message for expired Lightning receive swap" - }, "coreSwapsLnReceiveFailed": "Intercambio fallido.", - "@coreSwapsLnReceiveFailed": { - "description": "Status message for failed Lightning receive swap" - }, "coreSwapsLnSendPending": "El intercambio aún no está inicializado.", - "@coreSwapsLnSendPending": { - "description": "Status message for pending Lightning send swap" - }, "coreSwapsLnSendPaid": "La factura se pagará después de que su pago reciba confirmación.", - "@coreSwapsLnSendPaid": { - "description": "Status message for paid Lightning send swap" - }, "coreSwapsLnSendClaimable": "El intercambio está listo para ser reclamado.", - "@coreSwapsLnSendClaimable": { - "description": "Status message for claimable Lightning send swap" - }, "coreSwapsLnSendRefundable": "El intercambio está listo para ser reembolsado.", - "@coreSwapsLnSendRefundable": { - "description": "Status message for refundable Lightning send swap" - }, "coreSwapsLnSendCanCoop": "El intercambio se completará en breve.", - "@coreSwapsLnSendCanCoop": { - "description": "Status message for Lightning send swap that can complete cooperatively" - }, "coreSwapsLnSendCompletedRefunded": "El intercambio ha sido reembolsado.", - "@coreSwapsLnSendCompletedRefunded": { - "description": "Status message for Lightning send swap completed via refund" - }, "coreSwapsLnSendCompletedSuccess": "El intercambio se ha completado con éxito.", - "@coreSwapsLnSendCompletedSuccess": { - "description": "Status message for successfully completed Lightning send swap" - }, "coreSwapsLnSendExpired": "Intercambio expirado", - "@coreSwapsLnSendExpired": { - "description": "Status message for expired Lightning send swap" - }, "coreSwapsLnSendFailedRefunding": "El intercambio será reembolsado en breve.", - "@coreSwapsLnSendFailedRefunding": { - "description": "Status message for failed Lightning send swap that will be refunded" - }, "coreSwapsLnSendFailed": "Intercambio fallido.", - "@coreSwapsLnSendFailed": { - "description": "Status message for failed Lightning send swap" - }, "coreSwapsChainPending": "La transferencia aún no está inicializada.", - "@coreSwapsChainPending": { - "description": "Status message for pending chain swap" - }, "coreSwapsChainPaid": "Esperando confirmación del pago del proveedor de transferencia. Esto puede tardar un tiempo en completarse.", - "@coreSwapsChainPaid": { - "description": "Status message for paid chain swap" - }, "coreSwapsChainClaimable": "La transferencia está lista para ser reclamada.", - "@coreSwapsChainClaimable": { - "description": "Status message for claimable chain swap" - }, "coreSwapsChainRefundable": "La transferencia está lista para ser reembolsada.", - "@coreSwapsChainRefundable": { - "description": "Status message for refundable chain swap" - }, "coreSwapsChainCanCoop": "La transferencia se completará en breve.", - "@coreSwapsChainCanCoop": { - "description": "Status message for chain swap that can complete cooperatively" - }, "coreSwapsChainCompletedRefunded": "La transferencia ha sido reembolsada.", - "@coreSwapsChainCompletedRefunded": { - "description": "Status message for chain swap completed via refund" - }, "coreSwapsChainCompletedSuccess": "La transferencia se ha completado con éxito.", - "@coreSwapsChainCompletedSuccess": { - "description": "Status message for successfully completed chain swap" - }, "coreSwapsChainExpired": "Transferencia expirada", - "@coreSwapsChainExpired": { - "description": "Status message for expired chain swap" - }, "coreSwapsChainFailedRefunding": "La transferencia será reembolsada en breve.", - "@coreSwapsChainFailedRefunding": { - "description": "Status message for failed chain swap that will be refunded" - }, "coreSwapsChainFailed": "Transferencia fallida.", - "@coreSwapsChainFailed": { - "description": "Status message for failed chain swap" - }, "coreWalletTransactionStatusPending": "Pendiente", - "@coreWalletTransactionStatusPending": { - "description": "Display name for pending wallet transaction status" - }, "coreWalletTransactionStatusConfirmed": "Confirmado", - "@coreWalletTransactionStatusConfirmed": { - "description": "Display name for confirmed wallet transaction status" - }, "onboardingScreenTitle": "Bienvenido", - "@onboardingScreenTitle": { - "description": "El título de la pantalla de inicio" - }, "onboardingCreateWalletButtonLabel": "Crear billetera", - "@onboardingCreateWalletButtonLabel": { - "description": "La etiqueta del botón para crear una billetera desde la pantalla de inicio" - }, "onboardingRecoverWalletButtonLabel": "Recuperar billetera", - "@onboardingRecoverWalletButtonLabel": { - "description": "La etiqueta del botón para recuperar una billetera desde la pantalla de inicio" - }, "settingsScreenTitle": "Ajustes", - "@settingsScreenTitle": { - "description": "El título de la pantalla de ajustes" - }, "testnetModeSettingsLabel": "Modo Testnet", - "@testnetModeSettingsLabel": { - "description": "La etiqueta de la configuración del modo Testnet" - }, "satsBitcoinUnitSettingsLabel": "Mostrar unidad en sats", - "@satsBitcoinUnitSettingsLabel": { - "description": "La etiqueta para cambiar la unidad de Bitcoin a sats en ajustes" - }, "pinCodeSettingsLabel": "Código PIN", - "@pinCodeSettingsLabel": { - "description": "La etiqueta del botón para acceder a la configuración del código PIN" - }, "languageSettingsLabel": "Idioma", - "@languageSettingsLabel": { - "description": "La etiqueta del botón para acceder a la configuración de idioma" - }, "backupSettingsLabel": "Copia de seguridad de billetera", - "@backupSettingsLabel": { - "description": "La etiqueta del botón para acceder a la configuración de copia de seguridad" - }, "electrumServerSettingsLabel": "Servidor Electrum (nodo Bitcoin)", - "@electrumServerSettingsLabel": { - "description": "La etiqueta del botón para acceder a la configuración del servidor Electrum" - }, "fiatCurrencySettingsLabel": "Moneda fiduciaria", - "@fiatCurrencySettingsLabel": { - "description": "La etiqueta del botón para acceder a la configuración de moneda fiduciaria" - }, "languageSettingsScreenTitle": "Idioma", - "@languageSettingsScreenTitle": { - "description": "El título de la pantalla de configuración de idioma" - }, "backupSettingsScreenTitle": "Configuración de Respaldo", - "@backupSettingsScreenTitle": { - "description": "AppBar title for backup settings screen" - }, "settingsExchangeSettingsTitle": "Configuración de intercambio", - "@settingsExchangeSettingsTitle": { - "description": "Title for the exchange settings section in the settings menu" - }, "settingsWalletBackupTitle": "Respaldo de billetera", - "@settingsWalletBackupTitle": { - "description": "Title for the wallet backup section in the settings menu" - }, "settingsBitcoinSettingsTitle": "Configuración de Bitcoin", - "@settingsBitcoinSettingsTitle": { - "description": "Title for the Bitcoin settings section in the settings menu" - }, "settingsSecurityPinTitle": "PIN de seguridad", - "@settingsSecurityPinTitle": { - "description": "Title for the security PIN section in the settings menu" - }, "pinCodeAuthentication": "Autenticación", - "@pinCodeAuthentication": { - "description": "AppBar title for PIN code authentication screens" - }, "pinCodeCreateTitle": "Crear nuevo PIN", - "@pinCodeCreateTitle": { - "description": "Title for creating a new PIN code" - }, "pinCodeCreateDescription": "Su PIN protege el acceso a su billetera y configuración. Manténgalo memorable.", - "@pinCodeCreateDescription": { - "description": "Description explaining the purpose of the PIN code" - }, "pinCodeMinLengthError": "El PIN debe tener al menos {minLength} dígitos", "@pinCodeMinLengthError": { - "description": "Error message when PIN is too short", "placeholders": { "minLength": { "type": "String" @@ -12435,928 +95,237 @@ } }, "pinCodeConfirmTitle": "Confirmar nuevo PIN", - "@pinCodeConfirmTitle": { - "description": "Title for confirming the new PIN code" - }, "pinCodeMismatchError": "Los PINs no coinciden", - "@pinCodeMismatchError": { - "description": "Error message when PIN confirmation doesn't match" - }, "pinCodeSecurityPinTitle": "PIN de seguridad", - "@pinCodeSecurityPinTitle": { - "description": "AppBar title for PIN settings screen" - }, "pinCodeManageTitle": "Administrar su PIN de seguridad", - "@pinCodeManageTitle": { - "description": "Header title for PIN management section" - }, "pinCodeChangeButton": "Cambiar PIN", - "@pinCodeChangeButton": { - "description": "Button label to change existing PIN" - }, "pinCodeCreateButton": "Crear PIN", - "@pinCodeCreateButton": { - "description": "Button label to create a new PIN" - }, "pinCodeRemoveButton": "Eliminar PIN de seguridad", - "@pinCodeRemoveButton": { - "description": "Button label to remove the security PIN" - }, "pinCodeContinue": "Continuar", - "@pinCodeContinue": { - "description": "Button label to continue with PIN entry" - }, "pinCodeConfirm": "Confirmar", - "@pinCodeConfirm": { - "description": "Button label to confirm PIN entry" - }, "pinCodeLoading": "Cargando", - "@pinCodeLoading": { - "description": "Status screen title while loading PIN settings" - }, "pinCodeCheckingStatus": "Verificando estado del PIN", - "@pinCodeCheckingStatus": { - "description": "Status screen description while checking PIN status" - }, "pinCodeProcessing": "Procesando", - "@pinCodeProcessing": { - "description": "Status screen title while processing PIN changes" - }, "pinCodeSettingUp": "Configurando su código PIN", - "@pinCodeSettingUp": { - "description": "Status screen description while setting up PIN" - }, "settingsCurrencyTitle": "Moneda", - "@settingsCurrencyTitle": { - "description": "Title for the currency settings section in the settings menu" - }, "settingsAppSettingsTitle": "Configuración de la aplicación", - "@settingsAppSettingsTitle": { - "description": "Title for the app settings section in the settings menu" - }, "settingsTermsOfServiceTitle": "Términos de servicio", - "@settingsTermsOfServiceTitle": { - "description": "Title for the terms of service section in the settings menu" - }, "settingsAppVersionLabel": "Versión de la aplicación", - "@settingsAppVersionLabel": { - "description": "Label displayed before the app version number in settings" - }, "settingsTelegramLabel": "Telegram", - "@settingsTelegramLabel": { - "description": "Label for the Telegram link in settings" - }, "settingsGithubLabel": "GitHub", - "@settingsGithubLabel": { - "description": "Label for the Github link in settings" - }, "settingsServicesStatusTitle": "Estado de los servicios", - "@settingsServicesStatusTitle": { - "description": "Title for the services status section in the settings menu" - }, "settingsTorSettingsTitle": "Configuración de Tor", - "@settingsTorSettingsTitle": { - "description": "Title for the Tor settings section in app settings" - }, "settingsRecoverbullTitle": "Recoverbull", - "@settingsRecoverbullTitle": { - "description": "Title for the Recoverbull backup section in app settings" - }, "settingsLanguageTitle": "Idioma", - "@settingsLanguageTitle": { - "description": "Title for the language selection in app settings" - }, "settingsThemeTitle": "Tema", - "@settingsThemeTitle": { - "description": "Title for the theme selection in app settings" - }, "settingsArkTitle": "Ark", - "@settingsArkTitle": { - "description": "Title for the Ark protocol section in Bitcoin settings" - }, "settingsDevModeWarningTitle": "Modo desarrollador", - "@settingsDevModeWarningTitle": { - "description": "Title for the developer mode warning dialog" - }, "settingsDevModeWarningMessage": "Este modo es arriesgado. Al activarlo, reconoces que podrías perder dinero", - "@settingsDevModeWarningMessage": { - "description": "Warning message displayed when enabling developer mode" - }, "settingsDevModeUnderstandButton": "Entiendo", - "@settingsDevModeUnderstandButton": { - "description": "Button label to acknowledge developer mode warning" - }, "settingsSuperuserModeDisabledMessage": "Modo superusuario desactivado.", - "@settingsSuperuserModeDisabledMessage": { - "description": "Message shown when superuser mode is disabled" - }, "settingsSuperuserModeUnlockedMessage": "¡Modo superusuario desbloqueado!", - "@settingsSuperuserModeUnlockedMessage": { - "description": "Message shown when superuser mode is enabled" - }, "walletOptionsUnnamedWalletFallback": "Billetera sin nombre", - "@walletOptionsUnnamedWalletFallback": { - "description": "Fallback name displayed for wallets without a specified name" - }, "walletOptionsNotFoundMessage": "Billetera no encontrada", - "@walletOptionsNotFoundMessage": { - "description": "Error message displayed when a wallet cannot be found" - }, "walletOptionsWalletDetailsTitle": "Detalles de la billetera", - "@walletOptionsWalletDetailsTitle": { - "description": "Title for the wallet details screen" - }, "addressViewAddressesTitle": "Direcciones", - "@addressViewAddressesTitle": { - "description": "Title for the addresses section in wallet options" - }, "walletDetailsDeletingMessage": "Eliminando billetera...", - "@walletDetailsDeletingMessage": { - "description": "Message displayed while a wallet is being deleted" - }, "walletDetailsWalletFingerprintLabel": "Huella digital de la billetera", - "@walletDetailsWalletFingerprintLabel": { - "description": "Label for the wallet fingerprint field in wallet details" - }, "walletDetailsPubkeyLabel": "Clave pública", - "@walletDetailsPubkeyLabel": { - "description": "Label for the public key field in wallet details" - }, "walletDetailsDescriptorLabel": "Descriptor", - "@walletDetailsDescriptorLabel": { - "description": "Label for the wallet descriptor field in wallet details" - }, "walletDetailsAddressTypeLabel": "Tipo de dirección", - "@walletDetailsAddressTypeLabel": { - "description": "Label for the address type field in wallet details" - }, "walletDetailsNetworkLabel": "Red", - "@walletDetailsNetworkLabel": { - "description": "Label for the network field in wallet details" - }, "walletDetailsDerivationPathLabel": "Ruta de derivación", - "@walletDetailsDerivationPathLabel": { - "description": "Label for the derivation path field in wallet details" - }, "walletDetailsSignerLabel": "Firmante", - "@walletDetailsSignerLabel": { - "description": "Label for the signer field in wallet details" - }, "walletDetailsSignerDeviceLabel": "Dispositivo firmante", - "@walletDetailsSignerDeviceLabel": { - "description": "Label for the signer device field in wallet details" - }, "walletDetailsSignerDeviceNotSupported": "Dispositivo firmante no compatible", - "@walletDetailsSignerDeviceNotSupported": { - "description": "Message displayed when a signer device is not supported" - }, "walletDetailsCopyButton": "Copiar", - "@walletDetailsCopyButton": { - "description": "Button label for copying wallet details to clipboard" - }, "bitcoinSettingsWalletsTitle": "Billeteras", - "@bitcoinSettingsWalletsTitle": { - "description": "Title for the wallets section in Bitcoin settings" - }, "bitcoinSettingsElectrumServerTitle": "Configuración del servidor Electrum", - "@bitcoinSettingsElectrumServerTitle": { - "description": "Title for the Electrum server settings section in Bitcoin settings" - }, "mempoolSettingsTitle": "Mempool Server", - "@mempoolSettingsTitle": { - "description": "Title for mempool settings screen" - }, "mempoolSettingsDescription": "Configure custom mempool servers for different networks. Each network can use its own server for block explorer and fee estimation.", - "@mempoolSettingsDescription": { - "description": "Description text for mempool settings screen" - }, "mempoolSettingsDefaultServer": "Default Server", - "@mempoolSettingsDefaultServer": { - "description": "Label for default mempool server section" - }, "mempoolSettingsCustomServer": "Custom Server", - "@mempoolSettingsCustomServer": { - "description": "Label for custom mempool server section" - }, "mempoolNetworkBitcoinMainnet": "Bitcoin Mainnet", - "@mempoolNetworkBitcoinMainnet": { - "description": "Label for Bitcoin mainnet network option" - }, "mempoolNetworkBitcoinTestnet": "Bitcoin Testnet", - "@mempoolNetworkBitcoinTestnet": { - "description": "Label for Bitcoin testnet network option" - }, "mempoolNetworkLiquidMainnet": "Liquid Mainnet", - "@mempoolNetworkLiquidMainnet": { - "description": "Label for Liquid mainnet network option" - }, "mempoolNetworkLiquidTestnet": "Liquid Testnet", - "@mempoolNetworkLiquidTestnet": { - "description": "Label for Liquid testnet network option" - }, "mempoolCustomServerAdd": "Add Custom Server", - "@mempoolCustomServerAdd": { - "description": "Button text to add a custom mempool server" - }, "mempoolCustomServerEdit": "Edit", - "@mempoolCustomServerEdit": { - "description": "Button text to edit custom server" - }, "mempoolCustomServerDelete": "Delete", - "@mempoolCustomServerDelete": { - "description": "Button text to delete custom server" - }, "mempoolCustomServerLabel": "CUSTOM", - "@mempoolCustomServerLabel": { - "description": "Label badge for custom server" - }, "mempoolServerNotUsed": "Not used (custom server active)", - "@mempoolServerNotUsed": { - "description": "Label shown when default server is not used because custom server is active" - }, "mempoolCustomServerDeleteTitle": "Delete Custom Server?", - "@mempoolCustomServerDeleteTitle": { - "description": "Title for delete confirmation dialog" - }, "mempoolCustomServerDeleteMessage": "Are you sure you want to delete this custom mempool server? The default server will be used instead.", - "@mempoolCustomServerDeleteMessage": { - "description": "Message for delete confirmation dialog" - }, "mempoolCustomServerUrl": "Server URL", - "@mempoolCustomServerUrl": { - "description": "Label for server URL input field" - }, "mempoolCustomServerUrlEmpty": "Please enter a server URL", - "@mempoolCustomServerUrlEmpty": { - "description": "Error message when URL is empty" - }, "mempoolCustomServerSaveSuccess": "Custom server saved successfully", - "@mempoolCustomServerSaveSuccess": { - "description": "Success message after saving custom server" - }, "mempoolCustomServerBottomSheetDescription": "Enter the URL of your custom mempool server. The server will be validated before saving.", - "@mempoolCustomServerBottomSheetDescription": { - "description": "Description text in add custom server bottom sheet" - }, "mempoolSettingsUseForFeeEstimation": "Use for Fee Estimation", - "@mempoolSettingsUseForFeeEstimation": { - "description": "Label for fee estimation toggle" - }, "mempoolSettingsUseForFeeEstimationDescription": "When enabled, this server will be used for fee estimation. When disabled, Bull Bitcoin's mempool server will be used instead.", - "@mempoolSettingsUseForFeeEstimationDescription": { - "description": "Description for fee estimation toggle" - }, "bitcoinSettingsAutoTransferTitle": "Configuración de transferencia automática", - "@bitcoinSettingsAutoTransferTitle": { - "description": "Title for the auto transfer settings section in Bitcoin settings" - }, "bitcoinSettingsLegacySeedsTitle": "Semillas heredadas", - "@bitcoinSettingsLegacySeedsTitle": { - "description": "Title for the legacy seeds section in Bitcoin settings" - }, "bitcoinSettingsImportWalletTitle": "Importar billetera", - "@bitcoinSettingsImportWalletTitle": { - "description": "Title for the import wallet option in Bitcoin settings" - }, "bitcoinSettingsBroadcastTransactionTitle": "Transmitir transacción", - "@bitcoinSettingsBroadcastTransactionTitle": { - "description": "Title for the broadcast transaction option in Bitcoin settings" - }, "bitcoinSettingsTestnetModeTitle": "Modo Testnet", - "@bitcoinSettingsTestnetModeTitle": { - "description": "Title for the testnet mode toggle in Bitcoin settings" - }, "bitcoinSettingsBip85EntropiesTitle": "Entropías determinísticas BIP85", - "@bitcoinSettingsBip85EntropiesTitle": { - "description": "Title for the BIP85 deterministic entropies section in Bitcoin settings" - }, "logSettingsLogsTitle": "Registros", - "@logSettingsLogsTitle": { - "description": "Title for the logs section in settings" - }, "logSettingsErrorLoadingMessage": "Error al cargar los registros", - "@logSettingsErrorLoadingMessage": { - "description": "Error message displayed when logs fail to load" - }, "appSettingsDevModeTitle": "Modo de desarrollo", - "@appSettingsDevModeTitle": { - "description": "Title for the developer mode toggle in app settings" - }, "currencySettingsDefaultFiatCurrencyLabel": "Moneda fiat predeterminada", - "@currencySettingsDefaultFiatCurrencyLabel": { - "description": "Label for the default fiat currency setting" - }, "exchangeSettingsAccountInformationTitle": "Información de la cuenta", - "@exchangeSettingsAccountInformationTitle": { - "description": "Title for the account information section in exchange settings" - }, "exchangeSettingsSecuritySettingsTitle": "Configuración de seguridad", - "@exchangeSettingsSecuritySettingsTitle": { - "description": "Title for the security settings section in exchange settings" - }, "exchangeSettingsReferralsTitle": "Referencias", - "@exchangeSettingsReferralsTitle": { - "description": "Title for the referrals section in exchange settings" - }, "exchangeSettingsLogInTitle": "Iniciar sesión", - "@exchangeSettingsLogInTitle": { - "description": "Title for the log in option in exchange settings" - }, "exchangeSettingsLogOutTitle": "Cerrar sesión", - "@exchangeSettingsLogOutTitle": { - "description": "Title for the log out option in exchange settings" - }, "exchangeTransactionsTitle": "Transacciones", - "@exchangeTransactionsTitle": { - "description": "Title for the transactions section in exchange" - }, "exchangeTransactionsComingSoon": "Esta función estará disponible pronto.", - "@exchangeTransactionsComingSoon": { - "description": "Message indicating that the transactions feature is coming soon" - }, "exchangeSecurityManage2FAPasswordLabel": "Gestionar 2FA y contraseña", - "@exchangeSecurityManage2FAPasswordLabel": { - "description": "Label for managing 2FA and password in exchange security settings" - }, "exchangeSecurityAccessSettingsButton": "Acceder a la configuración", - "@exchangeSecurityAccessSettingsButton": { - "description": "Button label for accessing security settings in exchange" - }, "exchangeReferralsTitle": "Referencias", - "@exchangeReferralsTitle": { - "description": "Title for the referral codes section" - }, "exchangeReferralsJoinMissionTitle": "Únase a nuestra misión", - "@exchangeReferralsJoinMissionTitle": { - "description": "Title encouraging users to join the referral mission" - }, "exchangeReferralsContactSupportMessage": "Contacte al soporte para más información", - "@exchangeReferralsContactSupportMessage": { - "description": "Message prompting users to contact support about the referral program" - }, "exchangeReferralsApplyToJoinMessage": "Solicite unirse a nuestro programa de referencias", - "@exchangeReferralsApplyToJoinMessage": { - "description": "Message with link to apply for the referral program" - }, "exchangeReferralsMissionLink": "Aprenda más sobre nuestra misión", - "@exchangeReferralsMissionLink": { - "description": "Link to the Bull Bitcoin mission page" - }, "exchangeRecipientsTitle": "Destinatarios", - "@exchangeRecipientsTitle": { - "description": "Title for the recipients section in exchange" - }, "exchangeRecipientsComingSoon": "Esta función estará disponible pronto.", - "@exchangeRecipientsComingSoon": { - "description": "Message indicating that the recipients feature is coming soon" - }, "exchangeLogoutComingSoon": "Esta función estará disponible pronto.", - "@exchangeLogoutComingSoon": { - "description": "Message indicating that the log out feature is coming soon" - }, "exchangeLegacyTransactionsTitle": "Transacciones heredadas", - "@exchangeLegacyTransactionsTitle": { - "description": "Title for the legacy transactions section in exchange" - }, "exchangeLegacyTransactionsComingSoon": "Esta función estará disponible pronto.", - "@exchangeLegacyTransactionsComingSoon": { - "description": "Message indicating that the legacy transactions feature is coming soon" - }, "exchangeFileUploadTitle": "Subir documentos", - "@exchangeFileUploadTitle": { - "description": "Title for the secure file upload section in exchange" - }, "exchangeFileUploadDocumentTitle": "Documento", - "@exchangeFileUploadDocumentTitle": { - "description": "Title for uploading documents in exchange" - }, "exchangeFileUploadInstructions": "Por favor suba una copia clara de su documento", - "@exchangeFileUploadInstructions": { - "description": "Instructions for uploading documents in exchange" - }, "exchangeFileUploadButton": "Subir archivo", - "@exchangeFileUploadButton": { - "description": "Button label for uploading files in exchange" - }, "exchangeAccountTitle": "Cuenta", - "@exchangeAccountTitle": { - "description": "Title for the exchange account section" - }, "exchangeAccountSettingsTitle": "Configuración de cuenta", - "@exchangeAccountSettingsTitle": { - "description": "Title for the exchange account settings screen" - }, "exchangeAccountComingSoon": "Esta función estará disponible pronto.", - "@exchangeAccountComingSoon": { - "description": "Message indicating that a feature is coming soon" - }, "exchangeBitcoinWalletsTitle": "Billeteras Bitcoin", - "@exchangeBitcoinWalletsTitle": { - "description": "Title for the default Bitcoin wallets section in exchange" - }, "exchangeBitcoinWalletsBitcoinAddressLabel": "Dirección Bitcoin", - "@exchangeBitcoinWalletsBitcoinAddressLabel": { - "description": "Label for Bitcoin address field in exchange Bitcoin wallets" - }, "exchangeBitcoinWalletsLightningAddressLabel": "Dirección Lightning", - "@exchangeBitcoinWalletsLightningAddressLabel": { - "description": "Label for Lightning address field in exchange Bitcoin wallets" - }, "exchangeBitcoinWalletsLiquidAddressLabel": "Dirección Liquid", - "@exchangeBitcoinWalletsLiquidAddressLabel": { - "description": "Label for Liquid address field in exchange Bitcoin wallets" - }, "exchangeBitcoinWalletsEnterAddressHint": "Ingrese la dirección", - "@exchangeBitcoinWalletsEnterAddressHint": { - "description": "Hint text for entering an address in exchange Bitcoin wallets" - }, "exchangeAppSettingsSaveSuccessMessage": "Configuración guardada exitosamente", - "@exchangeAppSettingsSaveSuccessMessage": { - "description": "Success message displayed when exchange app settings are saved" - }, "exchangeAppSettingsPreferredLanguageLabel": "Idioma preferido", - "@exchangeAppSettingsPreferredLanguageLabel": { - "description": "Label for preferred language setting in exchange app settings" - }, "exchangeAppSettingsDefaultCurrencyLabel": "Moneda predeterminada", - "@exchangeAppSettingsDefaultCurrencyLabel": { - "description": "Label for default currency setting in exchange app settings" - }, "exchangeAppSettingsValidationWarning": "Por favor complete todos los campos requeridos", - "@exchangeAppSettingsValidationWarning": { - "description": "Warning message when language and currency preferences are not both set" - }, "exchangeAppSettingsSaveButton": "Guardar", - "@exchangeAppSettingsSaveButton": { - "description": "Button label for saving exchange app settings" - }, "exchangeAccountInfoTitle": "Información de la cuenta", - "@exchangeAccountInfoTitle": { - "description": "Title for the account information section" - }, "exchangeAccountInfoLoadErrorMessage": "No se puede cargar la información de la cuenta", - "@exchangeAccountInfoLoadErrorMessage": { - "description": "Error message when account information fails to load" - }, "exchangeAccountInfoUserNumberLabel": "Número de usuario", - "@exchangeAccountInfoUserNumberLabel": { - "description": "Label for user number field in account information" - }, "exchangeAccountInfoVerificationLevelLabel": "Nivel de verificación", - "@exchangeAccountInfoVerificationLevelLabel": { - "description": "Label for verification level field in account information" - }, "exchangeAccountInfoEmailLabel": "Correo electrónico", - "@exchangeAccountInfoEmailLabel": { - "description": "Label for email field in account information" - }, "exchangeAccountInfoFirstNameLabel": "Nombre", - "@exchangeAccountInfoFirstNameLabel": { - "description": "Label for first name field in account information" - }, "exchangeAccountInfoLastNameLabel": "Apellido", - "@exchangeAccountInfoLastNameLabel": { - "description": "Label for last name field in account information" - }, "exchangeAccountInfoVerificationIdentityVerified": "Identidad verificada", - "@exchangeAccountInfoVerificationIdentityVerified": { - "description": "Status label for identity verified verification level" - }, "exchangeAccountInfoVerificationLightVerification": "Verificación ligera", - "@exchangeAccountInfoVerificationLightVerification": { - "description": "Status label for light verification level" - }, "exchangeAccountInfoVerificationLimitedVerification": "Verificación limitada", - "@exchangeAccountInfoVerificationLimitedVerification": { - "description": "Status label for limited verification level" - }, "exchangeAccountInfoVerificationNotVerified": "No verificado", - "@exchangeAccountInfoVerificationNotVerified": { - "description": "Status label for not verified verification level" - }, "exchangeAccountInfoUserNumberCopiedMessage": "Número de usuario copiado al portapapeles", - "@exchangeAccountInfoUserNumberCopiedMessage": { - "description": "Success message when user number is copied to clipboard" - }, "walletsListTitle": "Billeteras", - "@walletsListTitle": { - "description": "Title for the wallet details list screen" - }, "walletsListNoWalletsMessage": "No se encontraron billeteras", - "@walletsListNoWalletsMessage": { - "description": "Message displayed when no wallets are found" - }, "walletDeletionConfirmationTitle": "Eliminar billetera", - "@walletDeletionConfirmationTitle": { - "description": "Title for the wallet deletion confirmation dialog" - }, "walletDeletionConfirmationMessage": "¿Está seguro de que desea eliminar esta billetera? Esta acción no se puede deshacer.", - "@walletDeletionConfirmationMessage": { - "description": "Message in the wallet deletion confirmation dialog" - }, "walletDeletionConfirmationCancelButton": "Cancelar", - "@walletDeletionConfirmationCancelButton": { - "description": "Cancel button label in wallet deletion confirmation dialog" - }, "walletDeletionConfirmationDeleteButton": "Eliminar", - "@walletDeletionConfirmationDeleteButton": { - "description": "Delete button label in wallet deletion confirmation dialog" - }, "walletDeletionFailedTitle": "Eliminación fallida", - "@walletDeletionFailedTitle": { - "description": "Title for the wallet deletion failed dialog" - }, "walletDeletionErrorDefaultWallet": "No se puede eliminar la billetera predeterminada", - "@walletDeletionErrorDefaultWallet": { - "description": "Error message when attempting to delete a default wallet" - }, "walletDeletionErrorOngoingSwaps": "No se puede eliminar la billetera con intercambios en curso", - "@walletDeletionErrorOngoingSwaps": { - "description": "Error message when attempting to delete a wallet with ongoing swaps" - }, "walletDeletionErrorWalletNotFound": "Billetera no encontrada", - "@walletDeletionErrorWalletNotFound": { - "description": "Error message when the wallet to delete cannot be found" - }, "walletDeletionErrorGeneric": "Error al eliminar la billetera", - "@walletDeletionErrorGeneric": { - "description": "Generic error message when wallet deletion fails" - }, "walletDeletionFailedOkButton": "OK", - "@walletDeletionFailedOkButton": { - "description": "OK button label in wallet deletion failed dialog" - }, "addressCardUsedLabel": "Usada", - "@addressCardUsedLabel": { - "description": "Label indicating an address has been used" - }, "addressCardUnusedLabel": "No usada", - "@addressCardUnusedLabel": { - "description": "Label indicating an address has not been used" - }, "addressCardCopiedMessage": "Dirección copiada al portapapeles", - "@addressCardCopiedMessage": { - "description": "Success message when an address is copied to clipboard" - }, "addressCardIndexLabel": "Índice: ", - "@addressCardIndexLabel": { - "description": "Label for the address index field in address card" - }, "addressCardBalanceLabel": "Saldo: ", - "@addressCardBalanceLabel": { - "description": "Label for the balance field in address card" - }, "onboardingRecoverYourWallet": "Recupere su billetera", - "@onboardingRecoverYourWallet": { - "description": "Title for the recover wallet section in onboarding" - }, "onboardingEncryptedVault": "Bóveda cifrada", - "@onboardingEncryptedVault": { - "description": "Title for the encrypted vault recovery option in onboarding" - }, "onboardingEncryptedVaultDescription": "Respalde su billetera en la nube de forma segura", - "@onboardingEncryptedVaultDescription": { - "description": "Description for the encrypted vault recovery option in onboarding" - }, "onboardingPhysicalBackup": "Respaldo físico", - "@onboardingPhysicalBackup": { - "description": "Title for the physical backup recovery option in onboarding" - }, "onboardingPhysicalBackupDescription": "Escriba su frase de recuperación en papel", - "@onboardingPhysicalBackupDescription": { - "description": "Description for the physical backup recovery option in onboarding" - }, "onboardingRecover": "Recuperar", - "@onboardingRecover": { - "description": "Button label for recovering a wallet in onboarding" - }, "onboardingBullBitcoin": "BULL BITCOIN", - "@onboardingBullBitcoin": { - "description": "Brand name displayed in onboarding" - }, "onboardingOwnYourMoney": "Sea dueño de su dinero", - "@onboardingOwnYourMoney": { - "description": "Tagline displayed in onboarding splash screen" - }, "onboardingSplashDescription": "Billetera Bitcoin autocustodiada", - "@onboardingSplashDescription": { - "description": "Description of the app displayed in onboarding splash screen" - }, "onboardingRecoverWallet": "Recuperar billetera", - "@onboardingRecoverWallet": { - "description": "Title for the recover wallet screen in onboarding" - }, "onboardingRecoverWalletButton": "Recuperar billetera", - "@onboardingRecoverWalletButton": { - "description": "Button label for recovering a wallet in onboarding" - }, "onboardingCreateNewWallet": "Crear nueva billetera", - "@onboardingCreateNewWallet": { - "description": "Button label for creating a new wallet in onboarding" - }, "sendTitle": "Enviar", - "@sendTitle": { - "description": "Title for the send screen" - }, "sendRecipientAddressOrInvoice": "Dirección o factura del destinatario", - "@sendRecipientAddressOrInvoice": { - "description": "Label for the recipient address or invoice input field" - }, "sendPasteAddressOrInvoice": "Pegar dirección o factura", - "@sendPasteAddressOrInvoice": { - "description": "Placeholder text for the payment address or invoice input field" - }, "sendContinue": "Continuar", - "@sendContinue": { - "description": "Button label for continuing in the send flow" - }, "sendSelectNetworkFee": "Seleccionar comisión de red", - "@sendSelectNetworkFee": { - "description": "Label for selecting the network fee in the send flow" - }, "sendSelectAmount": "Seleccionar monto", - "@sendSelectAmount": { - "description": "Label for selecting the amount to send" - }, "sendAmountRequested": "Monto solicitado", - "@sendAmountRequested": { - "description": "Label for the requested amount in a payment request" - }, "sendDone": "Listo", - "@sendDone": { - "description": "Button label for completing the send flow" - }, "sendSelectedUtxosInsufficient": "Los UTXO seleccionados no cubren el monto requerido", - "@sendSelectedUtxosInsufficient": { - "description": "Error message when selected UTXOs don't cover the required amount" - }, "sendAdvancedOptions": "Opciones Avanzadas", - "@sendAdvancedOptions": { - "description": "Section header for advanced sending features" - }, "sendReplaceByFeeActivated": "Reemplazar por comisión activado", - "@sendReplaceByFeeActivated": { - "description": "Message indicating that replace-by-fee (RBF) is activated" - }, "sendSelectCoinsManually": "Seleccionar monedas manualmente", - "@sendSelectCoinsManually": { - "description": "Label for manually selecting coins (UTXOs) in the send flow" - }, "sendRecipientAddress": "Dirección del destinatario", - "@sendRecipientAddress": { - "description": "Label for the recipient address field" - }, "sendInsufficientBalance": "Saldo insuficiente", - "@sendInsufficientBalance": { - "description": "Error message when the wallet has insufficient balance to send" - }, "sendScanBitcoinQRCode": "Escanear código QR de Bitcoin", - "@sendScanBitcoinQRCode": { - "description": "Instructions for scanning a QR code to make a Bitcoin payment" - }, "sendOpenTheCamera": "Abrir la cámara", - "@sendOpenTheCamera": { - "description": "Button label for opening the camera to scan QR codes" - }, "sendCustomFee": "Comisión personalizada", - "@sendCustomFee": { - "description": "Label for setting a custom transaction fee" - }, "sendAbsoluteFees": "Comisiones absolutas", - "@sendAbsoluteFees": { - "description": "Label for absolute fee display mode (total sats)" - }, "sendRelativeFees": "Comisiones relativas", - "@sendRelativeFees": { - "description": "Label for relative fee display mode (sats per vByte)" - }, "sendSats": "sats", - "@sendSats": { - "description": "Unit label for satoshis" - }, "sendSatsPerVB": "sats/vB", - "@sendSatsPerVB": { - "description": "Unit label for satoshis per virtual byte" - }, "sendConfirmCustomFee": "Confirmar comisión personalizada", - "@sendConfirmCustomFee": { - "description": "Button label for confirming a custom fee" - }, "sendEstimatedDelivery10Minutes": "~10 minutos", - "@sendEstimatedDelivery10Minutes": { - "description": "Estimated delivery time of approximately 10 minutes" - }, "sendEstimatedDelivery10to30Minutes": "10-30 minutos", - "@sendEstimatedDelivery10to30Minutes": { - "description": "Estimated delivery time of 10 to 30 minutes" - }, "sendEstimatedDeliveryFewHours": "Pocas horas", - "@sendEstimatedDeliveryFewHours": { - "description": "Estimated delivery time of a few hours" - }, "sendEstimatedDeliveryHoursToDays": "Horas a días", - "@sendEstimatedDeliveryHoursToDays": { - "description": "Estimated delivery time ranging from hours to days" - }, "sendEstimatedDelivery": "Entrega estimada", - "@sendEstimatedDelivery": { - "description": "Label prefix for estimated delivery time" - }, "sendAddress": "Dirección", - "@sendAddress": { - "description": "Label prefix for address field" - }, "sendType": "Tipo", - "@sendType": { - "description": "Label prefix for transaction type field" - }, "sendReceive": "Recibir", - "@sendReceive": { - "description": "Label for receive transaction type" - }, "sendChange": "Cambio", - "@sendChange": { - "description": "Label for change output in a transaction" - }, "sendCouldNotBuildTransaction": "No se pudo construir la transacción", - "@sendCouldNotBuildTransaction": { - "description": "Error message when a transaction cannot be built" - }, "sendHighFeeWarning": "Advertencia de comisión alta", - "@sendHighFeeWarning": { - "description": "Warning title for high transaction fees" - }, "sendSlowPaymentWarning": "Advertencia de pago lento", - "@sendSlowPaymentWarning": { - "description": "Warning title for slow payment confirmation" - }, "sendSlowPaymentWarningDescription": "Esta transacción puede tardar mucho tiempo en confirmarse", - "@sendSlowPaymentWarningDescription": { - "description": "Description for slow payment warning" - }, "sendAdvancedSettings": "Configuración avanzada", - "@sendAdvancedSettings": { - "description": "Title for advanced settings in the send flow" - }, "sendConfirm": "Confirmar", - "@sendConfirm": { - "description": "Button label for confirming a send transaction" - }, "sendBroadcastTransaction": "Transmitir transacción", - "@sendBroadcastTransaction": { - "description": "Button label for broadcasting a transaction to the network" - }, "sendFrom": "Desde", - "@sendFrom": { - "description": "Label for the sender/source in a transaction" - }, "sendTo": "A", - "@sendTo": { - "description": "Label for the recipient/destination in a transaction" - }, "sendAmount": "Monto", - "@sendAmount": { - "description": "Label for the transaction amount" - }, "sendNetworkFees": "Comisiones de red", - "@sendNetworkFees": { - "description": "Label for network transaction fees" - }, "sendFeePriority": "Prioridad de comisión", - "@sendFeePriority": { - "description": "Label for selecting fee priority level" - }, "receiveTitle": "Recibir", - "@receiveTitle": { - "description": "Main screen title for receive feature" - }, "receiveBitcoin": "Bitcoin", - "@receiveBitcoin": { - "description": "Label for receiving Bitcoin on the base layer" - }, "receiveLightning": "Lightning", - "@receiveLightning": { - "description": "Label for receiving Bitcoin via Lightning Network" - }, "receiveLiquid": "Liquid", - "@receiveLiquid": { - "description": "Label for receiving Bitcoin via Liquid Network" - }, "receiveAddLabel": "Agregar", - "@receiveAddLabel": { - "description": "Button label for adding a label to a receive address" - }, "receiveNote": "Nota", - "@receiveNote": { - "description": "Label for adding a note to a receive transaction" - }, "receiveSave": "Guardar", - "@receiveSave": { - "description": "Button label for saving receive details" - }, "receivePayjoinActivated": "Payjoin activado", - "@receivePayjoinActivated": { - "description": "Message indicating that payjoin is activated for the receive transaction" - }, "receiveLightningInvoice": "Factura Lightning", - "@receiveLightningInvoice": { - "description": "Label for a Lightning Network invoice" - }, "receiveAddress": "Dirección de Recepción", - "@receiveAddress": { - "description": "Label for generated address" - }, "receiveAmount": "Cantidad (opcional)", - "@receiveAmount": { - "description": "Optional amount field for invoice" - }, "receiveNoteLabel": "Nota", - "@receiveNoteLabel": { - "description": "Label for the note field in receive" - }, "receiveEnterHere": "Ingrese aquí", - "@receiveEnterHere": { - "description": "Placeholder text for input fields in receive" - }, "receiveSwapID": "ID de intercambio", - "@receiveSwapID": { - "description": "Label for the swap identifier in a receive transaction" - }, "receiveTotalFee": "Comisión total", - "@receiveTotalFee": { - "description": "Label for the total fee in a receive transaction" - }, "receiveNetworkFee": "Comisión de red", - "@receiveNetworkFee": { - "description": "Label for the network fee in a receive transaction" - }, "receiveBoltzSwapFee": "Comisión de intercambio Boltz", - "@receiveBoltzSwapFee": { - "description": "Label for the Boltz swap service fee in a receive transaction" - }, "receiveCopyOrScanAddressOnly": "Copiar o escanear solo la dirección", - "@receiveCopyOrScanAddressOnly": { - "description": "Option to copy or scan only the address without amount or other details" - }, "receiveNewAddress": "Nueva dirección", - "@receiveNewAddress": { - "description": "Button label for generating a new receive address" - }, "receiveVerifyAddressOnLedger": "Verificar dirección en Ledger", - "@receiveVerifyAddressOnLedger": { - "description": "Button label for verifying an address on a Ledger hardware wallet" - }, "receiveUnableToVerifyAddress": "No se puede verificar la dirección", - "@receiveUnableToVerifyAddress": { - "description": "Error message when address verification is not possible" - }, "receivePaymentReceived": "¡Pago recibido!", - "@receivePaymentReceived": { - "description": "Success message after receiving payment" - }, "receiveDetails": "Detalles", - "@receiveDetails": { - "description": "Label for viewing transaction details" - }, "receivePaymentInProgress": "Pago en progreso", - "@receivePaymentInProgress": { - "description": "Status message when a payment is being processed" - }, "receiveBitcoinTransactionWillTakeTime": "La transacción Bitcoin tomará tiempo en confirmarse", - "@receiveBitcoinTransactionWillTakeTime": { - "description": "Information message about Bitcoin transaction confirmation time" - }, "receiveConfirmedInFewSeconds": "Confirmado en pocos segundos", - "@receiveConfirmedInFewSeconds": { - "description": "Message indicating quick confirmation time for Lightning transactions" - }, "receivePayjoinInProgress": "Payjoin en progreso", - "@receivePayjoinInProgress": { - "description": "Status message when a payjoin transaction is in progress" - }, "receiveWaitForSenderToFinish": "Espere a que el remitente termine", - "@receiveWaitForSenderToFinish": { - "description": "Instructions to wait for the sender during a payjoin transaction" - }, "receiveNoTimeToWait": "¿No tiene tiempo para esperar?", - "@receiveNoTimeToWait": { - "description": "Question prompting user if they want to proceed without payjoin" - }, "receivePaymentNormally": "Recibir pago normalmente", - "@receivePaymentNormally": { - "description": "Option to receive payment without payjoin if it fails" - }, "receiveContinue": "Continuar", - "@receiveContinue": { - "description": "Button label for continuing in the receive flow" - }, "receiveCopyAddressOnly": "Copiar o escanear solo la dirección", - "@receiveCopyAddressOnly": { - "description": "Opción para copiar o escanear solo la dirección sin el monto u otros detalles" - }, "receiveError": "Error: {error}", "@receiveError": { - "description": "Mensaje de error genérico con detalles del error", "placeholders": { "error": { "type": "String" @@ -13364,160 +333,45 @@ } }, "receiveFeeExplanation": "Esta comisión se deducirá del monto enviado", - "@receiveFeeExplanation": { - "description": "Explicación de que las comisiones se deducen del monto enviado" - }, "receiveNotePlaceholder": "Nota", - "@receiveNotePlaceholder": { - "description": "Texto de marcador de posición para el campo de entrada de nota" - }, "receiveReceiveAmount": "Monto a recibir", - "@receiveReceiveAmount": { - "description": "Etiqueta para el monto que se recibirá después de las comisiones" - }, "receiveSendNetworkFee": "Comisión de red de envío", - "@receiveSendNetworkFee": { - "description": "Etiqueta para la comisión de red en la red de envío en una transacción de intercambio" - }, "receiveServerNetworkFees": "Comisiones de red del servidor", - "@receiveServerNetworkFees": { - "description": "Etiqueta para las comisiones de red cobradas por el servidor de intercambio" - }, "receiveSwapId": "ID de intercambio", - "@receiveSwapId": { - "description": "Etiqueta para el identificador de intercambio en una transacción de recepción" - }, "receiveTransferFee": "Comisión de transferencia", - "@receiveTransferFee": { - "description": "Etiqueta para la comisión de transferencia en una transacción de recepción" - }, "receiveVerifyAddressError": "No se puede verificar la dirección: Falta información de la billetera o de la dirección", - "@receiveVerifyAddressError": { - "description": "Mensaje de error cuando no es posible verificar la dirección" - }, "receiveVerifyAddressLedger": "Verificar dirección en Ledger", - "@receiveVerifyAddressLedger": { - "description": "Etiqueta del botón para verificar una dirección en una billetera de hardware Ledger" - }, "receiveBitcoinConfirmationMessage": "La transacción Bitcoin tomará tiempo en confirmarse.", - "@receiveBitcoinConfirmationMessage": { - "description": "Mensaje de información sobre el tiempo de confirmación de la transacción Bitcoin" - }, "receiveLiquidConfirmationMessage": "Se confirmará en pocos segundos", - "@receiveLiquidConfirmationMessage": { - "description": "Mensaje que indica un tiempo de confirmación rápido para transacciones Liquid" - }, "receiveWaitForPayjoin": "Espere a que el remitente termine la transacción payjoin", - "@receiveWaitForPayjoin": { - "description": "Instrucciones para esperar al remitente durante una transacción payjoin" - }, "receivePayjoinFailQuestion": "¿No tiene tiempo para esperar o falló el payjoin del lado del remitente?", - "@receivePayjoinFailQuestion": { - "description": "Pregunta que solicita al usuario si desea proceder sin payjoin" - }, "buyTitle": "Comprar Bitcoin", - "@buyTitle": { - "description": "Título de la pantalla para comprar Bitcoin" - }, "buyEnterAmount": "Ingrese el monto", - "@buyEnterAmount": { - "description": "Etiqueta para el campo de entrada de monto en el flujo de compra" - }, "buyPaymentMethod": "Método de pago", - "@buyPaymentMethod": { - "description": "Etiqueta para el menú desplegable de método de pago" - }, "buyMax": "Máximo", - "@buyMax": { - "description": "Botón para llenar el monto máximo" - }, "buySelectWallet": "Seleccionar billetera", - "@buySelectWallet": { - "description": "Etiqueta para el menú desplegable de selección de billetera" - }, "buyEnterBitcoinAddress": "Ingrese la dirección de Bitcoin", - "@buyEnterBitcoinAddress": { - "description": "Etiqueta para el campo de entrada de dirección de Bitcoin" - }, "buyBitcoinAddressHint": "BC1QYL7J673H...6Y6ALV70M0", - "@buyBitcoinAddressHint": { - "description": "Sugerencia de marcador de posición para la entrada de dirección de Bitcoin" - }, "buyExternalBitcoinWallet": "Billetera Bitcoin externa", - "@buyExternalBitcoinWallet": { - "description": "Etiqueta para la opción de billetera externa" - }, "buySecureBitcoinWallet": "Billetera Bitcoin segura", - "@buySecureBitcoinWallet": { - "description": "Etiqueta para la billetera Bitcoin segura" - }, "buyInstantPaymentWallet": "Billetera de pago instantáneo", - "@buyInstantPaymentWallet": { - "description": "Etiqueta para la billetera de pago instantáneo (Liquid)" - }, "buyShouldBuyAtLeast": "Debe comprar al menos", - "@buyShouldBuyAtLeast": { - "description": "Mensaje de error para monto por debajo del mínimo" - }, "buyCantBuyMoreThan": "No puede comprar más de", - "@buyCantBuyMoreThan": { - "description": "Mensaje de error para monto por encima del máximo" - }, "buyKycPendingTitle": "Verificación de identidad KYC pendiente", - "@buyKycPendingTitle": { - "description": "Título para la tarjeta de verificación KYC requerida" - }, "buyKycPendingDescription": "Debe completar la verificación de identidad primero", - "@buyKycPendingDescription": { - "description": "Descripción para la verificación KYC requerida" - }, "buyCompleteKyc": "Completar KYC", - "@buyCompleteKyc": { - "description": "Botón para completar la verificación KYC" - }, "buyInsufficientBalanceTitle": "Saldo insuficiente", - "@buyInsufficientBalanceTitle": { - "description": "Título para el error de saldo insuficiente" - }, "buyInsufficientBalanceDescription": "No tiene suficiente saldo para crear esta orden.", - "@buyInsufficientBalanceDescription": { - "description": "Descripción para el error de saldo insuficiente" - }, "buyFundYourAccount": "Financiar su cuenta", - "@buyFundYourAccount": { - "description": "Botón para financiar la cuenta de intercambio" - }, "buyContinue": "Continuar", - "@buyContinue": { - "description": "Botón para continuar al siguiente paso" - }, "buyYouPay": "Usted paga", - "@buyYouPay": { - "description": "Etiqueta para el monto que el usuario paga" - }, "buyYouReceive": "Usted recibe", - "@buyYouReceive": { - "description": "Etiqueta para el monto que el usuario recibe" - }, "buyBitcoinPrice": "Precio de Bitcoin", - "@buyBitcoinPrice": { - "description": "Etiqueta para el tipo de cambio de Bitcoin" - }, "buyPayoutMethod": "Método de pago", - "@buyPayoutMethod": { - "description": "Etiqueta para el método de pago" - }, "buyAwaitingConfirmation": "Esperando confirmación ", - "@buyAwaitingConfirmation": { - "description": "Texto mostrado mientras se espera la confirmación de la orden" - }, "buyConfirmPurchase": "Confirmar compra", - "@buyConfirmPurchase": { - "description": "Button to confirm purchase" - }, "buyYouBought": "Ha comprado {amount}", "@buyYouBought": { - "description": "Mensaje de éxito con el monto comprado", "placeholders": { "amount": { "type": "String" @@ -13525,340 +379,90 @@ } }, "buyPayoutWillBeSentIn": "Su pago será enviado en ", - "@buyPayoutWillBeSentIn": { - "description": "Texto antes del temporizador de cuenta regresiva para el pago" - }, "buyViewDetails": "Ver detalles", - "@buyViewDetails": { - "description": "Botón para ver los detalles de la orden" - }, "buyAccelerateTransaction": "Acelerar transacción", - "@buyAccelerateTransaction": { - "description": "Título para la opción de aceleración de transacción" - }, "buyGetConfirmedFaster": "Confirmarla más rápido", - "@buyGetConfirmedFaster": { - "description": "Subtítulo para la opción de aceleración" - }, "buyConfirmExpressWithdrawal": "Confirmar retiro express", - "@buyConfirmExpressWithdrawal": { - "description": "Título para la pantalla de confirmación de retiro express" - }, "buyNetworkFeeExplanation": "La tarifa de red de Bitcoin será deducida del monto que recibe y recaudada por los mineros de Bitcoin", - "@buyNetworkFeeExplanation": { - "description": "Explicación de las tarifas de red para el retiro express" - }, "buyNetworkFees": "Tarifas de red", - "@buyNetworkFees": { - "description": "Etiqueta para el monto de las tarifas de red" - }, "buyEstimatedFeeValue": "Valor estimado de tarifa", - "@buyEstimatedFeeValue": { - "description": "Etiqueta para el valor estimado de la tarifa en moneda fiduciaria" - }, "buyNetworkFeeRate": "Tasa de tarifa de red", - "@buyNetworkFeeRate": { - "description": "Etiqueta para la tasa de tarifa de red" - }, "buyConfirmationTime": "Tiempo de confirmación", - "@buyConfirmationTime": { - "description": "Etiqueta para el tiempo de confirmación estimado" - }, "buyConfirmationTimeValue": "~10 minutos", - "@buyConfirmationTimeValue": { - "description": "Valor para el tiempo de confirmación estimado" - }, "buyWaitForFreeWithdrawal": "Esperar retiro gratuito", - "@buyWaitForFreeWithdrawal": { - "description": "Botón para esperar el retiro gratuito (más lento)" - }, "buyConfirmExpress": "Confirmar express", - "@buyConfirmExpress": { - "description": "Botón para confirmar el retiro express" - }, "buyBitcoinSent": "¡Bitcoin enviado!", - "@buyBitcoinSent": { - "description": "Mensaje de éxito para la transacción acelerada" - }, "buyThatWasFast": "Fue rápido, ¿verdad?", - "@buyThatWasFast": { - "description": "Mensaje de éxito adicional para la transacción acelerada" - }, "sellTitle": "Vender Bitcoin", - "@sellTitle": { - "description": "AppBar title for sell screen" - }, "sellSelectWallet": "Seleccionar Billetera", - "@sellSelectWallet": { - "description": "Dropdown to choose source wallet" - }, "sellWhichWalletQuestion": "¿Desde qué billetera desea vender?", - "@sellWhichWalletQuestion": { - "description": "Pregunta que solicita al usuario seleccionar la billetera" - }, "sellExternalWallet": "Billetera externa", - "@sellExternalWallet": { - "description": "Opción para billetera externa" - }, "sellFromAnotherWallet": "Vender desde otra billetera Bitcoin", - "@sellFromAnotherWallet": { - "description": "Subtítulo para la opción de billetera externa" - }, "sellAboveMaxAmountError": "Está intentando vender por encima del monto máximo que se puede vender con esta billetera.", - "@sellAboveMaxAmountError": { - "description": "Mensaje de error para monto por encima del máximo" - }, "sellBelowMinAmountError": "Está intentando vender por debajo del monto mínimo que se puede vender con esta billetera.", - "@sellBelowMinAmountError": { - "description": "Mensaje de error para monto por debajo del mínimo" - }, "sellInsufficientBalanceError": "Saldo insuficiente en la billetera seleccionada para completar esta orden de venta.", - "@sellInsufficientBalanceError": { - "description": "Mensaje de error para saldo insuficiente" - }, "sellUnauthenticatedError": "No está autenticado. Por favor inicie sesión para continuar.", - "@sellUnauthenticatedError": { - "description": "Mensaje de error para usuario no autenticado" - }, "sellOrderNotFoundError": "No se encontró la orden de venta. Por favor intente de nuevo.", - "@sellOrderNotFoundError": { - "description": "Mensaje de error para orden no encontrada" - }, "sellOrderAlreadyConfirmedError": "Esta orden de venta ya ha sido confirmada.", - "@sellOrderAlreadyConfirmedError": { - "description": "Mensaje de error para orden ya confirmada" - }, "sellSelectNetwork": "Seleccionar red", - "@sellSelectNetwork": { - "description": "Título de la pantalla para la selección de red" - }, "sellHowToPayInvoice": "¿Cómo desea pagar esta factura?", - "@sellHowToPayInvoice": { - "description": "Pregunta para la selección del método de pago" - }, "sellBitcoinOnChain": "Bitcoin on-chain", - "@sellBitcoinOnChain": { - "description": "Opción para pago Bitcoin on-chain" - }, "sellLightningNetwork": "Lightning Network", - "@sellLightningNetwork": { - "description": "Opción para pago Lightning Network" - }, "sellLiquidNetwork": "Liquid Network", - "@sellLiquidNetwork": { - "description": "Opción para pago Liquid Network" - }, "sellConfirmPayment": "Confirmar pago", - "@sellConfirmPayment": { - "description": "Título de la pantalla para la confirmación de pago" - }, "sellPriceWillRefreshIn": "El precio se actualizará en ", - "@sellPriceWillRefreshIn": { - "description": "Texto antes del temporizador de cuenta regresiva para la actualización del precio" - }, "sellOrderNumber": "Número de orden", - "@sellOrderNumber": { - "description": "Etiqueta para el número de orden" - }, "sellPayoutRecipient": "Destinatario del pago", - "@sellPayoutRecipient": { - "description": "Etiqueta para el destinatario del pago" - }, "sellCadBalance": "Saldo CAD", - "@sellCadBalance": { - "description": "Texto para el método de pago de saldo CAD" - }, "sellCrcBalance": "Saldo CRC", - "@sellCrcBalance": { - "description": "Texto para el método de pago de saldo CRC" - }, "sellEurBalance": "Saldo EUR", - "@sellEurBalance": { - "description": "Texto para el método de pago de saldo EUR" - }, "sellUsdBalance": "Saldo USD", - "@sellUsdBalance": { - "description": "Texto para el método de pago de saldo USD" - }, "sellMxnBalance": "Saldo MXN", - "@sellMxnBalance": { - "description": "Texto para el método de pago de saldo MXN" - }, "sellArsBalance": "Saldo ARS", - "@sellArsBalance": { - "description": "Texto para el método de pago de saldo ARS" - }, "sellCopBalance": "Saldo COP", - "@sellCopBalance": { - "description": "Texto para el método de pago de saldo COP" - }, "sellPayinAmount": "Monto de pago", - "@sellPayinAmount": { - "description": "Etiqueta para el monto que el usuario paga" - }, "sellPayoutAmount": "Monto a recibir", - "@sellPayoutAmount": { - "description": "Etiqueta para el monto que el usuario recibe" - }, "sellExchangeRate": "Tipo de cambio", - "@sellExchangeRate": { - "description": "Etiqueta para el tipo de cambio" - }, "sellPayFromWallet": "Pagar desde billetera", - "@sellPayFromWallet": { - "description": "Etiqueta para la billetera utilizada para el pago" - }, "sellInstantPayments": "Pagos instantáneos", - "@sellInstantPayments": { - "description": "Texto para la billetera de pago instantáneo" - }, "sellSecureBitcoinWallet": "Billetera Bitcoin segura", - "@sellSecureBitcoinWallet": { - "description": "Texto para la billetera Bitcoin segura" - }, "sellFeePriority": "Prioridad de tarifa", - "@sellFeePriority": { - "description": "Etiqueta para la selección de prioridad de tarifa" - }, "sellFastest": "Más rápida", - "@sellFastest": { - "description": "Texto para la opción de tarifa más rápida" - }, "sellCalculating": "Calculando...", - "@sellCalculating": { - "description": "Texto mostrado mientras se calculan las tarifas" - }, "sellAdvancedSettings": "Configuración avanzada", - "@sellAdvancedSettings": { - "description": "Botón para la configuración avanzada" - }, "sellAdvancedOptions": "Opciones avanzadas", - "@sellAdvancedOptions": { - "description": "Título para la hoja inferior de opciones avanzadas" - }, "sellReplaceByFeeActivated": "Replace-by-fee activado", - "@sellReplaceByFeeActivated": { - "description": "Etiqueta para el interruptor RBF" - }, "sellSelectCoinsManually": "Seleccionar monedas manualmente", - "@sellSelectCoinsManually": { - "description": "Opción para seleccionar UTXOs manualmente" - }, "sellDone": "Hecho", - "@sellDone": { - "description": "Botón para cerrar la hoja inferior" - }, "sellPleasePayInvoice": "Por favor pague esta factura", - "@sellPleasePayInvoice": { - "description": "Título para la pantalla de recepción de pago" - }, "sellBitcoinAmount": "Monto de Bitcoin", - "@sellBitcoinAmount": { - "description": "Etiqueta para el monto de Bitcoin" - }, "sellCopyInvoice": "Copiar factura", - "@sellCopyInvoice": { - "description": "Botón para copiar la factura" - }, "sellShowQrCode": "Mostrar código QR", - "@sellShowQrCode": { - "description": "Botón para mostrar el código QR" - }, "sellQrCode": "Código QR", - "@sellQrCode": { - "description": "Título para la hoja inferior del código QR" - }, "sellNoInvoiceData": "No hay datos de factura disponibles", - "@sellNoInvoiceData": { - "description": "Mensaje cuando no hay datos de factura disponibles" - }, "sellInProgress": "Venta en progreso...", - "@sellInProgress": { - "description": "Mensaje para venta en progreso" - }, "sellGoHome": "Ir a inicio", - "@sellGoHome": { - "description": "Botón para ir a la pantalla de inicio" - }, "sellOrderCompleted": "¡Orden completada!", - "@sellOrderCompleted": { - "description": "Mensaje de éxito para orden completada" - }, "sellBalanceWillBeCredited": "El saldo de su cuenta será acreditado después de que su transacción reciba 1 confirmación on-chain.", - "@sellBalanceWillBeCredited": { - "description": "Información sobre la acreditación del saldo" - }, "payTitle": "Pagar", - "@payTitle": { - "description": "Título de la pantalla para la función de pago" - }, "paySelectRecipient": "Seleccionar destinatario", - "@paySelectRecipient": { - "description": "Título de la pantalla para la selección de destinatario" - }, "payWhoAreYouPaying": "¿A quién está pagando?", - "@payWhoAreYouPaying": { - "description": "Pregunta que solicita al usuario seleccionar el destinatario" - }, "payNewRecipients": "Nuevos destinatarios", - "@payNewRecipients": { - "description": "Etiqueta de pestaña para nuevos destinatarios" - }, "payMyFiatRecipients": "Mis destinatarios fiat", - "@payMyFiatRecipients": { - "description": "Etiqueta de pestaña para destinatarios guardados" - }, "payNoRecipientsFound": "No se encontraron destinatarios para pagar.", - "@payNoRecipientsFound": { - "description": "Mensaje cuando no se encuentran destinatarios" - }, "payLoadingRecipients": "Cargando destinatarios...", - "@payLoadingRecipients": { - "description": "Mensaje mientras se cargan los destinatarios" - }, "payNotLoggedIn": "No ha iniciado sesión", - "@payNotLoggedIn": { - "description": "Título para la tarjeta de no ha iniciado sesión" - }, "payNotLoggedInDescription": "No ha iniciado sesión. Por favor inicie sesión para continuar usando la función de pago.", - "@payNotLoggedInDescription": { - "description": "Descripción para el estado de no ha iniciado sesión" - }, "paySelectCountry": "Seleccionar país", - "@paySelectCountry": { - "description": "Sugerencia para el menú desplegable de país" - }, "payPayoutMethod": "Método de pago", - "@payPayoutMethod": { - "description": "Etiqueta para la sección de método de pago" - }, "payEmail": "Correo electrónico", - "@payEmail": { - "description": "Etiqueta para el campo de correo electrónico" - }, "payEmailHint": "Ingrese la dirección de correo electrónico", - "@payEmailHint": { - "description": "Sugerencia para la entrada de correo electrónico" - }, "payName": "Nombre", - "@payName": { - "description": "Etiqueta para el campo de nombre" - }, "payNameHint": "Ingrese el nombre del destinatario", - "@payNameHint": { - "description": "Sugerencia para la entrada de nombre" - }, "paySecurityQuestion": "Pregunta de seguridad", - "@paySecurityQuestion": { - "description": "Etiqueta para el campo de pregunta de seguridad" - }, "paySecurityQuestionHint": "Ingrese la pregunta de seguridad (10-40 caracteres)", - "@paySecurityQuestionHint": { - "description": "Sugerencia para la entrada de pregunta de seguridad" - }, "paySecurityQuestionLength": "{count}/40 caracteres", "@paySecurityQuestionLength": { - "description": "Contador de caracteres para la pregunta de seguridad", "placeholders": { "count": { "type": "int" @@ -13866,520 +470,135 @@ } }, "paySecurityQuestionLengthError": "Debe tener entre 10-40 caracteres", - "@paySecurityQuestionLengthError": { - "description": "Error para longitud de pregunta de seguridad inválida" - }, "paySecurityAnswer": "Respuesta de seguridad", - "@paySecurityAnswer": { - "description": "Etiqueta para el campo de respuesta de seguridad" - }, "paySecurityAnswerHint": "Ingrese la respuesta de seguridad", - "@paySecurityAnswerHint": { - "description": "Sugerencia para la entrada de respuesta de seguridad" - }, "payLabelOptional": "Etiqueta (opcional)", - "@payLabelOptional": { - "description": "Etiqueta para el campo de etiqueta opcional" - }, "payLabelHint": "Ingrese una etiqueta para este destinatario", - "@payLabelHint": { - "description": "Sugerencia para la entrada de etiqueta" - }, "payBillerName": "Nombre del acreedor", - "@payBillerName": { - "description": "Etiqueta para el campo de nombre del acreedor" - }, "payBillerNameValue": "Nombre del acreedor seleccionado", - "@payBillerNameValue": { - "description": "Marcador de posición para el nombre del acreedor" - }, "payBillerSearchHint": "Ingrese las primeras 3 letras del nombre del acreedor", - "@payBillerSearchHint": { - "description": "Sugerencia para el campo de búsqueda de acreedor" - }, "payPayeeAccountNumber": "Número de cuenta del beneficiario", - "@payPayeeAccountNumber": { - "description": "Etiqueta para el número de cuenta del beneficiario" - }, "payPayeeAccountNumberHint": "Ingrese el número de cuenta", - "@payPayeeAccountNumberHint": { - "description": "Sugerencia para la entrada del número de cuenta" - }, "payInstitutionNumber": "Número de institución", - "@payInstitutionNumber": { - "description": "Etiqueta para el número de institución" - }, "payInstitutionNumberHint": "Ingrese el número de institución", - "@payInstitutionNumberHint": { - "description": "Sugerencia para la entrada del número de institución" - }, "payTransitNumber": "Número de tránsito", - "@payTransitNumber": { - "description": "Etiqueta para el número de tránsito" - }, "payTransitNumberHint": "Ingrese el número de tránsito", - "@payTransitNumberHint": { - "description": "Sugerencia para la entrada del número de tránsito" - }, "payAccountNumber": "Número de cuenta", - "@payAccountNumber": { - "description": "Etiqueta para el número de cuenta" - }, "payAccountNumberHint": "Ingrese el número de cuenta", - "@payAccountNumberHint": { - "description": "Sugerencia para la entrada del número de cuenta" - }, "payDefaultCommentOptional": "Comentario predeterminado (opcional)", - "@payDefaultCommentOptional": { - "description": "Etiqueta para el campo de comentario predeterminado" - }, "payDefaultCommentHint": "Ingrese el comentario predeterminado", - "@payDefaultCommentHint": { - "description": "Sugerencia para la entrada del comentario predeterminado" - }, "payIban": "IBAN", - "@payIban": { - "description": "Etiqueta para el campo IBAN" - }, "payIbanHint": "Ingrese el IBAN", - "@payIbanHint": { - "description": "Sugerencia para la entrada del IBAN" - }, "payCorporate": "Corporativo", - "@payCorporate": { - "description": "Etiqueta para la casilla de verificación de corporativo" - }, "payIsCorporateAccount": "¿Es esta una cuenta corporativa?", - "@payIsCorporateAccount": { - "description": "Pregunta para la casilla de verificación de cuenta corporativa" - }, "payFirstName": "Nombre", - "@payFirstName": { - "description": "Etiqueta para el campo de nombre" - }, "payFirstNameHint": "Ingrese el nombre", - "@payFirstNameHint": { - "description": "Sugerencia para la entrada del nombre" - }, "payLastName": "Apellido", - "@payLastName": { - "description": "Etiqueta para el campo de apellido" - }, "payLastNameHint": "Ingrese el apellido", - "@payLastNameHint": { - "description": "Sugerencia para la entrada del apellido" - }, "payCorporateName": "Nombre corporativo", - "@payCorporateName": { - "description": "Etiqueta para el campo de nombre corporativo" - }, "payCorporateNameHint": "Ingrese el nombre corporativo", - "@payCorporateNameHint": { - "description": "Sugerencia para la entrada del nombre corporativo" - }, "payClabe": "CLABE", - "@payClabe": { - "description": "Etiqueta para el campo CLABE" - }, "payClabeHint": "Ingrese el número CLABE", - "@payClabeHint": { - "description": "Sugerencia para la entrada del CLABE" - }, "payInstitutionCode": "Código de institución", - "@payInstitutionCode": { - "description": "Etiqueta para el campo de código de institución" - }, "payInstitutionCodeHint": "Ingrese el código de institución", - "@payInstitutionCodeHint": { - "description": "Sugerencia para la entrada del código de institución" - }, "payPhoneNumber": "Número de teléfono", - "@payPhoneNumber": { - "description": "Etiqueta para el campo de número de teléfono" - }, "payPhoneNumberHint": "Ingrese el número de teléfono", - "@payPhoneNumberHint": { - "description": "Sugerencia para la entrada del número de teléfono" - }, "payDebitCardNumber": "Número de tarjeta de débito", - "@payDebitCardNumber": { - "description": "Etiqueta para el campo de número de tarjeta de débito" - }, "payDebitCardNumberHint": "Ingrese el número de tarjeta de débito", - "@payDebitCardNumberHint": { - "description": "Sugerencia para la entrada del número de tarjeta de débito" - }, "payOwnerName": "Nombre del titular", - "@payOwnerName": { - "description": "Etiqueta para el campo de nombre del titular" - }, "payOwnerNameHint": "Ingrese el nombre del titular", - "@payOwnerNameHint": { - "description": "Sugerencia para la entrada del nombre del titular" - }, "payValidating": "Validando...", - "@payValidating": { - "description": "Texto mostrado mientras se valida SINPE" - }, "payInvalidSinpe": "SINPE inválido", - "@payInvalidSinpe": { - "description": "Mensaje de error para SINPE inválido" - }, "payFilterByType": "Filtrar por tipo", - "@payFilterByType": { - "description": "Etiqueta para el menú desplegable de filtro de tipo" - }, "payAllTypes": "Todos los tipos", - "@payAllTypes": { - "description": "Opción para el filtro de todos los tipos" - }, "payAllCountries": "Todos los países", - "@payAllCountries": { - "description": "Opción para el filtro de todos los países" - }, "payRecipientType": "Tipo de destinatario", - "@payRecipientType": { - "description": "Etiqueta para el tipo de destinatario" - }, "payRecipientName": "Nombre del destinatario", - "@payRecipientName": { - "description": "Etiqueta para el nombre del destinatario" - }, "payRecipientDetails": "Detalles del destinatario", - "@payRecipientDetails": { - "description": "Etiqueta para los detalles del destinatario" - }, "payAccount": "Cuenta", - "@payAccount": { - "description": "Etiqueta para los detalles de la cuenta" - }, "payPayee": "Beneficiario", - "@payPayee": { - "description": "Etiqueta para los detalles del beneficiario" - }, "payCard": "Tarjeta", - "@payCard": { - "description": "Etiqueta para los detalles de la tarjeta" - }, "payPhone": "Teléfono", - "@payPhone": { - "description": "Etiqueta para los detalles del teléfono" - }, "payNoDetailsAvailable": "No hay detalles disponibles", - "@payNoDetailsAvailable": { - "description": "Mensaje cuando los detalles del destinatario no están disponibles" - }, "paySelectWallet": "Seleccionar Billetera", - "@paySelectWallet": { - "description": "Label for wallet selection dropdown in payment" - }, "payWhichWalletQuestion": "¿Desde qué billetera desea pagar?", - "@payWhichWalletQuestion": { - "description": "Pregunta que solicita al usuario seleccionar la billetera" - }, "payExternalWallet": "Billetera externa", - "@payExternalWallet": { - "description": "Opción para billetera externa" - }, "payFromAnotherWallet": "Pagar desde otra billetera Bitcoin", - "@payFromAnotherWallet": { - "description": "Subtítulo para la opción de billetera externa" - }, "payAboveMaxAmountError": "Está intentando pagar por encima del monto máximo que se puede pagar con esta billetera.", - "@payAboveMaxAmountError": { - "description": "Mensaje de error para monto por encima del máximo" - }, "payBelowMinAmountError": "Está intentando pagar por debajo del monto mínimo que se puede pagar con esta billetera.", - "@payBelowMinAmountError": { - "description": "Mensaje de error para monto por debajo del mínimo" - }, "payInsufficientBalanceError": "Saldo insuficiente en la billetera seleccionada para completar esta orden de pago.", - "@payInsufficientBalanceError": { - "description": "Mensaje de error para saldo insuficiente" - }, "payUnauthenticatedError": "No está autenticado. Por favor inicie sesión para continuar.", - "@payUnauthenticatedError": { - "description": "Mensaje de error para usuario no autenticado" - }, "payOrderNotFoundError": "No se encontró la orden de pago. Por favor intente de nuevo.", - "@payOrderNotFoundError": { - "description": "Mensaje de error para orden no encontrada" - }, "payOrderAlreadyConfirmedError": "Esta orden de pago ya ha sido confirmada.", - "@payOrderAlreadyConfirmedError": { - "description": "Mensaje de error para orden ya confirmada" - }, "paySelectNetwork": "Seleccionar red", - "@paySelectNetwork": { - "description": "Título de la pantalla para la selección de red" - }, "payHowToPayInvoice": "¿Cómo desea pagar esta factura?", - "@payHowToPayInvoice": { - "description": "Pregunta para la selección del método de pago" - }, "payBitcoinOnChain": "Bitcoin on-chain", - "@payBitcoinOnChain": { - "description": "Opción para pago Bitcoin on-chain" - }, "payLightningNetwork": "Lightning Network", - "@payLightningNetwork": { - "description": "Opción para pago Lightning Network" - }, "payLiquidNetwork": "Liquid Network", - "@payLiquidNetwork": { - "description": "Opción para pago Liquid Network" - }, "payConfirmPayment": "Confirmar Pago", - "@payConfirmPayment": { - "description": "Button text to confirm and execute payment" - }, "payPriceWillRefreshIn": "El precio se actualizará en ", - "@payPriceWillRefreshIn": { - "description": "Texto antes del temporizador de cuenta regresiva para la actualización del precio" - }, "payOrderNumber": "Número de orden", - "@payOrderNumber": { - "description": "Etiqueta para el número de orden" - }, "payPayinAmount": "Monto de pago", - "@payPayinAmount": { - "description": "Etiqueta para el monto que el usuario paga" - }, "payPayoutAmount": "Monto a recibir", - "@payPayoutAmount": { - "description": "Etiqueta para el monto que el usuario recibe" - }, "payExchangeRate": "Tipo de cambio", - "@payExchangeRate": { - "description": "Etiqueta para el tipo de cambio" - }, "payPayFromWallet": "Pagar desde billetera", - "@payPayFromWallet": { - "description": "Etiqueta para la billetera utilizada para el pago" - }, "payInstantPayments": "Pagos instantáneos", - "@payInstantPayments": { - "description": "Texto para la billetera de pago instantáneo" - }, "paySecureBitcoinWallet": "Billetera Bitcoin segura", - "@paySecureBitcoinWallet": { - "description": "Texto para la billetera Bitcoin segura" - }, "payFeePriority": "Prioridad de tarifa", - "@payFeePriority": { - "description": "Etiqueta para la selección de prioridad de tarifa" - }, "payFastest": "Más rápida", - "@payFastest": { - "description": "Texto para la opción de tarifa más rápida" - }, "payNetworkFees": "Tarifas de red", - "@payNetworkFees": { - "description": "Etiqueta para el monto de las tarifas de red" - }, "payCalculating": "Calculando...", - "@payCalculating": { - "description": "Texto mostrado mientras se calculan las tarifas" - }, "payAdvancedSettings": "Configuración avanzada", - "@payAdvancedSettings": { - "description": "Botón para la configuración avanzada" - }, "payAdvancedOptions": "Opciones avanzadas", - "@payAdvancedOptions": { - "description": "Título para la hoja inferior de opciones avanzadas" - }, "payReplaceByFeeActivated": "Replace-by-fee activado", - "@payReplaceByFeeActivated": { - "description": "Etiqueta para el interruptor RBF" - }, "paySelectCoinsManually": "Seleccionar monedas manualmente", - "@paySelectCoinsManually": { - "description": "Opción para seleccionar UTXOs manualmente" - }, "payDone": "Hecho", - "@payDone": { - "description": "Botón para cerrar la hoja inferior" - }, "payContinue": "Continuar", - "@payContinue": { - "description": "Botón para continuar al siguiente paso" - }, "payPleasePayInvoice": "Por favor pague esta factura", - "@payPleasePayInvoice": { - "description": "Título para la pantalla de recepción de pago" - }, "payBitcoinAmount": "Monto de Bitcoin", - "@payBitcoinAmount": { - "description": "Etiqueta para el monto de Bitcoin" - }, "payBitcoinPrice": "Precio de Bitcoin", - "@payBitcoinPrice": { - "description": "Etiqueta para el tipo de cambio de Bitcoin" - }, "payCopyInvoice": "Copiar Factura", - "@payCopyInvoice": { - "description": "Button text to copy invoice to clipboard" - }, "payShowQrCode": "Mostrar código QR", - "@payShowQrCode": { - "description": "Botón para mostrar el código QR" - }, "payQrCode": "Código QR", - "@payQrCode": { - "description": "Título para la hoja inferior del código QR" - }, "payNoInvoiceData": "No hay datos de factura disponibles", - "@payNoInvoiceData": { - "description": "Mensaje cuando no hay datos de factura disponibles" - }, "payInvalidState": "Estado inválido", - "@payInvalidState": { - "description": "Mensaje de error para estado inválido" - }, "payInProgress": "¡Pago en progreso!", - "@payInProgress": { - "description": "Título para la pantalla de pago en progreso" - }, "payInProgressDescription": "Su pago ha sido iniciado y el destinatario recibirá los fondos después de que su transacción reciba 1 confirmación on-chain.", - "@payInProgressDescription": { - "description": "Descripción para el pago en progreso" - }, "payViewDetails": "Ver detalles", - "@payViewDetails": { - "description": "Botón para ver los detalles de la orden" - }, "payCompleted": "¡Pago completado!", - "@payCompleted": { - "description": "Título para la pantalla de pago completado" - }, "payCompletedDescription": "Su pago ha sido completado y el destinatario ha recibido los fondos.", - "@payCompletedDescription": { - "description": "Descripción para el pago completado" - }, "paySinpeEnviado": "SINPE ENVIADO!", - "@paySinpeEnviado": { - "description": "Mensaje de éxito para el pago SINPE (en español, se mantiene como está)" - }, "payOrderDetails": "Detalles de la orden", - "@payOrderDetails": { - "description": "Título para la pantalla de detalles de la orden SINPE" - }, "paySinpeMonto": "Monto", - "@paySinpeMonto": { - "description": "Etiqueta para el monto en detalles de orden SINPE" - }, "paySinpeNumeroOrden": "Número de orden", - "@paySinpeNumeroOrden": { - "description": "Etiqueta para el número de orden en detalles SINPE" - }, "paySinpeNumeroComprobante": "Número de comprobante", - "@paySinpeNumeroComprobante": { - "description": "Etiqueta para el número de comprobante en detalles SINPE" - }, "paySinpeBeneficiario": "Beneficiario", - "@paySinpeBeneficiario": { - "description": "Etiqueta para el beneficiario en detalles SINPE" - }, "paySinpeOrigen": "Origen", - "@paySinpeOrigen": { - "description": "Etiqueta para el origen en detalles SINPE" - }, "payNotAvailable": "N/A", - "@payNotAvailable": { - "description": "Texto para información no disponible" - }, "payBitcoinOnchain": "Bitcoin on-chain", - "@payBitcoinOnchain": { - "description": "Opción para pago Bitcoin on-chain" - }, "payAboveMaxAmount": "Está intentando pagar un monto superior al monto máximo que se puede pagar con esta billetera.", - "@payAboveMaxAmount": { - "description": "Mensaje de error cuando el monto de pago excede el máximo" - }, "payBelowMinAmount": "Está intentando pagar un monto inferior al monto mínimo que se puede pagar con esta billetera.", - "@payBelowMinAmount": { - "description": "Mensaje de error cuando el monto de pago está por debajo del mínimo" - }, "payNotAuthenticated": "No está autenticado. Por favor, inicie sesión para continuar.", - "@payNotAuthenticated": { - "description": "Mensaje de error cuando el usuario no está autenticado" - }, "payOrderNotFound": "No se encontró la orden de pago. Por favor, intente nuevamente.", - "@payOrderNotFound": { - "description": "Mensaje de error cuando no se encuentra la orden de pago" - }, "payOrderAlreadyConfirmed": "Esta orden de pago ya ha sido confirmada.", - "@payOrderAlreadyConfirmed": { - "description": "Mensaje de error cuando la orden de pago ya está confirmada" - }, "payPaymentInProgress": "¡Pago en curso!", - "@payPaymentInProgress": { - "description": "Título para la pantalla de pago en curso" - }, "payPaymentInProgressDescription": "Su pago ha sido iniciado y el destinatario recibirá los fondos después de que su transacción reciba 1 confirmación on-chain.", - "@payPaymentInProgressDescription": { - "description": "Descripción para el pago en curso" - }, "payPriceRefreshIn": "El precio se actualizará en ", - "@payPriceRefreshIn": { - "description": "Texto antes del temporizador de cuenta regresiva" - }, "payFor": "Para", - "@payFor": { - "description": "Etiqueta para la sección de información del destinatario" - }, "payRecipient": "Destinatario", - "@payRecipient": { - "description": "Etiqueta para el destinatario" - }, "payAmount": "Monto", - "@payAmount": { - "description": "Etiqueta para el monto" - }, "payFee": "Comisión", - "@payFee": { - "description": "Etiqueta para la comisión" - }, "payNetwork": "Red", - "@payNetwork": { - "description": "Etiqueta para la red" - }, "payViewRecipient": "Ver destinatario", - "@payViewRecipient": { - "description": "Botón para ver los detalles del destinatario" - }, "payOpenInvoice": "Abrir factura", - "@payOpenInvoice": { - "description": "Botón para abrir la factura" - }, "payCopied": "¡Copiado!", - "@payCopied": { - "description": "Mensaje de éxito después de copiar" - }, "payWhichWallet": "¿Desde qué billetera desea pagar?", - "@payWhichWallet": { - "description": "Pregunta para la selección de billetera" - }, "payExternalWalletDescription": "Pagar desde otra billetera Bitcoin", - "@payExternalWalletDescription": { - "description": "Descripción para la opción de billetera externa" - }, "payInsufficientBalance": "Saldo insuficiente en la billetera seleccionada para completar esta orden de pago.", - "@payInsufficientBalance": { - "description": "Mensaje de error para saldo insuficiente" - }, "payRbfActivated": "Replace-by-fee activado", - "@payRbfActivated": { - "description": "Etiqueta para el interruptor RBF" - }, "transactionTitle": "Transacciones", - "@transactionTitle": { - "description": "Título para la pantalla de transacciones" - }, "transactionError": "Error - {error}", "@transactionError": { - "description": "Mensaje de error mostrado cuando falla la carga de transacciones", "placeholders": { "error": { "type": "String" @@ -14387,20 +606,10 @@ } }, "transactionDetailTitle": "Detalles de la transacción", - "@transactionDetailTitle": { - "description": "Título para la pantalla de detalles de transacción" - }, "transactionDetailTransferProgress": "Progreso de la transferencia", - "@transactionDetailTransferProgress": { - "description": "Título para los detalles de la transferencia en curso" - }, "transactionDetailSwapProgress": "Progreso del intercambio", - "@transactionDetailSwapProgress": { - "description": "Título para los detalles del intercambio en curso" - }, "transactionDetailRetryTransfer": "Reintentar transferencia {action}", "@transactionDetailRetryTransfer": { - "description": "Etiqueta del botón para reintentar una acción de transferencia fallida", "placeholders": { "action": { "type": "String" @@ -14409,7 +618,6 @@ }, "transactionDetailRetrySwap": "Reintentar intercambio {action}", "@transactionDetailRetrySwap": { - "description": "Etiqueta del botón para reintentar una acción de intercambio fallida", "placeholders": { "action": { "type": "String" @@ -14417,1404 +625,356 @@ } }, "transactionDetailAddNote": "Agregar nota", - "@transactionDetailAddNote": { - "description": "Etiqueta del botón para agregar una nota a una transacción" - }, "transactionDetailBumpFees": "Aumentar tarifas", - "@transactionDetailBumpFees": { - "description": "Etiqueta del botón para aumentar las tarifas de transacción mediante RBF" - }, "transactionFilterAll": "Todas", - "@transactionFilterAll": { - "description": "Opción de filtro para mostrar todas las transacciones" - }, "transactionFilterSend": "Enviar", - "@transactionFilterSend": { - "description": "Opción de filtro para mostrar solo transacciones enviadas" - }, "transactionFilterReceive": "Recibir", - "@transactionFilterReceive": { - "description": "Opción de filtro para mostrar solo transacciones recibidas" - }, "transactionFilterTransfer": "Transferir", - "@transactionFilterTransfer": { - "description": "Opción de filtro para mostrar solo transacciones de transferencia/intercambio" - }, "transactionFilterPayjoin": "Payjoin", - "@transactionFilterPayjoin": { - "description": "Opción de filtro para mostrar solo transacciones payjoin" - }, "transactionFilterSell": "Vender", - "@transactionFilterSell": { - "description": "Opción de filtro para mostrar solo órdenes de venta" - }, "transactionFilterBuy": "Comprar", - "@transactionFilterBuy": { - "description": "Opción de filtro para mostrar solo órdenes de compra" - }, "transactionNetworkLightning": "Lightning", - "@transactionNetworkLightning": { - "description": "Etiqueta para transacciones de la red Lightning" - }, "transactionNetworkBitcoin": "Bitcoin", - "@transactionNetworkBitcoin": { - "description": "Etiqueta para transacciones de la red Bitcoin" - }, "transactionNetworkLiquid": "Liquid", - "@transactionNetworkLiquid": { - "description": "Etiqueta para transacciones de la red Liquid" - }, "transactionSwapLiquidToBitcoin": "L-BTC → BTC", - "@transactionSwapLiquidToBitcoin": { - "description": "Etiqueta para el intercambio de Liquid a Bitcoin" - }, "transactionSwapBitcoinToLiquid": "BTC → L-BTC", - "@transactionSwapBitcoinToLiquid": { - "description": "Etiqueta para el intercambio de Bitcoin a Liquid" - }, "transactionStatusInProgress": "En progreso", - "@transactionStatusInProgress": { - "description": "Etiqueta de estado para transacciones en progreso" - }, "transactionStatusPending": "Pendiente", - "@transactionStatusPending": { - "description": "Etiqueta de estado para transacciones pendientes" - }, "transactionStatusConfirmed": "Confirmada", - "@transactionStatusConfirmed": { - "description": "Etiqueta de estado para transacciones confirmadas" - }, "transactionStatusTransferCompleted": "Transferencia completada", - "@transactionStatusTransferCompleted": { - "description": "Etiqueta de estado para transferencias completadas" - }, "transactionStatusTransferInProgress": "Transferencia en progreso", - "@transactionStatusTransferInProgress": { - "description": "Etiqueta de estado para transferencias en progreso" - }, "transactionStatusPaymentInProgress": "Pago en progreso", - "@transactionStatusPaymentInProgress": { - "description": "Etiqueta de estado para pagos Lightning en progreso" - }, "transactionStatusPaymentRefunded": "Pago reembolsado", - "@transactionStatusPaymentRefunded": { - "description": "Etiqueta de estado para pagos reembolsados" - }, "transactionStatusTransferFailed": "Transferencia fallida", - "@transactionStatusTransferFailed": { - "description": "Etiqueta de estado para transferencias fallidas" - }, "transactionStatusSwapFailed": "Intercambio fallido", - "@transactionStatusSwapFailed": { - "description": "Etiqueta de estado para intercambios fallidos" - }, "transactionStatusTransferExpired": "Transferencia expirada", - "@transactionStatusTransferExpired": { - "description": "Etiqueta de estado para transferencias expiradas" - }, "transactionStatusSwapExpired": "Intercambio expirado", - "@transactionStatusSwapExpired": { - "description": "Etiqueta de estado para intercambios expirados" - }, "transactionStatusPayjoinRequested": "Payjoin solicitado", - "@transactionStatusPayjoinRequested": { - "description": "Etiqueta de estado para solicitudes de transacción payjoin" - }, "transactionLabelTransactionId": "ID de transacción", - "@transactionLabelTransactionId": { - "description": "Etiqueta para el campo de ID de transacción" - }, "transactionLabelToWallet": "A billetera", - "@transactionLabelToWallet": { - "description": "Etiqueta para la billetera de destino" - }, "transactionLabelFromWallet": "Desde billetera", - "@transactionLabelFromWallet": { - "description": "Etiqueta para la billetera de origen" - }, "transactionLabelRecipientAddress": "Dirección del destinatario", - "@transactionLabelRecipientAddress": { - "description": "Etiqueta para la dirección del destinatario" - }, "transactionLabelAddress": "Dirección", - "@transactionLabelAddress": { - "description": "Etiqueta para la dirección de la transacción" - }, "transactionLabelAddressNotes": "Notas de dirección", - "@transactionLabelAddressNotes": { - "description": "Etiqueta para las notas/etiquetas de dirección" - }, "transactionLabelAmountReceived": "Monto recibido", - "@transactionLabelAmountReceived": { - "description": "Etiqueta para el monto recibido" - }, "transactionLabelAmountSent": "Monto enviado", - "@transactionLabelAmountSent": { - "description": "Etiqueta para el monto enviado" - }, "transactionLabelTransactionFee": "Tarifa de transacción", - "@transactionLabelTransactionFee": { - "description": "Etiqueta para la tarifa de transacción" - }, "transactionLabelStatus": "Estado", - "@transactionLabelStatus": { - "description": "Etiqueta para el estado de la transacción" - }, "transactionLabelConfirmationTime": "Tiempo de confirmación", - "@transactionLabelConfirmationTime": { - "description": "Etiqueta para la marca de tiempo de confirmación de la transacción" - }, "transactionLabelTransferId": "ID de transferencia", - "@transactionLabelTransferId": { - "description": "Etiqueta para el ID de transferencia/intercambio" - }, "transactionLabelSwapId": "ID de intercambio", - "@transactionLabelSwapId": { - "description": "Etiqueta para el ID de intercambio" - }, "transactionLabelTransferStatus": "Estado de transferencia", - "@transactionLabelTransferStatus": { - "description": "Etiqueta para el estado de transferencia" - }, "transactionLabelSwapStatus": "Estado de intercambio", - "@transactionLabelSwapStatus": { - "description": "Etiqueta para el estado de intercambio" - }, "transactionLabelSwapStatusRefunded": "Reembolsado", - "@transactionLabelSwapStatusRefunded": { - "description": "Etiqueta de estado para intercambios reembolsados" - }, "transactionLabelLiquidTransactionId": "ID de transacción Liquid", - "@transactionLabelLiquidTransactionId": { - "description": "Etiqueta para el ID de transacción de la red Liquid" - }, "transactionLabelBitcoinTransactionId": "ID de transacción Bitcoin", - "@transactionLabelBitcoinTransactionId": { - "description": "Etiqueta para el ID de transacción de la red Bitcoin" - }, "transactionLabelTotalTransferFees": "Tarifas totales de transferencia", - "@transactionLabelTotalTransferFees": { - "description": "Etiqueta para las tarifas totales de transferencia" - }, "transactionLabelTotalSwapFees": "Tarifas totales de intercambio", - "@transactionLabelTotalSwapFees": { - "description": "Etiqueta para las tarifas totales de intercambio" - }, "transactionLabelNetworkFee": "Tarifa de red", - "@transactionLabelNetworkFee": { - "description": "Etiqueta para el componente de tarifa de red" - }, "transactionLabelTransferFee": "Tarifa de transferencia", - "@transactionLabelTransferFee": { - "description": "Etiqueta para el componente de tarifa de transferencia" - }, "transactionLabelBoltzSwapFee": "Tarifa de intercambio Boltz", - "@transactionLabelBoltzSwapFee": { - "description": "Etiqueta para el componente de tarifa de intercambio Boltz" - }, "transactionLabelCreatedAt": "Creado el", - "@transactionLabelCreatedAt": { - "description": "Etiqueta para la marca de tiempo de creación" - }, "transactionLabelCompletedAt": "Completado el", - "@transactionLabelCompletedAt": { - "description": "Etiqueta para la marca de tiempo de finalización" - }, "transactionLabelPayjoinStatus": "Estado de payjoin", - "@transactionLabelPayjoinStatus": { - "description": "Etiqueta para el estado de payjoin" - }, "transactionLabelPayjoinCreationTime": "Tiempo de creación de payjoin", - "@transactionLabelPayjoinCreationTime": { - "description": "Etiqueta para la marca de tiempo de creación de payjoin" - }, "transactionPayjoinStatusCompleted": "Completado", - "@transactionPayjoinStatusCompleted": { - "description": "Estado de payjoin: completado" - }, "transactionPayjoinStatusExpired": "Expirado", - "@transactionPayjoinStatusExpired": { - "description": "Estado de payjoin: expirado" - }, "transactionOrderLabelOrderType": "Tipo de orden", - "@transactionOrderLabelOrderType": { - "description": "Etiqueta para el tipo de orden" - }, "transactionOrderLabelOrderNumber": "Número de orden", - "@transactionOrderLabelOrderNumber": { - "description": "Etiqueta para el número de orden" - }, "transactionOrderLabelPayinAmount": "Monto de pago", - "@transactionOrderLabelPayinAmount": { - "description": "Etiqueta para el monto de pago de la orden" - }, "transactionOrderLabelPayoutAmount": "Monto a recibir", - "@transactionOrderLabelPayoutAmount": { - "description": "Etiqueta para el monto a recibir de la orden" - }, "transactionOrderLabelExchangeRate": "Tipo de cambio", - "@transactionOrderLabelExchangeRate": { - "description": "Etiqueta para el tipo de cambio de la orden" - }, "transactionOrderLabelPayinMethod": "Método de pago", - "@transactionOrderLabelPayinMethod": { - "description": "Etiqueta para el método de pago de la orden" - }, "transactionOrderLabelPayoutMethod": "Método de cobro", - "@transactionOrderLabelPayoutMethod": { - "description": "Etiqueta para el método de cobro de la orden" - }, "transactionOrderLabelPayinStatus": "Estado de pago", - "@transactionOrderLabelPayinStatus": { - "description": "Etiqueta para el estado de pago de la orden" - }, "transactionOrderLabelOrderStatus": "Estado de orden", - "@transactionOrderLabelOrderStatus": { - "description": "Etiqueta para el estado de la orden" - }, "transactionOrderLabelPayoutStatus": "Estado de cobro", - "@transactionOrderLabelPayoutStatus": { - "description": "Etiqueta para el estado de cobro de la orden" - }, "transactionNotesLabel": "Notas de transacción", - "@transactionNotesLabel": { - "description": "Etiqueta para la sección de notas de transacción" - }, "transactionNoteAddTitle": "Agregar nota", - "@transactionNoteAddTitle": { - "description": "Título para el diálogo de agregar nota" - }, "transactionNoteEditTitle": "Editar nota", - "@transactionNoteEditTitle": { - "description": "Título para el diálogo de editar nota" - }, "transactionNoteHint": "Nota", - "@transactionNoteHint": { - "description": "Texto de sugerencia para el campo de entrada de nota" - }, "transactionNoteSaveButton": "Guardar", - "@transactionNoteSaveButton": { - "description": "Etiqueta del botón para guardar una nota" - }, "transactionNoteUpdateButton": "Actualizar", - "@transactionNoteUpdateButton": { - "description": "Etiqueta del botón para actualizar una nota" - }, "transactionPayjoinNoProposal": "¿No recibe una propuesta de payjoin del receptor?", - "@transactionPayjoinNoProposal": { - "description": "Mensaje mostrado cuando no se recibe la propuesta de payjoin" - }, "transactionPayjoinSendWithout": "Enviar sin payjoin", - "@transactionPayjoinSendWithout": { - "description": "Etiqueta del botón para enviar la transacción sin payjoin" - }, "transactionSwapProgressInitiated": "Iniciado", - "@transactionSwapProgressInitiated": { - "description": "Paso de progreso del intercambio: iniciado" - }, "transactionSwapProgressPaymentMade": "Pago\nrealizado", - "@transactionSwapProgressPaymentMade": { - "description": "Paso de progreso del intercambio: pago realizado" - }, "transactionSwapProgressFundsClaimed": "Fondos\nreclamados", - "@transactionSwapProgressFundsClaimed": { - "description": "Paso de progreso del intercambio: fondos reclamados" - }, "transactionSwapProgressBroadcasted": "Transmitido", - "@transactionSwapProgressBroadcasted": { - "description": "Paso de progreso del intercambio: transacción transmitida" - }, "transactionSwapProgressInvoicePaid": "Factura\npagada", - "@transactionSwapProgressInvoicePaid": { - "description": "Paso de progreso del intercambio: factura Lightning pagada" - }, "transactionSwapProgressConfirmed": "Confirmado", - "@transactionSwapProgressConfirmed": { - "description": "Paso de progreso del intercambio: confirmado" - }, "transactionSwapProgressClaim": "Reclamar", - "@transactionSwapProgressClaim": { - "description": "Paso de progreso del intercambio: reclamar" - }, "transactionSwapProgressCompleted": "Completado", - "@transactionSwapProgressCompleted": { - "description": "Paso de progreso del intercambio: completado" - }, "transactionSwapProgressInProgress": "En progreso", - "@transactionSwapProgressInProgress": { - "description": "Paso de progreso del intercambio genérico: en progreso" - }, "transactionSwapStatusTransferStatus": "Estado de transferencia", - "@transactionSwapStatusTransferStatus": { - "description": "Encabezado para la sección de estado de transferencia" - }, "transactionSwapStatusSwapStatus": "Estado de intercambio", - "@transactionSwapStatusSwapStatus": { - "description": "Encabezado para la sección de estado de intercambio" - }, "transactionSwapDescLnReceivePending": "Su intercambio ha sido iniciado. Estamos esperando que se reciba un pago en la Lightning Network.", - "@transactionSwapDescLnReceivePending": { - "description": "Descripción para el intercambio de recepción Lightning pendiente" - }, "transactionSwapDescLnReceivePaid": "¡Se ha recibido el pago! Ahora estamos transmitiendo la transacción on-chain a su billetera.", - "@transactionSwapDescLnReceivePaid": { - "description": "Descripción para el intercambio de recepción Lightning pagado" - }, "transactionSwapDescLnReceiveClaimable": "La transacción on-chain ha sido confirmada. Ahora estamos reclamando los fondos para completar su intercambio.", - "@transactionSwapDescLnReceiveClaimable": { - "description": "Descripción para el intercambio de recepción Lightning reclamable" - }, "transactionSwapDescLnReceiveCompleted": "¡Su intercambio ha sido completado exitosamente! Los fondos ahora deberían estar disponibles en su billetera.", - "@transactionSwapDescLnReceiveCompleted": { - "description": "Descripción para el intercambio de recepción Lightning completado" - }, "transactionSwapDescLnReceiveFailed": "Hubo un problema con su intercambio. Por favor contacte con soporte si los fondos no han sido devueltos dentro de 24 horas.", - "@transactionSwapDescLnReceiveFailed": { - "description": "Descripción para el intercambio de recepción Lightning fallido" - }, "transactionSwapDescLnReceiveExpired": "Este intercambio ha expirado. Cualquier fondo enviado será devuelto automáticamente al remitente.", - "@transactionSwapDescLnReceiveExpired": { - "description": "Descripción para el intercambio de recepción Lightning expirado" - }, "transactionSwapDescLnReceiveDefault": "Su intercambio está en progreso. Este proceso es automatizado y puede tomar algún tiempo en completarse.", - "@transactionSwapDescLnReceiveDefault": { - "description": "Descripción predeterminada para el intercambio de recepción Lightning" - }, "transactionSwapDescLnSendPending": "Su intercambio ha sido iniciado. Estamos transmitiendo la transacción on-chain para bloquear sus fondos.", - "@transactionSwapDescLnSendPending": { - "description": "Descripción para el intercambio de envío Lightning pendiente" - }, "transactionSwapDescLnSendPaid": "Su transacción on-chain ha sido transmitida. Después de 1 confirmación, se enviará el pago Lightning.", - "@transactionSwapDescLnSendPaid": { - "description": "Descripción para el intercambio de envío Lightning pagado" - }, "transactionSwapDescLnSendCompleted": "¡El pago Lightning ha sido enviado exitosamente! Su intercambio está ahora completo.", - "@transactionSwapDescLnSendCompleted": { - "description": "Descripción para el intercambio de envío Lightning completado" - }, "transactionSwapDescLnSendFailed": "Hubo un problema con su intercambio. Sus fondos serán devueltos a su billetera automáticamente.", - "@transactionSwapDescLnSendFailed": { - "description": "Descripción para el intercambio de envío Lightning fallido" - }, "transactionSwapDescLnSendExpired": "Este intercambio ha expirado. Sus fondos serán devueltos automáticamente a su billetera.", - "@transactionSwapDescLnSendExpired": { - "description": "Descripción para el intercambio de envío Lightning expirado" - }, "transactionSwapDescLnSendDefault": "Su intercambio está en progreso. Este proceso es automatizado y puede tomar algún tiempo en completarse.", - "@transactionSwapDescLnSendDefault": { - "description": "Descripción predeterminada para el intercambio de envío Lightning" - }, "transactionSwapDescChainPending": "Su transferencia ha sido creada pero aún no se ha iniciado.", - "@transactionSwapDescChainPending": { - "description": "Descripción para el intercambio de cadena pendiente" - }, "transactionSwapDescChainPaid": "Su transacción ha sido transmitida. Ahora estamos esperando que la transacción de bloqueo sea confirmada.", - "@transactionSwapDescChainPaid": { - "description": "Descripción para el intercambio de cadena pagado" - }, "transactionSwapDescChainClaimable": "La transacción de bloqueo ha sido confirmada. Ahora está reclamando los fondos para completar su transferencia.", - "@transactionSwapDescChainClaimable": { - "description": "Descripción para el intercambio de cadena reclamable" - }, "transactionSwapDescChainRefundable": "La transferencia será reembolsada. Sus fondos serán devueltos a su billetera automáticamente.", - "@transactionSwapDescChainRefundable": { - "description": "Descripción para el intercambio de cadena reembolsable" - }, "transactionSwapDescChainCompleted": "¡Su transferencia ha sido completada exitosamente! Los fondos ahora deberían estar disponibles en su billetera.", - "@transactionSwapDescChainCompleted": { - "description": "Descripción para el intercambio de cadena completado" - }, "transactionSwapDescChainFailed": "Hubo un problema con su transferencia. Por favor contacte con soporte si los fondos no han sido devueltos dentro de 24 horas.", - "@transactionSwapDescChainFailed": { - "description": "Descripción para el intercambio de cadena fallido" - }, "transactionSwapDescChainExpired": "Esta transferencia ha expirado. Sus fondos serán devueltos automáticamente a su billetera.", - "@transactionSwapDescChainExpired": { - "description": "Descripción para el intercambio de cadena expirado" - }, "transactionSwapDescChainDefault": "Su transferencia está en progreso. Este proceso es automatizado y puede tomar algún tiempo en completarse.", - "@transactionSwapDescChainDefault": { - "description": "Descripción predeterminada para el intercambio de cadena" - }, "transactionSwapInfoFailedExpired": "Si tiene alguna pregunta o inquietud, por favor contacte con soporte para obtener asistencia.", - "@transactionSwapInfoFailedExpired": { - "description": "Información adicional para intercambios fallidos o expirados" - }, "transactionSwapInfoChainDelay": "Las transferencias on-chain pueden tomar algún tiempo en completarse debido a los tiempos de confirmación de blockchain.", - "@transactionSwapInfoChainDelay": { - "description": "Información adicional sobre los retrasos de transferencia on-chain" - }, "transactionSwapInfoClaimableTransfer": "La transferencia se completará automáticamente en unos segundos. Si no, puede intentar un reclamo manual haciendo clic en el botón \"Reintentar reclamación de transferencia\".", - "@transactionSwapInfoClaimableTransfer": { - "description": "Información adicional para transferencias reclamables" - }, "transactionSwapInfoClaimableSwap": "El intercambio se completará automáticamente en unos segundos. Si no, puede intentar un reclamo manual haciendo clic en el botón \"Reintentar reclamación de intercambio\".", - "@transactionSwapInfoClaimableSwap": { - "description": "Información adicional para intercambios reclamables" - }, "transactionSwapInfoRefundableTransfer": "Esta transferencia será reembolsada automáticamente en unos segundos. Si no, puede intentar un reembolso manual haciendo clic en el botón \"Reintentar reembolso de transferencia\".", - "@transactionSwapInfoRefundableTransfer": { - "description": "Información adicional para transferencias reembolsables" - }, "transactionSwapInfoRefundableSwap": "Este intercambio será reembolsado automáticamente en unos segundos. Si no, puede intentar un reembolso manual haciendo clic en el botón \"Reintentar reembolso de intercambio\".", - "@transactionSwapInfoRefundableSwap": { - "description": "Información adicional para intercambios reembolsables" - }, "transactionListOngoingTransfersTitle": "Transferencias en curso", - "@transactionListOngoingTransfersTitle": { - "description": "Título para la sección de transferencias en curso" - }, "transactionListOngoingTransfersDescription": "Estas transferencias están actualmente en progreso. Sus fondos están seguros y estarán disponibles cuando se complete la transferencia.", - "@transactionListOngoingTransfersDescription": { - "description": "Descripción para la sección de transferencias en curso" - }, "transactionListLoadingTransactions": "Cargando transacciones...", - "@transactionListLoadingTransactions": { - "description": "Mensaje mostrado mientras se cargan las transacciones" - }, "transactionListNoTransactions": "Aún no hay transacciones.", - "@transactionListNoTransactions": { - "description": "Mensaje mostrado cuando no hay transacciones" - }, "transactionListToday": "Hoy", - "@transactionListToday": { - "description": "Etiqueta de fecha para las transacciones de hoy" - }, "transactionListYesterday": "Ayer", - "@transactionListYesterday": { - "description": "Etiqueta de fecha para las transacciones de ayer" - }, "transactionSwapDoNotUninstall": "No desinstale la aplicación hasta que se complete el intercambio.", - "@transactionSwapDoNotUninstall": { - "description": "Mensaje de advertencia para no desinstalar la app durante un intercambio" - }, "transactionFeesDeductedFrom": "Estas tarifas se deducirán del monto enviado", - "@transactionFeesDeductedFrom": { - "description": "Explicación de deducción de tarifas para intercambios entrantes" - }, "transactionFeesTotalDeducted": "Esta es la tarifa total deducida del monto enviado", - "@transactionFeesTotalDeducted": { - "description": "Explicación de deducción de tarifas para intercambios salientes" - }, "transactionLabelSendAmount": "Monto enviado", - "@transactionLabelSendAmount": { - "description": "Etiqueta para el monto enviado en los detalles del intercambio" - }, "transactionLabelReceiveAmount": "Monto recibido", - "@transactionLabelReceiveAmount": { - "description": "Etiqueta para el monto recibido en los detalles del intercambio" - }, "transactionLabelSendNetworkFees": "Tarifas de red de envío", - "@transactionLabelSendNetworkFees": { - "description": "Etiqueta para las tarifas de red de envío en los detalles del intercambio" - }, "transactionLabelReceiveNetworkFee": "Tarifa de red de recepción", - "@transactionLabelReceiveNetworkFee": { - "description": "Etiqueta para la tarifa de red de recepción en los detalles del intercambio" - }, "transactionLabelServerNetworkFees": "Tarifas de red del servidor", - "@transactionLabelServerNetworkFees": { - "description": "Etiqueta para las tarifas de red del servidor en los detalles del intercambio" - }, "transactionLabelPreimage": "Preimagen", - "@transactionLabelPreimage": { - "description": "Etiqueta para la preimagen en los detalles del intercambio Lightning" - }, "transactionOrderLabelReferenceNumber": "Número de referencia", - "@transactionOrderLabelReferenceNumber": { - "description": "Etiqueta para el número de referencia en los detalles del pedido" - }, "transactionOrderLabelOriginName": "Nombre de origen", - "@transactionOrderLabelOriginName": { - "description": "Etiqueta para el nombre de origen en el pedido de pago fiat" - }, "transactionOrderLabelOriginCedula": "Cédula de origen", - "@transactionOrderLabelOriginCedula": { - "description": "Etiqueta para la cédula de origen en el pedido de pago fiat" - }, "transactionDetailAccelerate": "Acelerar", - "@transactionDetailAccelerate": { - "description": "Etiqueta del botón para acelerar (RBF) una transacción no confirmada" - }, "transactionDetailLabelTransactionId": "ID de transacción", - "@transactionDetailLabelTransactionId": { - "description": "Etiqueta para el ID de transacción" - }, "transactionDetailLabelToWallet": "A billetera", - "@transactionDetailLabelToWallet": { - "description": "Etiqueta para la billetera de destino" - }, "transactionDetailLabelFromWallet": "Desde billetera", - "@transactionDetailLabelFromWallet": { - "description": "Etiqueta para la billetera de origen" - }, "transactionDetailLabelRecipientAddress": "Dirección del destinatario", - "@transactionDetailLabelRecipientAddress": { - "description": "Etiqueta para la dirección del destinatario" - }, "transactionDetailLabelAddress": "Dirección", - "@transactionDetailLabelAddress": { - "description": "Etiqueta para la dirección" - }, "transactionDetailLabelAddressNotes": "Notas de dirección", - "@transactionDetailLabelAddressNotes": { - "description": "Etiqueta para las notas de dirección" - }, "transactionDetailLabelAmountReceived": "Monto recibido", - "@transactionDetailLabelAmountReceived": { - "description": "Etiqueta para el monto recibido" - }, "transactionDetailLabelAmountSent": "Monto enviado", - "@transactionDetailLabelAmountSent": { - "description": "Etiqueta para el monto enviado" - }, "transactionDetailLabelTransactionFee": "Comisión de transacción", - "@transactionDetailLabelTransactionFee": { - "description": "Etiqueta para la comisión de transacción" - }, "transactionDetailLabelStatus": "Estado", - "@transactionDetailLabelStatus": { - "description": "Etiqueta para el estado" - }, "transactionDetailLabelConfirmationTime": "Tiempo de confirmación", - "@transactionDetailLabelConfirmationTime": { - "description": "Etiqueta para el tiempo de confirmación" - }, "transactionDetailLabelOrderType": "Tipo de orden", - "@transactionDetailLabelOrderType": { - "description": "Etiqueta para el tipo de orden" - }, "transactionDetailLabelOrderNumber": "Número de orden", - "@transactionDetailLabelOrderNumber": { - "description": "Etiqueta para el número de orden" - }, "transactionDetailLabelPayinAmount": "Monto de entrada", - "@transactionDetailLabelPayinAmount": { - "description": "Etiqueta para el monto de entrada" - }, "transactionDetailLabelPayoutAmount": "Monto de salida", - "@transactionDetailLabelPayoutAmount": { - "description": "Etiqueta para el monto de salida" - }, "transactionDetailLabelExchangeRate": "Tasa de cambio", - "@transactionDetailLabelExchangeRate": { - "description": "Etiqueta para la tasa de cambio" - }, "transactionDetailLabelPayinMethod": "Método de entrada", - "@transactionDetailLabelPayinMethod": { - "description": "Etiqueta para el método de entrada" - }, "transactionDetailLabelPayoutMethod": "Método de salida", - "@transactionDetailLabelPayoutMethod": { - "description": "Etiqueta para el método de salida" - }, "transactionDetailLabelPayinStatus": "Estado de entrada", - "@transactionDetailLabelPayinStatus": { - "description": "Etiqueta para el estado de entrada" - }, "transactionDetailLabelOrderStatus": "Estado de orden", - "@transactionDetailLabelOrderStatus": { - "description": "Etiqueta para el estado de orden" - }, "transactionDetailLabelPayoutStatus": "Estado de salida", - "@transactionDetailLabelPayoutStatus": { - "description": "Etiqueta para el estado de salida" - }, "transactionDetailLabelCreatedAt": "Creado el", - "@transactionDetailLabelCreatedAt": { - "description": "Etiqueta para la fecha de creación" - }, "transactionDetailLabelCompletedAt": "Completado el", - "@transactionDetailLabelCompletedAt": { - "description": "Etiqueta para la fecha de finalización" - }, "transactionDetailLabelTransferId": "ID de transferencia", - "@transactionDetailLabelTransferId": { - "description": "Etiqueta para el ID de transferencia" - }, "transactionDetailLabelSwapId": "ID de swap", - "@transactionDetailLabelSwapId": { - "description": "Etiqueta para el ID de swap" - }, "transactionDetailLabelTransferStatus": "Estado de transferencia", - "@transactionDetailLabelTransferStatus": { - "description": "Etiqueta para el estado de transferencia" - }, "transactionDetailLabelSwapStatus": "Estado de swap", - "@transactionDetailLabelSwapStatus": { - "description": "Etiqueta para el estado de swap" - }, "transactionDetailLabelRefunded": "Reembolsado", - "@transactionDetailLabelRefunded": { - "description": "Etiqueta para el estado de reembolso" - }, "transactionDetailLabelLiquidTxId": "ID de transacción Liquid", - "@transactionDetailLabelLiquidTxId": { - "description": "Etiqueta para el ID de transacción Liquid" - }, "transactionDetailLabelBitcoinTxId": "ID de transacción Bitcoin", - "@transactionDetailLabelBitcoinTxId": { - "description": "Etiqueta para el ID de transacción Bitcoin" - }, "transactionDetailLabelTransferFees": "Comisiones de transferencia", - "@transactionDetailLabelTransferFees": { - "description": "Etiqueta para las comisiones de transferencia" - }, "transactionDetailLabelSwapFees": "Comisiones de swap", - "@transactionDetailLabelSwapFees": { - "description": "Etiqueta para las comisiones de swap" - }, "transactionDetailLabelSendNetworkFee": "Comisión de red de envío", - "@transactionDetailLabelSendNetworkFee": { - "description": "Etiqueta para la comisión de red de envío" - }, "transactionDetailLabelTransferFee": "Comisión de transferencia", - "@transactionDetailLabelTransferFee": { - "description": "Etiqueta para la comisión de transferencia (Boltz)" - }, "transactionDetailLabelPayjoinStatus": "Estado de Payjoin", - "@transactionDetailLabelPayjoinStatus": { - "description": "Etiqueta para el estado de payjoin" - }, "transactionDetailLabelPayjoinCompleted": "Completado", - "@transactionDetailLabelPayjoinCompleted": { - "description": "Estado de payjoin completado" - }, "transactionDetailLabelPayjoinExpired": "Expirado", - "@transactionDetailLabelPayjoinExpired": { - "description": "Estado de payjoin expirado" - }, "transactionDetailLabelPayjoinCreationTime": "Fecha de creación de Payjoin", - "@transactionDetailLabelPayjoinCreationTime": { - "description": "Etiqueta para la fecha de creación de payjoin" - }, "globalDefaultBitcoinWalletLabel": "Bitcoin seguro", - "@globalDefaultBitcoinWalletLabel": { - "description": "Etiqueta predeterminada para billeteras Bitcoin cuando se usan como predeterminadas" - }, "globalDefaultLiquidWalletLabel": "Pagos instantáneos", - "@globalDefaultLiquidWalletLabel": { - "description": "Etiqueta predeterminada para billeteras Liquid/pagos instantáneos cuando se usan como predeterminadas" - }, "walletTypeWatchOnly": "Solo lectura", - "@walletTypeWatchOnly": { - "description": "Etiqueta de tipo de billetera para billeteras de solo lectura" - }, "walletTypeWatchSigner": "Observación-Firma", - "@walletTypeWatchSigner": { - "description": "Etiqueta de tipo de billetera para billeteras de observación-firma" - }, "walletTypeBitcoinNetwork": "Red Bitcoin", - "@walletTypeBitcoinNetwork": { - "description": "Etiqueta de tipo de billetera para la red Bitcoin" - }, "walletTypeLiquidLightningNetwork": "Red Liquid y Lightning", - "@walletTypeLiquidLightningNetwork": { - "description": "Etiqueta de tipo de billetera para la red Liquid y Lightning" - }, "walletNetworkBitcoin": "Red Bitcoin", - "@walletNetworkBitcoin": { - "description": "Etiqueta de red para Bitcoin mainnet" - }, "walletNetworkBitcoinTestnet": "Bitcoin Testnet", - "@walletNetworkBitcoinTestnet": { - "description": "Etiqueta de red para Bitcoin testnet" - }, "walletNetworkLiquid": "Red Liquid", - "@walletNetworkLiquid": { - "description": "Etiqueta de red para Liquid mainnet" - }, "walletNetworkLiquidTestnet": "Liquid Testnet", - "@walletNetworkLiquidTestnet": { - "description": "Etiqueta de red para Liquid testnet" - }, "walletAddressTypeConfidentialSegwit": "Segwit confidencial", - "@walletAddressTypeConfidentialSegwit": { - "description": "Tipo de dirección para billeteras Liquid" - }, "walletAddressTypeNativeSegwit": "Segwit nativo", - "@walletAddressTypeNativeSegwit": { - "description": "Tipo de dirección para billeteras BIP84" - }, "walletAddressTypeNestedSegwit": "Segwit anidado", - "@walletAddressTypeNestedSegwit": { - "description": "Tipo de dirección para billeteras BIP49" - }, "walletAddressTypeLegacy": "Legacy", - "@walletAddressTypeLegacy": { - "description": "Tipo de dirección para billeteras BIP44" - }, "walletBalanceUnconfirmedIncoming": "En progreso", - "@walletBalanceUnconfirmedIncoming": { - "description": "Etiqueta para el saldo entrante sin confirmar" - }, "walletButtonReceive": "Recibir", - "@walletButtonReceive": { - "description": "Etiqueta del botón para recibir fondos" - }, "walletButtonSend": "Enviar", - "@walletButtonSend": { - "description": "Etiqueta del botón para enviar fondos" - }, "walletArkInstantPayments": "Pagos instantáneos Ark", - "@walletArkInstantPayments": { - "description": "Título para la tarjeta de billetera Ark" - }, "walletArkExperimental": "Experimental", - "@walletArkExperimental": { - "description": "Descripción para la billetera Ark indicando estado experimental" - }, "fundExchangeTitle": "Financiación", - "@fundExchangeTitle": { - "description": "AppBar title for funding screen" - }, "fundExchangeAccountTitle": "Fondea tu cuenta", - "@fundExchangeAccountTitle": { - "description": "Título principal en la pantalla de cuenta de intercambio de fondos" - }, "fundExchangeAccountSubtitle": "Selecciona tu país y método de pago", - "@fundExchangeAccountSubtitle": { - "description": "Subtítulo en la pantalla de cuenta de intercambio de fondos que solicita al usuario que seleccione país y método de pago" - }, "fundExchangeWarningTitle": "Cuidado con los estafadores", - "@fundExchangeWarningTitle": { - "description": "Título de la pantalla de advertencia sobre estafadores" - }, "fundExchangeWarningDescription": "Si alguien te está pidiendo que compres Bitcoin o te está \"ayudando\", ten cuidado, ¡pueden estar tratando de estafarte!", - "@fundExchangeWarningDescription": { - "description": "Mensaje de advertencia sobre posibles estafadores al financiar la cuenta" - }, "fundExchangeWarningTacticsTitle": "Tácticas comunes de estafadores", - "@fundExchangeWarningTacticsTitle": { - "description": "Título para la lista de tácticas comunes de estafadores" - }, "fundExchangeWarningTactic1": "Están prometiendo retornos de inversión", - "@fundExchangeWarningTactic1": { - "description": "Primera advertencia de táctica de estafador" - }, "fundExchangeWarningTactic2": "Te están ofreciendo un préstamo", - "@fundExchangeWarningTactic2": { - "description": "Segunda advertencia de táctica de estafador" - }, "fundExchangeWarningTactic3": "Dicen que trabajan para cobranza de deudas o impuestos", - "@fundExchangeWarningTactic3": { - "description": "Tercera advertencia de táctica de estafador" - }, "fundExchangeWarningTactic4": "Piden enviar Bitcoin a su dirección", - "@fundExchangeWarningTactic4": { - "description": "Cuarta advertencia de táctica de estafador" - }, "fundExchangeWarningTactic5": "Piden enviar Bitcoin en otra plataforma", - "@fundExchangeWarningTactic5": { - "description": "Quinta advertencia de táctica de estafador" - }, "fundExchangeWarningTactic6": "Quieren que compartas tu pantalla", - "@fundExchangeWarningTactic6": { - "description": "Sexta advertencia de táctica de estafador" - }, "fundExchangeWarningTactic7": "Te dicen que no te preocupes por esta advertencia", - "@fundExchangeWarningTactic7": { - "description": "Séptima advertencia de táctica de estafador" - }, "fundExchangeWarningTactic8": "Te están presionando para que actúes rápidamente", - "@fundExchangeWarningTactic8": { - "description": "Octava advertencia de táctica de estafador" - }, "fundExchangeWarningConfirmation": "Confirmo que nadie me está pidiendo que compre Bitcoin.", - "@fundExchangeWarningConfirmation": { - "description": "Texto de casilla de confirmación de que el usuario no está siendo coaccionado para comprar Bitcoin" - }, "fundExchangeContinueButton": "Continuar", - "@fundExchangeContinueButton": { - "description": "Etiqueta del botón para continuar desde la pantalla de advertencia a los detalles del método de pago" - }, "fundExchangeDoneButton": "Hecho", - "@fundExchangeDoneButton": { - "description": "Etiqueta del botón para finalizar y salir del flujo de financiamiento" - }, "fundExchangeJurisdictionCanada": "🇨🇦 Canada", - "@fundExchangeJurisdictionCanada": { - "description": "Opción desplegable para la jurisdicción de Canadá" - }, "fundExchangeJurisdictionEurope": "🇪🇺 Europe (SEPA)", - "@fundExchangeJurisdictionEurope": { - "description": "Opción desplegable para la jurisdicción de Europa SEPA" - }, "fundExchangeJurisdictionMexico": "🇲🇽 Mexico", - "@fundExchangeJurisdictionMexico": { - "description": "Opción desplegable para la jurisdicción de México" - }, "fundExchangeJurisdictionCostaRica": "🇨🇷 Costa Rica", - "@fundExchangeJurisdictionCostaRica": { - "description": "Opción desplegable para la jurisdicción de Costa Rica" - }, "fundExchangeJurisdictionArgentina": "🇦🇷 Argentina", - "@fundExchangeJurisdictionArgentina": { - "description": "Opción desplegable para la jurisdicción de Argentina" - }, "fundExchangeMethodEmailETransfer": "Transferencia electrónica por correo", - "@fundExchangeMethodEmailETransfer": { - "description": "Método de pago: Transferencia electrónica por correo (Canadá)" - }, "fundExchangeMethodEmailETransferSubtitle": "Método más fácil y rápido (instantáneo)", - "@fundExchangeMethodEmailETransferSubtitle": { - "description": "Subtítulo para el método de pago de transferencia electrónica por correo" - }, "fundExchangeMethodBankTransferWire": "Transferencia bancaria (Wire o EFT)", - "@fundExchangeMethodBankTransferWire": { - "description": "Método de pago: Transferencia bancaria Wire o EFT (Canadá)" - }, "fundExchangeMethodBankTransferWireSubtitle": "Mejor y más confiable opción para montos mayores (mismo día o día siguiente)", - "@fundExchangeMethodBankTransferWireSubtitle": { - "description": "Subtítulo para el método de pago de transferencia bancaria Wire" - }, "fundExchangeMethodOnlineBillPayment": "Pago de facturas en línea", - "@fundExchangeMethodOnlineBillPayment": { - "description": "Método de pago: Pago de facturas en línea (Canadá)" - }, "fundExchangeMethodOnlineBillPaymentSubtitle": "Opción más lenta, pero se puede hacer a través de banca en línea (3-4 días hábiles)", - "@fundExchangeMethodOnlineBillPaymentSubtitle": { - "description": "Subtítulo para el método de pago de facturas en línea" - }, "fundExchangeMethodCanadaPost": "Efectivo o débito en persona en Canada Post", - "@fundExchangeMethodCanadaPost": { - "description": "Método de pago: En persona en Canada Post" - }, "fundExchangeMethodCanadaPostSubtitle": "Mejor para quienes prefieren pagar en persona", - "@fundExchangeMethodCanadaPostSubtitle": { - "description": "Subtítulo para el método de pago Canada Post" - }, "fundExchangeMethodInstantSepa": "SEPA instantánea", - "@fundExchangeMethodInstantSepa": { - "description": "Método de pago: SEPA instantánea (Europa)" - }, "fundExchangeMethodInstantSepaSubtitle": "Más rápida - Solo para transacciones menores a €20,000", - "@fundExchangeMethodInstantSepaSubtitle": { - "description": "Subtítulo para el método de pago SEPA instantánea" - }, "fundExchangeMethodRegularSepa": "SEPA regular", - "@fundExchangeMethodRegularSepa": { - "description": "Método de pago: SEPA regular (Europa)" - }, "fundExchangeMethodRegularSepaSubtitle": "Solo usar para transacciones mayores a €20,000", - "@fundExchangeMethodRegularSepaSubtitle": { - "description": "Subtítulo para el método de pago SEPA regular" - }, "fundExchangeMethodSpeiTransfer": "Transferencia SPEI", - "@fundExchangeMethodSpeiTransfer": { - "description": "Método de pago: Transferencia SPEI (México)" - }, "fundExchangeMethodSpeiTransferSubtitle": "Transfiere fondos usando tu CLABE", - "@fundExchangeMethodSpeiTransferSubtitle": { - "description": "Subtítulo para el método de pago de transferencia SPEI" - }, "fundExchangeMethodSinpeTransfer": "Transferencia SINPE", - "@fundExchangeMethodSinpeTransfer": { - "description": "Método de pago: Transferencia SINPE (Costa Rica)" - }, "fundExchangeMethodSinpeTransferSubtitle": "Transfiere Colones usando SINPE", - "@fundExchangeMethodSinpeTransferSubtitle": { - "description": "Subtítulo para el método de pago de transferencia SINPE" - }, "fundExchangeMethodCrIbanCrc": "IBAN Costa Rica (CRC)", - "@fundExchangeMethodCrIbanCrc": { - "description": "Método de pago: IBAN Costa Rica en Colones" - }, "fundExchangeMethodCrIbanCrcSubtitle": "Transfiere fondos en Colón costarricense (CRC)", - "@fundExchangeMethodCrIbanCrcSubtitle": { - "description": "Subtítulo para el método de pago IBAN Costa Rica CRC" - }, "fundExchangeMethodCrIbanUsd": "IBAN Costa Rica (USD)", - "@fundExchangeMethodCrIbanUsd": { - "description": "Método de pago: IBAN Costa Rica en dólares estadounidenses" - }, "fundExchangeMethodCrIbanUsdSubtitle": "Transfiere fondos en dólares estadounidenses (USD)", - "@fundExchangeMethodCrIbanUsdSubtitle": { - "description": "Subtítulo para el método de pago IBAN Costa Rica USD" - }, "fundExchangeMethodArsBankTransfer": "Transferencia bancaria", - "@fundExchangeMethodArsBankTransfer": { - "description": "Método de pago: Transferencia bancaria (Argentina)" - }, "fundExchangeMethodArsBankTransferSubtitle": "Envía una transferencia bancaria desde tu cuenta bancaria", - "@fundExchangeMethodArsBankTransferSubtitle": { - "description": "Subtítulo para el método de pago de transferencia bancaria Argentina" - }, "fundExchangeBankTransferWireTitle": "Transferencia bancaria (wire)", - "@fundExchangeBankTransferWireTitle": { - "description": "Título de pantalla para detalles de pago de transferencia bancaria wire" - }, "fundExchangeBankTransferWireDescription": "Envía una transferencia wire desde tu cuenta bancaria usando los datos bancarios de Bull Bitcoin a continuación. Tu banco puede requerir solo algunas partes de estos datos.", - "@fundExchangeBankTransferWireDescription": { - "description": "Descripción de cómo usar el método de transferencia bancaria wire" - }, "fundExchangeBankTransferWireTimeframe": "Los fondos que envíes se agregarán a tu Bull Bitcoin dentro de 1-2 días hábiles.", - "@fundExchangeBankTransferWireTimeframe": { - "description": "Plazo para que los fondos de transferencia bancaria wire sean acreditados" - }, "fundExchangeLabelBeneficiaryName": "Nombre del beneficiario", - "@fundExchangeLabelBeneficiaryName": { - "description": "Etiqueta para el campo de nombre del beneficiario" - }, "fundExchangeHelpBeneficiaryName": "Usa nuestro nombre corporativo oficial. No uses \"Bull Bitcoin\".", - "@fundExchangeHelpBeneficiaryName": { - "description": "Texto de ayuda para el campo de nombre del beneficiario" - }, "fundExchangeLabelTransferCode": "Código de transferencia (agrégalo como descripción del pago)", - "@fundExchangeLabelTransferCode": { - "description": "Etiqueta para el campo de código de transferencia" - }, "fundExchangeHelpTransferCode": "Agrégalo como el motivo de la transferencia", - "@fundExchangeHelpTransferCode": { - "description": "Texto de ayuda para el campo de código de transferencia" - }, "fundExchangeInfoTransferCode": "Debes agregar el código de transferencia como el \"mensaje\" o \"motivo\" al hacer el pago.", - "@fundExchangeInfoTransferCode": { - "description": "Mensaje de tarjeta de información sobre la importancia del código de transferencia" - }, "fundExchangeLabelBankAccountDetails": "Detalles de cuenta bancaria", - "@fundExchangeLabelBankAccountDetails": { - "description": "Etiqueta para el campo de detalles de cuenta bancaria" - }, "fundExchangeLabelSwiftCode": "Código SWIFT", - "@fundExchangeLabelSwiftCode": { - "description": "Etiqueta para el campo de código SWIFT" - }, "fundExchangeLabelInstitutionNumber": "Número de institución", - "@fundExchangeLabelInstitutionNumber": { - "description": "Etiqueta para el campo de número de institución" - }, "fundExchangeLabelTransitNumber": "Número de tránsito", - "@fundExchangeLabelTransitNumber": { - "description": "Etiqueta para el campo de número de tránsito" - }, "fundExchangeLabelRoutingNumber": "Número de ruta", - "@fundExchangeLabelRoutingNumber": { - "description": "Etiqueta para el campo de número de ruta" - }, "fundExchangeLabelBeneficiaryAddress": "Dirección del beneficiario", - "@fundExchangeLabelBeneficiaryAddress": { - "description": "Etiqueta para el campo de dirección del beneficiario" - }, "fundExchangeLabelBankName": "Nombre del banco", - "@fundExchangeLabelBankName": { - "description": "Etiqueta para el campo de nombre del banco" - }, "fundExchangeLabelBankAddress": "Dirección de nuestro banco", - "@fundExchangeLabelBankAddress": { - "description": "Etiqueta para el campo de dirección del banco" - }, "fundExchangeETransferTitle": "Detalles de E-Transfer", - "@fundExchangeETransferTitle": { - "description": "Título de pantalla para detalles de pago E-Transfer" - }, "fundExchangeETransferDescription": "Cualquier monto que envíes desde tu banco mediante transferencia electrónica por correo usando la información a continuación se acreditará al saldo de tu cuenta Bull Bitcoin en pocos minutos.", - "@fundExchangeETransferDescription": { - "description": "Descripción de cómo funciona E-Transfer y el plazo" - }, "fundExchangeETransferLabelBeneficiaryName": "Usa esto como nombre del beneficiario de E-transfer", - "@fundExchangeETransferLabelBeneficiaryName": { - "description": "Etiqueta para el nombre del beneficiario de E-transfer" - }, "fundExchangeETransferLabelEmail": "Envía el E-transfer a este correo electrónico", - "@fundExchangeETransferLabelEmail": { - "description": "Etiqueta para el correo electrónico del destinatario de E-transfer" - }, "fundExchangeETransferLabelSecretQuestion": "Pregunta secreta", - "@fundExchangeETransferLabelSecretQuestion": { - "description": "Etiqueta para la pregunta de seguridad de E-transfer" - }, "fundExchangeETransferLabelSecretAnswer": "Respuesta secreta", - "@fundExchangeETransferLabelSecretAnswer": { - "description": "Etiqueta para la respuesta de seguridad de E-transfer" - }, "fundExchangeOnlineBillPaymentTitle": "Pago de facturas en línea", - "@fundExchangeOnlineBillPaymentTitle": { - "description": "Título de pantalla para detalles de pago de facturas en línea" - }, "fundExchangeOnlineBillPaymentDescription": "Cualquier monto que envíes a través de la función de pago de facturas en línea de tu banco usando la información a continuación se acreditará al saldo de tu cuenta Bull Bitcoin dentro de 3-4 días hábiles.", - "@fundExchangeOnlineBillPaymentDescription": { - "description": "Descripción de cómo funciona el pago de facturas en línea y el plazo" - }, "fundExchangeOnlineBillPaymentLabelBillerName": "Busca en la lista de cobradores de tu banco este nombre", - "@fundExchangeOnlineBillPaymentLabelBillerName": { - "description": "Etiqueta para el nombre del cobrador en el pago de facturas en línea" - }, "fundExchangeOnlineBillPaymentHelpBillerName": "Agrega esta compañía como beneficiario - es el procesador de pagos de Bull Bitcoin", - "@fundExchangeOnlineBillPaymentHelpBillerName": { - "description": "Texto de ayuda para el campo de nombre del cobrador" - }, "fundExchangeOnlineBillPaymentLabelAccountNumber": "Agrégalo como número de cuenta", - "@fundExchangeOnlineBillPaymentLabelAccountNumber": { - "description": "Etiqueta para el número de cuenta en el pago de facturas en línea" - }, "fundExchangeOnlineBillPaymentHelpAccountNumber": "Este número de cuenta único fue creado solo para ti", - "@fundExchangeOnlineBillPaymentHelpAccountNumber": { - "description": "Texto de ayuda para el campo de número de cuenta" - }, "fundExchangeCanadaPostTitle": "Efectivo o débito en persona en Canada Post", - "@fundExchangeCanadaPostTitle": { - "description": "Título de pantalla para el método de pago Canada Post" - }, "fundExchangeCanadaPostStep1": "1. Ve a cualquier ubicación de Canada Post", - "@fundExchangeCanadaPostStep1": { - "description": "Paso 1 para el proceso de pago Canada Post" - }, "fundExchangeCanadaPostStep2": "2. Pídele al cajero que escanee el código QR \"Loadhub\"", - "@fundExchangeCanadaPostStep2": { - "description": "Paso 2 para el proceso de pago Canada Post" - }, "fundExchangeCanadaPostStep3": "3. Dile al cajero la cantidad que quieres cargar", - "@fundExchangeCanadaPostStep3": { - "description": "Paso 3 para el proceso de pago Canada Post" - }, "fundExchangeCanadaPostStep4": "4. El cajero te pedirá ver una identificación emitida por el gobierno y verificará que el nombre en tu identificación coincida con tu cuenta Bull Bitcoin", - "@fundExchangeCanadaPostStep4": { - "description": "Paso 4 para el proceso de pago Canada Post - verificación de identificación" - }, "fundExchangeCanadaPostStep5": "5. Paga con efectivo o tarjeta de débito", - "@fundExchangeCanadaPostStep5": { - "description": "Paso 5 para el proceso de pago Canada Post" - }, "fundExchangeCanadaPostStep6": "6. El cajero te entregará un recibo, guárdalo como comprobante de pago", - "@fundExchangeCanadaPostStep6": { - "description": "Paso 6 para el proceso de pago Canada Post" - }, "fundExchangeCanadaPostStep7": "7. Los fondos se agregarán al saldo de tu cuenta Bull Bitcoin dentro de 30 minutos", - "@fundExchangeCanadaPostStep7": { - "description": "Paso 7 para el proceso de pago Canada Post - plazo" - }, "fundExchangeCanadaPostQrCodeLabel": "Código QR Loadhub", - "@fundExchangeCanadaPostQrCodeLabel": { - "description": "Etiqueta para la visualización del código QR Loadhub" - }, "fundExchangeSepaTitle": "Transferencia SEPA", - "@fundExchangeSepaTitle": { - "description": "Título de pantalla para detalles de pago de transferencia SEPA" - }, "fundExchangeSepaDescription": "Envía una transferencia SEPA desde tu cuenta bancaria usando los datos a continuación ", - "@fundExchangeSepaDescription": { - "description": "Descripción para transferencia SEPA (primera parte, antes de 'exactamente')" - }, "fundExchangeSepaDescriptionExactly": "exactamente.", - "@fundExchangeSepaDescriptionExactly": { - "description": "Palabra enfatizada 'exactamente' en la descripción SEPA" - }, "fundExchangeInstantSepaInfo": "Solo usar para transacciones menores a €20,000. Para transacciones mayores, usa la opción SEPA regular.", - "@fundExchangeInstantSepaInfo": { - "description": "Mensaje de información para límites de transacción SEPA instantánea" - }, "fundExchangeRegularSepaInfo": "Solo usar para transacciones mayores a €20,000. Para transacciones menores, usa la opción SEPA instantánea.", - "@fundExchangeRegularSepaInfo": { - "description": "Mensaje de información para límites de transacción SEPA regular" - }, "fundExchangeLabelIban": "Número de cuenta IBAN", - "@fundExchangeLabelIban": { - "description": "Etiqueta para el campo de número de cuenta IBAN" - }, "fundExchangeLabelBicCode": "Código BIC", - "@fundExchangeLabelBicCode": { - "description": "Etiqueta para el campo de código BIC" - }, "fundExchangeLabelBankAccountCountry": "País de la cuenta bancaria", - "@fundExchangeLabelBankAccountCountry": { - "description": "Etiqueta para el campo de país de cuenta bancaria" - }, "fundExchangeInfoBankCountryUk": "El país de nuestro banco es el Reino Unido.", - "@fundExchangeInfoBankCountryUk": { - "description": "Mensaje de información de que el país del banco es Reino Unido" - }, "fundExchangeInfoBeneficiaryNameLeonod": "El nombre del beneficiario debe ser LEONOD. Si pones cualquier otra cosa, tu pago será rechazado.", - "@fundExchangeInfoBeneficiaryNameLeonod": { - "description": "Información crítica sobre que el nombre del beneficiario debe ser LEONOD" - }, "fundExchangeInfoPaymentDescription": "En la descripción del pago, agrega tu código de transferencia.", - "@fundExchangeInfoPaymentDescription": { - "description": "Información sobre agregar el código de transferencia a la descripción del pago" - }, "fundExchangeHelpBeneficiaryAddress": "Nuestra dirección oficial, en caso de que tu banco la requiera", - "@fundExchangeHelpBeneficiaryAddress": { - "description": "Texto de ayuda para el campo de dirección del beneficiario" - }, "fundExchangeLabelRecipientName": "Nombre del destinatario", - "@fundExchangeLabelRecipientName": { - "description": "Etiqueta para el campo de nombre del destinatario (alternativa a nombre del beneficiario)" - }, "fundExchangeLabelBankCountry": "País del banco", - "@fundExchangeLabelBankCountry": { - "description": "Etiqueta para el campo de país del banco" - }, "fundExchangeLabelRecipientAddress": "Dirección del destinatario", - "@fundExchangeLabelRecipientAddress": { - "description": "Etiqueta para el campo de dirección del destinatario" - }, "fundExchangeSpeiTitle": "Transferencia SPEI", - "@fundExchangeSpeiTitle": { - "description": "Título de pantalla para transferencia SPEI (México)" - }, "fundExchangeSpeiDescription": "Transfiere fondos usando tu CLABE", - "@fundExchangeSpeiDescription": { - "description": "Descripción para el método de transferencia SPEI" - }, "fundExchangeSpeiInfo": "Realiza un depósito usando transferencia SPEI (instantánea).", - "@fundExchangeSpeiInfo": { - "description": "Mensaje de información sobre que la transferencia SPEI es instantánea" - }, "fundExchangeLabelClabe": "CLABE", - "@fundExchangeLabelClabe": { - "description": "Etiqueta para el campo de número CLABE (México)" - }, "fundExchangeLabelMemo": "Memo", - "@fundExchangeLabelMemo": { - "description": "Etiqueta para el campo de memo/referencia" - }, "fundExchangeSinpeTitle": "Transferencia SINPE", - "@fundExchangeSinpeTitle": { - "description": "Título de pantalla para transferencia SINPE (Costa Rica)" - }, "fundExchangeSinpeDescription": "Transfiere Colones usando SINPE", - "@fundExchangeSinpeDescription": { - "description": "Descripción para el método de transferencia SINPE" - }, "fundExchangeCrIbanCrcTitle": "Transferencia bancaria (CRC)", - "@fundExchangeCrIbanCrcTitle": { - "description": "Título de pantalla para transferencia bancaria Costa Rica en Colones" - }, "fundExchangeCrIbanUsdTitle": "Transferencia bancaria (USD)", - "@fundExchangeCrIbanUsdTitle": { - "description": "Título de pantalla para transferencia bancaria Costa Rica en dólares estadounidenses" - }, "fundExchangeCrBankTransferDescription1": "Envía una transferencia bancaria desde tu cuenta bancaria usando los datos a continuación ", - "@fundExchangeCrBankTransferDescription1": { - "description": "Primera parte de la descripción de transferencia bancaria Costa Rica" - }, "fundExchangeCrBankTransferDescriptionExactly": "exactamente", - "@fundExchangeCrBankTransferDescriptionExactly": { - "description": "Palabra enfatizada 'exactamente' en la descripción de Costa Rica" - }, "fundExchangeCrBankTransferDescription2": ". Los fondos se agregarán al saldo de tu cuenta.", - "@fundExchangeCrBankTransferDescription2": { - "description": "Segunda parte de la descripción de transferencia bancaria Costa Rica" - }, "fundExchangeLabelIbanCrcOnly": "Número de cuenta IBAN (solo para Colones)", - "@fundExchangeLabelIbanCrcOnly": { - "description": "Etiqueta para el campo IBAN - solo Colones" - }, "fundExchangeLabelIbanUsdOnly": "Número de cuenta IBAN (solo para dólares estadounidenses)", - "@fundExchangeLabelIbanUsdOnly": { - "description": "Etiqueta para el campo IBAN - solo dólares estadounidenses" - }, "fundExchangeLabelPaymentDescription": "Descripción del pago", - "@fundExchangeLabelPaymentDescription": { - "description": "Etiqueta para el campo de descripción del pago" - }, "fundExchangeHelpPaymentDescription": "Tu código de transferencia.", - "@fundExchangeHelpPaymentDescription": { - "description": "Texto de ayuda para el campo de descripción del pago" - }, "fundExchangeInfoTransferCodeRequired": "Debes agregar el código de transferencia como el \"mensaje\" o \"motivo\" o \"descripción\" al hacer el pago. Si olvidas poner este código, tu pago puede ser rechazado.", - "@fundExchangeInfoTransferCodeRequired": { - "description": "Información importante sobre el requisito del código de transferencia para transferencias de Costa Rica" - }, "fundExchangeLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeLabelCedulaJuridica": { - "description": "Etiqueta para Cédula Jurídica (número de identificación empresarial de Costa Rica)" - }, "fundExchangeArsBankTransferTitle": "Transferencia bancaria", - "@fundExchangeArsBankTransferTitle": { - "description": "Título de pantalla para transferencia bancaria Argentina" - }, "fundExchangeArsBankTransferDescription": "Envía una transferencia bancaria desde tu cuenta bancaria usando los datos bancarios exactos de Argentina a continuación.", - "@fundExchangeArsBankTransferDescription": { - "description": "Descripción para el método de transferencia bancaria Argentina" - }, "fundExchangeLabelRecipientNameArs": "Nombre del destinatario", - "@fundExchangeLabelRecipientNameArs": { - "description": "Etiqueta para el nombre del destinatario en transferencia Argentina" - }, "fundExchangeLabelCvu": "CVU", - "@fundExchangeLabelCvu": { - "description": "Etiqueta para el número CVU (Clave Virtual Uniforme) en Argentina" - }, "fundExchangeErrorLoadingDetails": "Los detalles de pago no se pudieron cargar en este momento. Por favor, regresa e intenta nuevamente, elige otro método de pago o regresa más tarde.", - "@fundExchangeErrorLoadingDetails": { - "description": "Mensaje de error cuando los detalles de financiamiento no se pueden cargar" - }, "fundExchangeSinpeDescriptionBold": "será rechazado.", - "@fundExchangeSinpeDescriptionBold": { - "description": "Texto en negrita advirtiendo que el pago desde un número incorrecto será rechazado" - }, "fundExchangeSinpeAddedToBalance": "Una vez que se envíe el pago, se agregará a tu saldo de cuenta.", - "@fundExchangeSinpeAddedToBalance": { - "description": "Mensaje explicando que el pago se agregará al saldo de la cuenta" - }, "fundExchangeSinpeWarningNoBitcoin": "No pongas", - "@fundExchangeSinpeWarningNoBitcoin": { - "description": "Texto de advertencia en negrita al inicio del mensaje de advertencia sobre bitcoin" - }, "fundExchangeSinpeWarningNoBitcoinDescription": " la palabra \"Bitcoin\" o \"Crypto\" en la descripción del pago. Esto bloqueará tu pago.", - "@fundExchangeSinpeWarningNoBitcoinDescription": { - "description": "Advertencia de que incluir Bitcoin o Crypto en la descripción bloqueará el pago" - }, "fundExchangeSinpeLabelPhone": "Envía a este número de teléfono", - "@fundExchangeSinpeLabelPhone": { - "description": "Etiqueta para el campo de número de teléfono SINPE Móvil" - }, "fundExchangeSinpeLabelRecipientName": "Nombre del destinatario", - "@fundExchangeSinpeLabelRecipientName": { - "description": "Etiqueta para el nombre del destinatario en transferencia SINPE" - }, "fundExchangeCrIbanCrcDescription": "Envía una transferencia bancaria desde tu cuenta bancaria usando los detalles a continuación ", - "@fundExchangeCrIbanCrcDescription": { - "description": "Primera parte de la descripción para transferencia CR IBAN CRC" - }, "fundExchangeCrIbanCrcDescriptionBold": "exactamente", - "@fundExchangeCrIbanCrcDescriptionBold": { - "description": "Palabra de énfasis en negrita para las instrucciones de transferencia CR IBAN" - }, "fundExchangeCrIbanCrcDescriptionEnd": ". Los fondos se agregarán a tu saldo de cuenta.", - "@fundExchangeCrIbanCrcDescriptionEnd": { - "description": "Final de la descripción para transferencia CR IBAN CRC" - }, "fundExchangeCrIbanCrcLabelIban": "Número de cuenta IBAN (solo para Colones)", - "@fundExchangeCrIbanCrcLabelIban": { - "description": "Etiqueta para el campo de número IBAN para CRC (Colones) únicamente" - }, "fundExchangeCrIbanCrcLabelPaymentDescription": "Descripción del pago", - "@fundExchangeCrIbanCrcLabelPaymentDescription": { - "description": "Etiqueta para el campo de descripción del pago en transferencia CR IBAN" - }, "fundExchangeCrIbanCrcPaymentDescriptionHelp": "Tu código de transferencia.", - "@fundExchangeCrIbanCrcPaymentDescriptionHelp": { - "description": "Texto de ayuda explicando que la descripción del pago es el código de transferencia" - }, "fundExchangeCrIbanCrcTransferCodeWarning": "Debes agregar el código de transferencia como \"mensaje\" o \"razón\" o \"descripción\" al realizar el pago. Si olvidas poner este código, tu pago puede ser rechazado.", - "@fundExchangeCrIbanCrcTransferCodeWarning": { - "description": "Advertencia sobre incluir el código de transferencia en el pago" - }, "fundExchangeCrIbanCrcLabelRecipientName": "Nombre del destinatario", - "@fundExchangeCrIbanCrcLabelRecipientName": { - "description": "Etiqueta para el nombre del destinatario en transferencia CR IBAN CRC" - }, "fundExchangeCrIbanCrcRecipientNameHelp": "Usa nuestro nombre corporativo oficial. No uses \"Bull Bitcoin\".", - "@fundExchangeCrIbanCrcRecipientNameHelp": { - "description": "Texto de ayuda para el campo del nombre del destinatario explicando usar el nombre corporativo" - }, "fundExchangeCrIbanCrcLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanCrcLabelCedulaJuridica": { - "description": "Etiqueta para Cédula Jurídica (número de identificación legal en Costa Rica)" - }, "fundExchangeCrIbanUsdDescription": "Envía una transferencia bancaria desde tu cuenta bancaria usando los detalles a continuación ", - "@fundExchangeCrIbanUsdDescription": { - "description": "Primera parte de la descripción para transferencia CR IBAN USD" - }, "fundExchangeCrIbanUsdDescriptionBold": "exactamente", - "@fundExchangeCrIbanUsdDescriptionBold": { - "description": "Palabra de énfasis en negrita para las instrucciones de transferencia CR IBAN USD" - }, "fundExchangeCrIbanUsdDescriptionEnd": ". Los fondos se agregarán a tu saldo de cuenta.", - "@fundExchangeCrIbanUsdDescriptionEnd": { - "description": "Final de la descripción para transferencia CR IBAN USD" - }, "fundExchangeCrIbanUsdLabelIban": "Número de cuenta IBAN (solo para dólares estadounidenses)", - "@fundExchangeCrIbanUsdLabelIban": { - "description": "Etiqueta para el campo de número IBAN para USD únicamente" - }, "fundExchangeCrIbanUsdLabelPaymentDescription": "Descripción del pago", - "@fundExchangeCrIbanUsdLabelPaymentDescription": { - "description": "Etiqueta para el campo de descripción del pago en transferencia CR IBAN USD" - }, "fundExchangeCrIbanUsdPaymentDescriptionHelp": "Tu código de transferencia.", - "@fundExchangeCrIbanUsdPaymentDescriptionHelp": { - "description": "Texto de ayuda explicando que la descripción del pago es el código de transferencia" - }, "fundExchangeCrIbanUsdTransferCodeWarning": "Debes agregar el código de transferencia como \"mensaje\" o \"razón\" o \"descripción\" al realizar el pago. Si olvidas poner este código, tu pago puede ser rechazado.", - "@fundExchangeCrIbanUsdTransferCodeWarning": { - "description": "Advertencia sobre incluir el código de transferencia en el pago para transferencias USD" - }, "fundExchangeCrIbanUsdLabelRecipientName": "Nombre del destinatario", - "@fundExchangeCrIbanUsdLabelRecipientName": { - "description": "Etiqueta para el nombre del destinatario en transferencia CR IBAN USD" - }, "fundExchangeCrIbanUsdRecipientNameHelp": "Usa nuestro nombre corporativo oficial. No uses \"Bull Bitcoin\".", - "@fundExchangeCrIbanUsdRecipientNameHelp": { - "description": "Texto de ayuda para el campo del nombre del destinatario explicando usar el nombre corporativo" - }, "fundExchangeCrIbanUsdLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanUsdLabelCedulaJuridica": { - "description": "Etiqueta para Cédula Jurídica (número de identificación legal en Costa Rica) para USD" - }, "fundExchangeCostaRicaMethodSinpeTitle": "SINPE Móvil", - "@fundExchangeCostaRicaMethodSinpeTitle": { - "description": "Título del método de pago para SINPE Móvil en la lista de métodos" - }, "fundExchangeCostaRicaMethodSinpeSubtitle": "Transfiere Colones usando SINPE", - "@fundExchangeCostaRicaMethodSinpeSubtitle": { - "description": "Descripción de subtítulo para el método de pago SINPE Móvil" - }, "fundExchangeCostaRicaMethodIbanCrcTitle": "IBAN Costa Rica (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcTitle": { - "description": "Título del método de pago para IBAN CRC en la lista de métodos" - }, "fundExchangeCostaRicaMethodIbanCrcSubtitle": "Transfiere fondos en Colón Costarricense (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcSubtitle": { - "description": "Descripción de subtítulo para el método de pago IBAN CRC" - }, "fundExchangeCostaRicaMethodIbanUsdTitle": "IBAN Costa Rica (USD)", - "@fundExchangeCostaRicaMethodIbanUsdTitle": { - "description": "Título del método de pago para IBAN USD en la lista de métodos" - }, "fundExchangeCostaRicaMethodIbanUsdSubtitle": "Transfiere fondos en Dólares Estadounidenses (USD)", - "@fundExchangeCostaRicaMethodIbanUsdSubtitle": { - "description": "Descripción de subtítulo para el método de pago IBAN USD" - }, "backupWalletTitle": "Respaldar su billetera", - "@backupWalletTitle": { - "description": "AppBar title for main backup options screen" - }, "testBackupTitle": "Prueba tu respaldo", - "@testBackupTitle": { - "description": "AppBar title for main backup options screen" - }, "backupImportanceMessage": "Sin un respaldo, eventualmente perderás acceso a tu dinero. Es críticamente importante hacer un respaldo.", - "@backupImportanceMessage": { - "description": "Mensaje de advertencia crítica sobre la importancia de respaldar la billetera" - }, "encryptedVaultTitle": "Bóveda encriptada", - "@encryptedVaultTitle": { - "description": "Título para la opción de respaldo de bóveda encriptada" - }, "encryptedVaultDescription": "Respaldo anónimo con encriptación fuerte usando tu nube.", - "@encryptedVaultDescription": { - "description": "Descripción del método de respaldo de bóveda encriptada" - }, "encryptedVaultTag": "Fácil y simple (1 minuto)", - "@encryptedVaultTag": { - "description": "Etiqueta indicando que la bóveda encriptada es rápida y fácil" - }, "physicalBackupTitle": "Respaldo físico", - "@physicalBackupTitle": { - "description": "Título para la opción de respaldo físico" - }, "physicalBackupDescription": "Escribe 12 palabras en una hoja de papel. Guárdalas en un lugar seguro y asegúrate de no perderlas.", - "@physicalBackupDescription": { - "description": "Descripción del método de respaldo físico" - }, "physicalBackupTag": "Sin confianza (tómate tu tiempo)", - "@physicalBackupTag": { - "description": "Etiqueta indicando que el respaldo físico no requiere confianza pero lleva tiempo" - }, "howToDecideButton": "¿Cómo decidir?", - "@howToDecideButton": { - "description": "Etiqueta del botón para mostrar información sobre cómo elegir métodos de respaldo" - }, "backupBestPracticesTitle": "Mejores prácticas de respaldo", - "@backupBestPracticesTitle": { - "description": "Título para la pantalla de mejores prácticas de respaldo" - }, "lastBackupTestLabel": "Última prueba de respaldo: {date}", "@lastBackupTestLabel": { - "description": "Etiqueta que muestra la fecha de la última prueba de respaldo", "placeholders": { "date": { "type": "String", @@ -15823,120 +983,35 @@ } }, "backupInstruction1": "Si pierdes tu respaldo de 12 palabras, no podrás recuperar el acceso a la billetera Bitcoin.", - "@backupInstruction1": { - "description": "Primera instrucción de respaldo advirtiendo sobre perder el respaldo de 12 palabras" - }, "backupInstruction2": "Sin un respaldo, si pierdes o rompes tu teléfono, o si desinstalas la aplicación Bull Bitcoin, tus bitcoins se perderán para siempre.", - "@backupInstruction2": { - "description": "Segunda instrucción de respaldo advirtiendo sobre perder el teléfono o la aplicación" - }, "backupInstruction3": "Cualquiera con acceso a tu respaldo de 12 palabras puede robar tus bitcoins. Escóndelo bien.", - "@backupInstruction3": { - "description": "Tercera instrucción de respaldo advirtiendo sobre la seguridad del respaldo" - }, "backupInstruction4": "No hagas copias digitales de tu respaldo. Escríbelo en una hoja de papel, o grábalo en metal.", - "@backupInstruction4": { - "description": "Cuarta instrucción de respaldo sobre no hacer copias digitales" - }, "backupInstruction5": "Tu respaldo no está protegido por frase de contraseña. Agrega una frase de contraseña a tu respaldo más tarde creando una nueva billetera.", - "@backupInstruction5": { - "description": "Quinta instrucción de respaldo sobre protección con frase de contraseña" - }, "backupButton": "Respaldar", - "@backupButton": { - "description": "Etiqueta del botón para iniciar el proceso de respaldo" - }, "backupCompletedTitle": "¡Respaldo completado!", - "@backupCompletedTitle": { - "description": "Título mostrado cuando el respaldo se completa con éxito" - }, "backupCompletedDescription": "Ahora probemos tu respaldo para asegurarnos de que todo se hizo correctamente.", - "@backupCompletedDescription": { - "description": "Descripción solicitando al usuario que pruebe su respaldo" - }, "testBackupButton": "Probar respaldo", - "@testBackupButton": { - "description": "Etiqueta del botón para probar el respaldo" - }, "keyServerLabel": "Servidor de claves ", - "@keyServerLabel": { - "description": "Etiqueta para el estado del servidor de claves" - }, "physicalBackupStatusLabel": "Respaldo físico", - "@physicalBackupStatusLabel": { - "description": "Etiqueta de estado para el respaldo físico" - }, "encryptedVaultStatusLabel": "Bóveda encriptada", - "@encryptedVaultStatusLabel": { - "description": "Etiqueta de estado para la bóveda encriptada" - }, "testedStatus": "Probado", - "@testedStatus": { - "description": "Texto de estado indicando que el respaldo ha sido probado" - }, "notTestedStatus": "No probado", - "@notTestedStatus": { - "description": "Texto de estado indicando que el respaldo no ha sido probado" - }, "startBackupButton": "Iniciar respaldo", - "@startBackupButton": { - "description": "Etiqueta del botón para iniciar el proceso de respaldo" - }, "exportVaultButton": "Exportar bóveda", - "@exportVaultButton": { - "description": "Etiqueta del botón para exportar la bóveda" - }, "exportingVaultButton": "Exportando...", - "@exportingVaultButton": { - "description": "Etiqueta del botón mostrada mientras se exporta la bóveda" - }, "viewVaultKeyButton": "Ver clave de bóveda", - "@viewVaultKeyButton": { - "description": "Etiqueta del botón para ver la clave de la bóveda" - }, "revealingVaultKeyButton": "Revelando...", - "@revealingVaultKeyButton": { - "description": "Etiqueta del botón mostrada mientras se revela la clave de la bóveda" - }, "errorLabel": "Error", - "@errorLabel": { - "description": "Etiqueta para mensajes de error" - }, "backupKeyTitle": "Clave de respaldo", - "@backupKeyTitle": { - "description": "Título para la pantalla de clave de respaldo" - }, "failedToDeriveBackupKey": "No se pudo derivar la clave de respaldo", - "@failedToDeriveBackupKey": { - "description": "Mensaje de error cuando falla la derivación de la clave de respaldo" - }, "securityWarningTitle": "Advertencia de seguridad", - "@securityWarningTitle": { - "description": "Título para el diálogo de advertencia de seguridad" - }, "backupKeyWarningMessage": "Advertencia: Ten cuidado dónde guardas la clave de respaldo.", - "@backupKeyWarningMessage": { - "description": "Mensaje de advertencia sobre el almacenamiento de la clave de respaldo" - }, "backupKeySeparationWarning": "Es críticamente importante que no guardes la clave de respaldo en el mismo lugar donde guardas tu archivo de respaldo. Siempre guárdalos en dispositivos separados o proveedores de nube separados.", - "@backupKeySeparationWarning": { - "description": "Advertencia sobre almacenar la clave y el archivo de respaldo por separado" - }, "backupKeyExampleWarning": "Por ejemplo, si usaste Google Drive para tu archivo de respaldo, no uses Google Drive para tu clave de respaldo.", - "@backupKeyExampleWarning": { - "description": "Ejemplo de advertencia sobre no usar el mismo proveedor de nube" - }, "cancelButton": "Cancelar", - "@cancelButton": { - "description": "Button to cancel logout action" - }, "continueButton": "Continuar", - "@continueButton": { - "description": "Default button text for success state" - }, "testWalletTitle": "Probar {walletName}", "@testWalletTitle": { - "description": "Título para probar el respaldo de la billetera", "placeholders": { "walletName": { "type": "String", @@ -15945,48 +1020,17 @@ } }, "defaultWalletsLabel": "Billeteras predeterminadas", - "@defaultWalletsLabel": { - "description": "Etiqueta para billeteras predeterminadas" - }, "confirmButton": "Confirmar", - "@confirmButton": { - "description": "Etiqueta del botón para confirmar la acción" - }, "recoveryPhraseTitle": "Escribe tu frase de recuperación\nen el orden correcto", - "@recoveryPhraseTitle": { - "description": "Título instruyendo al usuario que escriba la frase de recuperación" - }, "storeItSafelyMessage": "Guárdala en un lugar seguro.", - "@storeItSafelyMessage": { - "description": "Instrucción para guardar la frase de recuperación de forma segura" - }, "doNotShareWarning": "NO COMPARTIR CON NADIE", - "@doNotShareWarning": { - "description": "Advertencia de no compartir la frase de recuperación con nadie" - }, "transcribeLabel": "Transcribir", - "@transcribeLabel": { - "description": "Etiqueta indicando que el usuario debe transcribir las palabras" - }, "digitalCopyLabel": "Copia digital", - "@digitalCopyLabel": { - "description": "Etiqueta para copia digital (con marca X)" - }, "screenshotLabel": "Captura de pantalla", - "@screenshotLabel": { - "description": "Etiqueta para captura de pantalla (con marca X)" - }, "nextButton": "Siguiente", - "@nextButton": { - "description": "Etiqueta del botón para ir al siguiente paso" - }, "tapWordsInOrderTitle": "Toca las palabras de recuperación en el \norden correcto", - "@tapWordsInOrderTitle": { - "description": "Título instruyendo al usuario que toque las palabras en orden" - }, "whatIsWordNumberPrompt": "¿Cuál es la palabra número {number}?", "@whatIsWordNumberPrompt": { - "description": "Solicitud preguntando por el número de palabra específico", "placeholders": { "number": { "type": "int", @@ -15995,96 +1039,29 @@ } }, "allWordsSelectedMessage": "Has seleccionado todas las palabras", - "@allWordsSelectedMessage": { - "description": "Mensaje mostrado cuando todas las palabras están seleccionadas" - }, "verifyButton": "Verificar", - "@verifyButton": { - "description": "Etiqueta del botón para verificar la frase de recuperación" - }, "passphraseLabel": "Frase de contraseña", - "@passphraseLabel": { - "description": "Label for optional passphrase input field" - }, "testYourWalletTitle": "Prueba tu billetera", - "@testYourWalletTitle": { - "description": "Título para la pantalla de prueba de tu billetera" - }, "vaultSuccessfullyImported": "Tu bóveda se importó exitosamente", - "@vaultSuccessfullyImported": { - "description": "Mensaje mostrado cuando la bóveda se importa exitosamente" - }, "backupIdLabel": "ID de respaldo:", - "@backupIdLabel": { - "description": "Etiqueta para ID de respaldo" - }, "createdAtLabel": "Creado el:", - "@createdAtLabel": { - "description": "Etiqueta para fecha de creación" - }, "enterBackupKeyManuallyButton": "Ingresar clave de respaldo manualmente >>", - "@enterBackupKeyManuallyButton": { - "description": "Etiqueta del botón para ingresar la clave de respaldo manualmente" - }, "decryptVaultButton": "Desencriptar bóveda", - "@decryptVaultButton": { - "description": "Etiqueta del botón para desencriptar la bóveda" - }, "testCompletedSuccessTitle": "¡Prueba completada con éxito!", - "@testCompletedSuccessTitle": { - "description": "Título mostrado cuando la prueba de respaldo es exitosa" - }, "testCompletedSuccessMessage": "Puedes recuperar el acceso a una billetera Bitcoin perdida", - "@testCompletedSuccessMessage": { - "description": "Mensaje mostrado cuando la prueba de respaldo es exitosa" - }, "gotItButton": "Entendido", - "@gotItButton": { - "description": "Etiqueta del botón para reconocer la prueba exitosa" - }, "legacySeedViewScreenTitle": "Semillas heredadas", - "@legacySeedViewScreenTitle": { - "description": "AppBar title for legacy seeds screen" - }, "legacySeedViewNoSeedsMessage": "No se encontraron semillas heredadas.", - "@legacySeedViewNoSeedsMessage": { - "description": "Mensaje mostrado cuando no se encuentran semillas heredadas" - }, "legacySeedViewMnemonicLabel": "Mnemónico", - "@legacySeedViewMnemonicLabel": { - "description": "Etiqueta para palabras mnemónicas" - }, "legacySeedViewPassphrasesLabel": "Frases de contraseña:", - "@legacySeedViewPassphrasesLabel": { - "description": "Etiqueta para la sección de frases de contraseña" - }, "legacySeedViewEmptyPassphrase": "(vacía)", - "@legacySeedViewEmptyPassphrase": { - "description": "Texto mostrado para frase de contraseña vacía" - }, "enterBackupKeyManuallyTitle": "Ingresar clave de respaldo manualmente", - "@enterBackupKeyManuallyTitle": { - "description": "Título para la pantalla de ingresar clave de respaldo manualmente" - }, "enterBackupKeyManuallyDescription": "Si has exportado tu clave de respaldo y la has guardado en una ubicación separada por ti mismo, puedes ingresarla manualmente aquí. De lo contrario, regresa a la pantalla anterior.", - "@enterBackupKeyManuallyDescription": { - "description": "Descripción para ingresar la clave de respaldo manualmente" - }, "enterBackupKeyLabel": "Ingresar clave de respaldo", - "@enterBackupKeyLabel": { - "description": "Etiqueta para el campo de entrada de clave de respaldo" - }, "backupKeyHint": "acc8b7b12daf06412f45a90b7fd2…", - "@backupKeyHint": { - "description": "Texto de sugerencia para la entrada de clave de respaldo" - }, "automaticallyFetchKeyButton": "Obtener clave automáticamente >>", - "@automaticallyFetchKeyButton": { - "description": "Etiqueta del botón para obtener la clave automáticamente" - }, "enterYourPinTitle": "Ingresa tu {pinOrPassword}", "@enterYourPinTitle": { - "description": "Título para ingresar PIN o contraseña", "placeholders": { "pinOrPassword": { "type": "String", @@ -16094,7 +1071,6 @@ }, "enterYourBackupPinTitle": "Ingresa tu {pinOrPassword} de respaldo", "@enterYourBackupPinTitle": { - "description": "Título para ingresar PIN o contraseña de respaldo", "placeholders": { "pinOrPassword": { "type": "String", @@ -16104,7 +1080,6 @@ }, "enterPinToContinueMessage": "Ingresa tu {pinOrPassword} para continuar", "@enterPinToContinueMessage": { - "description": "Mensaje solicitando al usuario que ingrese PIN/contraseña para continuar", "placeholders": { "pinOrPassword": { "type": "String", @@ -16114,7 +1089,6 @@ }, "testBackupPinMessage": "Prueba para asegurarte de que recuerdas tu {pinOrPassword} de respaldo", "@testBackupPinMessage": { - "description": "Mensaje solicitando al usuario que pruebe el PIN/contraseña de respaldo", "placeholders": { "pinOrPassword": { "type": "String", @@ -16123,104 +1097,31 @@ } }, "passwordLabel": "Contraseña", - "@passwordLabel": { - "description": "Etiqueta para el campo de entrada de contraseña" - }, "pickPasswordInsteadButton": "Elegir contraseña en su lugar >>", - "@pickPasswordInsteadButton": { - "description": "Etiqueta del botón para cambiar a entrada de contraseña" - }, "pickPinInsteadButton": "Elegir PIN en su lugar >>", - "@pickPinInsteadButton": { - "description": "Etiqueta del botón para cambiar a entrada de PIN" - }, "recoverYourWalletTitle": "Recupera tu billetera", - "@recoverYourWalletTitle": { - "description": "Título para la pantalla de recuperación de billetera" - }, "recoverViaCloudDescription": "Recupera tu respaldo a través de la nube usando tu PIN.", - "@recoverViaCloudDescription": { - "description": "Descripción para recuperar a través de la nube" - }, "recoverVia12WordsDescription": "Recupera tu billetera a través de 12 palabras.", - "@recoverVia12WordsDescription": { - "description": "Descripción para recuperar a través de 12 palabras" - }, "recoverButton": "Recuperar", - "@recoverButton": { - "description": "Etiqueta del botón para recuperar la billetera" - }, "recoverWalletButton": "Recuperar billetera", - "@recoverWalletButton": { - "description": "Etiqueta del botón para recuperar la billetera" - }, "importMnemonicTitle": "Importar mnemónica", - "@importMnemonicTitle": { - "description": "AppBar title for mnemonic import screen" - }, "howToDecideBackupTitle": "Cómo decidir", - "@howToDecideBackupTitle": { - "description": "Título para el modal de cómo decidir el método de respaldo" - }, "howToDecideBackupText1": "Una de las formas más comunes en que las personas pierden su Bitcoin es porque pierden el respaldo físico. Cualquiera que encuentre tu respaldo físico podrá tomar todos tus Bitcoin. Si estás muy seguro de que puedes esconderlo bien y nunca perderlo, es una buena opción.", - "@howToDecideBackupText1": { - "description": "Primer párrafo explicando la decisión del método de respaldo" - }, "howToDecideBackupText2": "La bóveda encriptada te protege de ladrones que buscan robar tu respaldo. También evita que pierdas accidentalmente tu respaldo ya que se almacenará en tu nube. Los proveedores de almacenamiento en la nube como Google o Apple no tendrán acceso a tu Bitcoin porque la contraseña de encriptación es demasiado fuerte. Existe una pequeña posibilidad de que el servidor web que almacena la clave de encriptación de tu respaldo pueda verse comprometido. En este caso, la seguridad del respaldo en tu cuenta de nube podría estar en riesgo.", - "@howToDecideBackupText2": { - "description": "Segundo párrafo explicando los beneficios y riesgos de la bóveda encriptada" - }, "physicalBackupRecommendation": "Respaldo físico: ", - "@physicalBackupRecommendation": { - "description": "Etiqueta en negrita para la recomendación de respaldo físico" - }, "physicalBackupRecommendationText": "Estás seguro de tus propias capacidades de seguridad operativa para ocultar y preservar tus palabras semilla de Bitcoin.", - "@physicalBackupRecommendationText": { - "description": "Texto explicando cuándo usar el respaldo físico" - }, "encryptedVaultRecommendation": "Bóveda encriptada: ", - "@encryptedVaultRecommendation": { - "description": "Etiqueta en negrita para la recomendación de bóveda encriptada" - }, "encryptedVaultRecommendationText": "No estás seguro y necesitas más tiempo para aprender sobre prácticas de seguridad de respaldo.", - "@encryptedVaultRecommendationText": { - "description": "Texto explicando cuándo usar la bóveda encriptada" - }, "visitRecoverBullMessage": "Visita recoverbull.com para más información.", - "@visitRecoverBullMessage": { - "description": "Mensaje con enlace a más información" - }, "howToDecideVaultLocationText1": "Los proveedores de almacenamiento en la nube como Google o Apple no tendrán acceso a tu Bitcoin porque la contraseña de encriptación es demasiado fuerte. Solo pueden acceder a tu Bitcoin en el caso improbable de que se confabulen con el servidor de claves (el servicio en línea que almacena tu contraseña de encriptación). Si el servidor de claves alguna vez es hackeado, tu Bitcoin podría estar en riesgo con Google o Apple cloud.", - "@howToDecideVaultLocationText1": { - "description": "Primer párrafo explicando la decisión de ubicación de la bóveda" - }, "howToDecideVaultLocationText2": "Una ubicación personalizada puede ser mucho más segura, dependiendo de qué ubicación elijas. También debes asegurarte de no perder el archivo de respaldo o de perder el dispositivo en el que está almacenado tu archivo de respaldo.", - "@howToDecideVaultLocationText2": { - "description": "Segundo párrafo explicando los beneficios de la ubicación personalizada" - }, "customLocationRecommendation": "Ubicación personalizada: ", - "@customLocationRecommendation": { - "description": "Etiqueta en negrita para la recomendación de ubicación personalizada" - }, "customLocationRecommendationText": "estás seguro de que no perderás el archivo de bóveda y que seguirá siendo accesible si pierdes tu teléfono.", - "@customLocationRecommendationText": { - "description": "Texto explicando cuándo usar la ubicación personalizada" - }, "googleAppleCloudRecommendation": "Nube de Google o Apple: ", - "@googleAppleCloudRecommendation": { - "description": "Etiqueta en negrita para la recomendación de nube de Google/Apple" - }, "googleAppleCloudRecommendationText": "quieres asegurarte de nunca perder el acceso a tu archivo de bóveda incluso si pierdes tus dispositivos.", - "@googleAppleCloudRecommendationText": { - "description": "Texto explicando cuándo usar la nube de Google/Apple" - }, "chooseVaultLocationTitle": "Elegir ubicación de bóveda", - "@chooseVaultLocationTitle": { - "description": "Título para la pantalla de elegir ubicación de bóveda" - }, "lastKnownEncryptedVault": "Última bóveda encriptada conocida: {date}", "@lastKnownEncryptedVault": { - "description": "Etiqueta mostrando la fecha de la última bóveda encriptada conocida", "placeholders": { "date": { "type": "String", @@ -16229,80 +1130,25 @@ } }, "googleDriveSignInMessage": "Necesitarás iniciar sesión en Google Drive", - "@googleDriveSignInMessage": { - "description": "Mensaje sobre la necesidad de iniciar sesión en Google Drive" - }, "googleDrivePrivacyMessage": "Google te pedirá compartir información personal con esta aplicación.", - "@googleDrivePrivacyMessage": { - "description": "Mensaje sobre Google solicitando información personal" - }, "informationWillNotLeave": "Esta información ", - "@informationWillNotLeave": { - "description": "Primera parte del mensaje de garantía de privacidad" - }, "willNot": "no ", - "@willNot": { - "description": "Parte en negrita de la garantía de privacidad (no)" - }, "leaveYourPhone": "saldrá de tu teléfono y ", - "@leaveYourPhone": { - "description": "Parte media del mensaje de garantía de privacidad" - }, "never": "nunca ", - "@never": { - "description": "Parte en negrita de la garantía de privacidad (nunca)" - }, "sharedWithBullBitcoin": "se compartirá con Bull Bitcoin.", - "@sharedWithBullBitcoin": { - "description": "Parte final del mensaje de garantía de privacidad" - }, "savingToDevice": "Guardando en tu dispositivo.", - "@savingToDevice": { - "description": "Mensaje mostrado al guardar en el dispositivo" - }, "loadingBackupFile": "Cargando archivo de respaldo...", - "@loadingBackupFile": { - "description": "Mensaje mostrado mientras se carga el archivo de respaldo" - }, "pleaseWaitFetching": "Por favor espera mientras obtenemos tu archivo de respaldo.", - "@pleaseWaitFetching": { - "description": "Mensaje pidiendo al usuario que espere mientras se obtiene el respaldo" - }, "googleDriveProvider": "Google Drive", - "@googleDriveProvider": { - "description": "Nombre del proveedor Google Drive" - }, "appleICloudProvider": "Apple iCloud", - "@appleICloudProvider": { - "description": "Nombre del proveedor Apple iCloud" - }, "customLocationProvider": "Ubicación personalizada", - "@customLocationProvider": { - "description": "Nombre del proveedor de ubicación personalizada" - }, "quickAndEasyTag": "Rápido y fácil", - "@quickAndEasyTag": { - "description": "Etiqueta para opciones rápidas y fáciles" - }, "takeYourTimeTag": "Tómate tu tiempo", - "@takeYourTimeTag": { - "description": "Etiqueta para opciones que requieren más tiempo" - }, "customLocationTitle": "Ubicación personalizada", - "@customLocationTitle": { - "description": "Título para la pantalla de ubicación personalizada" - }, "recoverWalletScreenTitle": "Recuperar billetera", - "@recoverWalletScreenTitle": { - "description": "Título para la pantalla de recuperación de billetera" - }, "recoverbullVaultRecoveryTitle": "Recuperación de bóveda Recoverbull", - "@recoverbullVaultRecoveryTitle": { - "description": "Título para la pantalla de recuperación de bóveda recoverbull" - }, "chooseAccessPinTitle": "Elegir {pinOrPassword} de acceso", "@chooseAccessPinTitle": { - "description": "Título para elegir PIN o contraseña de acceso", "placeholders": { "pinOrPassword": { "type": "String", @@ -16312,7 +1158,6 @@ }, "memorizePasswordWarning": "Debes memorizar este {pinOrPassword} para recuperar el acceso a tu billetera. Debe tener al menos 6 dígitos. Si pierdes este {pinOrPassword}, no podrás recuperar tu respaldo.", "@memorizePasswordWarning": { - "description": "Advertencia sobre memorizar el PIN/contraseña", "placeholders": { "pinOrPassword": { "type": "String", @@ -16322,7 +1167,6 @@ }, "passwordTooCommonError": "Este {pinOrPassword} es demasiado común. Por favor elige uno diferente.", "@passwordTooCommonError": { - "description": "Mensaje de error para contraseña común", "placeholders": { "pinOrPassword": { "type": "String", @@ -16332,7 +1176,6 @@ }, "passwordMinLengthError": "El {pinOrPassword} debe tener al menos 6 dígitos", "@passwordMinLengthError": { - "description": "Mensaje de error para longitud mínima de contraseña", "placeholders": { "pinOrPassword": { "type": "String", @@ -16342,7 +1185,6 @@ }, "pickPasswordOrPinButton": "Elegir un {pinOrPassword} en su lugar >>", "@pickPasswordOrPinButton": { - "description": "Botón para cambiar entre PIN y contraseña", "placeholders": { "pinOrPassword": { "type": "String", @@ -16352,7 +1194,6 @@ }, "confirmAccessPinTitle": "Confirmar {pinOrPassword} de acceso", "@confirmAccessPinTitle": { - "description": "Título para confirmar PIN o contraseña de acceso", "placeholders": { "pinOrPassword": { "type": "String", @@ -16362,7 +1203,6 @@ }, "enterPinAgainMessage": "Ingresa tu {pinOrPassword} nuevamente para continuar.", "@enterPinAgainMessage": { - "description": "Mensaje pidiendo que se reingrese el PIN/contraseña", "placeholders": { "pinOrPassword": { "type": "String", @@ -16372,7 +1212,6 @@ }, "usePasswordInsteadButton": "Usar {pinOrPassword} en su lugar >>", "@usePasswordInsteadButton": { - "description": "Botón para usar contraseña/PIN en su lugar", "placeholders": { "pinOrPassword": { "type": "String", @@ -16381,84 +1220,26 @@ } }, "oopsSomethingWentWrong": "¡Ups! Algo salió mal", - "@oopsSomethingWentWrong": { - "description": "Título de error cuando algo sale mal" - }, "connectingToKeyServer": "Conectando al servidor de claves a través de Tor.\nEsto puede tomar hasta un minuto.", - "@connectingToKeyServer": { - "description": "Mensaje mostrado mientras se conecta al servidor de claves a través de Tor" - }, "anErrorOccurred": "Ocurrió un error", - "@anErrorOccurred": { - "description": "Mensaje de error genérico" - }, "dcaSetRecurringBuyTitle": "Configurar Compra Recurrente", - "@dcaSetRecurringBuyTitle": { - "description": "AppBar title for the main DCA setup screen" - }, "dcaInsufficientBalanceTitle": "Saldo Insuficiente", - "@dcaInsufficientBalanceTitle": { - "description": "InfoCard title when user has insufficient funds" - }, "dcaInsufficientBalanceDescription": "No tiene suficiente saldo para crear esta orden.", - "@dcaInsufficientBalanceDescription": { - "description": "InfoCard description explaining insufficient balance error" - }, "dcaFundAccountButton": "Fondear su cuenta", - "@dcaFundAccountButton": { - "description": "Button label to navigate to funding screen" - }, "dcaScheduleDescription": "Las compras de Bitcoin se realizarán automáticamente según este calendario.", - "@dcaScheduleDescription": { - "description": "Explanation text at the top of DCA setup form" - }, "dcaFrequencyValidationError": "Por favor seleccione una frecuencia", - "@dcaFrequencyValidationError": { - "description": "Form validation error when no frequency is selected" - }, "dcaContinueButton": "Continuar", - "@dcaContinueButton": { - "description": "Button label to proceed to next step in DCA flow" - }, "dcaConfirmRecurringBuyTitle": "Confirmar Compra Recurrente", - "@dcaConfirmRecurringBuyTitle": { - "description": "AppBar title for confirmation screen" - }, "dcaConfirmationDescription": "Las órdenes de compra se realizarán automáticamente según esta configuración. Puede desactivarlas en cualquier momento.", - "@dcaConfirmationDescription": { - "description": "Explanation text at the top of confirmation screen" - }, "dcaFrequencyLabel": "Frecuencia", - "@dcaFrequencyLabel": { - "description": "Label for frequency detail row" - }, "dcaFrequencyHourly": "hora", - "@dcaFrequencyHourly": { - "description": "Hourly DCA frequency" - }, "dcaFrequencyDaily": "día", - "@dcaFrequencyDaily": { - "description": "Daily DCA frequency" - }, "dcaFrequencyWeekly": "semana", - "@dcaFrequencyWeekly": { - "description": "Weekly DCA frequency" - }, "dcaFrequencyMonthly": "mes", - "@dcaFrequencyMonthly": { - "description": "Monthly DCA frequency" - }, "dcaAmountLabel": "Cantidad", - "@dcaAmountLabel": { - "description": "Label for amount detail row" - }, "dcaPaymentMethodLabel": "Método de pago", - "@dcaPaymentMethodLabel": { - "description": "Label for payment method detail row" - }, "dcaPaymentMethodValue": "Saldo en {currency}", "@dcaPaymentMethodValue": { - "description": "Value for payment method with currency code placeholder", "placeholders": { "currency": { "type": "String" @@ -16466,36 +1247,14 @@ } }, "dcaOrderTypeLabel": "Tipo de orden", - "@dcaOrderTypeLabel": { - "description": "Label for order type detail row" - }, "dcaOrderTypeValue": "Compra recurrente", - "@dcaOrderTypeValue": { - "description": "Value for order type" - }, "dcaNetworkLabel": "Red", - "@dcaNetworkLabel": { - "description": "Label for network detail row" - }, "dcaNetworkBitcoin": "Red Bitcoin", - "@dcaNetworkBitcoin": { - "description": "Bitcoin network label for DCA" - }, "dcaNetworkLightning": "Red Lightning", - "@dcaNetworkLightning": { - "description": "Lightning network label for DCA" - }, "dcaNetworkLiquid": "Red Liquid", - "@dcaNetworkLiquid": { - "description": "Liquid network label for DCA" - }, "dcaLightningAddressLabel": "Dirección Lightning", - "@dcaLightningAddressLabel": { - "description": "Label for Lightning address detail row (shown only for Lightning network)" - }, "dcaConfirmationError": "Algo salió mal: {error}", "@dcaConfirmationError": { - "description": "Error message displayed when confirmation fails", "placeholders": { "error": { "type": "String" @@ -16503,16 +1262,9 @@ } }, "dcaConfirmButton": "Continuar", - "@dcaConfirmButton": { - "description": "Button label to confirm and activate DCA" - }, "dcaSuccessTitle": "¡Compra Recurrente Activada!", - "@dcaSuccessTitle": { - "description": "Success screen title after DCA is activated" - }, "dcaSuccessMessageHourly": "Comprará {amount} cada hora", "@dcaSuccessMessageHourly": { - "description": "Success message for hourly frequency", "placeholders": { "amount": { "type": "String" @@ -16521,7 +1273,6 @@ }, "dcaSuccessMessageDaily": "Comprará {amount} cada día", "@dcaSuccessMessageDaily": { - "description": "Success message for daily frequency", "placeholders": { "amount": { "type": "String" @@ -16530,7 +1281,6 @@ }, "dcaSuccessMessageWeekly": "Comprará {amount} cada semana", "@dcaSuccessMessageWeekly": { - "description": "Success message for weekly frequency", "placeholders": { "amount": { "type": "String" @@ -16539,7 +1289,6 @@ }, "dcaSuccessMessageMonthly": "Comprará {amount} cada mes", "@dcaSuccessMessageMonthly": { - "description": "Success message for monthly frequency", "placeholders": { "amount": { "type": "String" @@ -16547,172 +1296,48 @@ } }, "dcaBackToHomeButton": "Volver al inicio", - "@dcaBackToHomeButton": { - "description": "Button label to return to exchange home screen" - }, "dcaChooseWalletTitle": "Elegir Cartera de Bitcoin", - "@dcaChooseWalletTitle": { - "description": "AppBar title for wallet selection screen" - }, "dcaWalletSelectionDescription": "Las compras de Bitcoin se realizarán automáticamente según este calendario.", - "@dcaWalletSelectionDescription": { - "description": "Explanation text at the top of wallet selection screen" - }, "dcaNetworkValidationError": "Por favor seleccione una red", - "@dcaNetworkValidationError": { - "description": "Form validation error when no network is selected" - }, "dcaEnterLightningAddressLabel": "Ingresar Dirección Lightning", - "@dcaEnterLightningAddressLabel": { - "description": "Label for Lightning address text input field" - }, "dcaLightningAddressEmptyError": "Por favor ingrese una dirección Lightning", - "@dcaLightningAddressEmptyError": { - "description": "Validation error when Lightning address field is empty" - }, "dcaLightningAddressInvalidError": "Por favor ingrese una dirección Lightning válida", - "@dcaLightningAddressInvalidError": { - "description": "Validation error when Lightning address format is invalid" - }, "dcaUseDefaultLightningAddress": "Usar mi dirección Lightning predeterminada.", - "@dcaUseDefaultLightningAddress": { - "description": "Checkbox label to use default Lightning address" - }, "dcaWalletSelectionContinueButton": "Continuar", - "@dcaWalletSelectionContinueButton": { - "description": "Button label to proceed to confirmation screen" - }, "dcaSelectFrequencyLabel": "Seleccionar Frecuencia", - "@dcaSelectFrequencyLabel": { - "description": "Label above frequency selection radio buttons" - }, "dcaSelectWalletTypeLabel": "Seleccionar Tipo de Cartera de Bitcoin", - "@dcaSelectWalletTypeLabel": { - "description": "Label above wallet type selection radio buttons" - }, "dcaWalletTypeBitcoin": "Bitcoin (BTC)", - "@dcaWalletTypeBitcoin": { - "description": "Radio button option for Bitcoin wallet" - }, "dcaWalletTypeLightning": "Lightning Network (LN)", - "@dcaWalletTypeLightning": { - "description": "Radio button option for Lightning wallet" - }, "dcaWalletTypeLiquid": "Liquid (LBTC)", - "@dcaWalletTypeLiquid": { - "description": "Radio button option for Liquid wallet" - }, "dcaWalletBitcoinSubtitle": "Mínimo 0.001 BTC", - "@dcaWalletBitcoinSubtitle": { - "description": "Subtitle/description for Bitcoin wallet option" - }, "dcaWalletLightningSubtitle": "Requiere cartera compatible, máximo 0.25 BTC", - "@dcaWalletLightningSubtitle": { - "description": "Subtitle/description for Lightning wallet option" - }, "dcaWalletLiquidSubtitle": "Requiere cartera compatible", - "@dcaWalletLiquidSubtitle": { - "description": "Subtitle/description for Liquid wallet option" - }, "swapInternalTransferTitle": "Transferencia Interna", - "@swapInternalTransferTitle": { - "description": "AppBar title on the amount entry page" - }, "swapConfirmTransferTitle": "Confirmar Transferencia", - "@swapConfirmTransferTitle": { - "description": "AppBar title on the confirmation page" - }, "swapInfoDescription": "Transfiera Bitcoin sin problemas entre sus carteras. Mantenga fondos en la Cartera de Pagos Instantáneos solo para gastos del día a día.", - "@swapInfoDescription": { - "description": "Information banner text on amount page" - }, "swapTransferFrom": "Transferir desde", - "@swapTransferFrom": { - "description": "Label for source wallet dropdown" - }, "swapTransferTo": "Transferir a", - "@swapTransferTo": { - "description": "Label for destination wallet dropdown" - }, "swapTransferAmount": "Monto de transferencia", - "@swapTransferAmount": { - "description": "Label for amount input field" - }, "swapYouPay": "Usted Paga", - "@swapYouPay": { - "description": "Label in swap card for payment amount" - }, "swapYouReceive": "Usted Recibe", - "@swapYouReceive": { - "description": "Label in swap card for receiving amount" - }, "swapAvailableBalance": "Saldo disponible", - "@swapAvailableBalance": { - "description": "Available balance label" - }, "swapMaxButton": "MÁX", - "@swapMaxButton": { - "description": "Button to use maximum available balance" - }, "swapTotalFees": "Comisiones totales ", - "@swapTotalFees": { - "description": "Total fees label" - }, "swapContinueButton": "Continuar", - "@swapContinueButton": { - "description": "Button to proceed from amount page to confirmation" - }, "swapGoHomeButton": "Ir al inicio", - "@swapGoHomeButton": { - "description": "Button to return home from progress page" - }, "swapTransferPendingTitle": "Transferencia Pendiente", - "@swapTransferPendingTitle": { - "description": "Title during pending swap status" - }, "swapTransferPendingMessage": "La transferencia está en proceso. Las transacciones de Bitcoin pueden tardar en confirmarse. Puede volver al inicio y esperar.", - "@swapTransferPendingMessage": { - "description": "Message shown during pending swap" - }, "swapTransferCompletedTitle": "Transferencia completada", - "@swapTransferCompletedTitle": { - "description": "Title when swap completes successfully" - }, "swapTransferCompletedMessage": "¡Vaya, esperó! La transferencia se ha completado exitosamente.", - "@swapTransferCompletedMessage": { - "description": "Success message after transfer completion" - }, "swapTransferRefundInProgressTitle": "Reembolso de Transferencia en Proceso", - "@swapTransferRefundInProgressTitle": { - "description": "Title when swap is being refunded" - }, "swapTransferRefundInProgressMessage": "Hubo un error con la transferencia. Su reembolso está en proceso.", - "@swapTransferRefundInProgressMessage": { - "description": "Message during refund process" - }, "swapTransferRefundedTitle": "Transferencia Reembolsada", - "@swapTransferRefundedTitle": { - "description": "Title when swap has been refunded" - }, "swapTransferRefundedMessage": "La transferencia ha sido reembolsada exitosamente.", - "@swapTransferRefundedMessage": { - "description": "Refund completion message" - }, "swapAmountPlaceholder": "0", - "@swapAmountPlaceholder": { - "description": "Placeholder for amount input fields" - }, "swapErrorBalanceTooLow": "Saldo demasiado bajo para la cantidad mínima de intercambio", - "@swapErrorBalanceTooLow": { - "description": "Error when balance is below minimum swap limit" - }, "swapErrorAmountExceedsMaximum": "La cantidad excede la cantidad máxima de intercambio", - "@swapErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum swap limit" - }, "swapErrorAmountBelowMinimum": "La cantidad está por debajo de la cantidad mínima de intercambio: {min} sats", "@swapErrorAmountBelowMinimum": { - "description": "Error shown when amount is below minimum", "placeholders": { "min": { "type": "String" @@ -16721,7 +1346,6 @@ }, "swapErrorAmountAboveMaximum": "La cantidad excede la cantidad máxima de intercambio: {max} sats", "@swapErrorAmountAboveMaximum": { - "description": "Error shown when amount is above maximum", "placeholders": { "max": { "type": "String" @@ -16729,56 +1353,19 @@ } }, "swapErrorInsufficientFunds": "No se pudo construir la transacción. Probablemente debido a fondos insuficientes para cubrir las comisiones y la cantidad.", - "@swapErrorInsufficientFunds": { - "description": "Error when transaction cannot be built due to insufficient funds" - }, "swapTransferTitle": "Transferencia", - "@swapTransferTitle": { - "description": "AppBar title on the main swap page" - }, "swapExternalTransferLabel": "Transferencia externa", - "@swapExternalTransferLabel": { - "description": "Label for external transfer toggle" - }, "swapFromLabel": "De", - "@swapFromLabel": { - "description": "Label for source wallet dropdown" - }, "swapToLabel": "A", - "@swapToLabel": { - "description": "Label for destination wallet dropdown or address input" - }, "swapAmountLabel": "Cantidad", - "@swapAmountLabel": { - "description": "Label for amount input section" - }, "swapReceiveExactAmountLabel": "Recibir cantidad exacta", - "@swapReceiveExactAmountLabel": { - "description": "Label when receive exact amount toggle is on" - }, "swapSubtractFeesLabel": "Restar comisiones de la cantidad", - "@swapSubtractFeesLabel": { - "description": "Label when receive exact amount toggle is off" - }, "swapExternalAddressHint": "Ingrese la dirección de la billetera externa", - "@swapExternalAddressHint": { - "description": "Hint text for external address input" - }, "swapValidationEnterAmount": "Por favor ingrese una cantidad", - "@swapValidationEnterAmount": { - "description": "Validation error when amount is empty" - }, "swapValidationPositiveAmount": "Ingrese una cantidad positiva", - "@swapValidationPositiveAmount": { - "description": "Validation error when amount is not positive" - }, "swapValidationInsufficientBalance": "Saldo insuficiente", - "@swapValidationInsufficientBalance": { - "description": "Validation error when amount exceeds wallet balance" - }, "swapValidationMinimumAmount": "La cantidad mínima es {amount} {currency}", "@swapValidationMinimumAmount": { - "description": "Validation error when amount is below minimum", "placeholders": { "amount": { "type": "String" @@ -16790,7 +1377,6 @@ }, "swapValidationMaximumAmount": "La cantidad máxima es {amount} {currency}", "@swapValidationMaximumAmount": { - "description": "Validation error when amount exceeds maximum", "placeholders": { "amount": { "type": "String" @@ -16801,56 +1387,19 @@ } }, "swapValidationSelectFromWallet": "Por favor seleccione una billetera de origen", - "@swapValidationSelectFromWallet": { - "description": "Validation error when no source wallet selected" - }, "swapValidationSelectToWallet": "Por favor seleccione una billetera de destino", - "@swapValidationSelectToWallet": { - "description": "Validation error when no destination wallet selected" - }, "swapDoNotUninstallWarning": "¡No desinstale la aplicación hasta que se complete la transferencia!", - "@swapDoNotUninstallWarning": { - "description": "Warning message during pending transfer" - }, "pinSecurityTitle": "PIN de Seguridad", - "@pinSecurityTitle": { - "description": "AppBar title for PIN settings screen" - }, "pinManageDescription": "Administre su PIN de seguridad", - "@pinManageDescription": { - "description": "Headline text on PIN settings screen" - }, "pinProtectionDescription": "Su PIN protege el acceso a su cartera y configuración. Manténgalo memorable.", - "@pinProtectionDescription": { - "description": "Informational text explaining PIN purpose" - }, "pinButtonChange": "Cambiar PIN", - "@pinButtonChange": { - "description": "Button label when PIN already exists" - }, "pinButtonCreate": "Crear PIN", - "@pinButtonCreate": { - "description": "Button label when no PIN exists" - }, "pinButtonRemove": "Eliminar PIN de Seguridad", - "@pinButtonRemove": { - "description": "Button label to delete existing PIN" - }, "pinAuthenticationTitle": "Autenticación", - "@pinAuthenticationTitle": { - "description": "AppBar title for create/confirm PIN screens" - }, "appUnlockScreenTitle": "Autenticación", - "@appUnlockScreenTitle": { - "description": "Título de la pantalla de desbloqueo de la aplicación" - }, "pinCreateHeadline": "Crear nuevo PIN", - "@pinCreateHeadline": { - "description": "Headline text on PIN creation screen" - }, "pinValidationError": "El PIN debe tener al menos {minLength} dígitos", "@pinValidationError": { - "description": "Error message when PIN is too short", "placeholders": { "minLength": { "type": "String" @@ -16858,28 +1407,12 @@ } }, "pinButtonContinue": "Continuar", - "@pinButtonContinue": { - "description": "Button label to proceed after entering new PIN" - }, "pinConfirmHeadline": "Confirmar nuevo PIN", - "@pinConfirmHeadline": { - "description": "Headline text on PIN confirmation screen" - }, "pinConfirmMismatchError": "Los PIN no coinciden", - "@pinConfirmMismatchError": { - "description": "Error message when confirmation PIN doesn't match original" - }, "pinButtonConfirm": "Confirmar", - "@pinButtonConfirm": { - "description": "Button label to submit confirmed PIN" - }, "appUnlockEnterPinMessage": "Ingrese su código PIN para desbloquear", - "@appUnlockEnterPinMessage": { - "description": "Mensaje que solicita al usuario que ingrese su código PIN para desbloquear la aplicación" - }, "appUnlockIncorrectPinError": "PIN incorrecto. Por favor, inténtelo de nuevo. ({failedAttempts} {attemptsWord})", "@appUnlockIncorrectPinError": { - "description": "Mensaje de error mostrado cuando el usuario ingresa un PIN incorrecto", "placeholders": { "failedAttempts": { "type": "int" @@ -16890,108 +1423,32 @@ } }, "appUnlockAttemptSingular": "intento fallido", - "@appUnlockAttemptSingular": { - "description": "Forma singular de 'intento' para intentos de desbloqueo fallidos" - }, "appUnlockAttemptPlural": "intentos fallidos", - "@appUnlockAttemptPlural": { - "description": "Forma plural de 'intentos' para intentos de desbloqueo fallidos" - }, "appUnlockButton": "Desbloquear", - "@appUnlockButton": { - "description": "Etiqueta del botón para desbloquear la aplicación" - }, "pinStatusLoading": "Cargando", - "@pinStatusLoading": { - "description": "Status screen title during initialization" - }, "pinStatusCheckingDescription": "Verificando estado del PIN", - "@pinStatusCheckingDescription": { - "description": "Status screen description during initialization" - }, "pinStatusProcessing": "Procesando", - "@pinStatusProcessing": { - "description": "Status screen title during PIN save/delete operations" - }, "pinStatusSettingUpDescription": "Configurando su código PIN", - "@pinStatusSettingUpDescription": { - "description": "Status screen description during PIN save/delete operations" - }, "autoswapSettingsTitle": "Configuración de Transferencia Automática", - "@autoswapSettingsTitle": { - "description": "Main header/title of the auto swap settings bottom sheet" - }, "autoswapEnableToggleLabel": "Habilitar Transferencia Automática", - "@autoswapEnableToggleLabel": { - "description": "Label for the main toggle switch to enable/disable auto transfer feature" - }, "autoswapMaxBalanceLabel": "Saldo Máximo de Billetera Instantánea", - "@autoswapMaxBalanceLabel": { - "description": "Label for amount threshold input field" - }, "autoswapMaxBalanceInfoText": "Cuando el saldo de la billetera exceda el doble de esta cantidad, se activará la transferencia automática para reducir el saldo a este nivel", - "@autoswapMaxBalanceInfoText": { - "description": "Help text explaining how the max balance threshold works" - }, "autoswapBaseBalanceInfoText": "El saldo de su billetera de pagos instantáneos volverá a este saldo después de un intercambio automático.", - "@autoswapBaseBalanceInfoText": { - "description": "Info text explaining what happens to the balance after an autoswap" - }, "autoswapTriggerAtBalanceInfoText": "El intercambio automático se activará cuando su saldo supere este monto.", - "@autoswapTriggerAtBalanceInfoText": { - "description": "Info text explaining when autoswap will trigger" - }, "autoswapMaxFeeLabel": "Comisión Máxima de Transferencia", - "@autoswapMaxFeeLabel": { - "description": "Label for fee threshold percentage input field" - }, "autoswapMaxFeeInfoText": "Si la comisión total de transferencia supera el porcentaje establecido, la transferencia automática será bloqueada", - "@autoswapMaxFeeInfoText": { - "description": "Help text explaining how the max fee threshold works" - }, "autoswapRecipientWalletLabel": "Billetera Bitcoin Receptora", - "@autoswapRecipientWalletLabel": { - "description": "Label for wallet selection dropdown" - }, "autoswapRecipientWalletRequired": "*", - "@autoswapRecipientWalletRequired": { - "description": "Required field indicator asterisk" - }, "autoswapRecipientWalletPlaceholder": "Seleccione una billetera Bitcoin", - "@autoswapRecipientWalletPlaceholder": { - "description": "Dropdown placeholder text when no wallet is selected" - }, "autoswapRecipientWalletPlaceholderRequired": "Seleccione una billetera Bitcoin *", - "@autoswapRecipientWalletPlaceholderRequired": { - "description": "Dropdown placeholder with required indicator when auto transfer is enabled" - }, "autoswapRecipientWalletInfoText": "Elija qué billetera Bitcoin recibirá los fondos transferidos (requerido)", - "@autoswapRecipientWalletInfoText": { - "description": "Help text explaining wallet selection" - }, "autoswapRecipientWalletDefaultLabel": "Billetera Bitcoin", - "@autoswapRecipientWalletDefaultLabel": { - "description": "Default label shown for wallets without a custom label in the dropdown" - }, "autoswapAlwaysBlockLabel": "Siempre Bloquear Comisiones Altas", - "@autoswapAlwaysBlockLabel": { - "description": "Label for toggle to always block high fee transfers" - }, "autoswapAlwaysBlockInfoEnabled": "Cuando está habilitado, las transferencias automáticas con comisiones superiores al límite establecido siempre serán bloqueadas", - "@autoswapAlwaysBlockInfoEnabled": { - "description": "Help text when always block is enabled" - }, "autoswapAlwaysBlockInfoDisabled": "Cuando está deshabilitado, se le dará la opción de permitir una transferencia automática que fue bloqueada debido a comisiones altas", - "@autoswapAlwaysBlockInfoDisabled": { - "description": "Help text when always block is disabled" - }, "autoswapSaveButton": "Guardar", - "@autoswapSaveButton": { - "description": "Save button label at bottom of settings sheet" - }, "autoswapSaveErrorMessage": "Error al guardar la configuración: {error}", "@autoswapSaveErrorMessage": { - "description": "SnackBar error message when save fails", "placeholders": { "error": { "type": "String" @@ -16999,64 +1456,21 @@ } }, "autoswapWarningCardTitle": "La transferencia automática está habilitada.", - "@autoswapWarningCardTitle": { - "description": "Texto del título mostrado en la tarjeta de advertencia de transferencia automática en la pantalla de inicio" - }, "autoswapWarningCardSubtitle": "Se activará un intercambio si el saldo de su billetera de pagos instantáneos supera 0,02 BTC.", - "@autoswapWarningCardSubtitle": { - "description": "Texto del subtítulo mostrado en la tarjeta de advertencia de transferencia automática en la pantalla de inicio" - }, "autoswapWarningDescription": "La transferencia automática garantiza que se mantenga un buen equilibrio entre su billetera de pagos instantáneos y su billetera Bitcoin segura.", - "@autoswapWarningDescription": { - "description": "Texto de descripción en la parte superior de la hoja de advertencia de transferencia automática" - }, "autoswapWarningTitle": "La transferencia automática está habilitada con la siguiente configuración:", - "@autoswapWarningTitle": { - "description": "Texto del título en la hoja de advertencia de transferencia automática" - }, "autoswapWarningBaseBalance": "Saldo base 0,01 BTC", - "@autoswapWarningBaseBalance": { - "description": "Texto del saldo base mostrado en la hoja de advertencia de transferencia automática" - }, "autoswapWarningTriggerAmount": "Monto de activación de 0,02 BTC", - "@autoswapWarningTriggerAmount": { - "description": "Texto del monto de activación mostrado en la hoja de advertencia de transferencia automática" - }, "autoswapWarningExplanation": "Cuando su saldo supere el monto de activación, se activará un intercambio. El monto base se mantendrá en su billetera de pagos instantáneos y el monto restante se intercambiará en su billetera Bitcoin segura.", - "@autoswapWarningExplanation": { - "description": "Texto de explicación en la hoja de advertencia de transferencia automática" - }, "autoswapWarningDontShowAgain": "No volver a mostrar esta advertencia.", - "@autoswapWarningDontShowAgain": { - "description": "Etiqueta de la casilla de verificación para descartar la advertencia de transferencia automática" - }, "autoswapWarningSettingsLink": "Llévame a la configuración de transferencia automática", - "@autoswapWarningSettingsLink": { - "description": "Texto del enlace para navegar a la configuración de transferencia automática desde la hoja de advertencia" - }, "autoswapWarningOkButton": "OK", - "@autoswapWarningOkButton": { - "description": "Etiqueta del botón OK en la hoja de advertencia de transferencia automática" - }, "autoswapLoadSettingsError": "Error al cargar la configuración de intercambio automático", - "@autoswapLoadSettingsError": { - "description": "Error message when loading settings fails" - }, "autoswapUpdateSettingsError": "Error al actualizar la configuración de intercambio automático", - "@autoswapUpdateSettingsError": { - "description": "Error message when updating settings fails" - }, "autoswapSelectWalletError": "Por favor seleccione una billetera Bitcoin receptora", - "@autoswapSelectWalletError": { - "description": "Validation error when trying to enable auto transfer without selecting a wallet" - }, "autoswapAutoSaveError": "Error al guardar la configuración", - "@autoswapAutoSaveError": { - "description": "Error message when auto-save on disable fails" - }, "autoswapMinimumThresholdErrorBtc": "El umbral mínimo de saldo es {amount} BTC", "@autoswapMinimumThresholdErrorBtc": { - "description": "Validation error shown when amount threshold is below minimum (BTC display)", "placeholders": { "amount": { "type": "String" @@ -17065,7 +1479,6 @@ }, "autoswapMinimumThresholdErrorSats": "El umbral mínimo de saldo es {amount} sats", "@autoswapMinimumThresholdErrorSats": { - "description": "Validation error shown when amount threshold is below minimum (sats display)", "placeholders": { "amount": { "type": "String" @@ -17074,7 +1487,6 @@ }, "autoswapMaximumFeeError": "El umbral máximo de comisión es {threshold}%", "@autoswapMaximumFeeError": { - "description": "Validation error shown when fee threshold exceeds maximum", "placeholders": { "threshold": { "type": "String" @@ -17082,108 +1494,32 @@ } }, "autoswapTriggerBalanceError": "El saldo de activación debe ser al menos 2x el saldo base", - "@autoswapTriggerBalanceError": { - "description": "Validation error shown when trigger balance is less than 2x the base balance" - }, "arkNoTransactionsYet": "Aún no hay transacciones.", - "@arkNoTransactionsYet": { - "description": "Empty state message shown when user has no transaction history" - }, "arkToday": "Hoy", - "@arkToday": { - "description": "Date label for transactions from today" - }, "arkYesterday": "Ayer", - "@arkYesterday": { - "description": "Date label for transactions from yesterday" - }, "arkSettleTransactions": "Liquidar Transacciones", - "@arkSettleTransactions": { - "description": "Bottom sheet title for settling pending transactions" - }, "arkSettleDescription": "Finalice las transacciones pendientes e incluya vtxos recuperables si es necesario", - "@arkSettleDescription": { - "description": "Description explaining what settling transactions does" - }, "arkIncludeRecoverableVtxos": "Incluir vtxos recuperables", - "@arkIncludeRecoverableVtxos": { - "description": "Label for toggle switch to include recoverable vtxos when settling" - }, "arkCancelButton": "Cancelar", - "@arkCancelButton": { - "description": "Cancel button label in settle bottom sheet" - }, "arkSettleButton": "Liquidar", - "@arkSettleButton": { - "description": "Settle button label" - }, "arkReceiveTitle": "Recibir Ark", - "@arkReceiveTitle": { - "description": "AppBar title for Ark receive screen" - }, "arkUnifiedAddressCopied": "Dirección unificada copiada", - "@arkUnifiedAddressCopied": { - "description": "SnackBar message when unified address is copied to clipboard" - }, "arkCopyAddress": "Copiar dirección", - "@arkCopyAddress": { - "description": "Button label to expand and show address details for copying" - }, "arkUnifiedAddressBip21": "Dirección unificada (BIP21)", - "@arkUnifiedAddressBip21": { - "description": "Label for the BIP21 unified address field" - }, "arkBtcAddress": "Dirección BTC", - "@arkBtcAddress": { - "description": "Label for the Bitcoin address field" - }, "arkArkAddress": "Dirección Ark", - "@arkArkAddress": { - "description": "Label for the Ark address field" - }, "arkSendTitle": "Enviar", - "@arkSendTitle": { - "description": "AppBar title for Ark send screen" - }, "arkRecipientAddress": "Dirección del destinatario", - "@arkRecipientAddress": { - "description": "Label for recipient address input field" - }, "arkAddressPlaceholder": "ark1qp9wsjfpsj5v5ex022v6…", - "@arkAddressPlaceholder": { - "description": "Placeholder text for recipient address input" - }, "arkConfirmedBalance": "Saldo Confirmado", - "@arkConfirmedBalance": { - "description": "Label for confirmed balance row" - }, "arkPendingBalance": "Saldo Pendiente", - "@arkPendingBalance": { - "description": "Label for pending balance row" - }, "arkConfirmButton": "Confirmar", - "@arkConfirmButton": { - "description": "Confirm button to proceed with send transaction" - }, "arkCollaborativeRedeem": "Redención Colaborativa", - "@arkCollaborativeRedeem": { - "description": "Bottom sheet title for collaborative redeem for BTC address sends" - }, "arkRecoverableVtxos": "Vtxos Recuperables", - "@arkRecoverableVtxos": { - "description": "Label for switch to include recoverable vtxos in redeem" - }, "arkRedeemButton": "Redimir", - "@arkRedeemButton": { - "description": "Confirm button to execute collaborative redeem" - }, "arkInstantPayments": "Pagos Instantáneos Ark", - "@arkInstantPayments": { - "description": "Main page title in top bar" - }, "arkSettleTransactionCount": "Liquidar {count} {transaction}", "@arkSettleTransactionCount": { - "description": "Button label showing number of unsettled transactions", "placeholders": { "count": { "type": "String" @@ -17194,132 +1530,38 @@ } }, "arkTransaction": "transacción", - "@arkTransaction": { - "description": "Singular form for transaction count" - }, "arkTransactions": "transacciones", - "@arkTransactions": { - "description": "Plural form for transaction count" - }, "arkReceiveButton": "Recibir", - "@arkReceiveButton": { - "description": "Bottom button to navigate to receive page" - }, "arkSendButton": "Enviar", - "@arkSendButton": { - "description": "Bottom button to navigate to send page" - }, "arkTxTypeBoarding": "Abordaje", - "@arkTxTypeBoarding": { - "description": "Transaction type label for boarding transactions" - }, "arkTxTypeCommitment": "Compromiso", - "@arkTxTypeCommitment": { - "description": "Transaction type label for commitment transactions" - }, "arkTxTypeRedeem": "Canjear", - "@arkTxTypeRedeem": { - "description": "Transaction type label for redeem transactions" - }, "arkTransactionDetails": "Detalles de la transacción", - "@arkTransactionDetails": { - "description": "AppBar title for transaction details page" - }, "arkStatusConfirmed": "Confirmado", - "@arkStatusConfirmed": { - "description": "Status label for confirmed boarding transactions" - }, "arkStatusPending": "Pendiente", - "@arkStatusPending": { - "description": "Status label for pending transactions" - }, "arkStatusSettled": "Liquidado", - "@arkStatusSettled": { - "description": "Status label for settled redeem transactions" - }, "arkTransactionId": "ID de transacción", - "@arkTransactionId": { - "description": "Label for transaction ID field in details table" - }, "arkType": "Tipo", - "@arkType": { - "description": "Label for transaction type field in details table" - }, "arkStatus": "Estado", - "@arkStatus": { - "description": "Label for transaction status field in details table" - }, "arkAmount": "Monto", - "@arkAmount": { - "description": "Label for transaction amount field in details table" - }, "arkDate": "Fecha", - "@arkDate": { - "description": "Label for transaction date field in details table" - }, "arkBalanceBreakdown": "Desglose del saldo", - "@arkBalanceBreakdown": { - "description": "Title of bottom sheet showing balance breakdown" - }, "arkConfirmed": "Confirmado", - "@arkConfirmed": { - "description": "Label for confirmed balance in breakdown" - }, "arkPending": "Pendiente", - "@arkPending": { - "description": "Label for pending balance in breakdown" - }, "arkTotal": "Total", - "@arkTotal": { - "description": "Label for total balance in breakdown" - }, "arkBalanceBreakdownTooltip": "Desglose del saldo", - "@arkBalanceBreakdownTooltip": { - "description": "Tooltip for info button that opens balance breakdown" - }, "arkAboutTitle": "Acerca de", - "@arkAboutTitle": { - "description": "AppBar title for Ark about screen" - }, "arkServerUrl": "URL del servidor", - "@arkServerUrl": { - "description": "Label for server URL field" - }, "arkServerPubkey": "Clave pública del servidor", - "@arkServerPubkey": { - "description": "Label for server public key field" - }, "arkForfeitAddress": "Dirección de confiscación", - "@arkForfeitAddress": { - "description": "Label for forfeit address field" - }, "arkNetwork": "Red", - "@arkNetwork": { - "description": "Label for network field" - }, "arkDust": "Polvo", - "@arkDust": { - "description": "Label for dust amount field" - }, "arkSessionDuration": "Duración de la sesión", - "@arkSessionDuration": { - "description": "Label for session duration field" - }, "arkBoardingExitDelay": "Retraso de salida de abordaje", - "@arkBoardingExitDelay": { - "description": "Label for boarding exit delay field" - }, "arkUnilateralExitDelay": "Retraso de salida unilateral", - "@arkUnilateralExitDelay": { - "description": "Label for unilateral exit delay field" - }, "arkEsploraUrl": "URL de Esplora", - "@arkEsploraUrl": { - "description": "Label for Esplora URL field" - }, "arkDurationSeconds": "{seconds} segundos", "@arkDurationSeconds": { - "description": "Duration format for seconds", "placeholders": { "seconds": { "type": "String" @@ -17328,7 +1570,6 @@ }, "arkDurationMinute": "{minutes} minuto", "@arkDurationMinute": { - "description": "Duration format for singular minute", "placeholders": { "minutes": { "type": "String" @@ -17337,7 +1578,6 @@ }, "arkDurationMinutes": "{minutes} minutos", "@arkDurationMinutes": { - "description": "Duration format for plural minutes", "placeholders": { "minutes": { "type": "String" @@ -17346,7 +1586,6 @@ }, "arkDurationHour": "{hours} hora", "@arkDurationHour": { - "description": "Duration format for singular hour", "placeholders": { "hours": { "type": "String" @@ -17355,7 +1594,6 @@ }, "arkDurationHours": "{hours} horas", "@arkDurationHours": { - "description": "Duration format for plural hours", "placeholders": { "hours": { "type": "String" @@ -17364,7 +1602,6 @@ }, "arkDurationDay": "{days} día", "@arkDurationDay": { - "description": "Duration format for singular day", "placeholders": { "days": { "type": "String" @@ -17373,7 +1610,6 @@ }, "arkDurationDays": "{days} días", "@arkDurationDays": { - "description": "Duration format for plural days", "placeholders": { "days": { "type": "String" @@ -17381,12 +1617,8 @@ } }, "arkCopy": "Copiar", - "@arkCopy": { - "description": "Button label to copy field value to clipboard" - }, "arkCopiedToClipboard": "{label} copiado al portapapeles", "@arkCopiedToClipboard": { - "description": "SnackBar message when field is copied", "placeholders": { "label": { "type": "String" @@ -17394,260 +1626,70 @@ } }, "arkSendSuccessTitle": "Envío exitoso", - "@arkSendSuccessTitle": { - "description": "Title shown after successful Ark send transaction" - }, "arkSendSuccessMessage": "¡Tu transacción Ark fue exitosa!", - "@arkSendSuccessMessage": { - "description": "Success message shown after Ark send transaction completes" - }, "arkBoardingUnconfirmed": "Embarque sin confirmar", - "@arkBoardingUnconfirmed": { - "description": "Label for unconfirmed boarding balance in Ark balance breakdown" - }, "arkBoardingConfirmed": "Embarque confirmado", - "@arkBoardingConfirmed": { - "description": "Label for confirmed boarding balance in Ark balance breakdown" - }, "arkPreconfirmed": "Preconfirmado", - "@arkPreconfirmed": { - "description": "Label for preconfirmed balance in Ark balance breakdown" - }, "arkSettled": "Liquidado", - "@arkSettled": { - "description": "Label for settled balance in Ark balance breakdown" - }, "arkAvailable": "Disponible", - "@arkAvailable": { - "description": "Label for available balance in Ark balance breakdown" - }, "arkNoBalanceData": "No hay datos de saldo disponibles", - "@arkNoBalanceData": { - "description": "Message shown when Ark balance data is not available" - }, "arkTxPending": "Pendiente", - "@arkTxPending": { - "description": "Status label for pending Ark transactions" - }, "arkTxBoarding": "Embarque", - "@arkTxBoarding": { - "description": "Transaction type label for Ark boarding transactions" - }, "arkTxSettlement": "Liquidación", - "@arkTxSettlement": { - "description": "Transaction type label for Ark settlement transactions" - }, "arkTxPayment": "Pago", - "@arkTxPayment": { - "description": "Transaction type label for Ark payment transactions" - }, "arkSatsUnit": "sats", - "@arkSatsUnit": { - "description": "Unit label for satoshis in Ark transaction details" - }, "bitboxErrorPermissionDenied": "Se requieren permisos USB para conectarse a dispositivos BitBox.", - "@bitboxErrorPermissionDenied": { - "description": "Error when USB permissions are not granted for BitBox" - }, "bitboxErrorNoDevicesFound": "No se encontraron dispositivos BitBox. Asegúrese de que su dispositivo esté encendido y conectado por USB.", - "@bitboxErrorNoDevicesFound": { - "description": "Error when no BitBox devices are detected" - }, "bitboxErrorMultipleDevicesFound": "Se encontraron múltiples dispositivos BitBox. Asegúrese de que solo un dispositivo esté conectado.", - "@bitboxErrorMultipleDevicesFound": { - "description": "Error when multiple BitBox devices are connected" - }, "bitboxErrorDeviceNotFound": "Dispositivo BitBox no encontrado.", - "@bitboxErrorDeviceNotFound": { - "description": "Error when BitBox device cannot be found" - }, "bitboxErrorConnectionTypeNotInitialized": "Tipo de conexión no inicializado.", - "@bitboxErrorConnectionTypeNotInitialized": { - "description": "Error when connection type is not initialized" - }, "bitboxErrorNoActiveConnection": "No hay conexión activa con el dispositivo BitBox.", - "@bitboxErrorNoActiveConnection": { - "description": "Error when there is no active connection to BitBox" - }, "bitboxErrorDeviceMismatch": "Se detectó una incompatibilidad de dispositivo.", - "@bitboxErrorDeviceMismatch": { - "description": "Error when connected device does not match expected device" - }, "bitboxErrorInvalidMagicBytes": "Se detectó un formato PSBT inválido.", - "@bitboxErrorInvalidMagicBytes": { - "description": "Error when PSBT has invalid magic bytes" - }, "bitboxErrorDeviceNotPaired": "Dispositivo no emparejado. Complete primero el proceso de emparejamiento.", - "@bitboxErrorDeviceNotPaired": { - "description": "Error when BitBox device is not paired" - }, "bitboxErrorHandshakeFailed": "Error al establecer conexión segura. Inténtelo de nuevo.", - "@bitboxErrorHandshakeFailed": { - "description": "Error when handshake with BitBox device fails" - }, "bitboxErrorOperationTimeout": "La operación expiró. Inténtelo de nuevo.", - "@bitboxErrorOperationTimeout": { - "description": "Error when BitBox operation times out" - }, "bitboxErrorConnectionFailed": "Error al conectar con el dispositivo BitBox. Verifique su conexión.", - "@bitboxErrorConnectionFailed": { - "description": "Error when connection to BitBox device fails" - }, "bitboxErrorInvalidResponse": "Respuesta inválida del dispositivo BitBox. Inténtelo de nuevo.", - "@bitboxErrorInvalidResponse": { - "description": "Error when BitBox returns an invalid response" - }, "bitboxErrorOperationCancelled": "La operación fue cancelada. Inténtelo de nuevo.", - "@bitboxErrorOperationCancelled": { - "description": "Error when BitBox operation is cancelled" - }, "bitboxActionUnlockDeviceTitle": "Desbloquear dispositivo BitBox", - "@bitboxActionUnlockDeviceTitle": { - "description": "Title for unlock device action" - }, "bitboxActionPairDeviceTitle": "Emparejar dispositivo BitBox", - "@bitboxActionPairDeviceTitle": { - "description": "Title for pair device action" - }, "bitboxActionImportWalletTitle": "Importar billetera BitBox", - "@bitboxActionImportWalletTitle": { - "description": "Title for import wallet action" - }, "bitboxActionSignTransactionTitle": "Firmar transacción", - "@bitboxActionSignTransactionTitle": { - "description": "Title for sign transaction action" - }, "bitboxActionVerifyAddressTitle": "Verificar dirección en BitBox", - "@bitboxActionVerifyAddressTitle": { - "description": "Title for verify address action" - }, "bitboxActionUnlockDeviceButton": "Desbloquear dispositivo", - "@bitboxActionUnlockDeviceButton": { - "description": "Button text for unlock device" - }, "bitboxActionPairDeviceButton": "Iniciar emparejamiento", - "@bitboxActionPairDeviceButton": { - "description": "Button text for pair device" - }, "bitboxActionImportWalletButton": "Iniciar importación", - "@bitboxActionImportWalletButton": { - "description": "Button text for import wallet" - }, "bitboxActionSignTransactionButton": "Iniciar firma", - "@bitboxActionSignTransactionButton": { - "description": "Button text for sign transaction" - }, "bitboxActionVerifyAddressButton": "Verificar dirección", - "@bitboxActionVerifyAddressButton": { - "description": "Button text for verify address" - }, "bitboxActionUnlockDeviceProcessing": "Desbloqueando dispositivo", - "@bitboxActionUnlockDeviceProcessing": { - "description": "Processing text for unlock device" - }, "bitboxActionPairDeviceProcessing": "Emparejando dispositivo", - "@bitboxActionPairDeviceProcessing": { - "description": "Processing text for pair device" - }, "bitboxActionImportWalletProcessing": "Importando billetera", - "@bitboxActionImportWalletProcessing": { - "description": "Processing text for import wallet" - }, "bitboxActionSignTransactionProcessing": "Firmando transacción", - "@bitboxActionSignTransactionProcessing": { - "description": "Processing text for sign transaction" - }, "bitboxActionVerifyAddressProcessing": "Mostrando dirección en BitBox...", - "@bitboxActionVerifyAddressProcessing": { - "description": "Processing text for verify address" - }, "bitboxActionUnlockDeviceSuccess": "Dispositivo desbloqueado exitosamente", - "@bitboxActionUnlockDeviceSuccess": { - "description": "Success text for unlock device" - }, "bitboxActionPairDeviceSuccess": "Dispositivo emparejado exitosamente", - "@bitboxActionPairDeviceSuccess": { - "description": "Success text for pair device" - }, "bitboxActionImportWalletSuccess": "Billetera importada exitosamente", - "@bitboxActionImportWalletSuccess": { - "description": "Success text for import wallet" - }, "bitboxActionSignTransactionSuccess": "Transacción firmada exitosamente", - "@bitboxActionSignTransactionSuccess": { - "description": "Success text for sign transaction" - }, "bitboxActionVerifyAddressSuccess": "Dirección verificada exitosamente", - "@bitboxActionVerifyAddressSuccess": { - "description": "Success text for verify address" - }, "bitboxActionUnlockDeviceSuccessSubtext": "Su dispositivo BitBox ahora está desbloqueado y listo para usar.", - "@bitboxActionUnlockDeviceSuccessSubtext": { - "description": "Success subtext for unlock device" - }, "bitboxActionPairDeviceSuccessSubtext": "Su dispositivo BitBox ahora está emparejado y listo para usar.", - "@bitboxActionPairDeviceSuccessSubtext": { - "description": "Success subtext for pair device" - }, "bitboxActionImportWalletSuccessSubtext": "Su billetera BitBox ha sido importada exitosamente.", - "@bitboxActionImportWalletSuccessSubtext": { - "description": "Success subtext for import wallet" - }, "bitboxActionSignTransactionSuccessSubtext": "Su transacción ha sido firmada exitosamente.", - "@bitboxActionSignTransactionSuccessSubtext": { - "description": "Success subtext for sign transaction" - }, "bitboxActionVerifyAddressSuccessSubtext": "La dirección ha sido verificada en su dispositivo BitBox.", - "@bitboxActionVerifyAddressSuccessSubtext": { - "description": "Success subtext for verify address" - }, "bitboxActionUnlockDeviceProcessingSubtext": "Por favor ingrese su contraseña en el dispositivo BitBox...", - "@bitboxActionUnlockDeviceProcessingSubtext": { - "description": "Processing subtext for unlock device" - }, "bitboxActionPairDeviceProcessingSubtext": "Por favor verifique el código de emparejamiento en su dispositivo BitBox...", - "@bitboxActionPairDeviceProcessingSubtext": { - "description": "Processing subtext for pair device" - }, "bitboxActionImportWalletProcessingSubtext": "Configurando su billetera de solo lectura...", - "@bitboxActionImportWalletProcessingSubtext": { - "description": "Processing subtext for import wallet" - }, "bitboxActionSignTransactionProcessingSubtext": "Por favor confirme la transacción en su dispositivo BitBox...", - "@bitboxActionSignTransactionProcessingSubtext": { - "description": "Processing subtext for sign transaction" - }, "bitboxActionVerifyAddressProcessingSubtext": "Por favor confirme la dirección en su dispositivo BitBox.", - "@bitboxActionVerifyAddressProcessingSubtext": { - "description": "Processing subtext for verify address" - }, "bitboxScreenConnectDevice": "Conecte su dispositivo BitBox", - "@bitboxScreenConnectDevice": { - "description": "Main text when in initial state" - }, "bitboxScreenScanning": "Buscando dispositivos", - "@bitboxScreenScanning": { - "description": "Main text when scanning for devices" - }, "bitboxScreenConnecting": "Conectando al BitBox", - "@bitboxScreenConnecting": { - "description": "Main text when connecting to device" - }, "bitboxScreenPairingCode": "Código de emparejamiento", - "@bitboxScreenPairingCode": { - "description": "Main text when showing pairing code" - }, "bitboxScreenEnterPassword": "Ingresar contraseña", - "@bitboxScreenEnterPassword": { - "description": "Main text when waiting for password" - }, "bitboxScreenVerifyAddress": "Verificar dirección", - "@bitboxScreenVerifyAddress": { - "description": "Main text when showing address verification" - }, "bitboxScreenActionFailed": "{action} falló", "@bitboxScreenActionFailed": { - "description": "Main text when action fails", "placeholders": { "action": { "type": "String" @@ -17655,180 +1697,50 @@ } }, "bitboxScreenConnectSubtext": "Asegúrese de que su BitBox02 esté desbloqueado y conectado por USB.", - "@bitboxScreenConnectSubtext": { - "description": "Subtext for initial state" - }, "bitboxScreenScanningSubtext": "Buscando su dispositivo BitBox...", - "@bitboxScreenScanningSubtext": { - "description": "Subtext when scanning" - }, "bitboxScreenConnectingSubtext": "Estableciendo conexión segura...", - "@bitboxScreenConnectingSubtext": { - "description": "Subtext when connecting" - }, "bitboxScreenPairingCodeSubtext": "Verifique que este código coincida con el de su pantalla BitBox02, luego confirme en el dispositivo.", - "@bitboxScreenPairingCodeSubtext": { - "description": "Subtext when showing pairing code" - }, "bitboxScreenEnterPasswordSubtext": "Por favor ingrese su contraseña en el dispositivo BitBox para continuar.", - "@bitboxScreenEnterPasswordSubtext": { - "description": "Subtext when waiting for password" - }, "bitboxScreenVerifyAddressSubtext": "Compare esta dirección con la de su pantalla BitBox02", - "@bitboxScreenVerifyAddressSubtext": { - "description": "Subtext when showing address verification" - }, "bitboxScreenUnknownError": "Ocurrió un error desconocido", - "@bitboxScreenUnknownError": { - "description": "Fallback error message" - }, "bitboxScreenWaitingConfirmation": "Esperando confirmación en BitBox02...", - "@bitboxScreenWaitingConfirmation": { - "description": "Message shown while waiting for device confirmation" - }, "bitboxScreenAddressToVerify": "Dirección a verificar:", - "@bitboxScreenAddressToVerify": { - "description": "Label for address verification" - }, "bitboxScreenVerifyOnDevice": "Por favor verifique esta dirección en su dispositivo BitBox", - "@bitboxScreenVerifyOnDevice": { - "description": "Instruction to verify address on device" - }, "bitboxScreenWalletTypeLabel": "Tipo de billetera:", - "@bitboxScreenWalletTypeLabel": { - "description": "Label for wallet type selector" - }, "bitboxScreenSelectWalletType": "Seleccionar tipo de billetera", - "@bitboxScreenSelectWalletType": { - "description": "Title for wallet type selection modal" - }, "bitboxScreenSegwitBip84": "Segwit (BIP84)", - "@bitboxScreenSegwitBip84": { - "description": "Script type display name for BIP84" - }, "bitboxScreenSegwitBip84Subtitle": "Native SegWit - Recomendado", - "@bitboxScreenSegwitBip84Subtitle": { - "description": "Subtitle for BIP84 option" - }, "bitboxScreenNestedSegwitBip49": "Nested Segwit (BIP49)", - "@bitboxScreenNestedSegwitBip49": { - "description": "Script type display name for BIP49" - }, "bitboxScreenNestedSegwitBip49Subtitle": "P2WPKH-nested-in-P2SH", - "@bitboxScreenNestedSegwitBip49Subtitle": { - "description": "Subtitle for BIP49 option" - }, "bitboxScreenTroubleshootingTitle": "Solución de problemas BitBox02", - "@bitboxScreenTroubleshootingTitle": { - "description": "Title for troubleshooting instructions" - }, "bitboxScreenTroubleshootingSubtitle": "Primero, asegúrese de que su dispositivo BitBox02 esté conectado al puerto USB de su teléfono. Si su dispositivo aún no se conecta con la aplicación, intente lo siguiente:", - "@bitboxScreenTroubleshootingSubtitle": { - "description": "Subtitle for troubleshooting instructions" - }, "bitboxScreenTroubleshootingStep1": "Asegúrese de tener el firmware más reciente instalado en su BitBox.", - "@bitboxScreenTroubleshootingStep1": { - "description": "Troubleshooting step 1" - }, "bitboxScreenTroubleshootingStep2": "Asegúrese de que los permisos USB estén habilitados en su teléfono.", - "@bitboxScreenTroubleshootingStep2": { - "description": "Troubleshooting step 2" - }, "bitboxScreenTroubleshootingStep3": "Reinicie su dispositivo BitBox02 desconectándolo y volviéndolo a conectar.", - "@bitboxScreenTroubleshootingStep3": { - "description": "Troubleshooting step 3" - }, "bitboxScreenTryAgainButton": "Intentar de nuevo", - "@bitboxScreenTryAgainButton": { - "description": "Button to retry failed action" - }, "bitboxScreenManagePermissionsButton": "Gestionar permisos de la aplicación", - "@bitboxScreenManagePermissionsButton": { - "description": "Button to open app permissions settings" - }, "bitboxScreenNeedHelpButton": "¿Necesita ayuda?", - "@bitboxScreenNeedHelpButton": { - "description": "Button to show help instructions" - }, "bitboxScreenDefaultWalletLabel": "Billetera BitBox", - "@bitboxScreenDefaultWalletLabel": { - "description": "Default label for imported BitBox wallet" - }, "bitboxCubitPermissionDenied": "Permiso USB denegado. Por favor otorgue permiso para acceder a su dispositivo BitBox.", - "@bitboxCubitPermissionDenied": { - "description": "Error interpretation for permission denied" - }, "bitboxCubitDeviceNotFound": "No se encontró ningún dispositivo BitBox. Por favor conecte su dispositivo e inténtelo de nuevo.", - "@bitboxCubitDeviceNotFound": { - "description": "Error interpretation for device not found" - }, "bitboxCubitDeviceNotPaired": "Dispositivo no emparejado. Por favor complete primero el proceso de emparejamiento.", - "@bitboxCubitDeviceNotPaired": { - "description": "Error interpretation for device not paired" - }, "bitboxCubitHandshakeFailed": "Error al establecer conexión segura. Inténtelo de nuevo.", - "@bitboxCubitHandshakeFailed": { - "description": "Error interpretation for handshake failure" - }, "bitboxCubitOperationTimeout": "La operación expiró. Inténtelo de nuevo.", - "@bitboxCubitOperationTimeout": { - "description": "Error interpretation for timeout" - }, "bitboxCubitConnectionFailed": "Error al conectar con el dispositivo BitBox. Por favor verifique su conexión.", - "@bitboxCubitConnectionFailed": { - "description": "Error interpretation for connection failure" - }, "bitboxCubitInvalidResponse": "Respuesta inválida del dispositivo BitBox. Inténtelo de nuevo.", - "@bitboxCubitInvalidResponse": { - "description": "Error interpretation for invalid response" - }, "bitboxCubitOperationCancelled": "La operación fue cancelada. Inténtelo de nuevo.", - "@bitboxCubitOperationCancelled": { - "description": "Error interpretation for cancelled operation" - }, "advancedOptionsTitle": "Opciones avanzadas", - "@advancedOptionsTitle": { - "description": "Bottom sheet header/title for advanced sending options" - }, "replaceByFeeActivatedLabel": "Reemplazo por tarifa activado", - "@replaceByFeeActivatedLabel": { - "description": "Label for RBF toggle switch" - }, "replaceByFeeBroadcastButton": "Transmitir", - "@replaceByFeeBroadcastButton": { - "description": "Button to broadcast the replacement transaction" - }, "replaceByFeeCustomFeeTitle": "Tarifa personalizada", - "@replaceByFeeCustomFeeTitle": { - "description": "Title for custom fee input section" - }, "replaceByFeeErrorFeeRateTooLow": "Necesita aumentar la tasa de tarifa en al menos 1 sat/vbyte en comparación con la transacción original", - "@replaceByFeeErrorFeeRateTooLow": { - "description": "Error message when new fee rate is not high enough" - }, "replaceByFeeErrorNoFeeRateSelected": "Por favor seleccione una tasa de tarifa", - "@replaceByFeeErrorNoFeeRateSelected": { - "description": "Error message when no fee rate is selected" - }, "replaceByFeeErrorTransactionConfirmed": "La transacción original ha sido confirmada", - "@replaceByFeeErrorTransactionConfirmed": { - "description": "Error message when original transaction is already confirmed" - }, "replaceByFeeErrorGeneric": "Ocurrió un error al intentar reemplazar la transacción", - "@replaceByFeeErrorGeneric": { - "description": "Generic error message for replace-by-fee operation failures" - }, "replaceByFeeFastestDescription": "Entrega estimada ~ 10 minutos", - "@replaceByFeeFastestDescription": { - "description": "Description for fastest fee option" - }, "replaceByFeeFastestTitle": "Más rápido", - "@replaceByFeeFastestTitle": { - "description": "Title for fastest fee option" - }, "replaceByFeeFeeRateDisplay": "Tasa de tarifa: {feeRate} sat/vbyte", "@replaceByFeeFeeRateDisplay": { - "description": "Display text showing the fee rate", "placeholders": { "feeRate": { "type": "String" @@ -17836,68 +1748,22 @@ } }, "replaceByFeeOriginalTransactionTitle": "Transacción original", - "@replaceByFeeOriginalTransactionTitle": { - "description": "Title for original transaction section" - }, "replaceByFeeSatsVbUnit": "sats/vB", - "@replaceByFeeSatsVbUnit": { - "description": "Unit label for satoshis per virtual byte" - }, "replaceByFeeScreenTitle": "Reemplazo por tarifa", - "@replaceByFeeScreenTitle": { - "description": "Screen title for replace by fee feature" - }, "selectCoinsManuallyLabel": "Seleccionar monedas manualmente", - "@selectCoinsManuallyLabel": { - "description": "List tile option to manually select UTXOs" - }, "doneButton": "Hecho", - "@doneButton": { - "description": "Button to close advanced options bottom sheet" - }, "confirmLogoutTitle": "Confirmar cierre de sesión", - "@confirmLogoutTitle": { - "description": "Dialog title for logout confirmation" - }, "confirmLogoutMessage": "¿Está seguro de que desea cerrar sesión en su cuenta de Bull Bitcoin? Deberá iniciar sesión nuevamente para acceder a las funciones de intercambio.", - "@confirmLogoutMessage": { - "description": "Confirmation message explaining logout consequences" - }, "logoutButton": "Cerrar sesión", - "@logoutButton": { - "description": "Button to confirm logout action" - }, "comingSoonDefaultMessage": "Esta función está actualmente en desarrollo y estará disponible pronto.", - "@comingSoonDefaultMessage": { - "description": "Default message for features under development" - }, "featureComingSoonTitle": "Función próximamente", - "@featureComingSoonTitle": { - "description": "Title for coming soon bottom sheet" - }, "okButton": "Aceptar", - "@okButton": { - "description": "Button to dismiss coming soon message" - }, "notLoggedInTitle": "No ha iniciado sesión", - "@notLoggedInTitle": { - "description": "Title for not logged in state" - }, "notLoggedInMessage": "Por favor, inicie sesión en su cuenta de Bull Bitcoin para acceder a la configuración de intercambio.", - "@notLoggedInMessage": { - "description": "Message prompting user to log in for exchange features" - }, "loginButton": "INICIAR SESIÓN", - "@loginButton": { - "description": "Button to navigate to login screen" - }, "selectAmountTitle": "Seleccionar monto", - "@selectAmountTitle": { - "description": "Title for manual coin selection bottom sheet" - }, "amountRequestedLabel": "Monto solicitado: {amount}", "@amountRequestedLabel": { - "description": "Shows the requested amount to send", "placeholders": { "amount": { "type": "String" @@ -17905,36 +1771,14 @@ } }, "addressLabel": "Dirección: ", - "@addressLabel": { - "description": "Label for UTXO address in coin selection tile" - }, "typeLabel": "Tipo: ", - "@typeLabel": { - "description": "Label for address type (Receive/Change)" - }, "addressViewReceiveType": "Recibir", - "@addressViewReceiveType": { - "description": "Address type label for external/receive addresses" - }, "addressViewChangeType": "Cambio", - "@addressViewChangeType": { - "description": "Address type label for internal/change addresses" - }, "pasteInputDefaultHint": "Pegue una dirección de pago o factura", - "@pasteInputDefaultHint": { - "description": "Default placeholder hint for paste input field" - }, "copyDialogButton": "Copiar", - "@copyDialogButton": { - "description": "Button in modal dialog to copy value to clipboard" - }, "closeDialogButton": "Cerrar", - "@closeDialogButton": { - "description": "Button to close the value display modal dialog" - }, "scanningProgressLabel": "Escaneando: {percent}%", "@scanningProgressLabel": { - "description": "Progress indicator for UR QR code scanning", "placeholders": { "percent": { "type": "String" @@ -17943,7 +1787,6 @@ }, "urProgressLabel": "Progreso UR: {parts} partes", "@urProgressLabel": { - "description": "Progress message showing parts processed for multi-part UR codes", "placeholders": { "parts": { "type": "String" @@ -17951,32 +1794,13 @@ } }, "scanningCompletedMessage": "Escaneo completado", - "@scanningCompletedMessage": { - "description": "Success message when UR scanning completes" - }, "urDecodingFailedMessage": "Decodificación UR fallida", - "@urDecodingFailedMessage": { - "description": "Error message when UR decoding fails" - }, "urProcessingFailedMessage": "Procesamiento UR fallido", - "@urProcessingFailedMessage": { - "description": "Error message when UR processing encounters an exception" - }, "scanNfcButton": "Escanear NFC", - "@scanNfcButton": { - "description": "Button label to initiate NFC scanning" - }, "shareLogsLabel": "Compartir registros", - "@shareLogsLabel": { - "description": "List tile label to share application logs" - }, "viewLogsLabel": "Ver registros", - "@viewLogsLabel": { - "description": "List tile label to view logs inline or in viewer" - }, "errorSharingLogsMessage": "Error al compartir registros: {error}", "@errorSharingLogsMessage": { - "description": "Error message when log sharing fails", "placeholders": { "error": { "type": "String" @@ -17984,208 +1808,57 @@ } }, "copiedToClipboardMessage": "Copiado al portapapeles", - "@copiedToClipboardMessage": { - "description": "Snackbar confirmation message after copying to clipboard" - }, "submitButton": "Enviar", - "@submitButton": { - "description": "Default button label to submit mnemonic" - }, "optionalPassphraseHint": "Frase de contraseña opcional", - "@optionalPassphraseHint": { - "description": "Placeholder hint for passphrase field" - }, "labelInputLabel": "Etiqueta", - "@labelInputLabel": { - "description": "Label for wallet label input field" - }, "requiredHint": "Requerido", - "@requiredHint": { - "description": "Placeholder hint for required label field" - }, "wordsDropdownSuffix": " palabras", - "@wordsDropdownSuffix": { - "description": "Suffix for mnemonic length dropdown" - }, "emptyMnemonicWordsError": "Ingrese todas las palabras de su mnemónico", - "@emptyMnemonicWordsError": { - "description": "Error message when not all mnemonic words are filled in" - }, "tryAgainButton": "Intentar de nuevo", - "@tryAgainButton": { - "description": "Default button text for error state" - }, "errorGenericTitle": "¡Ups! Algo salió mal", - "@errorGenericTitle": { - "description": "Generic error title when hasError is true" - }, "confirmSendTitle": "Confirmar envío", - "@confirmSendTitle": { - "description": "Title for send confirmation screen when sending bitcoin" - }, "confirmTransferTitle": "Confirmar transferencia", - "@confirmTransferTitle": { - "description": "Title for confirmation screen when transferring between wallets" - }, "fromLabel": "De", - "@fromLabel": { - "description": "Label for source wallet in transaction details" - }, "toLabel": "Para", - "@toLabel": { - "description": "Label for destination address in transaction details" - }, "amountLabel": "Monto", - "@amountLabel": { - "description": "Label for transaction amount display" - }, "networkFeesLabel": "Tarifas de red", - "@networkFeesLabel": { - "description": "Label for network transaction fees in onchain send" - }, "feePriorityLabel": "Prioridad de tarifa", - "@feePriorityLabel": { - "description": "Label for fee selection priority option" - }, "transferIdLabel": "ID de transferencia", - "@transferIdLabel": { - "description": "Label for swap transfer ID" - }, "totalFeesLabel": "Tarifas totales", - "@totalFeesLabel": { - "description": "Label for total fees in lightning swap" - }, "totalFeeLabel": "Tarifa total", - "@totalFeeLabel": { - "description": "Label for expandable total fee breakdown in swap" - }, "networkFeeLabel": "Tarifa de red", - "@networkFeeLabel": { - "description": "Breakdown component showing network fee portion" - }, "transferFeeLabel": "Tarifa de transferencia", - "@transferFeeLabel": { - "description": "Breakdown component showing Boltz transfer fee portion" - }, "sendNetworkFeesLabel": "Tarifas de red de envío", - "@sendNetworkFeesLabel": { - "description": "Label for sending network fees in chain swap" - }, "confirmButtonLabel": "Confirmar", - "@confirmButtonLabel": { - "description": "Button label to confirm and execute the transaction" - }, "satsSuffix": " sats", - "@satsSuffix": { - "description": "Unit suffix for satoshi amounts" - }, "approximateFiatPrefix": "~", - "@approximateFiatPrefix": { - "description": "Prefix indicating approximate fiat equivalent value" - }, "routeErrorMessage": "Página no encontrada", - "@routeErrorMessage": { - "description": "Error message displayed when user navigates to non-existent route" - }, "logsViewerTitle": "Registros", - "@logsViewerTitle": { - "description": "AppBar title for logs viewer screen" - }, "payInvoiceTitle": "Pagar Factura", - "@payInvoiceTitle": { - "description": "AppBar title for the pay invoice screen" - }, "payEnterAmountTitle": "Ingresar Monto", - "@payEnterAmountTitle": { - "description": "Title for amount entry screen in payment flow" - }, "payInvalidInvoice": "Factura inválida", - "@payInvalidInvoice": { - "description": "Error message when invoice format is invalid" - }, "payInvoiceExpired": "Factura expirada", - "@payInvoiceExpired": { - "description": "Error message when Lightning invoice has expired" - }, "payNetworkError": "Error de red. Por favor intente nuevamente", - "@payNetworkError": { - "description": "Error message for network connectivity issues during payment" - }, "payProcessingPayment": "Procesando pago...", - "@payProcessingPayment": { - "description": "Loading message while payment is being processed" - }, "payPaymentSuccessful": "Pago exitoso", - "@payPaymentSuccessful": { - "description": "Success message after payment completes" - }, "payPaymentFailed": "Pago fallido", - "@payPaymentFailed": { - "description": "Error message when payment fails" - }, "payRetryPayment": "Reintentar Pago", - "@payRetryPayment": { - "description": "Button text to retry a failed payment" - }, "payScanQRCode": "Escanear Código QR", - "@payScanQRCode": { - "description": "Button text to open QR code scanner for payment" - }, "payPasteInvoice": "Pegar Factura", - "@payPasteInvoice": { - "description": "Button text to paste invoice from clipboard" - }, "payEnterInvoice": "Ingresar Factura", - "@payEnterInvoice": { - "description": "Placeholder text for invoice input field" - }, "payTotal": "Total", - "@payTotal": { - "description": "Label for total payment amount (amount + fee)" - }, "payDescription": "Descripción", - "@payDescription": { - "description": "Label for payment description/memo field" - }, "payCancelPayment": "Cancelar Pago", - "@payCancelPayment": { - "description": "Button text to cancel payment flow" - }, "payLightningInvoice": "Factura Lightning", - "@payLightningInvoice": { - "description": "Label indicating invoice type is Lightning Network" - }, "payBitcoinAddress": "Dirección Bitcoin", - "@payBitcoinAddress": { - "description": "Label indicating payment destination is on-chain address" - }, "payLiquidAddress": "Dirección Liquid", - "@payLiquidAddress": { - "description": "Label indicating payment destination is Liquid address" - }, "payInvoiceDetails": "Detalles de la Factura", - "@payInvoiceDetails": { - "description": "Section header for invoice information" - }, "payAmountTooLow": "El monto está por debajo del mínimo", - "@payAmountTooLow": { - "description": "Error when payment amount is below minimum allowed" - }, "payAmountTooHigh": "El monto excede el máximo", - "@payAmountTooHigh": { - "description": "Error when payment amount exceeds maximum allowed" - }, "payInvalidAmount": "Monto inválido", - "@payInvalidAmount": { - "description": "Error when entered amount is invalid" - }, "payFeeTooHigh": "La comisión es inusualmente alta", - "@payFeeTooHigh": { - "description": "Warning when calculated fee is higher than expected" - }, "payConfirmHighFee": "La comisión para este pago es {percentage}% del monto. ¿Continuar?", "@payConfirmHighFee": { - "description": "Confirmation prompt when fee percentage is high", "placeholders": { "percentage": { "type": "String" @@ -18193,60 +1866,20 @@ } }, "payNoRouteFound": "No se encontró una ruta para este pago", - "@payNoRouteFound": { - "description": "Error when Lightning routing cannot find a path" - }, "payRoutingFailed": "Enrutamiento fallido", - "@payRoutingFailed": { - "description": "Error when Lightning payment routing fails" - }, "payChannelBalanceLow": "Saldo del canal demasiado bajo", - "@payChannelBalanceLow": { - "description": "Error when Lightning channel lacks sufficient outbound liquidity" - }, "payOpenChannelRequired": "Se requiere abrir un canal para este pago", - "@payOpenChannelRequired": { - "description": "Message indicating a new Lightning channel is needed" - }, "payEstimatedFee": "Comisión Estimada", - "@payEstimatedFee": { - "description": "Label for estimated network fee" - }, "payActualFee": "Comisión Real", - "@payActualFee": { - "description": "Label for actual fee paid after transaction" - }, "payTimeoutError": "Tiempo de espera agotado. Por favor verifique el estado", - "@payTimeoutError": { - "description": "Error when payment takes too long to complete" - }, "payCheckingStatus": "Verificando estado del pago...", - "@payCheckingStatus": { - "description": "Loading message while verifying payment status" - }, "payPaymentPending": "Pago pendiente", - "@payPaymentPending": { - "description": "Status message for in-flight payment" - }, "payPaymentConfirmed": "Pago confirmado", - "@payPaymentConfirmed": { - "description": "Status message for confirmed payment" - }, "payViewTransaction": "Ver Transacción", - "@payViewTransaction": { - "description": "Button text to view transaction details" - }, "payShareInvoice": "Compartir Factura", - "@payShareInvoice": { - "description": "Button text to share payment invoice" - }, "payInvoiceCopied": "Factura copiada al portapapeles", - "@payInvoiceCopied": { - "description": "Toast message after copying invoice" - }, "payExpiresIn": "Expira en {time}", "@payExpiresIn": { - "description": "Label showing invoice expiration time", "placeholders": { "time": { "type": "String" @@ -18254,40 +1887,15 @@ } }, "payExpired": "Expirado", - "@payExpired": { - "description": "Status label for expired invoice" - }, "payLightningFee": "Comisión Lightning", - "@payLightningFee": { - "description": "Label for Lightning Network routing fee" - }, "payOnChainFee": "Comisión On-Chain", - "@payOnChainFee": { - "description": "Label for Bitcoin on-chain transaction fee" - }, "payLiquidFee": "Comisión Liquid", - "@payLiquidFee": { - "description": "Label for Liquid Network transaction fee" - }, "paySwapFee": "Comisión de Swap", - "@paySwapFee": { - "description": "Label for submarine swap fee" - }, "payServiceFee": "Comisión de Servicio", - "@payServiceFee": { - "description": "Label for service provider fee" - }, "payTotalFees": "Comisiones Totales", - "@payTotalFees": { - "description": "Label for sum of all fees" - }, "payFeeBreakdown": "Desglose de Comisiones", - "@payFeeBreakdown": { - "description": "Section header for detailed fee information" - }, "payMinimumAmount": "Mínimo: {amount}", "@payMinimumAmount": { - "description": "Label showing minimum payment amount", "placeholders": { "amount": { "type": "String" @@ -18296,7 +1904,6 @@ }, "payMaximumAmount": "Máximo: {amount}", "@payMaximumAmount": { - "description": "Label showing maximum payment amount", "placeholders": { "amount": { "type": "String" @@ -18305,7 +1912,6 @@ }, "payAvailableBalance": "Disponible: {amount}", "@payAvailableBalance": { - "description": "Label showing available wallet balance", "placeholders": { "amount": { "type": "String" @@ -18313,84 +1919,26 @@ } }, "payRequiresSwap": "Este pago requiere un swap", - "@payRequiresSwap": { - "description": "Info message when payment needs submarine swap" - }, "paySwapInProgress": "Swap en progreso...", - "@paySwapInProgress": { - "description": "Status message during submarine swap" - }, "paySwapCompleted": "Swap completado", - "@paySwapCompleted": { - "description": "Status message after successful swap" - }, "paySwapFailed": "Swap fallido", - "@paySwapFailed": { - "description": "Error message when swap fails" - }, "payBroadcastingTransaction": "Transmitiendo transacción...", - "@payBroadcastingTransaction": { - "description": "Status message while broadcasting to network" - }, "payTransactionBroadcast": "Transacción transmitida", - "@payTransactionBroadcast": { - "description": "Success message after broadcasting" - }, "payBroadcastFailed": "Transmisión fallida", - "@payBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, "payConfirmationRequired": "Confirmación requerida", - "@payConfirmationRequired": { - "description": "Message when user confirmation is needed" - }, "payReviewPayment": "Revisar Pago", - "@payReviewPayment": { - "description": "Title for payment review screen" - }, "payPaymentDetails": "Detalles del Pago", - "@payPaymentDetails": { - "description": "Section header for payment information" - }, "payFromWallet": "Desde Billetera", - "@payFromWallet": { - "description": "Label showing source wallet" - }, "payToAddress": "A Dirección", - "@payToAddress": { - "description": "Label showing destination address" - }, "payNetworkType": "Red", - "@payNetworkType": { - "description": "Label for network type (Lightning/Bitcoin/Liquid)" - }, "payPriority": "Prioridad", - "@payPriority": { - "description": "Label for transaction priority/fee level" - }, "payLowPriority": "Baja", - "@payLowPriority": { - "description": "Low fee priority option" - }, "payMediumPriority": "Media", - "@payMediumPriority": { - "description": "Medium fee priority option" - }, "payHighPriority": "Alta", - "@payHighPriority": { - "description": "High fee priority option" - }, "payCustomFee": "Comisión Personalizada", - "@payCustomFee": { - "description": "Option to set custom fee amount" - }, "payFeeRate": "Tarifa de Comisión", - "@payFeeRate": { - "description": "Label for fee rate (sat/vB)" - }, "paySatsPerByte": "{sats} sat/vB", "@paySatsPerByte": { - "description": "Fee rate format", "placeholders": { "sats": { "type": "String" @@ -18399,7 +1947,6 @@ }, "payEstimatedConfirmation": "Confirmación estimada: {time}", "@payEstimatedConfirmation": { - "description": "Estimated time until confirmation", "placeholders": { "time": { "type": "String" @@ -18407,52 +1954,18 @@ } }, "payReplaceByFee": "Replace-By-Fee (RBF)", - "@payReplaceByFee": { - "description": "Label for RBF feature" - }, "payEnableRBF": "Habilitar RBF", - "@payEnableRBF": { - "description": "Checkbox to enable Replace-By-Fee" - }, "payRBFEnabled": "RBF habilitado", - "@payRBFEnabled": { - "description": "Status when RBF is enabled" - }, "payRBFDisabled": "RBF deshabilitado", - "@payRBFDisabled": { - "description": "Status when RBF is disabled" - }, "payBumpFee": "Aumentar Comisión", - "@payBumpFee": { - "description": "Button to increase fee of pending transaction" - }, "payCannotBumpFee": "No se puede aumentar la comisión para esta transacción", - "@payCannotBumpFee": { - "description": "Error when RBF is not available" - }, "payFeeBumpSuccessful": "Aumento de comisión exitoso", - "@payFeeBumpSuccessful": { - "description": "Success message after fee bump" - }, "payFeeBumpFailed": "Aumento de comisión fallido", - "@payFeeBumpFailed": { - "description": "Error when fee bump fails" - }, "payBatchPayment": "Pago por Lote", - "@payBatchPayment": { - "description": "Option to combine multiple payments" - }, "payAddRecipient": "Agregar Destinatario", - "@payAddRecipient": { - "description": "Button to add another payment recipient" - }, "payRemoveRecipient": "Eliminar Destinatario", - "@payRemoveRecipient": { - "description": "Button to remove a recipient from batch" - }, "payRecipientCount": "{count} destinatarios", "@payRecipientCount": { - "description": "Label showing number of recipients", "placeholders": { "count": { "type": "int" @@ -18460,136 +1973,39 @@ } }, "payTotalAmount": "Monto Total", - "@payTotalAmount": { - "description": "Label for sum of all payment amounts" - }, "paySendAll": "Enviar Todo", - "@paySendAll": { - "description": "Button to send entire wallet balance" - }, "paySendMax": "Máx", - "@paySendMax": { - "description": "Button to set amount to maximum available" - }, "payInvalidAddress": "Dirección inválida", - "@payInvalidAddress": { - "description": "Error for malformed address" - }, "payAddressRequired": "La dirección es requerida", - "@payAddressRequired": { - "description": "Validation error for empty address field" - }, "payAmountRequired": "El monto es requerido", - "@payAmountRequired": { - "description": "Validation error for empty amount field" - }, "payEnterValidAmount": "Por favor ingrese un monto válido", - "@payEnterValidAmount": { - "description": "Validation error for invalid amount format" - }, "payWalletNotSynced": "Billetera no sincronizada. Por favor espere", - "@payWalletNotSynced": { - "description": "Error when wallet sync is incomplete" - }, "paySyncingWallet": "Sincronizando billetera...", - "@paySyncingWallet": { - "description": "Status message during wallet sync" - }, "payNoActiveWallet": "No hay billetera activa", - "@payNoActiveWallet": { - "description": "Error when no wallet is selected" - }, "paySelectActiveWallet": "Por favor seleccione una billetera", - "@paySelectActiveWallet": { - "description": "Prompt to choose a wallet" - }, "payUnsupportedInvoiceType": "Tipo de factura no soportado", - "@payUnsupportedInvoiceType": { - "description": "Error for unknown invoice format" - }, "payDecodingInvoice": "Decodificando factura...", - "@payDecodingInvoice": { - "description": "Loading message while parsing invoice" - }, "payInvoiceDecoded": "Factura decodificada exitosamente", - "@payInvoiceDecoded": { - "description": "Success message after decoding" - }, "payDecodeFailed": "Falló la decodificación de la factura", - "@payDecodeFailed": { - "description": "Error when invoice parsing fails" - }, "payMemo": "Nota", - "@payMemo": { - "description": "Label for optional payment note" - }, "payAddMemo": "Agregar nota (opcional)", - "@payAddMemo": { - "description": "Placeholder for memo input field" - }, "payPrivatePayment": "Pago Privado", - "@payPrivatePayment": { - "description": "Label for privacy-enhanced payment option" - }, "payUseCoinjoin": "Usar CoinJoin", - "@payUseCoinjoin": { - "description": "Option to use CoinJoin for privacy" - }, "payCoinjoinInProgress": "CoinJoin en progreso...", - "@payCoinjoinInProgress": { - "description": "Status during CoinJoin process" - }, "payCoinjoinCompleted": "CoinJoin completado", - "@payCoinjoinCompleted": { - "description": "Success message after CoinJoin" - }, "payCoinjoinFailed": "CoinJoin fallido", - "@payCoinjoinFailed": { - "description": "Error when CoinJoin fails" - }, "payPaymentHistory": "Historial de Pagos", - "@payPaymentHistory": { - "description": "Title for list of past payments" - }, "payNoPayments": "Aún no hay pagos", - "@payNoPayments": { - "description": "Empty state message" - }, "payFilterPayments": "Filtrar Pagos", - "@payFilterPayments": { - "description": "Button to filter payment list" - }, "paySearchPayments": "Buscar pagos...", - "@paySearchPayments": { - "description": "Search box placeholder" - }, "payAllPayments": "Todos los Pagos", - "@payAllPayments": { - "description": "Filter option to show all" - }, "paySuccessfulPayments": "Exitosos", - "@paySuccessfulPayments": { - "description": "Filter for successful payments" - }, "payFailedPayments": "Fallidos", - "@payFailedPayments": { - "description": "Filter for failed payments" - }, "payPendingPayments": "Pendientes", - "@payPendingPayments": { - "description": "Filter for pending payments" - }, "sendCoinControl": "Control de Monedas", - "@sendCoinControl": { - "description": "Feature to manually select UTXOs" - }, "sendSelectCoins": "Seleccionar Monedas", - "@sendSelectCoins": { - "description": "Button to open UTXO selector" - }, "sendSelectedCoins": "{count} monedas seleccionadas", "@sendSelectedCoins": { - "description": "Label showing number of UTXOs selected", "placeholders": { "count": { "type": "int" @@ -18597,12 +2013,8 @@ } }, "sendClearSelection": "Limpiar Selección", - "@sendClearSelection": { - "description": "Button to deselect all UTXOs" - }, "sendCoinAmount": "Cantidad: {amount}", "@sendCoinAmount": { - "description": "Label for UTXO amount", "placeholders": { "amount": { "type": "String" @@ -18611,7 +2023,6 @@ }, "sendCoinConfirmations": "{count} confirmaciones", "@sendCoinConfirmations": { - "description": "Label for UTXO confirmation count", "placeholders": { "count": { "type": "int" @@ -18619,40 +2030,15 @@ } }, "sendUnconfirmed": "Sin Confirmar", - "@sendUnconfirmed": { - "description": "Status for 0-conf UTXO" - }, "sendFrozenCoin": "Congelada", - "@sendFrozenCoin": { - "description": "Status for manually frozen UTXO" - }, "sendFreezeCoin": "Congelar Moneda", - "@sendFreezeCoin": { - "description": "Action to prevent UTXO from being spent" - }, "sendUnfreezeCoin": "Descongelar Moneda", - "@sendUnfreezeCoin": { - "description": "Action to allow spending frozen UTXO" - }, "sendSubmarineSwap": "Submarine Swap", - "@sendSubmarineSwap": { - "description": "Feature to swap on-chain to Lightning" - }, "sendInitiatingSwap": "Iniciando swap...", - "@sendInitiatingSwap": { - "description": "Loading message during swap setup" - }, "sendSwapDetails": "Detalles del Swap", - "@sendSwapDetails": { - "description": "Section header for swap information" - }, "sendSwapAmount": "Cantidad del Swap", - "@sendSwapAmount": { - "description": "Label for amount being swapped" - }, "sendSwapFeeEstimate": "Comisión estimada del swap: {amount}", "@sendSwapFeeEstimate": { - "description": "Estimated cost of swap", "placeholders": { "amount": { "type": "String" @@ -18661,7 +2047,6 @@ }, "sendSwapTimeEstimate": "Tiempo estimado: {time}", "@sendSwapTimeEstimate": { - "description": "Expected swap duration", "placeholders": { "time": { "type": "String" @@ -18669,32 +2054,13 @@ } }, "sendConfirmSwap": "Confirmar Swap", - "@sendConfirmSwap": { - "description": "Button to proceed with swap" - }, "sendSwapCancelled": "Swap cancelado", - "@sendSwapCancelled": { - "description": "Message when user cancels swap" - }, "sendSwapTimeout": "Tiempo de espera del swap agotado", - "@sendSwapTimeout": { - "description": "Error when swap expires" - }, "sendCustomFeeRate": "Tarifa de Comisión Personalizada", - "@sendCustomFeeRate": { - "description": "Option to manually set fee" - }, "sendFeeRateTooLow": "Tarifa de comisión demasiado baja", - "@sendFeeRateTooLow": { - "description": "Error for insufficient fee" - }, "sendFeeRateTooHigh": "La tarifa de comisión parece muy alta", - "@sendFeeRateTooHigh": { - "description": "Warning for excessive fee" - }, "sendRecommendedFee": "Recomendado: {rate} sat/vB", "@sendRecommendedFee": { - "description": "Suggested fee rate", "placeholders": { "rate": { "type": "String" @@ -18702,84 +2068,26 @@ } }, "sendEconomyFee": "Económica", - "@sendEconomyFee": { - "description": "Lowest fee tier" - }, "sendNormalFee": "Normal", - "@sendNormalFee": { - "description": "Standard fee tier" - }, "sendFastFee": "Rápida", - "@sendFastFee": { - "description": "Highest fee tier" - }, "sendHardwareWallet": "Billetera de Hardware", - "@sendHardwareWallet": { - "description": "Option to sign with hardware device" - }, "sendConnectDevice": "Conectar Dispositivo", - "@sendConnectDevice": { - "description": "Prompt to plug in hardware wallet" - }, "sendDeviceConnected": "Dispositivo conectado", - "@sendDeviceConnected": { - "description": "Status when hardware wallet is detected" - }, "sendDeviceDisconnected": "Dispositivo desconectado", - "@sendDeviceDisconnected": { - "description": "Error when hardware wallet unplugged" - }, "sendVerifyOnDevice": "Verificar en el dispositivo", - "@sendVerifyOnDevice": { - "description": "Instruction to check hardware wallet screen" - }, "sendSigningTransaction": "Firmando transacción...", - "@sendSigningTransaction": { - "description": "Status while hardware wallet signs" - }, "sendSignatureReceived": "Firma recibida", - "@sendSignatureReceived": { - "description": "Success after hardware wallet signs" - }, "sendSigningFailed": "Firma fallida", - "@sendSigningFailed": { - "description": "Error during hardware wallet signing" - }, "sendUserRejected": "Usuario rechazó en el dispositivo", - "@sendUserRejected": { - "description": "Error when user declines on hardware wallet" - }, "sendBuildingTransaction": "Construyendo transacción...", - "@sendBuildingTransaction": { - "description": "Status while constructing transaction" - }, "sendTransactionBuilt": "Transacción lista", - "@sendTransactionBuilt": { - "description": "Success after transaction constructed" - }, "sendBuildFailed": "Error al construir la transacción", - "@sendBuildFailed": { - "description": "Error during transaction construction" - }, "sendInsufficientFunds": "Fondos insuficientes", - "@sendInsufficientFunds": { - "description": "Error when balance too low" - }, "sendDustAmount": "Cantidad demasiado pequeña (dust)", - "@sendDustAmount": { - "description": "Error for uneconomical amount" - }, "sendOutputTooSmall": "Salida por debajo del límite de dust", - "@sendOutputTooSmall": { - "description": "Error for tiny output amount" - }, "sendScheduledPayment": "Pago Programado", - "@sendScheduledPayment": { - "description": "Feature to delay transaction" - }, "sendScheduleFor": "Programar para {date}", "@sendScheduleFor": { - "description": "Label for scheduled date", "placeholders": { "date": { "type": "String" @@ -18787,120 +2095,35 @@ } }, "sendSwapId": "ID de intercambio", - "@sendSwapId": { - "description": "Label for swap identifier in transaction details" - }, "sendSendAmount": "Cantidad enviada", - "@sendSendAmount": { - "description": "Label for amount being sent in swap" - }, "sendReceiveAmount": "Cantidad recibida", - "@sendReceiveAmount": { - "description": "Label for amount being received in swap" - }, "sendSendNetworkFee": "Comisión de red de envío", - "@sendSendNetworkFee": { - "description": "Label for network fee on send side of swap" - }, "sendTransferFee": "Comisión de transferencia", - "@sendTransferFee": { - "description": "Label for total swap transfer fee" - }, "sendTransferFeeDescription": "Esta es la comisión total deducida de la cantidad enviada", - "@sendTransferFeeDescription": { - "description": "Explanation of what the transfer fee represents" - }, "sendReceiveNetworkFee": "Comisión de red de recepción", - "@sendReceiveNetworkFee": { - "description": "Label for network fee on receive side" - }, "sendServerNetworkFees": "Comisiones de red del servidor", - "@sendServerNetworkFees": { - "description": "Label for Boltz server fees" - }, "sendConfirmSend": "Confirmar envío", - "@sendConfirmSend": { - "description": "Title for send confirmation screen" - }, "sendSending": "Enviando", - "@sendSending": { - "description": "Title shown while transaction is being sent" - }, "sendBroadcastingTransaction": "Transmitiendo la transacción.", - "@sendBroadcastingTransaction": { - "description": "Message shown while broadcasting transaction to network" - }, "sendSwapInProgressInvoice": "El intercambio está en curso. La factura se pagará en unos segundos.", - "@sendSwapInProgressInvoice": { - "description": "Message for Liquid swap in progress" - }, "sendSwapInProgressBitcoin": "El intercambio está en curso. Las transacciones de Bitcoin pueden tardar en confirmarse. Puede volver al inicio y esperar.", - "@sendSwapInProgressBitcoin": { - "description": "Message for Bitcoin swap in progress" - }, "sendSwapRefundInProgress": "Reembolso de intercambio en curso", - "@sendSwapRefundInProgress": { - "description": "Title when swap failed and refund is processing" - }, "sendSwapFailed": "El intercambio falló. Su reembolso se procesará en breve.", - "@sendSwapFailed": { - "description": "Message explaining swap failure and refund" - }, "sendSwapRefundCompleted": "Reembolso de intercambio completado", - "@sendSwapRefundCompleted": { - "description": "Title when refund has completed" - }, "sendRefundProcessed": "Su reembolso ha sido procesado.", - "@sendRefundProcessed": { - "description": "Message confirming refund completion" - }, "sendInvoicePaid": "Factura pagada", - "@sendInvoicePaid": { - "description": "Title when Lightning invoice payment succeeds" - }, "sendPaymentProcessing": "El pago se está procesando. Puede tardar hasta un minuto", - "@sendPaymentProcessing": { - "description": "Message while payment processes" - }, "sendPaymentWillTakeTime": "El pago tardará tiempo", - "@sendPaymentWillTakeTime": { - "description": "Title warning of delayed payment" - }, "sendSwapInitiated": "Intercambio iniciado", - "@sendSwapInitiated": { - "description": "Title when chain swap begins" - }, "sendSwapWillTakeTime": "Tardará un tiempo en confirmarse", - "@sendSwapWillTakeTime": { - "description": "Message warning swap confirmation takes time" - }, "sendSuccessfullySent": "Enviado con éxito", - "@sendSuccessfullySent": { - "description": "Title for successful send completion" - }, "sendViewDetails": "Ver detalles", - "@sendViewDetails": { - "description": "Button to view transaction details" - }, "sendShowPsbt": "Mostrar PSBT", - "@sendShowPsbt": { - "description": "Button to display PSBT for external signing" - }, "sendSignWithLedger": "Firmar con Ledger", - "@sendSignWithLedger": { - "description": "Button to sign transaction with Ledger hardware wallet" - }, "sendSignWithBitBox": "Firmar con BitBox", - "@sendSignWithBitBox": { - "description": "Button to sign transaction with BitBox hardware wallet" - }, "sendTransactionSignedLedger": "Transacción firmada con éxito con Ledger", - "@sendTransactionSignedLedger": { - "description": "Success message after Ledger signing" - }, "sendHighFeeWarningDescription": "La comisión total es {feePercent}% de la cantidad que está enviando", "@sendHighFeeWarningDescription": { - "description": "Warning message showing fee as percentage of send amount", "placeholders": { "feePercent": { "type": "String" @@ -18908,52 +2131,18 @@ } }, "sendEnterAbsoluteFee": "Ingrese la comisión absoluta en sats", - "@sendEnterAbsoluteFee": { - "description": "Placeholder for absolute fee input field" - }, "sendEnterRelativeFee": "Ingrese la comisión relativa en sats/vB", - "@sendEnterRelativeFee": { - "description": "Placeholder for relative fee rate input field" - }, "sendErrorArkExperimentalOnly": "Las solicitudes de pago ARK solo están disponibles desde la función experimental Ark.", - "@sendErrorArkExperimentalOnly": { - "description": "Error when ARK payment is attempted without experimental feature enabled" - }, "sendErrorSwapCreationFailed": "Error al crear el intercambio.", - "@sendErrorSwapCreationFailed": { - "description": "Error when swap creation fails" - }, "sendErrorInsufficientBalanceForPayment": "Saldo insuficiente para cubrir este pago", - "@sendErrorInsufficientBalanceForPayment": { - "description": "Error when wallet balance is insufficient for payment" - }, "sendErrorInvalidAddressOrInvoice": "Dirección de pago Bitcoin o factura inválida", - "@sendErrorInvalidAddressOrInvoice": { - "description": "Error when payment request is invalid" - }, "sendErrorBuildFailed": "Error de construcción", - "@sendErrorBuildFailed": { - "description": "Error title when transaction build fails" - }, "sendErrorConfirmationFailed": "Error de confirmación", - "@sendErrorConfirmationFailed": { - "description": "Error title when transaction confirmation fails" - }, "sendErrorInsufficientBalanceForSwap": "Saldo insuficiente para pagar este intercambio a través de Liquid y fuera de los límites de intercambio para pagar a través de Bitcoin.", - "@sendErrorInsufficientBalanceForSwap": { - "description": "Error when balance insufficient for swap through either network" - }, "sendErrorAmountBelowSwapLimits": "La cantidad está por debajo de los límites de intercambio", - "@sendErrorAmountBelowSwapLimits": { - "description": "Error when amount is below minimum swap limit" - }, "sendErrorAmountAboveSwapLimits": "La cantidad está por encima de los límites de intercambio", - "@sendErrorAmountAboveSwapLimits": { - "description": "Error when amount exceeds maximum swap limit" - }, "sendErrorAmountBelowMinimum": "Cantidad por debajo del límite de intercambio mínimo: {minLimit} sats", "@sendErrorAmountBelowMinimum": { - "description": "Error with specific minimum swap amount", "placeholders": { "minLimit": { "type": "String" @@ -18962,7 +2151,6 @@ }, "sendErrorAmountAboveMaximum": "Cantidad por encima del límite de intercambio máximo: {maxLimit} sats", "@sendErrorAmountAboveMaximum": { - "description": "Error with specific maximum swap amount", "placeholders": { "maxLimit": { "type": "String" @@ -18970,56 +2158,19 @@ } }, "sendErrorSwapFeesNotLoaded": "Comisiones de intercambio no cargadas", - "@sendErrorSwapFeesNotLoaded": { - "description": "Error when swap fee information is unavailable" - }, "sendErrorInsufficientFundsForFees": "Fondos insuficientes para cubrir la cantidad y las comisiones", - "@sendErrorInsufficientFundsForFees": { - "description": "Error when wallet cannot cover transaction amount plus fees" - }, "sendErrorBroadcastFailed": "Error al transmitir la transacción. Verifique su conexión de red e intente nuevamente.", - "@sendErrorBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, "sendErrorBalanceTooLowForMinimum": "Saldo demasiado bajo para la cantidad de intercambio mínima", - "@sendErrorBalanceTooLowForMinimum": { - "description": "Error when balance is below minimum required for swap" - }, "sendErrorAmountExceedsMaximum": "La cantidad excede la cantidad de intercambio máxima", - "@sendErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum allowed for swap" - }, "sendErrorLiquidWalletRequired": "Se debe usar una billetera Liquid para un intercambio de liquid a lightning", - "@sendErrorLiquidWalletRequired": { - "description": "Error when wrong wallet type used for Liquid to Lightning swap" - }, "sendErrorBitcoinWalletRequired": "Se debe usar una billetera Bitcoin para un intercambio de bitcoin a lightning", - "@sendErrorBitcoinWalletRequired": { - "description": "Error when wrong wallet type used for Bitcoin to Lightning swap" - }, "sendErrorInsufficientFundsForPayment": "Fondos insuficientes disponibles para realizar este pago.", - "@sendErrorInsufficientFundsForPayment": { - "description": "Error when insufficient funds available" - }, "sendTypeSend": "Enviar", - "@sendTypeSend": { - "description": "Send type name for Bitcoin/Liquid transactions" - }, "sendTypeSwap": "Intercambiar", - "@sendTypeSwap": { - "description": "Send type name for Lightning swap transactions" - }, "sellAmount": "Cantidad a Vender", - "@sellAmount": { - "description": "Label for Bitcoin amount input" - }, "sellReceiveAmount": "Usted recibirá", - "@sellReceiveAmount": { - "description": "Label showing fiat amount to receive" - }, "sellWalletBalance": "Saldo: {amount}", "@sellWalletBalance": { - "description": "Shows available balance", "placeholders": { "amount": { "type": "String" @@ -19027,80 +2178,25 @@ } }, "sellPaymentMethod": "Método de Pago", - "@sellPaymentMethod": { - "description": "Section for selecting how to receive fiat" - }, "sellBankTransfer": "Transferencia Bancaria", - "@sellBankTransfer": { - "description": "Option for bank deposit" - }, "sellInteracTransfer": "Transferencia Interac e-Transfer", - "@sellInteracTransfer": { - "description": "Option for Interac payment (Canada)" - }, "sellCashPickup": "Retiro en Efectivo", - "@sellCashPickup": { - "description": "Option for in-person cash" - }, "sellBankDetails": "Datos Bancarios", - "@sellBankDetails": { - "description": "Section header for bank account info" - }, "sellAccountName": "Nombre de la Cuenta", - "@sellAccountName": { - "description": "Label for bank account holder name" - }, "sellAccountNumber": "Número de Cuenta", - "@sellAccountNumber": { - "description": "Label for bank account number" - }, "sellRoutingNumber": "Número de Ruta", - "@sellRoutingNumber": { - "description": "Label for bank routing/transit number" - }, "sellInstitutionNumber": "Número de Institución", - "@sellInstitutionNumber": { - "description": "Label for bank institution code" - }, "sellSwiftCode": "Código SWIFT/BIC", - "@sellSwiftCode": { - "description": "Label for international bank code" - }, "sellIBAN": "IBAN", - "@sellIBAN": { - "description": "Label for International Bank Account Number" - }, "sellInteracEmail": "Correo Electrónico de Interac", - "@sellInteracEmail": { - "description": "Label for email to receive Interac payment" - }, "sellReviewOrder": "Revisar Orden de Venta", - "@sellReviewOrder": { - "description": "Title for order confirmation screen" - }, "sellConfirmOrder": "Confirmar Orden de Venta", - "@sellConfirmOrder": { - "description": "Button to submit sell order" - }, "sellProcessingOrder": "Procesando orden...", - "@sellProcessingOrder": { - "description": "Loading message during order submission" - }, "sellOrderPlaced": "Orden de venta realizada exitosamente", - "@sellOrderPlaced": { - "description": "Success message after order submission" - }, "sellOrderFailed": "Error al realizar la orden de venta", - "@sellOrderFailed": { - "description": "Error message when order fails" - }, "sellInsufficientBalance": "Saldo insuficiente en la billetera", - "@sellInsufficientBalance": { - "description": "Error when wallet lacks funds" - }, "sellMinimumAmount": "Cantidad mínima de venta: {amount}", "@sellMinimumAmount": { - "description": "Error for amount below minimum", "placeholders": { "amount": { "type": "String" @@ -19109,7 +2205,6 @@ }, "sellMaximumAmount": "Cantidad máxima de venta: {amount}", "@sellMaximumAmount": { - "description": "Error for amount above maximum", "placeholders": { "amount": { "type": "String" @@ -19117,24 +2212,11 @@ } }, "sellNetworkError": "Error de red. Por favor, intente nuevamente", - "@sellNetworkError": { - "description": "Error for connectivity issues" - }, "sellRateExpired": "Tasa de cambio expirada. Actualizando...", - "@sellRateExpired": { - "description": "Message when rate quote times out" - }, "sellUpdatingRate": "Actualizando tasa de cambio...", - "@sellUpdatingRate": { - "description": "Loading message while fetching new rate" - }, "sellCurrentRate": "Tasa Actual", - "@sellCurrentRate": { - "description": "Label for BTC/fiat exchange rate" - }, "sellRateValidFor": "Tasa válida por {seconds}s", "@sellRateValidFor": { - "description": "Shows rate expiration countdown", "placeholders": { "seconds": { "type": "int" @@ -19143,7 +2225,6 @@ }, "sellEstimatedArrival": "Llegada estimada: {time}", "@sellEstimatedArrival": { - "description": "Expected time to receive fiat", "placeholders": { "time": { "type": "String" @@ -19151,48 +2232,17 @@ } }, "sellTransactionFee": "Comisión de Transacción", - "@sellTransactionFee": { - "description": "Label for Bitcoin network fee" - }, "sellServiceFee": "Comisión de Servicio", - "@sellServiceFee": { - "description": "Label for Bull Bitcoin service fee" - }, "sellTotalFees": "Comisiones Totales", - "@sellTotalFees": { - "description": "Label for sum of all fees" - }, "sellNetAmount": "Cantidad Neta", - "@sellNetAmount": { - "description": "Label for amount after fees" - }, "sellKYCRequired": "Verificación KYC requerida", - "@sellKYCRequired": { - "description": "Error when identity verification needed" - }, "sellKYCPending": "Verificación KYC pendiente", - "@sellKYCPending": { - "description": "Message when verification in progress" - }, "sellKYCApproved": "KYC aprobado", - "@sellKYCApproved": { - "description": "Status when verification complete" - }, "sellKYCRejected": "Verificación KYC rechazada", - "@sellKYCRejected": { - "description": "Error when verification fails" - }, "sellCompleteKYC": "Completar KYC", - "@sellCompleteKYC": { - "description": "Button to start verification process" - }, "sellDailyLimitReached": "Límite diario de venta alcanzado", - "@sellDailyLimitReached": { - "description": "Error when hitting daily maximum" - }, "sellDailyLimit": "Límite diario: {amount}", "@sellDailyLimit": { - "description": "Shows maximum daily sell amount", "placeholders": { "amount": { "type": "String" @@ -19201,7 +2251,6 @@ }, "sellRemainingLimit": "Restante hoy: {amount}", "@sellRemainingLimit": { - "description": "Shows remaining daily limit", "placeholders": { "amount": { "type": "String" @@ -19209,16 +2258,9 @@ } }, "buyExpressWithdrawal": "Retiro Express", - "@buyExpressWithdrawal": { - "description": "Fast withdrawal option" - }, "buyExpressWithdrawalDesc": "Reciba Bitcoin instantáneamente después del pago", - "@buyExpressWithdrawalDesc": { - "description": "Explanation of express withdrawal feature" - }, "buyExpressWithdrawalFee": "Comisión express: {amount}", "@buyExpressWithdrawalFee": { - "description": "Additional fee for instant withdrawal", "placeholders": { "amount": { "type": "String" @@ -19226,36 +2268,14 @@ } }, "buyStandardWithdrawal": "Retiro Estándar", - "@buyStandardWithdrawal": { - "description": "Regular withdrawal option" - }, "buyStandardWithdrawalDesc": "Reciba Bitcoin después de que se liquide el pago (1-3 días)", - "@buyStandardWithdrawalDesc": { - "description": "Explanation of standard withdrawal timing" - }, "buyKYCLevel": "Nivel KYC", - "@buyKYCLevel": { - "description": "Label for verification tier" - }, "buyKYCLevel1": "Nivel 1 - Básico", - "@buyKYCLevel1": { - "description": "Basic verification tier" - }, "buyKYCLevel2": "Nivel 2 - Mejorado", - "@buyKYCLevel2": { - "description": "Enhanced verification tier" - }, "buyKYCLevel3": "Nivel 3 - Completo", - "@buyKYCLevel3": { - "description": "Full verification tier" - }, "buyUpgradeKYC": "Actualizar Nivel KYC", - "@buyUpgradeKYC": { - "description": "Button to increase verification tier" - }, "buyLevel1Limit": "Límite Nivel 1: {amount}", "@buyLevel1Limit": { - "description": "Purchase limit for basic KYC", "placeholders": { "amount": { "type": "String" @@ -19264,7 +2284,6 @@ }, "buyLevel2Limit": "Límite Nivel 2: {amount}", "@buyLevel2Limit": { - "description": "Purchase limit for enhanced KYC", "placeholders": { "amount": { "type": "String" @@ -19273,7 +2292,6 @@ }, "buyLevel3Limit": "Límite Nivel 3: {amount}", "@buyLevel3Limit": { - "description": "Purchase limit for full KYC", "placeholders": { "amount": { "type": "String" @@ -19281,24 +2299,11 @@ } }, "buyVerificationRequired": "Verificación requerida para esta cantidad", - "@buyVerificationRequired": { - "description": "Error when KYC needed for purchase size" - }, "buyVerifyIdentity": "Verificar Identidad", - "@buyVerifyIdentity": { - "description": "Button to start KYC process" - }, "buyVerificationInProgress": "Verificación en progreso...", - "@buyVerificationInProgress": { - "description": "Status during KYC review" - }, "buyVerificationComplete": "Verificación completa", - "@buyVerificationComplete": { - "description": "Success message after KYC approval" - }, "buyVerificationFailed": "Verificación fallida: {reason}", "@buyVerificationFailed": { - "description": "Error message with failure reason", "placeholders": { "reason": { "type": "String" @@ -19306,92 +2311,28 @@ } }, "buyDocumentUpload": "Cargar Documentos", - "@buyDocumentUpload": { - "description": "Section for ID document submission" - }, "buyPhotoID": "Identificación con Foto", - "@buyPhotoID": { - "description": "Type of document required" - }, "buyProofOfAddress": "Comprobante de Domicilio", - "@buyProofOfAddress": { - "description": "Type of document required" - }, "buySelfie": "Selfie con Identificación", - "@buySelfie": { - "description": "Type of document required" - }, "receiveSelectNetwork": "Seleccionar Red", - "@receiveSelectNetwork": { - "description": "Dropdown to choose receiving network" - }, "receiveBitcoinNetwork": "Bitcoin", - "@receiveBitcoinNetwork": { - "description": "Bitcoin on-chain network option" - }, "receiveLightningNetwork": "Lightning", - "@receiveLightningNetwork": { - "description": "Lightning Network option" - }, "receiveLiquidNetwork": "Liquid", - "@receiveLiquidNetwork": { - "description": "Liquid Network option" - }, "receiveArkNetwork": "Ark", - "@receiveArkNetwork": { - "description": "Ark Instant Payments option" - }, "receiveInvoice": "Factura Lightning", - "@receiveInvoice": { - "description": "Label for Lightning invoice" - }, "receiveFixedAmount": "Cantidad", - "@receiveFixedAmount": { - "description": "Required amount field" - }, "receiveDescription": "Descripción (opcional)", - "@receiveDescription": { - "description": "Optional memo field" - }, "receiveGenerateInvoice": "Generar Factura", - "@receiveGenerateInvoice": { - "description": "Button to create Lightning invoice" - }, "receiveGenerateAddress": "Generar Nueva Dirección", - "@receiveGenerateAddress": { - "description": "Button to create new on-chain address" - }, "receiveQRCode": "Código QR", - "@receiveQRCode": { - "description": "Section header for QR code display" - }, "receiveCopyAddress": "Copiar Dirección", - "@receiveCopyAddress": { - "description": "Button to copy address to clipboard" - }, "receiveCopyInvoice": "Copiar Factura", - "@receiveCopyInvoice": { - "description": "Button to copy invoice to clipboard" - }, "receiveAddressCopied": "Dirección copiada al portapapeles", - "@receiveAddressCopied": { - "description": "Toast message after copying address" - }, "receiveInvoiceCopied": "Factura copiada al portapapeles", - "@receiveInvoiceCopied": { - "description": "Toast message after copying invoice" - }, "receiveShareAddress": "Compartir Dirección", - "@receiveShareAddress": { - "description": "Button to share via system share sheet" - }, "receiveShareInvoice": "Compartir Factura", - "@receiveShareInvoice": { - "description": "Button to share invoice" - }, "receiveInvoiceExpiry": "La factura expira en {time}", "@receiveInvoiceExpiry": { - "description": "Shows expiration countdown", "placeholders": { "time": { "type": "String" @@ -19399,16 +2340,9 @@ } }, "receiveInvoiceExpired": "Factura expirada", - "@receiveInvoiceExpired": { - "description": "Status when invoice is no longer valid" - }, "receiveAwaitingPayment": "Esperando pago...", - "@receiveAwaitingPayment": { - "description": "Status while waiting for payment" - }, "receiveConfirming": "Confirmando... ({count}/{required})", "@receiveConfirming": { - "description": "Shows confirmation progress", "placeholders": { "count": { "type": "int" @@ -19419,12 +2353,8 @@ } }, "receiveConfirmed": "Confirmado", - "@receiveConfirmed": { - "description": "Status when fully confirmed" - }, "receiveGenerationFailed": "Error al generar {type}", "@receiveGenerationFailed": { - "description": "Error when address/invoice generation fails", "placeholders": { "type": { "type": "String" @@ -19433,7 +2363,6 @@ }, "receiveNetworkUnavailable": "{network} no está disponible actualmente", "@receiveNetworkUnavailable": { - "description": "Error when network is down", "placeholders": { "network": { "type": "String" @@ -19441,312 +2370,83 @@ } }, "receiveInsufficientInboundLiquidity": "Capacidad de recepción Lightning insuficiente", - "@receiveInsufficientInboundLiquidity": { - "description": "Error when Lightning channels lack inbound capacity" - }, "receiveRequestInboundLiquidity": "Solicitar Capacidad de Recepción", - "@receiveRequestInboundLiquidity": { - "description": "Button to open channel for receiving" - }, "backupSettingsPhysicalBackup": "Respaldo Físico", - "@backupSettingsPhysicalBackup": { - "description": "Label for physical backup status row" - }, "backupSettingsEncryptedVault": "Bóveda Cifrada", - "@backupSettingsEncryptedVault": { - "description": "Label for encrypted vault backup status row" - }, "backupSettingsTested": "Probado", - "@backupSettingsTested": { - "description": "Status text shown when backup has been tested" - }, "backupSettingsNotTested": "No Probado", - "@backupSettingsNotTested": { - "description": "Status text shown when backup has not been tested" - }, "backupSettingsTestBackup": "Probar Respaldo", - "@backupSettingsTestBackup": { - "description": "Button text to test existing backup" - }, "backupSettingsStartBackup": "Iniciar Respaldo", - "@backupSettingsStartBackup": { - "description": "Button text to start new backup process" - }, "backupSettingsExportVault": "Exportar Bóveda", - "@backupSettingsExportVault": { - "description": "Button text to export encrypted vault file" - }, "backupSettingsExporting": "Exportando...", - "@backupSettingsExporting": { - "description": "Button text while vault export is in progress" - }, "backupSettingsViewVaultKey": "Ver Clave de la Bóveda", - "@backupSettingsViewVaultKey": { - "description": "Button text to view vault decryption key" - }, "backupSettingsRevealing": "Revelando...", - "@backupSettingsRevealing": { - "description": "Button text while revealing vault key" - }, "backupSettingsKeyServer": "Servidor de Claves ", - "@backupSettingsKeyServer": { - "description": "Label for key server connection status indicator" - }, "backupSettingsError": "Error", - "@backupSettingsError": { - "description": "Header text for error message display" - }, "backupSettingsBackupKey": "Clave de Respaldo", - "@backupSettingsBackupKey": { - "description": "AppBar title for view backup key screen" - }, "backupSettingsFailedToDeriveKey": "Error al derivar la clave de respaldo", - "@backupSettingsFailedToDeriveKey": { - "description": "Error message when backup key derivation fails" - }, "backupSettingsSecurityWarning": "Advertencia de Seguridad", - "@backupSettingsSecurityWarning": { - "description": "Title for backup key security warning modal" - }, "backupSettingsKeyWarningBold": "Advertencia: Tenga cuidado donde guarde la clave de respaldo.", - "@backupSettingsKeyWarningBold": { - "description": "Bold warning message in backup key warning modal" - }, "backupSettingsKeyWarningMessage": "Es críticamente importante que no guarde la clave de respaldo en el mismo lugar donde guarda su archivo de respaldo. Siempre almacénelos en dispositivos separados o proveedores de nube separados.", - "@backupSettingsKeyWarningMessage": { - "description": "Detailed warning about storing backup key separately" - }, "backupSettingsKeyWarningExample": "Por ejemplo, si utilizó Google Drive para su archivo de respaldo, no utilice Google Drive para su clave de respaldo.", - "@backupSettingsKeyWarningExample": { - "description": "Example explaining backup key storage separation" - }, "backupSettingsLabelsButton": "Etiquetas", - "@backupSettingsLabelsButton": { - "description": "Button text to manage transaction labels" - }, "backupSettingsRecoverBullSettings": "Recoverbull", - "@backupSettingsRecoverBullSettings": { - "description": "Button text for Recoverbull" - }, "backupWalletImportanceWarning": "Sin un respaldo, eventualmente perderá el acceso a su dinero. Es críticamente importante hacer un respaldo.", - "@backupWalletImportanceWarning": { - "description": "Warning message emphasizing the importance of creating a backup" - }, "backupWalletEncryptedVaultTitle": "Bóveda cifrada", - "@backupWalletEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, "backupWalletEncryptedVaultDescription": "Respaldo anónimo con cifrado robusto usando su nube.", - "@backupWalletEncryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, "backupWalletEncryptedVaultTag": "Fácil y simple (1 minuto)", - "@backupWalletEncryptedVaultTag": { - "description": "Tag indicating difficulty and time for encrypted vault backup" - }, "backupWalletPhysicalBackupTitle": "Respaldo físico", - "@backupWalletPhysicalBackupTitle": { - "description": "Title for physical backup option" - }, "backupWalletPhysicalBackupDescription": "Escriba 12 palabras en un pedazo de papel. Manténgalas seguras y asegúrese de no perderlas.", - "@backupWalletPhysicalBackupDescription": { - "description": "Description of physical backup method" - }, "backupWalletPhysicalBackupTag": "Sin confianza (tómese su tiempo)", - "@backupWalletPhysicalBackupTag": { - "description": "Tag indicating difficulty and trust model for physical backup" - }, "backupWalletHowToDecide": "¿Cómo decidir?", - "@backupWalletHowToDecide": { - "description": "Link text to open modal explaining how to choose backup method" - }, "backupWalletChooseVaultLocationTitle": "Elegir ubicación de la bóveda", - "@backupWalletChooseVaultLocationTitle": { - "description": "AppBar title for choosing encrypted vault provider screen" - }, "backupWalletLastKnownEncryptedVault": "Última bóveda cifrada conocida: ", - "@backupWalletLastKnownEncryptedVault": { - "description": "Label prefix for displaying timestamp of last encrypted vault backup" - }, "backupWalletGoogleDriveSignInTitle": "Necesitará iniciar sesión en Google Drive", - "@backupWalletGoogleDriveSignInTitle": { - "description": "Loading screen title when initiating Google Drive backup" - }, "backupWalletGoogleDrivePermissionWarning": "Google le pedirá que comparta información personal con esta aplicación.", - "@backupWalletGoogleDrivePermissionWarning": { - "description": "Warning message about Google Drive permission request" - }, "backupWalletGoogleDrivePrivacyMessage1": "Esta información ", - "@backupWalletGoogleDrivePrivacyMessage1": { - "description": "First part of privacy message about Google Drive data" - }, "backupWalletGoogleDrivePrivacyMessage2": "no saldrá ", - "@backupWalletGoogleDrivePrivacyMessage2": { - "description": "Second part of privacy message (bold)" - }, "backupWalletGoogleDrivePrivacyMessage3": "de su teléfono y ", - "@backupWalletGoogleDrivePrivacyMessage3": { - "description": "Third part of privacy message" - }, "backupWalletGoogleDrivePrivacyMessage4": "nunca ", - "@backupWalletGoogleDrivePrivacyMessage4": { - "description": "Fourth part of privacy message (bold)" - }, "backupWalletGoogleDrivePrivacyMessage5": "se comparte con Bull Bitcoin.", - "@backupWalletGoogleDrivePrivacyMessage5": { - "description": "Fifth part of privacy message" - }, "backupWalletSavingToDeviceTitle": "Guardando en su dispositivo.", - "@backupWalletSavingToDeviceTitle": { - "description": "Loading screen title when saving to custom location" - }, "backupWalletBestPracticesTitle": "Mejores prácticas de respaldo", - "@backupWalletBestPracticesTitle": { - "description": "AppBar title for physical backup checklist screen" - }, "backupWalletLastBackupTest": "Última prueba de respaldo: ", - "@backupWalletLastBackupTest": { - "description": "Label prefix for displaying timestamp of last physical backup test" - }, "backupWalletInstructionLoseBackup": "Si pierde su respaldo de 12 palabras, no podrá recuperar el acceso a la Billetera Bitcoin.", - "@backupWalletInstructionLoseBackup": { - "description": "Warning instruction about losing backup" - }, "backupWalletInstructionLosePhone": "Sin un respaldo, si pierde o rompe su teléfono, o si desinstala la aplicación Bull Bitcoin, sus bitcoins se perderán para siempre.", - "@backupWalletInstructionLosePhone": { - "description": "Warning instruction about consequences without backup" - }, "backupWalletInstructionSecurityRisk": "Cualquier persona con acceso a su respaldo de 12 palabras puede robar sus bitcoins. Ocúltelo bien.", - "@backupWalletInstructionSecurityRisk": { - "description": "Security warning about protecting backup from theft" - }, "backupWalletInstructionNoDigitalCopies": "No haga copias digitales de su respaldo. Escríbalo en un pedazo de papel o grábelo en metal.", - "@backupWalletInstructionNoDigitalCopies": { - "description": "Instruction to avoid digital copies and use physical medium" - }, "backupWalletInstructionNoPassphrase": "Su respaldo no está protegido por frase de contraseña. Agregue una frase de contraseña a su respaldo más adelante creando una nueva billetera.", - "@backupWalletInstructionNoPassphrase": { - "description": "Information about passphrase protection option" - }, "backupWalletBackupButton": "Respaldar", - "@backupWalletBackupButton": { - "description": "Button text to proceed with physical backup" - }, "backupWalletSuccessTitle": "¡Respaldo completado!", - "@backupWalletSuccessTitle": { - "description": "Success screen title after backup is completed" - }, "backupWalletSuccessDescription": "Ahora probemos su respaldo para asegurarnos de que todo se hizo correctamente.", - "@backupWalletSuccessDescription": { - "description": "Success screen description prompting user to test backup" - }, "backupWalletSuccessTestButton": "Probar Respaldo", - "@backupWalletSuccessTestButton": { - "description": "Button text to proceed to backup testing" - }, "backupWalletHowToDecideBackupModalTitle": "Cómo decidir", - "@backupWalletHowToDecideBackupModalTitle": { - "description": "Modal title for backup method comparison help" - }, "backupWalletHowToDecideBackupLosePhysical": "Una de las formas más comunes en que las personas pierden sus Bitcoin es porque pierden el respaldo físico. Cualquier persona que encuentre su respaldo físico podrá tomar todos sus Bitcoin. Si está muy seguro de que puede ocultarlo bien y nunca perderlo, es una buena opción.", - "@backupWalletHowToDecideBackupLosePhysical": { - "description": "Explanation of physical backup risks in decision help modal" - }, "backupWalletHowToDecideBackupEncryptedVault": "La bóveda cifrada lo protege de ladrones que buscan robar su respaldo. También le impide perder accidentalmente su respaldo ya que se almacenará en su nube. Los proveedores de almacenamiento en nube como Google o Apple no tendrán acceso a sus Bitcoin porque la contraseña de cifrado es demasiado robusta. Existe una pequeña posibilidad de que el servidor web que almacena la clave de cifrado de su respaldo pueda verse comprometido. En este caso, la seguridad del respaldo en su cuenta de nube podría estar en riesgo.", - "@backupWalletHowToDecideBackupEncryptedVault": { - "description": "Explanation of encrypted vault benefits and risks in decision help modal" - }, "backupWalletHowToDecideBackupPhysicalRecommendation": "Respaldo físico: ", - "@backupWalletHowToDecideBackupPhysicalRecommendation": { - "description": "Bold label for physical backup recommendation" - }, "backupWalletHowToDecideBackupPhysicalRecommendationText": "Está seguro de sus propias capacidades de seguridad operacional para ocultar y preservar sus palabras de semilla de Bitcoin.", - "@backupWalletHowToDecideBackupPhysicalRecommendationText": { - "description": "Recommendation text for when to use physical backup" - }, "backupWalletHowToDecideBackupEncryptedRecommendation": "Bóveda cifrada: ", - "@backupWalletHowToDecideBackupEncryptedRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, "backupWalletHowToDecideBackupEncryptedRecommendationText": "No está seguro y necesita más tiempo para aprender sobre las prácticas de seguridad de respaldo.", - "@backupWalletHowToDecideBackupEncryptedRecommendationText": { - "description": "Recommendation text for when to use encrypted vault" - }, "backupWalletHowToDecideBackupMoreInfo": "Visite recoverbull.com para más información.", - "@backupWalletHowToDecideBackupMoreInfo": { - "description": "Link text to external resource" - }, "backupWalletHowToDecideVaultModalTitle": "Cómo decidir", - "@backupWalletHowToDecideVaultModalTitle": { - "description": "Modal title for vault location comparison help" - }, "backupWalletHowToDecideVaultCloudSecurity": "Los proveedores de almacenamiento en nube como Google o Apple no tendrán acceso a sus Bitcoin porque la contraseña de cifrado es demasiado robusta. Solo pueden acceder a sus Bitcoin en el caso improbable de que colaboren con el servidor de claves (el servicio en línea que almacena su contraseña de cifrado). Si el servidor de claves alguna vez es pirateado, sus Bitcoin podrían estar en riesgo con la nube de Google o Apple.", - "@backupWalletHowToDecideVaultCloudSecurity": { - "description": "Explanation of cloud storage security in vault location decision help modal" - }, "backupWalletHowToDecideVaultCustomLocation": "Una ubicación personalizada puede ser mucho más segura, dependiendo de la ubicación que elija. También debe asegurarse de no perder el archivo de respaldo o el dispositivo en el que se almacena su archivo de respaldo.", - "@backupWalletHowToDecideVaultCustomLocation": { - "description": "Explanation of custom location benefits and risks" - }, "backupWalletHowToDecideVaultCustomRecommendation": "Ubicación personalizada: ", - "@backupWalletHowToDecideVaultCustomRecommendation": { - "description": "Bold label for custom location recommendation" - }, "backupWalletHowToDecideVaultCustomRecommendationText": "está seguro de que no perderá el archivo de la bóveda y que seguirá siendo accesible si pierde su teléfono.", - "@backupWalletHowToDecideVaultCustomRecommendationText": { - "description": "Recommendation text for when to use custom location" - }, "backupWalletHowToDecideVaultCloudRecommendation": "Nube de Google o Apple: ", - "@backupWalletHowToDecideVaultCloudRecommendation": { - "description": "Bold label for cloud storage recommendation" - }, "backupWalletHowToDecideVaultCloudRecommendationText": "desea asegurarse de nunca perder el acceso a su archivo de bóveda incluso si pierde sus dispositivos.", - "@backupWalletHowToDecideVaultCloudRecommendationText": { - "description": "Recommendation text for when to use cloud storage" - }, "backupWalletHowToDecideVaultMoreInfo": "Visite recoverbull.com para más información.", - "@backupWalletHowToDecideVaultMoreInfo": { - "description": "Link text to external resource about vault locations" - }, "backupWalletVaultProviderGoogleDrive": "Google Drive", - "@backupWalletVaultProviderGoogleDrive": { - "description": "Name of Google Drive vault provider option" - }, "backupWalletVaultProviderAppleICloud": "Apple iCloud", - "@backupWalletVaultProviderAppleICloud": { - "description": "Name of Apple iCloud vault provider option" - }, "backupWalletVaultProviderCustomLocation": "Ubicación personalizada", - "@backupWalletVaultProviderCustomLocation": { - "description": "Name of custom location vault provider option" - }, "backupWalletVaultProviderQuickEasy": "Rápido y fácil", - "@backupWalletVaultProviderQuickEasy": { - "description": "Tag for Google Drive and iCloud providers" - }, "backupWalletVaultProviderTakeYourTime": "Tómese su tiempo", - "@backupWalletVaultProviderTakeYourTime": { - "description": "Tag for custom location provider" - }, "backupWalletErrorFileSystemPath": "Error al seleccionar la ruta del sistema de archivos", - "@backupWalletErrorFileSystemPath": { - "description": "Error when file system path selection fails" - }, "backupWalletErrorGoogleDriveConnection": "Error al conectar con Google Drive", - "@backupWalletErrorGoogleDriveConnection": { - "description": "Error when Google Drive connection fails" - }, "backupWalletErrorSaveBackup": "Error al guardar el respaldo", - "@backupWalletErrorSaveBackup": { - "description": "Error when backup save operation fails" - }, "backupWalletErrorGoogleDriveSave": "Error al guardar en Google Drive", - "@backupWalletErrorGoogleDriveSave": { - "description": "Error when saving to Google Drive fails" - }, "testBackupWalletTitle": "Probar {walletName}", "@testBackupWalletTitle": { - "description": "Dynamic AppBar title showing which wallet is being tested", "placeholders": { "walletName": { "type": "String" @@ -19754,24 +2454,11 @@ } }, "testBackupDefaultWallets": "Billeteras Predeterminadas", - "@testBackupDefaultWallets": { - "description": "Label shown when testing the default wallets" - }, "testBackupConfirm": "Confirmar", - "@testBackupConfirm": { - "description": "Button text to confirm wallet selection" - }, "testBackupWriteDownPhrase": "Escriba su frase de recuperación\nen el orden correcto", - "@testBackupWriteDownPhrase": { - "description": "Main instruction header for physical backup screen" - }, "testBackupStoreItSafe": "Guárdela en un lugar seguro.", - "@testBackupStoreItSafe": { - "description": "Sub-instruction telling users to store recovery phrase safely" - }, "testBackupLastBackupTest": "Última prueba de respaldo: {timestamp}", "@testBackupLastBackupTest": { - "description": "Shows timestamp of last physical backup test", "placeholders": { "timestamp": { "type": "String" @@ -19779,32 +2466,13 @@ } }, "testBackupDoNotShare": "NO COMPARTA CON NADIE", - "@testBackupDoNotShare": { - "description": "Warning header about keeping recovery phrase secret" - }, "testBackupTranscribe": "Transcribir", - "@testBackupTranscribe": { - "description": "Label with checkmark indicating users should transcribe the phrase" - }, "testBackupDigitalCopy": "Copia digital", - "@testBackupDigitalCopy": { - "description": "Label with X mark warning against making digital copies" - }, "testBackupScreenshot": "Captura de pantalla", - "@testBackupScreenshot": { - "description": "Label with X mark warning against taking screenshots" - }, "testBackupNext": "Siguiente", - "@testBackupNext": { - "description": "Button to proceed to verification quiz" - }, "testBackupTapWordsInOrder": "Toque las palabras de recuperación en el\norden correcto", - "@testBackupTapWordsInOrder": { - "description": "Instruction header for word selection quiz" - }, "testBackupWhatIsWordNumber": "¿Cuál es la palabra número {number}?", "@testBackupWhatIsWordNumber": { - "description": "Quiz prompt asking for specific word number", "placeholders": { "number": { "type": "int" @@ -19812,64 +2480,21 @@ } }, "testBackupAllWordsSelected": "Ha seleccionado todas las palabras", - "@testBackupAllWordsSelected": { - "description": "Message shown when user has selected all 12 words" - }, "testBackupVerify": "Verificar", - "@testBackupVerify": { - "description": "Button text to verify the selected word order" - }, "testBackupPassphrase": "Frase de contraseña", - "@testBackupPassphrase": { - "description": "Label for optional passphrase field" - }, "testBackupSuccessTitle": "¡Prueba completada exitosamente!", - "@testBackupSuccessTitle": { - "description": "Success screen title after completing backup verification" - }, "testBackupSuccessMessage": "Puede recuperar el acceso a una billetera Bitcoin perdida", - "@testBackupSuccessMessage": { - "description": "Success screen message confirming recovery capability" - }, "testBackupSuccessButton": "Entendido", - "@testBackupSuccessButton": { - "description": "Button to dismiss success screen" - }, "testBackupWarningMessage": "Sin un respaldo, eventualmente perderá el acceso a su dinero. Es críticamente importante hacer un respaldo.", - "@testBackupWarningMessage": { - "description": "Warning message emphasizing importance of backups" - }, "testBackupEncryptedVaultTitle": "Bóveda cifrada", - "@testBackupEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option card" - }, "testBackupEncryptedVaultDescription": "Respaldo anónimo con cifrado robusto usando su nube.", - "@testBackupEncryptedVaultDescription": { - "description": "Description for encrypted vault backup option" - }, "testBackupEncryptedVaultTag": "Fácil y simple (1 minuto)", - "@testBackupEncryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, "testBackupPhysicalBackupTitle": "Respaldo físico", - "@testBackupPhysicalBackupTitle": { - "description": "Title for physical backup option card" - }, "testBackupPhysicalBackupDescription": "Escriba 12 palabras en un pedazo de papel. Manténgalas seguras y asegúrese de no perderlas.", - "@testBackupPhysicalBackupDescription": { - "description": "Description for physical backup option" - }, "testBackupPhysicalBackupTag": "Sin confianza (tómese su tiempo)", - "@testBackupPhysicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes longer" - }, "testBackupChooseVaultLocation": "Elegir ubicación de la bóveda", - "@testBackupChooseVaultLocation": { - "description": "AppBar title for encrypted vault provider selection screen" - }, "testBackupLastKnownVault": "Última bóveda cifrada conocida: {timestamp}", "@testBackupLastKnownVault": { - "description": "Shows timestamp of last encrypted vault backup", "placeholders": { "timestamp": { "type": "String" @@ -19877,80 +2502,25 @@ } }, "testBackupRetrieveVaultDescription": "Pruebe para asegurarse de que puede recuperar su bóveda cifrada.", - "@testBackupRetrieveVaultDescription": { - "description": "Description explaining purpose of vault location selection" - }, "testBackupGoogleDriveSignIn": "Necesitará iniciar sesión en Google Drive", - "@testBackupGoogleDriveSignIn": { - "description": "Progress screen title when fetching from Google Drive" - }, "testBackupGoogleDrivePermission": "Google le pedirá que comparta información personal con esta aplicación.", - "@testBackupGoogleDrivePermission": { - "description": "Progress screen description explaining Google Drive permission request" - }, "testBackupGoogleDrivePrivacyPart1": "Esta información ", - "@testBackupGoogleDrivePrivacyPart1": { - "description": "First part of privacy message" - }, "testBackupGoogleDrivePrivacyPart2": "no saldrá ", - "@testBackupGoogleDrivePrivacyPart2": { - "description": "Second part (emphasized) of privacy message" - }, "testBackupGoogleDrivePrivacyPart3": "de su teléfono y ", - "@testBackupGoogleDrivePrivacyPart3": { - "description": "Third part of privacy message" - }, "testBackupGoogleDrivePrivacyPart4": "nunca ", - "@testBackupGoogleDrivePrivacyPart4": { - "description": "Fourth part (emphasized) of privacy message" - }, "testBackupGoogleDrivePrivacyPart5": "se comparte con Bull Bitcoin.", - "@testBackupGoogleDrivePrivacyPart5": { - "description": "Fifth part of privacy message" - }, "testBackupFetchingFromDevice": "Obteniendo desde su dispositivo.", - "@testBackupFetchingFromDevice": { - "description": "Progress screen title when fetching from local device" - }, "testBackupRecoverWallet": "Recuperar Billetera", - "@testBackupRecoverWallet": { - "description": "AppBar title for fetched backup info screen" - }, "testBackupVaultSuccessMessage": "Su bóveda se importó exitosamente", - "@testBackupVaultSuccessMessage": { - "description": "Success message after vault is imported" - }, "testBackupBackupId": "ID de Respaldo:", - "@testBackupBackupId": { - "description": "Label for backup ID field" - }, "testBackupCreatedAt": "Creado el:", - "@testBackupCreatedAt": { - "description": "Label for vault creation timestamp field" - }, "testBackupEnterKeyManually": "Ingresar clave de respaldo manualmente >>", - "@testBackupEnterKeyManually": { - "description": "Button text to manually enter backup key" - }, "testBackupDecryptVault": "Descifrar bóveda", - "@testBackupDecryptVault": { - "description": "Button text to decrypt the vault" - }, "testBackupErrorNoMnemonic": "No se cargó ninguna mnemónica", - "@testBackupErrorNoMnemonic": { - "description": "Error when mnemonic is not loaded" - }, "testBackupErrorSelectAllWords": "Por favor seleccione todas las palabras", - "@testBackupErrorSelectAllWords": { - "description": "Error when not all words are selected" - }, "testBackupErrorIncorrectOrder": "Orden de palabras incorrecto. Por favor intente nuevamente.", - "@testBackupErrorIncorrectOrder": { - "description": "Error when words are selected in wrong order" - }, "testBackupErrorVerificationFailed": "Verificación fallida: {error}", "@testBackupErrorVerificationFailed": { - "description": "Generic error message for verification failure", "placeholders": { "error": { "type": "String" @@ -19959,7 +2529,6 @@ }, "testBackupErrorFailedToFetch": "Error al obtener respaldo: {error}", "@testBackupErrorFailedToFetch": { - "description": "Error when backup fetch fails", "placeholders": { "error": { "type": "String" @@ -19967,20 +2536,10 @@ } }, "testBackupErrorInvalidFile": "Contenido del archivo inválido", - "@testBackupErrorInvalidFile": { - "description": "Error when selected file has invalid content" - }, "testBackupErrorUnexpectedSuccess": "Éxito inesperado: el respaldo debería coincidir con la billetera existente", - "@testBackupErrorUnexpectedSuccess": { - "description": "Error for unexpected successful vault restoration" - }, "testBackupErrorWalletMismatch": "El respaldo no coincide con la billetera existente", - "@testBackupErrorWalletMismatch": { - "description": "Error when backup doesn't match current wallet" - }, "testBackupErrorWriteFailed": "Error al escribir en el almacenamiento: {error}", "@testBackupErrorWriteFailed": { - "description": "Error when writing verification status to storage fails", "placeholders": { "error": { "type": "String" @@ -19989,7 +2548,6 @@ }, "testBackupErrorTestFailed": "Error al probar respaldo: {error}", "@testBackupErrorTestFailed": { - "description": "Generic error message for backup test failure", "placeholders": { "error": { "type": "String" @@ -19998,7 +2556,6 @@ }, "testBackupErrorLoadWallets": "Error al cargar billeteras: {error}", "@testBackupErrorLoadWallets": { - "description": "Error when loading wallets fails", "placeholders": { "error": { "type": "String" @@ -20007,7 +2564,6 @@ }, "testBackupErrorLoadMnemonic": "Error al cargar mnemónica: {error}", "@testBackupErrorLoadMnemonic": { - "description": "Error when loading mnemonic fails", "placeholders": { "error": { "type": "String" @@ -20015,24 +2571,11 @@ } }, "recoverbullGoogleDriveCancelButton": "Cancelar", - "@recoverbullGoogleDriveCancelButton": { - "description": "Cancel button text for delete confirmation dialog" - }, "recoverbullGoogleDriveDeleteButton": "Eliminar", - "@recoverbullGoogleDriveDeleteButton": { - "description": "Delete button text for vault backup" - }, "recoverbullGoogleDriveDeleteConfirmation": "¿Está seguro de que desea eliminar esta copia de seguridad del cofre? Esta acción no se puede deshacer.", - "@recoverbullGoogleDriveDeleteConfirmation": { - "description": "Confirmation message for deleting a vault backup" - }, "recoverbullGoogleDriveDeleteVaultTitle": "Eliminar Cofre", - "@recoverbullGoogleDriveDeleteVaultTitle": { - "description": "Title for delete vault confirmation dialog" - }, "recoverbullGoogleDriveErrorDisplay": "Error: {error}", "@recoverbullGoogleDriveErrorDisplay": { - "description": "Error message display format", "placeholders": { "error": { "type": "String" @@ -20041,7 +2584,6 @@ }, "recoverbullBalance": "Saldo: {balance}", "@recoverbullBalance": { - "description": "Label showing wallet balance during vault recovery", "placeholders": { "balance": { "type": "String" @@ -20049,16 +2591,9 @@ } }, "recoverbullCheckingConnection": "Verificando conexión para RecoverBull", - "@recoverbullCheckingConnection": { - "description": "Screen title while checking connection status" - }, "recoverbullConfirm": "Confirmar", - "@recoverbullConfirm": { - "description": "Button text to confirm an action" - }, "recoverbullConfirmInput": "Confirmar {inputType}", "@recoverbullConfirmInput": { - "description": "Label to confirm input (PIN or password)", "placeholders": { "inputType": { "type": "String" @@ -20066,40 +2601,15 @@ } }, "recoverbullConnected": "Conectado", - "@recoverbullConnected": { - "description": "Status label indicating successful connection" - }, "recoverbullConnecting": "Conectando", - "@recoverbullConnecting": { - "description": "Status label indicating connection in progress" - }, "recoverbullConnectingTor": "Conectando al servidor de claves a través de Tor.\nEsto puede tomar hasta un minuto.", - "@recoverbullConnectingTor": { - "description": "Message shown while establishing Tor connection" - }, "recoverbullConnectionFailed": "Conexión fallida", - "@recoverbullConnectionFailed": { - "description": "Status label indicating connection failure" - }, "recoverbullContinue": "Continuar", - "@recoverbullContinue": { - "description": "Button text to proceed to next step" - }, "recoverbullCreatingVault": "Creando Bóveda Cifrada", - "@recoverbullCreatingVault": { - "description": "Screen title while vault is being created" - }, "recoverbullDecryptVault": "Descifrar bóveda", - "@recoverbullDecryptVault": { - "description": "Button text to decrypt the selected vault" - }, "recoverbullEncryptedVaultCreated": "¡Bóveda Cifrada creada!", - "@recoverbullEncryptedVaultCreated": { - "description": "Success message title after vault creation" - }, "recoverbullEnterInput": "Ingrese su {inputType}", "@recoverbullEnterInput": { - "description": "Input field label prompting for PIN or password", "placeholders": { "inputType": { "type": "String" @@ -20108,7 +2618,6 @@ }, "recoverbullEnterToDecrypt": "Por favor ingrese su {inputType} para descifrar su bóveda.", "@recoverbullEnterToDecrypt": { - "description": "Instruction to enter PIN or password for vault decryption", "placeholders": { "inputType": { "type": "String" @@ -20117,7 +2626,6 @@ }, "recoverbullEnterToTest": "Por favor ingrese su {inputType} para probar su bóveda.", "@recoverbullEnterToTest": { - "description": "Instruction to enter PIN or password to test vault recovery", "placeholders": { "inputType": { "type": "String" @@ -20126,7 +2634,6 @@ }, "recoverbullEnterToView": "Por favor ingrese su {inputType} para ver su clave de bóveda.", "@recoverbullEnterToView": { - "description": "Instruction to enter PIN or password to view vault key", "placeholders": { "inputType": { "type": "String" @@ -20134,56 +2641,19 @@ } }, "recoverbullEnterVaultKeyInstead": "Ingresar una clave de bóveda en su lugar", - "@recoverbullEnterVaultKeyInstead": { - "description": "Button text to switch to manual vault key entry" - }, "recoverbullErrorCheckStatusFailed": "Error al verificar el estado de la bóveda", - "@recoverbullErrorCheckStatusFailed": { - "description": "Error message when vault status check fails" - }, "recoverbullErrorConnectionFailed": "Error al conectar con el servidor de claves de destino. ¡Por favor intente de nuevo más tarde!", - "@recoverbullErrorConnectionFailed": { - "description": "Error message when server connection fails" - }, "recoverbullErrorDecryptedVaultNotSet": "La bóveda descifrada no está configurada", - "@recoverbullErrorDecryptedVaultNotSet": { - "description": "Error when attempting operation without decrypted vault" - }, "recoverbullErrorDecryptFailed": "Error al descifrar la bóveda", - "@recoverbullErrorDecryptFailed": { - "description": "Error message when vault decryption fails" - }, "recoverbullErrorFetchKeyFailed": "Error al obtener la clave de bóveda del servidor", - "@recoverbullErrorFetchKeyFailed": { - "description": "Error message when server key fetch fails" - }, "recoverbullErrorInvalidCredentials": "Contraseña incorrecta para este archivo de respaldo", - "@recoverbullErrorInvalidCredentials": { - "description": "Error message when wrong password is entered for vault" - }, "recoverbullErrorInvalidFlow": "Flujo inválido", - "@recoverbullErrorInvalidFlow": { - "description": "Error message for invalid operation flow" - }, "recoverbullErrorMissingBytes": "Faltan bytes en la respuesta de Tor. Reintente, pero si el problema persiste, es un problema conocido para algunos dispositivos con Tor.", - "@recoverbullErrorMissingBytes": { - "description": "Error message when Tor response is incomplete" - }, "recoverbullErrorPasswordNotSet": "La contraseña no está configurada", - "@recoverbullErrorPasswordNotSet": { - "description": "Error when attempting operation without setting password" - }, "recoverbullErrorRecoveryFailed": "Error al recuperar la bóveda", - "@recoverbullErrorRecoveryFailed": { - "description": "Error message when vault recovery fails" - }, "recoverbullTorNotStarted": "Tor no está iniciado", - "@recoverbullTorNotStarted": { - "description": "Error message when Tor is not started" - }, "recoverbullErrorRateLimited": "Límite de solicitudes alcanzado. Por favor, inténtalo en {retryIn}", "@recoverbullErrorRateLimited": { - "description": "Error message when rate limited by the server", "placeholders": { "retryIn": { "type": "String" @@ -20191,60 +2661,20 @@ } }, "recoverbullErrorUnexpected": "Error inesperado, ver registros", - "@recoverbullErrorUnexpected": { - "description": "Error message for unexpected errors" - }, "recoverbullUnexpectedError": "Error inesperado", - "@recoverbullUnexpectedError": { - "description": "Short unexpected error message" - }, "recoverbullErrorSelectVault": "Error al seleccionar la bóveda", - "@recoverbullErrorSelectVault": { - "description": "Error message when vault selection fails" - }, "recoverbullErrorVaultCreatedKeyNotStored": "Error: Archivo de bóveda creado pero clave no almacenada en el servidor", - "@recoverbullErrorVaultCreatedKeyNotStored": { - "description": "Error when vault file created but server key storage failed" - }, "recoverbullErrorVaultCreationFailed": "Error al crear la bóveda, puede ser el archivo o la clave", - "@recoverbullErrorVaultCreationFailed": { - "description": "Error message when overall vault creation fails" - }, "recoverbullErrorVaultNotSet": "La bóveda no está configurada", - "@recoverbullErrorVaultNotSet": { - "description": "Error when attempting operation without selected vault" - }, "recoverbullFailed": "Fallido", - "@recoverbullFailed": { - "description": "Status label indicating operation failure" - }, "recoverbullFetchingVaultKey": "Obteniendo Clave de Bóveda", - "@recoverbullFetchingVaultKey": { - "description": "Screen title while fetching vault key from server" - }, "recoverbullFetchVaultKey": "Obtener Clave de Bóveda", - "@recoverbullFetchVaultKey": { - "description": "Screen title for vault key fetch screen" - }, "recoverbullGoBackEdit": "<< Volver y editar", - "@recoverbullGoBackEdit": { - "description": "Button text to return to previous screen for editing" - }, "recoverbullGotIt": "Entendido", - "@recoverbullGotIt": { - "description": "Button text to acknowledge and dismiss message" - }, "recoverbullKeyServer": "Servidor de Claves ", - "@recoverbullKeyServer": { - "description": "Label for key server connection status" - }, "recoverbullLookingForBalance": "Buscando saldo y transacciones…", - "@recoverbullLookingForBalance": { - "description": "Loading message while scanning wallet" - }, "recoverbullMemorizeWarning": "Debe memorizar este {inputType} para recuperar el acceso a su billetera. Debe tener al menos 6 dígitos. Si pierde este {inputType} no podrá recuperar su respaldo.", "@recoverbullMemorizeWarning": { - "description": "Warning message about memorizing PIN or password", "placeholders": { "inputType": { "type": "String" @@ -20252,36 +2682,14 @@ } }, "recoverbullPassword": "Contraseña", - "@recoverbullPassword": { - "description": "Label for password input type" - }, "recoverbullPasswordMismatch": "Las contraseñas no coinciden", - "@recoverbullPasswordMismatch": { - "description": "Validation error when passwords don't match" - }, "recoverbullPasswordRequired": "La contraseña es requerida", - "@recoverbullPasswordRequired": { - "description": "Validation error when password field is empty" - }, "recoverbullPasswordTooCommon": "Esta contraseña es muy común. Por favor elija una diferente", - "@recoverbullPasswordTooCommon": { - "description": "Validation error for commonly used passwords" - }, "recoverbullPasswordTooShort": "La contraseña debe tener al menos 6 caracteres", - "@recoverbullPasswordTooShort": { - "description": "Validation error for passwords under minimum length" - }, "recoverbullPIN": "PIN", - "@recoverbullPIN": { - "description": "Label for PIN input type" - }, "recoverbullPleaseWait": "Por favor espere mientras establecemos una conexión segura...", - "@recoverbullPleaseWait": { - "description": "Message shown during connection establishment" - }, "recoverbullReenterConfirm": "Por favor vuelva a ingresar su {inputType} para confirmar.", "@recoverbullReenterConfirm": { - "description": "Instruction to re-enter PIN or password for confirmation", "placeholders": { "inputType": { "type": "String" @@ -20290,7 +2698,6 @@ }, "recoverbullReenterRequired": "Vuelva a ingresar su {inputType}", "@recoverbullReenterRequired": { - "description": "Label for confirmation input field", "placeholders": { "inputType": { "type": "String" @@ -20298,160 +2705,45 @@ } }, "recoverbullGoogleDriveErrorDeleteFailed": "Error al eliminar el cofre de Google Drive", - "@recoverbullGoogleDriveErrorDeleteFailed": { - "description": "Error message when deleting a drive backup fails" - }, "recoverbullGoogleDriveErrorExportFailed": "Error al exportar el cofre de Google Drive", - "@recoverbullGoogleDriveErrorExportFailed": { - "description": "Error message when exporting a drive backup fails" - }, "recoverbullGoogleDriveErrorFetchFailed": "Error al obtener los cofres de Google Drive", - "@recoverbullGoogleDriveErrorFetchFailed": { - "description": "Error message when fetching drive backups fails" - }, "recoverbullGoogleDriveErrorGeneric": "Se produjo un error. Por favor, inténtelo de nuevo.", - "@recoverbullGoogleDriveErrorGeneric": { - "description": "Generic error message for unknown errors" - }, "recoverbullGoogleDriveErrorSelectFailed": "Error al seleccionar el cofre de Google Drive", - "@recoverbullGoogleDriveErrorSelectFailed": { - "description": "Error message when selecting/loading a drive backup fails" - }, "recoverbullGoogleDriveExportButton": "Exportar", - "@recoverbullGoogleDriveExportButton": { - "description": "Export button text for vault backup" - }, "recoverbullGoogleDriveNoBackupsFound": "No se encontraron copias de seguridad", - "@recoverbullGoogleDriveNoBackupsFound": { - "description": "Message displayed when no backups are found in Google Drive" - }, "recoverbullGoogleDriveScreenTitle": "Cofres de Google Drive", - "@recoverbullGoogleDriveScreenTitle": { - "description": "Screen title for Google Drive vaults management" - }, "recoverbullRecoverBullServer": "Servidor RecoverBull", - "@recoverbullRecoverBullServer": { - "description": "Label for RecoverBull server connection status" - }, "recoverbullRetry": "Reintentar", - "@recoverbullRetry": { - "description": "Button text to retry failed operation" - }, "recoverbullSecureBackup": "Asegure su respaldo", - "@recoverbullSecureBackup": { - "description": "Screen title for backup security setup" - }, "recoverbullSeeMoreVaults": "Ver más bóvedas", - "@recoverbullSeeMoreVaults": { - "description": "Button text to view additional vault options" - }, "recoverbullSelectRecoverWallet": "Recuperar Billetera", - "@recoverbullSelectRecoverWallet": { - "description": "AppBar title for initial provider selection screen" - }, "recoverbullSelectVaultSelected": "Bóveda Seleccionada", - "@recoverbullSelectVaultSelected": { - "description": "AppBar title shown after vault has been selected" - }, "recoverbullSelectCustomLocation": "Ubicación Personalizada", - "@recoverbullSelectCustomLocation": { - "description": "AppBar title for custom location file picker screen" - }, "recoverbullSelectDriveBackups": "Respaldos de Drive", - "@recoverbullSelectDriveBackups": { - "description": "AppBar title for screen showing list of Google Drive backups" - }, "recoverbullSelectGoogleDrive": "Google Drive", - "@recoverbullSelectGoogleDrive": { - "description": "Name label for Google Drive backup provider option" - }, "recoverbullSelectAppleIcloud": "Apple iCloud", - "@recoverbullSelectAppleIcloud": { - "description": "Name label for Apple iCloud backup provider option" - }, "recoverbullSelectCustomLocationProvider": "Ubicación personalizada", - "@recoverbullSelectCustomLocationProvider": { - "description": "Name label for custom location backup provider option" - }, "recoverbullSelectQuickAndEasy": "Rápido y fácil", - "@recoverbullSelectQuickAndEasy": { - "description": "Description tag for Google Drive and iCloud provider options" - }, "recoverbullSelectTakeYourTime": "Tómese su tiempo", - "@recoverbullSelectTakeYourTime": { - "description": "Description tag for custom location provider option" - }, "recoverbullSelectVaultImportSuccess": "Su bóveda se importó exitosamente", - "@recoverbullSelectVaultImportSuccess": { - "description": "Success message shown on vault selected page" - }, "recoverbullSelectEnterBackupKeyManually": "Ingresar clave de respaldo manualmente >>", - "@recoverbullSelectEnterBackupKeyManually": { - "description": "Button text to manually enter backup key" - }, "recoverbullSelectDecryptVault": "Descifrar bóveda", - "@recoverbullSelectDecryptVault": { - "description": "Primary button text to proceed with vault decryption" - }, "recoverbullSelectNoBackupsFound": "No se encontraron respaldos", - "@recoverbullSelectNoBackupsFound": { - "description": "Empty state message when no backup files found in Google Drive" - }, "recoverbullSelectErrorPrefix": "Error:", - "@recoverbullSelectErrorPrefix": { - "description": "Prefix text shown before error messages" - }, "recoverbullSelectFetchDriveFilesError": "Error al obtener todos los respaldos de Drive", - "@recoverbullSelectFetchDriveFilesError": { - "description": "Error when unable to retrieve backup list from Google Drive" - }, "recoverbullSelectFileNotSelectedError": "Archivo no seleccionado", - "@recoverbullSelectFileNotSelectedError": { - "description": "Error when user cancels file selection" - }, "recoverbullSelectCustomLocationError": "Error al seleccionar archivo desde ubicación personalizada", - "@recoverbullSelectCustomLocationError": { - "description": "Error when file selection from custom location fails" - }, "recoverbullSelectBackupFileNotValidError": "El archivo de respaldo de RecoverBull no es válido", - "@recoverbullSelectBackupFileNotValidError": { - "description": "Error when selected file is not a valid RecoverBull backup format" - }, "recoverbullSelectVaultProvider": "Seleccionar Proveedor de Bóveda", - "@recoverbullSelectVaultProvider": { - "description": "Screen title for vault provider selection" - }, "recoverbullSwitchToPassword": "Elegir una contraseña en su lugar", - "@recoverbullSwitchToPassword": { - "description": "Button text to switch from PIN to password input" - }, "recoverbullSwitchToPIN": "Elegir un PIN en su lugar", - "@recoverbullSwitchToPIN": { - "description": "Button text to switch from password to PIN input" - }, "recoverbullTestBackupDescription": "Ahora probemos su respaldo para asegurarnos de que todo se hizo correctamente.", - "@recoverbullTestBackupDescription": { - "description": "Description message before testing backup" - }, "recoverbullTestCompletedTitle": "¡Prueba completada con éxito!", - "@recoverbullTestCompletedTitle": { - "description": "Success title after completing backup test" - }, "recoverbullTestRecovery": "Probar Recuperación", - "@recoverbullTestRecovery": { - "description": "Button text to initiate recovery test" - }, "recoverbullTestSuccessDescription": "Puede recuperar el acceso a una billetera Bitcoin perdida", - "@recoverbullTestSuccessDescription": { - "description": "Description shown after successful recovery test" - }, "recoverbullTorNetwork": "Red Tor", - "@recoverbullTorNetwork": { - "description": "Label for Tor network connection status" - }, "recoverbullTransactions": "Transacciones: {count}", "@recoverbullTransactions": { - "description": "Label showing transaction count during vault recovery", "placeholders": { "count": { "type": "int" @@ -20459,44 +2751,16 @@ } }, "recoverbullVaultCreatedSuccess": "Bóveda creada con éxito", - "@recoverbullVaultCreatedSuccess": { - "description": "Success message after vault creation" - }, "recoverbullVaultImportedSuccess": "Su bóveda se importó exitosamente", - "@recoverbullVaultImportedSuccess": { - "description": "Success message after vault import" - }, "recoverbullVaultKey": "Clave de Bóveda", - "@recoverbullVaultKey": { - "description": "Screen title and label for vault key" - }, "recoverbullVaultKeyInput": "Clave de Bóveda", - "@recoverbullVaultKeyInput": { - "description": "Input field label for vault key entry" - }, "recoverbullVaultRecovery": "Recuperación de Bóveda", - "@recoverbullVaultRecovery": { - "description": "Screen title for vault recovery process" - }, "recoverbullVaultSelected": "Bóveda Seleccionada", - "@recoverbullVaultSelected": { - "description": "Screen title after vault has been selected" - }, "recoverbullWaiting": "Esperando", - "@recoverbullWaiting": { - "description": "Status label indicating waiting state" - }, "recoverbullRecoveryTitle": "Recuperación de bóveda RecoverBull", - "@recoverbullRecoveryTitle": { - "description": "AppBar title for vault recovery screen" - }, "recoverbullRecoveryLoadingMessage": "Buscando saldo y transacciones…", - "@recoverbullRecoveryLoadingMessage": { - "description": "Loading message while checking wallet balance and transactions" - }, "recoverbullRecoveryBalanceLabel": "Saldo: {amount}", "@recoverbullRecoveryBalanceLabel": { - "description": "Label showing total wallet balance found", "placeholders": { "amount": { "type": "String" @@ -20505,7 +2769,6 @@ }, "recoverbullRecoveryTransactionsLabel": "Transacciones: {count}", "@recoverbullRecoveryTransactionsLabel": { - "description": "Label showing total number of transactions found", "placeholders": { "count": { "type": "int" @@ -20513,52 +2776,18 @@ } }, "recoverbullRecoveryContinueButton": "Continuar", - "@recoverbullRecoveryContinueButton": { - "description": "Button text to proceed with importing the wallet" - }, "recoverbullRecoveryErrorWalletExists": "Esta billetera ya existe.", - "@recoverbullRecoveryErrorWalletExists": { - "description": "Error when attempting to restore vault that already exists" - }, "recoverbullRecoveryErrorWalletMismatch": "Ya existe una billetera predeterminada diferente. Solo puede tener una billetera predeterminada.", - "@recoverbullRecoveryErrorWalletMismatch": { - "description": "Error when different default wallet already exists" - }, "recoverbullRecoveryErrorKeyDerivationFailed": "Error en la derivación de la clave de respaldo local.", - "@recoverbullRecoveryErrorKeyDerivationFailed": { - "description": "Error when app fails to derive backup encryption key" - }, "recoverbullRecoveryErrorVaultCorrupted": "El archivo de respaldo seleccionado está corrupto.", - "@recoverbullRecoveryErrorVaultCorrupted": { - "description": "Error when vault backup file cannot be decrypted or is invalid" - }, "recoverbullRecoveryErrorMissingDerivationPath": "Ruta de derivación faltante en el archivo de respaldo.", - "@recoverbullRecoveryErrorMissingDerivationPath": { - "description": "Error when vault backup file is missing required derivation path" - }, "rbfTitle": "Reemplazar por tarifa", - "@rbfTitle": { - "description": "AppBar title for Replace-By-Fee screen" - }, "rbfOriginalTransaction": "Transacción original", - "@rbfOriginalTransaction": { - "description": "Header label for original transaction details" - }, "rbfBroadcast": "Transmitir", - "@rbfBroadcast": { - "description": "Button text to broadcast the bumped transaction" - }, "rbfFastest": "Más rápida", - "@rbfFastest": { - "description": "Label for fastest fee option" - }, "rbfEstimatedDelivery": "Entrega estimada ~ 10 minutos", - "@rbfEstimatedDelivery": { - "description": "Estimated confirmation time for fastest fee" - }, "rbfFeeRate": "Tarifa: {rate} sat/vbyte", "@rbfFeeRate": { - "description": "Label showing fee rate", "placeholders": { "rate": { "type": "String" @@ -20566,52 +2795,18 @@ } }, "rbfCustomFee": "Tarifa Personalizada", - "@rbfCustomFee": { - "description": "Label for custom fee option" - }, "rbfSatsPerVbyte": "sats/vB", - "@rbfSatsPerVbyte": { - "description": "Unit label for fee rate input" - }, "rbfErrorNoFeeRate": "Por favor seleccione una tarifa", - "@rbfErrorNoFeeRate": { - "description": "Error when no fee rate is selected" - }, "rbfErrorAlreadyConfirmed": "La transacción original ha sido confirmada", - "@rbfErrorAlreadyConfirmed": { - "description": "Error when trying to RBF a confirmed transaction" - }, "rbfErrorFeeTooLow": "Debe aumentar la tarifa en al menos 1 sat/vbyte comparado con la transacción original", - "@rbfErrorFeeTooLow": { - "description": "Error when new fee rate is not high enough" - }, "psbtSignTransaction": "Firmar transacción", - "@psbtSignTransaction": { - "description": "AppBar title for PSBT signing screen" - }, "psbtInstructions": "Instrucciones", - "@psbtInstructions": { - "description": "Button text to show device-specific signing instructions" - }, "psbtImDone": "He terminado", - "@psbtImDone": { - "description": "Button text to proceed after signing transaction on hardware device" - }, "psbtFlowSignTransaction": "Firmar transacción", - "@psbtFlowSignTransaction": { - "description": "Title for psbt flow signing screen" - }, "psbtFlowInstructions": "Instrucciones", - "@psbtFlowInstructions": { - "description": "Instructions section header in psbt flow" - }, "psbtFlowDone": "He terminado", - "@psbtFlowDone": { - "description": "Button to complete psbt flow signing process" - }, "psbtFlowError": "Error: {error}", "@psbtFlowError": { - "description": "Error message in psbt flow", "placeholders": { "error": { "type": "String" @@ -20619,12 +2814,8 @@ } }, "psbtFlowNoPartsToDisplay": "No hay partes para mostrar", - "@psbtFlowNoPartsToDisplay": { - "description": "Message when there are no QR code parts to show" - }, "psbtFlowPartProgress": "Parte {current} de {total}", "@psbtFlowPartProgress": { - "description": "Progress indicator for animated QR code parts", "placeholders": { "current": { "type": "String" @@ -20635,36 +2826,14 @@ } }, "psbtFlowKruxTitle": "Instrucciones de Krux", - "@psbtFlowKruxTitle": { - "description": "Title for Krux device signing instructions" - }, "psbtFlowKeystoneTitle": "Instrucciones de Keystone", - "@psbtFlowKeystoneTitle": { - "description": "Title for Keystone device signing instructions" - }, "psbtFlowPassportTitle": "Instrucciones de Foundation Passport", - "@psbtFlowPassportTitle": { - "description": "Title for Foundation Passport device signing instructions" - }, "psbtFlowSeedSignerTitle": "Instrucciones de SeedSigner", - "@psbtFlowSeedSignerTitle": { - "description": "Title for SeedSigner device signing instructions" - }, "psbtFlowSpecterTitle": "Instrucciones de Specter", - "@psbtFlowSpecterTitle": { - "description": "Title for Specter device signing instructions" - }, "psbtFlowColdcardTitle": "Instrucciones de Coldcard Q", - "@psbtFlowColdcardTitle": { - "description": "Title for Coldcard Q device signing instructions" - }, "psbtFlowJadeTitle": "Instrucciones PSBT de Blockstream Jade", - "@psbtFlowJadeTitle": { - "description": "Title for Blockstream Jade PSBT signing instructions" - }, "psbtFlowLoginToDevice": "Inicie sesión en su dispositivo {device}", "@psbtFlowLoginToDevice": { - "description": "Instruction to login to hardware device", "placeholders": { "device": { "type": "String" @@ -20673,7 +2842,6 @@ }, "psbtFlowTurnOnDevice": "Encienda su dispositivo {device}", "@psbtFlowTurnOnDevice": { - "description": "Instruction to power on hardware device", "placeholders": { "device": { "type": "String" @@ -20681,68 +2849,22 @@ } }, "psbtFlowAddPassphrase": "Agregue una frase de contraseña si tiene una (opcional)", - "@psbtFlowAddPassphrase": { - "description": "Optional instruction to add BIP39 passphrase" - }, "psbtFlowClickScan": "Haga clic en Escanear", - "@psbtFlowClickScan": { - "description": "Instruction to click scan button on device" - }, "psbtFlowClickSign": "Haga clic en Firmar", - "@psbtFlowClickSign": { - "description": "Instruction to click sign button on device" - }, "psbtFlowClickPsbt": "Haga clic en PSBT", - "@psbtFlowClickPsbt": { - "description": "Instruction to click PSBT option on device" - }, "psbtFlowLoadFromCamera": "Haga clic en Cargar desde la cámara", - "@psbtFlowLoadFromCamera": { - "description": "Instruction to select camera load option on device" - }, "psbtFlowScanQrOption": "Seleccione la opción \"Escanear QR\"", - "@psbtFlowScanQrOption": { - "description": "Instruction to select scan QR menu option" - }, "psbtFlowScanAnyQr": "Seleccione la opción \"Escanear cualquier código QR\"", - "@psbtFlowScanAnyQr": { - "description": "Instruction to select scan any QR code option" - }, "psbtFlowSignWithQr": "Haga clic en Firmar con código QR", - "@psbtFlowSignWithQr": { - "description": "Instruction to select QR code signing method" - }, "psbtFlowScanQrShown": "Escanee el código QR que se muestra en la billetera Bull", - "@psbtFlowScanQrShown": { - "description": "Instruction to scan QR code displayed in app" - }, "psbtFlowTroubleScanningTitle": "Si tiene problemas para escanear:", - "@psbtFlowTroubleScanningTitle": { - "description": "Header for troubleshooting scanning issues" - }, "psbtFlowIncreaseBrightness": "Aumente el brillo de la pantalla en su dispositivo", - "@psbtFlowIncreaseBrightness": { - "description": "Troubleshooting tip to increase brightness" - }, "psbtFlowMoveLaser": "Mueva el láser rojo hacia arriba y abajo sobre el código QR", - "@psbtFlowMoveLaser": { - "description": "Troubleshooting tip for devices with laser scanners" - }, "psbtFlowMoveBack": "Intente alejar un poco su dispositivo", - "@psbtFlowMoveBack": { - "description": "Troubleshooting tip to adjust scanning distance" - }, "psbtFlowHoldSteady": "Mantenga el código QR estable y centrado", - "@psbtFlowHoldSteady": { - "description": "Troubleshooting tip to hold QR code still" - }, "psbtFlowMoveCloserFurther": "Intente acercar o alejar más su dispositivo", - "@psbtFlowMoveCloserFurther": { - "description": "Troubleshooting tip to adjust distance" - }, "psbtFlowReviewTransaction": "Una vez que la transacción se importe en su {device}, revise la dirección de destino y el monto.", "@psbtFlowReviewTransaction": { - "description": "Instruction to review transaction details on device", "placeholders": { "device": { "type": "String" @@ -20751,7 +2873,6 @@ }, "psbtFlowSelectSeed": "Una vez que la transacción se importe en su {device}, debe seleccionar la semilla con la que desea firmar.", "@psbtFlowSelectSeed": { - "description": "Instruction to select seed on device for signing", "placeholders": { "device": { "type": "String" @@ -20760,7 +2881,6 @@ }, "psbtFlowSignTransactionOnDevice": "Haga clic en los botones para firmar la transacción en su {device}.", "@psbtFlowSignTransactionOnDevice": { - "description": "Instruction to sign transaction on hardware device", "placeholders": { "device": { "type": "String" @@ -20769,7 +2889,6 @@ }, "psbtFlowDeviceShowsQr": "El {device} le mostrará entonces su propio código QR.", "@psbtFlowDeviceShowsQr": { - "description": "Information that device will display QR code after signing", "placeholders": { "device": { "type": "String" @@ -20777,12 +2896,8 @@ } }, "psbtFlowClickDone": "Haga clic en \"He terminado\" en la billetera Bull Bitcoin.", - "@psbtFlowClickDone": { - "description": "Instruction to click done button in app" - }, "psbtFlowScanDeviceQr": "La billetera Bull Bitcoin le pedirá que escanee el código QR en el {device}. Escanéelo.", "@psbtFlowScanDeviceQr": { - "description": "Instruction to scan QR code from hardware device", "placeholders": { "device": { "type": "String" @@ -20790,556 +2905,144 @@ } }, "psbtFlowTransactionImported": "La transacción se importará en la billetera Bull Bitcoin.", - "@psbtFlowTransactionImported": { - "description": "Confirmation that transaction was imported successfully" - }, "psbtFlowReadyToBroadcast": "¡Ahora está lista para transmitir! Tan pronto como haga clic en transmitir, la transacción se publicará en la red Bitcoin y se enviarán los fondos.", - "@psbtFlowReadyToBroadcast": { - "description": "Final message that transaction is ready to broadcast" - }, "hwConnectTitle": "Conectar Billetera de Hardware", - "@hwConnectTitle": { - "description": "AppBar title for hardware wallet selection screen" - }, "hwChooseDevice": "Elija la billetera de hardware que desea conectar", - "@hwChooseDevice": { - "description": "Instruction text for hardware wallet selection" - }, "hwColdcardQ": "Coldcard Q", - "@hwColdcardQ": { - "description": "Name of Coldcard Q hardware wallet" - }, "hwLedger": "Ledger", - "@hwLedger": { - "description": "Name of Ledger hardware wallet" - }, "hwJade": "Blockstream Jade", - "@hwJade": { - "description": "Name of Blockstream Jade hardware wallet" - }, "hwKeystone": "Keystone", - "@hwKeystone": { - "description": "Name of Keystone hardware wallet" - }, "hwKrux": "Krux", - "@hwKrux": { - "description": "Name of Krux hardware wallet" - }, "hwPassport": "Foundation Passport", - "@hwPassport": { - "description": "Name of Foundation Passport hardware wallet" - }, "hwSeedSigner": "SeedSigner", - "@hwSeedSigner": { - "description": "Name of SeedSigner hardware wallet" - }, "kruxInstructionsTitle": "Instrucciones Krux", - "@kruxInstructionsTitle": { - "description": "Title for Krux signing instructions modal" - }, "kruxStep1": "Inicie sesión en su dispositivo Krux", - "@kruxStep1": { - "description": "Krux instruction step 1" - }, "kruxStep2": "Haga clic en Firmar", - "@kruxStep2": { - "description": "Krux instruction step 2" - }, "kruxStep3": "Haga clic en PSBT", - "@kruxStep3": { - "description": "Krux instruction step 3" - }, "kruxStep4": "Haga clic en Cargar desde cámara", - "@kruxStep4": { - "description": "Krux instruction step 4" - }, "kruxStep5": "Escanee el código QR mostrado en la billetera Bull", - "@kruxStep5": { - "description": "Krux instruction step 5" - }, "kruxStep6": "Si tiene problemas para escanear:", - "@kruxStep6": { - "description": "Krux troubleshooting header" - }, "kruxStep7": " - Aumente el brillo de la pantalla en su dispositivo", - "@kruxStep7": { - "description": "Krux troubleshooting tip 1" - }, "kruxStep8": " - Mueva el láser rojo arriba y abajo sobre el código QR", - "@kruxStep8": { - "description": "Krux troubleshooting tip 2" - }, "kruxStep9": " - Intente alejar un poco su dispositivo", - "@kruxStep9": { - "description": "Krux troubleshooting tip 3" - }, "kruxStep10": "Una vez que la transacción se importe en su Krux, revise la dirección de destino y el monto.", - "@kruxStep10": { - "description": "Krux instruction for reviewing transaction" - }, "kruxStep11": "Haga clic en los botones para firmar la transacción en su Krux.", - "@kruxStep11": { - "description": "Krux instruction for signing" - }, "kruxStep12": "El Krux entonces mostrará su propio código QR.", - "@kruxStep12": { - "description": "Krux instruction about signed PSBT QR" - }, "kruxStep13": "Haga clic en \"He terminado\" en la billetera Bull Bitcoin.", - "@kruxStep13": { - "description": "Krux instruction to return to app" - }, "kruxStep14": "La billetera Bull Bitcoin le pedirá que escanee el código QR en el Krux. Escanéelo.", - "@kruxStep14": { - "description": "Krux instruction for scanning signed PSBT" - }, "kruxStep15": "La transacción se importará en la billetera Bull Bitcoin.", - "@kruxStep15": { - "description": "Krux instruction about import completion" - }, "kruxStep16": "¡Ahora está lista para transmitir! Tan pronto como haga clic en transmitir, la transacción se publicará en la red Bitcoin y los fondos serán enviados.", - "@kruxStep16": { - "description": "Krux final instruction about broadcasting" - }, "keystoneInstructionsTitle": "Instrucciones Keystone", - "@keystoneInstructionsTitle": { - "description": "Title for Keystone signing instructions modal" - }, "keystoneStep1": "Inicie sesión en su dispositivo Keystone", - "@keystoneStep1": { - "description": "Keystone instruction step 1" - }, "keystoneStep2": "Haga clic en Escanear", - "@keystoneStep2": { - "description": "Keystone instruction step 2" - }, "keystoneStep3": "Escanee el código QR mostrado en la billetera Bull", - "@keystoneStep3": { - "description": "Keystone instruction step 3" - }, "keystoneStep4": "Si tiene problemas para escanear:", - "@keystoneStep4": { - "description": "Keystone troubleshooting header" - }, "keystoneStep5": " - Aumente el brillo de la pantalla en su dispositivo", - "@keystoneStep5": { - "description": "Keystone troubleshooting tip 1" - }, "keystoneStep6": " - Mueva el láser rojo arriba y abajo sobre el código QR", - "@keystoneStep6": { - "description": "Keystone troubleshooting tip 2" - }, "keystoneStep7": " - Intente alejar un poco su dispositivo", - "@keystoneStep7": { - "description": "Keystone troubleshooting tip 3" - }, "keystoneStep8": "Una vez que la transacción se importe en su Keystone, revise la dirección de destino y el monto.", - "@keystoneStep8": { - "description": "Keystone instruction for reviewing transaction" - }, "keystoneStep9": "Haga clic en los botones para firmar la transacción en su Keystone.", - "@keystoneStep9": { - "description": "Keystone instruction for signing" - }, "keystoneStep10": "El Keystone entonces mostrará su propio código QR.", - "@keystoneStep10": { - "description": "Keystone instruction about signed PSBT QR" - }, "keystoneStep11": "Haga clic en \"He terminado\" en la billetera Bull Bitcoin.", - "@keystoneStep11": { - "description": "Keystone instruction to return to app" - }, "keystoneStep12": "La billetera Bull Bitcoin le pedirá que escanee el código QR en el Keystone. Escanéelo.", - "@keystoneStep12": { - "description": "Keystone instruction for scanning signed PSBT" - }, "keystoneStep13": "La transacción se importará en la billetera Bull Bitcoin.", - "@keystoneStep13": { - "description": "Keystone instruction about import completion" - }, "keystoneStep14": "¡Ahora está lista para transmitir! Tan pronto como haga clic en transmitir, la transacción se publicará en la red Bitcoin y los fondos serán enviados.", - "@keystoneStep14": { - "description": "Keystone final instruction about broadcasting" - }, "passportInstructionsTitle": "Instrucciones Foundation Passport", - "@passportInstructionsTitle": { - "description": "Title for Passport signing instructions modal" - }, "passportStep1": "Inicie sesión en su dispositivo Passport", - "@passportStep1": { - "description": "Passport instruction step 1" - }, "passportStep2": "Haga clic en Firmar con Código QR", - "@passportStep2": { - "description": "Passport instruction step 2" - }, "passportStep3": "Escanee el código QR mostrado en la billetera Bull", - "@passportStep3": { - "description": "Passport instruction step 3" - }, "passportStep4": "Si tiene problemas para escanear:", - "@passportStep4": { - "description": "Passport troubleshooting header" - }, "passportStep5": " - Aumente el brillo de la pantalla en su dispositivo", - "@passportStep5": { - "description": "Passport troubleshooting tip 1" - }, "passportStep6": " - Mueva el láser rojo arriba y abajo sobre el código QR", - "@passportStep6": { - "description": "Passport troubleshooting tip 2" - }, "passportStep7": " - Intente alejar un poco su dispositivo", - "@passportStep7": { - "description": "Passport troubleshooting tip 3" - }, "passportStep8": "Una vez que la transacción se importe en su Passport, revise la dirección de destino y el monto.", - "@passportStep8": { - "description": "Passport instruction for reviewing transaction" - }, "passportStep9": "Haga clic en los botones para firmar la transacción en su Passport.", - "@passportStep9": { - "description": "Passport instruction for signing" - }, "passportStep10": "El Passport entonces mostrará su propio código QR.", - "@passportStep10": { - "description": "Passport instruction about signed PSBT QR" - }, "passportStep11": "Haga clic en \"He terminado\" en la billetera Bull Bitcoin.", - "@passportStep11": { - "description": "Passport instruction to return to app" - }, "passportStep12": "La billetera Bull Bitcoin le pedirá que escanee el código QR en el Passport. Escanéelo.", - "@passportStep12": { - "description": "Passport instruction for scanning signed PSBT" - }, "passportStep13": "La transacción se importará en la billetera Bull Bitcoin.", - "@passportStep13": { - "description": "Passport instruction about import completion" - }, "passportStep14": "¡Ahora está lista para transmitir! Tan pronto como haga clic en transmitir, la transacción se publicará en la red Bitcoin y los fondos serán enviados.", - "@passportStep14": { - "description": "Passport final instruction about broadcasting" - }, "seedsignerInstructionsTitle": "Instrucciones SeedSigner", - "@seedsignerInstructionsTitle": { - "description": "Title for SeedSigner signing instructions modal" - }, "seedsignerStep1": "Encienda su dispositivo SeedSigner", - "@seedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, "seedsignerStep2": "Haga clic en Escanear", - "@seedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, "seedsignerStep3": "Escanee el código QR mostrado en la billetera Bull", - "@seedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, "seedsignerStep4": "Si tiene problemas para escanear:", - "@seedsignerStep4": { - "description": "SeedSigner troubleshooting header" - }, "seedsignerStep5": " - Aumente el brillo de la pantalla en su dispositivo", - "@seedsignerStep5": { - "description": "SeedSigner troubleshooting tip 1" - }, "seedsignerStep6": " - Mueva el láser rojo arriba y abajo sobre el código QR", - "@seedsignerStep6": { - "description": "SeedSigner troubleshooting tip 2" - }, "seedsignerStep7": " - Intente alejar un poco su dispositivo", - "@seedsignerStep7": { - "description": "SeedSigner troubleshooting tip 3" - }, "seedsignerStep8": "Una vez que la transacción se importe en su SeedSigner, debe seleccionar la semilla con la que desea firmar.", - "@seedsignerStep8": { - "description": "SeedSigner instruction for seed selection" - }, "seedsignerStep9": "Revise la dirección de destino y el monto, y confirme la firma en su SeedSigner.", - "@seedsignerStep9": { - "description": "SeedSigner instruction for reviewing and signing" - }, "seedsignerStep10": "El SeedSigner entonces mostrará su propio código QR.", - "@seedsignerStep10": { - "description": "SeedSigner instruction about signed PSBT QR" - }, "seedsignerStep11": "Haga clic en \"He terminado\" en la billetera Bull Bitcoin.", - "@seedsignerStep11": { - "description": "SeedSigner instruction to return to app" - }, "seedsignerStep12": "La billetera Bull Bitcoin le pedirá que escanee el código QR en el SeedSigner. Escanéelo.", - "@seedsignerStep12": { - "description": "SeedSigner instruction for scanning signed PSBT" - }, "seedsignerStep13": "La transacción se importará en la billetera Bull Bitcoin.", - "@seedsignerStep13": { - "description": "SeedSigner instruction about import completion" - }, "seedsignerStep14": "¡Ahora está lista para transmitir! Tan pronto como haga clic en transmitir, la transacción se publicará en la red Bitcoin y los fondos serán enviados.", - "@seedsignerStep14": { - "description": "SeedSigner final instruction about broadcasting" - }, "connectHardwareWalletTitle": "Conectar billetera de hardware", - "@connectHardwareWalletTitle": { - "description": "Title for connect hardware wallet page" - }, "connectHardwareWalletDescription": "Elija la billetera de hardware que desea conectar", - "@connectHardwareWalletDescription": { - "description": "Description text on connect hardware wallet page" - }, "connectHardwareWalletColdcardQ": "Coldcard Q", - "@connectHardwareWalletColdcardQ": { - "description": "Coldcard Q hardware wallet option" - }, "connectHardwareWalletLedger": "Ledger", - "@connectHardwareWalletLedger": { - "description": "Ledger hardware wallet option" - }, "connectHardwareWalletJade": "Blockstream Jade", - "@connectHardwareWalletJade": { - "description": "Blockstream Jade hardware wallet option" - }, "connectHardwareWalletKeystone": "Keystone", - "@connectHardwareWalletKeystone": { - "description": "Keystone hardware wallet option" - }, "connectHardwareWalletKrux": "Krux", - "@connectHardwareWalletKrux": { - "description": "Krux hardware wallet option" - }, "connectHardwareWalletPassport": "Foundation Passport", - "@connectHardwareWalletPassport": { - "description": "Foundation Passport hardware wallet option" - }, "connectHardwareWalletSeedSigner": "SeedSigner", - "@connectHardwareWalletSeedSigner": { - "description": "SeedSigner hardware wallet option" - }, "coldcardInstructionsTitle": "Instrucciones Coldcard Q", - "@coldcardInstructionsTitle": { - "description": "Title for Coldcard Q signing instructions modal" - }, "coldcardStep1": "Inicie sesión en su dispositivo Coldcard Q", - "@coldcardStep1": { - "description": "Coldcard instruction step 1" - }, "coldcardStep2": "Agregue una frase de contraseña si tiene una (opcional)", - "@coldcardStep2": { - "description": "Coldcard instruction step 2" - }, "coldcardStep3": "Seleccione la opción \"Escanear cualquier código QR\"", - "@coldcardStep3": { - "description": "Coldcard instruction step 3" - }, "coldcardStep4": "Escanee el código QR mostrado en la billetera Bull", - "@coldcardStep4": { - "description": "Coldcard instruction step 4" - }, "coldcardStep5": "Si tiene problemas para escanear:", - "@coldcardStep5": { - "description": "Coldcard troubleshooting header" - }, "coldcardStep6": " - Aumente el brillo de la pantalla en su dispositivo", - "@coldcardStep6": { - "description": "Coldcard troubleshooting tip 1" - }, "coldcardStep7": " - Mueva el láser rojo arriba y abajo sobre el código QR", - "@coldcardStep7": { - "description": "Coldcard troubleshooting tip 2" - }, "coldcardStep8": " - Intente alejar un poco su dispositivo", - "@coldcardStep8": { - "description": "Coldcard troubleshooting tip 3" - }, "coldcardStep9": "Una vez que la transacción se importe en su Coldcard, revise la dirección de destino y el monto.", - "@coldcardStep9": { - "description": "Coldcard instruction for reviewing transaction" - }, "coldcardStep10": "Haga clic en los botones para firmar la transacción en su Coldcard.", - "@coldcardStep10": { - "description": "Coldcard instruction for signing" - }, "coldcardStep11": "El Coldcard Q entonces mostrará su propio código QR.", - "@coldcardStep11": { - "description": "Coldcard instruction about signed PSBT QR" - }, "coldcardStep12": "Haga clic en \"He terminado\" en la billetera Bull Bitcoin.", - "@coldcardStep12": { - "description": "Coldcard instruction to return to app" - }, "coldcardStep13": "La billetera Bull Bitcoin le pedirá que escanee el código QR en el Coldcard. Escanéelo.", - "@coldcardStep13": { - "description": "Coldcard instruction for scanning signed PSBT" - }, "coldcardStep14": "La transacción se importará en la billetera Bull Bitcoin.", - "@coldcardStep14": { - "description": "Coldcard instruction about import completion" - }, "coldcardStep15": "¡Ahora está lista para transmitir! Tan pronto como haga clic en transmitir, la transacción se publicará en la red Bitcoin y los fondos serán enviados.", - "@coldcardStep15": { - "description": "Coldcard final instruction about broadcasting" - }, "jadeInstructionsTitle": "Instrucciones PSBT Blockstream Jade", - "@jadeInstructionsTitle": { - "description": "Title for Jade signing instructions modal" - }, "jadeStep1": "Inicie sesión en su dispositivo Jade", - "@jadeStep1": { - "description": "Jade instruction step 1" - }, "jadeStep2": "Agregue una frase de contraseña si tiene una (opcional)", - "@jadeStep2": { - "description": "Jade instruction step 2" - }, "jadeStep3": "Seleccione la opción \"Escanear QR\"", - "@jadeStep3": { - "description": "Jade instruction step 3" - }, "jadeStep4": "Escanee el código QR mostrado en la billetera Bull", - "@jadeStep4": { - "description": "Jade instruction step 4" - }, "jadeStep5": "Si tiene problemas para escanear:", - "@jadeStep5": { - "description": "Jade troubleshooting header" - }, "jadeStep6": " - Aumente el brillo de la pantalla en su dispositivo", - "@jadeStep6": { - "description": "Jade troubleshooting tip 1" - }, "jadeStep7": " - Mantenga el código QR estable y centrado", - "@jadeStep7": { - "description": "Jade troubleshooting tip 2" - }, "jadeStep8": " - Intente acercar o alejar su dispositivo", - "@jadeStep8": { - "description": "Jade troubleshooting tip 3" - }, "jadeStep9": "Una vez que la transacción se importe en su Jade, revise la dirección de destino y el monto.", - "@jadeStep9": { - "description": "Jade instruction for reviewing transaction" - }, "jadeStep10": "Haga clic en los botones para firmar la transacción en su Jade.", - "@jadeStep10": { - "description": "Jade instruction for signing" - }, "jadeStep11": "El Jade entonces mostrará su propio código QR.", - "@jadeStep11": { - "description": "Jade instruction about signed PSBT QR" - }, "jadeStep12": "Haga clic en \"He terminado\" en la billetera Bull Bitcoin.", - "@jadeStep12": { - "description": "Jade instruction to return to app" - }, "jadeStep13": "La billetera Bull Bitcoin le pedirá que escanee el código QR en el Jade. Escanéelo.", - "@jadeStep13": { - "description": "Jade instruction for scanning signed PSBT" - }, "jadeStep14": "La transacción se importará en la billetera Bull Bitcoin.", - "@jadeStep14": { - "description": "Jade instruction about import completion" - }, "jadeStep15": "¡Ahora está lista para transmitir! Tan pronto como haga clic en transmitir, la transacción se publicará en la red Bitcoin y los fondos serán enviados.", - "@jadeStep15": { - "description": "Jade final instruction about broadcasting" - }, "importWalletTitle": "Agregar una nueva billetera", - "@importWalletTitle": { - "description": "AppBar title for wallet import selection screen" - }, "importWalletConnectHardware": "Conectar billetera de hardware", - "@importWalletConnectHardware": { - "description": "Button to connect hardware wallet" - }, "importWalletImportMnemonic": "Importar mnemónica", - "@importWalletImportMnemonic": { - "description": "Button to import wallet from seed phrase" - }, "importWalletImportWatchOnly": "Importar solo lectura", - "@importWalletImportWatchOnly": { - "description": "Button to import watch-only wallet" - }, "importWalletSectionGeneric": "Billeteras genéricas", - "@importWalletSectionGeneric": { - "description": "Section header for generic wallet types" - }, "importWalletSectionHardware": "Billeteras de hardware", - "@importWalletSectionHardware": { - "description": "Section header for hardware wallet types" - }, "importWalletColdcardQ": "Coldcard Q", - "@importWalletColdcardQ": { - "description": "Button label for Coldcard Q hardware wallet" - }, "importWalletLedger": "Ledger", - "@importWalletLedger": { - "description": "Button label for Ledger hardware wallet" - }, "importWalletJade": "Blockstream Jade", - "@importWalletJade": { - "description": "Button label for Blockstream Jade hardware wallet" - }, "importWalletKeystone": "Keystone", - "@importWalletKeystone": { - "description": "Button label for Keystone hardware wallet" - }, "importWalletPassport": "Foundation Passport", - "@importWalletPassport": { - "description": "Button label for Foundation Passport hardware wallet" - }, "importWalletSeedSigner": "SeedSigner", - "@importWalletSeedSigner": { - "description": "Button label for SeedSigner hardware wallet" - }, "importWalletSpecter": "Specter", - "@importWalletSpecter": { - "description": "Button label for Specter hardware wallet" - }, "importWalletKrux": "Krux", - "@importWalletKrux": { - "description": "Button label for Krux hardware wallet" - }, "importMnemonicContinue": "Continuar", - "@importMnemonicContinue": { - "description": "Button text to proceed after entering mnemonic" - }, "importMnemonicSelectScriptType": "Importar mnemónica", - "@importMnemonicSelectScriptType": { - "description": "AppBar title for script type selection" - }, "importMnemonicSyncMessage": "Los tres tipos de billetera se están sincronizando y su saldo y transacciones aparecerán pronto. Puede esperar hasta que se complete la sincronización o proceder a importar si está seguro del tipo de billetera que desea importar.", - "@importMnemonicSyncMessage": { - "description": "Message explaining wallet type syncing process" - }, "importMnemonicSegwit": "Segwit", - "@importMnemonicSegwit": { - "description": "Label for Segwit (BIP84) wallet type" - }, "importMnemonicNestedSegwit": "Nested Segwit", - "@importMnemonicNestedSegwit": { - "description": "Label for Nested Segwit (BIP49) wallet type" - }, "importMnemonicLegacy": "Legacy", - "@importMnemonicLegacy": { - "description": "Label for Legacy (BIP44) wallet type" - }, "importMnemonicChecking": "Verificando...", - "@importMnemonicChecking": { - "description": "Status while checking wallet type" - }, "importMnemonicEmpty": "Vacío", - "@importMnemonicEmpty": { - "description": "Status for wallet type with no transactions" - }, "importMnemonicHasBalance": "Tiene saldo", - "@importMnemonicHasBalance": { - "description": "Status for wallet type with balance" - }, "importMnemonicTransactions": "{count} transacciones", "@importMnemonicTransactions": { - "description": "Shows number of transactions for wallet type", "placeholders": { "count": { "type": "int" @@ -21348,7 +3051,6 @@ }, "importMnemonicBalance": "Saldo: {amount}", "@importMnemonicBalance": { - "description": "Shows balance for wallet type", "placeholders": { "amount": { "type": "String" @@ -21356,20 +3058,10 @@ } }, "importMnemonicImport": "Importar", - "@importMnemonicImport": { - "description": "Button to import selected wallet type" - }, "importMnemonicImporting": "Importando...", - "@importMnemonicImporting": { - "description": "Loading message while importing wallet" - }, "importMnemonicSelectType": "Seleccione un tipo de billetera para importar", - "@importMnemonicSelectType": { - "description": "Instruction to select wallet type" - }, "importMnemonicBalanceLabel": "Saldo: {amount}", "@importMnemonicBalanceLabel": { - "description": "ImportMnemonic: Balance label with amount in wallet type card", "placeholders": { "amount": { "type": "String" @@ -21378,7 +3070,6 @@ }, "importMnemonicTransactionsLabel": "Transacciones: {count}", "@importMnemonicTransactionsLabel": { - "description": "ImportMnemonic: Transactions label with count in wallet type card", "placeholders": { "count": { "type": "String" @@ -21386,132 +3077,38 @@ } }, "importWatchOnlyTitle": "Importar solo lectura", - "@importWatchOnlyTitle": { - "description": "AppBar title for watch-only import screen" - }, "importWatchOnlyPasteHint": "Pegar xpub, ypub, zpub o descriptor", - "@importWatchOnlyPasteHint": { - "description": "Placeholder hint for paste input field" - }, "importWatchOnlyXpub": "xpub", - "@importWatchOnlyXpub": { - "description": "Label for xpub import method" - }, "importWatchOnlyYpub": "ypub", - "@importWatchOnlyYpub": { - "description": "Label for ypub import method" - }, "importWatchOnlyZpub": "zpub", - "@importWatchOnlyZpub": { - "description": "Label for zpub import method" - }, "importWatchOnlyDescriptor": "Descriptor", - "@importWatchOnlyDescriptor": { - "description": "Label for descriptor import method" - }, "importWatchOnlyScanQR": "Escanear QR", - "@importWatchOnlyScanQR": { - "description": "Button to scan QR code for watch-only import" - }, "importWatchOnlyScriptType": "Tipo de script", - "@importWatchOnlyScriptType": { - "description": "Label for script type field" - }, "importWatchOnlyFingerprint": "Huella digital", - "@importWatchOnlyFingerprint": { - "description": "Label for wallet fingerprint field" - }, "importWatchOnlyDerivationPath": "Ruta de derivación", - "@importWatchOnlyDerivationPath": { - "description": "Label for derivation path field" - }, "importWatchOnlyImportButton": "Importar billetera solo lectura", - "@importWatchOnlyImportButton": { - "description": "Button to confirm watch-only import" - }, "importWatchOnlyCancel": "Cancelar", - "@importWatchOnlyCancel": { - "description": "Button to cancel watch-only import" - }, "importWatchOnlyBuyDevice": "Comprar un dispositivo", - "@importWatchOnlyBuyDevice": { - "description": "Button label to purchase a hardware wallet device" - }, "importWatchOnlyWalletGuides": "Guías de billetera", - "@importWatchOnlyWalletGuides": { - "description": "Button label for wallet documentation and guides" - }, "importWatchOnlyCopiedToClipboard": "Copiado al portapapeles", - "@importWatchOnlyCopiedToClipboard": { - "description": "Snackbar message shown when QR code content is copied" - }, "importWatchOnlySelectDerivation": "Seleccionar derivación", - "@importWatchOnlySelectDerivation": { - "description": "Title for bottom sheet to select wallet derivation type" - }, "importWatchOnlyType": "Tipo", - "@importWatchOnlyType": { - "description": "Label for wallet script type field" - }, "importWatchOnlySigningDevice": "Dispositivo de firma", - "@importWatchOnlySigningDevice": { - "description": "Label for signing device selection field" - }, "importWatchOnlyUnknown": "Desconocido", - "@importWatchOnlyUnknown": { - "description": "Default value when signing device is unknown" - }, "importWatchOnlyLabel": "Etiqueta", - "@importWatchOnlyLabel": { - "description": "Label for wallet name/label input field" - }, "importWatchOnlyRequired": "Requerido", - "@importWatchOnlyRequired": { - "description": "Placeholder hint for required input fields" - }, "importWatchOnlyImport": "Importar", - "@importWatchOnlyImport": { - "description": "Button label to import watch-only wallet" - }, "importWatchOnlyExtendedPublicKey": "Clave pública extendida", - "@importWatchOnlyExtendedPublicKey": { - "description": "Label for extended public key (xpub/ypub/zpub) display" - }, "importWatchOnlyDisclaimerTitle": "Advertencia sobre la ruta de derivación", - "@importWatchOnlyDisclaimerTitle": { - "description": "Title for derivation path warning disclaimer" - }, "importWatchOnlyDisclaimerDescription": "Asegúrate de que la ruta de derivación que elijas coincida con la que produjo la xpub dada, ya que usar la ruta incorrecta puede llevar a la pérdida de fondos", - "@importWatchOnlyDisclaimerDescription": { - "description": "Description explaining derivation path matching requirement" - }, "bip85Title": "Entropías determinísticas BIP85", - "@bip85Title": { - "description": "AppBar title for BIP85 entropy derivation screen" - }, "bip85ExperimentalWarning": "Experimental \nRespalde sus rutas de derivación manualmente", - "@bip85ExperimentalWarning": { - "description": "Warning message about experimental feature" - }, "bip85NextMnemonic": "Siguiente mnemónica", - "@bip85NextMnemonic": { - "description": "Button to derive next mnemonic entropy" - }, "bip85NextHex": "Siguiente HEX", - "@bip85NextHex": { - "description": "Button to derive next hex entropy" - }, "bip85Mnemonic": "Mnemónica", - "@bip85Mnemonic": { - "description": "Label for mnemonic type entropy" - }, "bip85Hex": "HEX", - "@bip85Hex": { - "description": "Label for hex type entropy" - }, "bip85Index": "Índice: {index}", "@bip85Index": { - "description": "Shows derivation index", "placeholders": { "index": { "type": "int" @@ -21519,37 +3116,22 @@ } }, "bip329LabelsTitle": "Etiquetas BIP329", - "@bip329LabelsTitle": { - "description": "Title for BIP329 labels page" - }, "bip329LabelsHeading": "Importar/Exportar etiquetas BIP329", - "@bip329LabelsHeading": { - "description": "Main heading on BIP329 labels page" - }, "bip329LabelsDescription": "Importa o exporta etiquetas de billetera usando el formato estándar BIP329.", - "@bip329LabelsDescription": { - "description": "Description of BIP329 labels functionality" - }, "bip329LabelsImportButton": "Importar etiquetas", - "@bip329LabelsImportButton": { - "description": "Button text to import labels" - }, "bip329LabelsExportButton": "Exportar etiquetas", - "@bip329LabelsExportButton": { - "description": "Button text to export labels" - }, - "bip329LabelsExportSuccess": "{count, plural, =1{1 etiqueta exportada} other{{count} etiquetas exportadas}}", - "@bip329LabelsExportSuccess": { - "description": "Success message after exporting labels", + "bip329LabelsExportSuccessSingular": "1 etiqueta exportada", + "bip329LabelsExportSuccessPlural": "{count} etiquetas exportadas", + "@bip329LabelsExportSuccessPlural": { "placeholders": { "count": { "type": "int" } } }, - "bip329LabelsImportSuccess": "{count, plural, =1{1 etiqueta importada} other{{count} etiquetas importadas}}", - "@bip329LabelsImportSuccess": { - "description": "Success message after importing labels", + "bip329LabelsImportSuccessSingular": "1 etiqueta importada", + "bip329LabelsImportSuccessPlural": "{count} etiquetas importadas", + "@bip329LabelsImportSuccessPlural": { "placeholders": { "count": { "type": "int" @@ -21557,88 +3139,27 @@ } }, "broadcastSignedTxTitle": "Transmitir transacción", - "@broadcastSignedTxTitle": { - "description": "AppBar title for broadcast signed transaction screen" - }, "broadcastSignedTxScanQR": "Escanee el código QR de su billetera de hardware", - "@broadcastSignedTxScanQR": { - "description": "Instruction to scan signed PSBT QR code" - }, "broadcastSignedTxReviewTransaction": "Revisar transacción", - "@broadcastSignedTxReviewTransaction": { - "description": "Section header for transaction review" - }, "broadcastSignedTxAmount": "Cantidad", - "@broadcastSignedTxAmount": { - "description": "Label for transaction amount" - }, "broadcastSignedTxFee": "Comisión", - "@broadcastSignedTxFee": { - "description": "Label for transaction fee" - }, "broadcastSignedTxTo": "A", - "@broadcastSignedTxTo": { - "description": "Label for destination address" - }, "broadcastSignedTxBroadcast": "Transmitir", - "@broadcastSignedTxBroadcast": { - "description": "Button to broadcast signed transaction" - }, "broadcastSignedTxBroadcasting": "Transmitiendo...", - "@broadcastSignedTxBroadcasting": { - "description": "Loading message while broadcasting" - }, "broadcastSignedTxPageTitle": "Transmitir transacción firmada", - "@broadcastSignedTxPageTitle": { - "description": "Page title for broadcast signed transaction screen" - }, "broadcastSignedTxPasteHint": "Pegar un PSBT o HEX de transacción", - "@broadcastSignedTxPasteHint": { - "description": "Hint text for paste input field" - }, "broadcastSignedTxCameraButton": "Cámara", - "@broadcastSignedTxCameraButton": { - "description": "Button to open camera QR scanner" - }, "broadcastSignedTxPushTxButton": "PushTx", - "@broadcastSignedTxPushTxButton": { - "description": "Button to use PushTx NFC device" - }, "broadcastSignedTxDoneButton": "Hecho", - "@broadcastSignedTxDoneButton": { - "description": "Button to finish after successful broadcast" - }, "broadcastSignedTxNfcTitle": "NFC", - "@broadcastSignedTxNfcTitle": { - "description": "Title for NFC scanning page" - }, "addressViewTitle": "Detalles de la dirección", - "@addressViewTitle": { - "description": "AppBar title for address details screen" - }, "addressViewAddress": "Dirección", - "@addressViewAddress": { - "description": "Label for address field" - }, "addressViewBalance": "Saldo", - "@addressViewBalance": { - "description": "Label for address balance" - }, "addressViewTransactions": "Transacciones", - "@addressViewTransactions": { - "description": "Label for number of transactions" - }, "addressViewCopyAddress": "Copiar dirección", - "@addressViewCopyAddress": { - "description": "Button to copy address to clipboard" - }, "addressViewShowQR": "Mostrar código QR", - "@addressViewShowQR": { - "description": "Button to display address as QR code" - }, "importQrDeviceTitle": "Conectar {deviceName}", "@importQrDeviceTitle": { - "description": "AppBar title for QR device import", "placeholders": { "deviceName": { "type": "String" @@ -21647,7 +3168,6 @@ }, "importQrDeviceScanPrompt": "Escanee el código QR de su {deviceName}", "@importQrDeviceScanPrompt": { - "description": "Instruction to scan QR from device", "placeholders": { "deviceName": { "type": "String" @@ -21655,536 +3175,139 @@ } }, "importQrDeviceScanning": "Escaneando...", - "@importQrDeviceScanning": { - "description": "Status while scanning QR code" - }, "importQrDeviceImporting": "Importando billetera...", - "@importQrDeviceImporting": { - "description": "Status while importing from QR device" - }, "importQrDeviceSuccess": "Billetera importada exitosamente", - "@importQrDeviceSuccess": { - "description": "Success message after import" - }, "importQrDeviceError": "Error al importar billetera", - "@importQrDeviceError": { - "description": "Error message when import fails" - }, "importQrDeviceInvalidQR": "Código QR inválido", - "@importQrDeviceInvalidQR": { - "description": "Error for invalid QR code format" - }, "importQrDeviceWalletName": "Nombre de la billetera", - "@importQrDeviceWalletName": { - "description": "Label for wallet name field" - }, "importQrDeviceFingerprint": "Huella digital", - "@importQrDeviceFingerprint": { - "description": "Label for device fingerprint" - }, "importQrDeviceImport": "Importar", - "@importQrDeviceImport": { - "description": "Button to confirm import from QR device" - }, "importQrDeviceButtonOpenCamera": "Abrir la cámara", - "@importQrDeviceButtonOpenCamera": { - "description": "ImportQrDevice: Button to open camera for QR scanning" - }, "importQrDeviceButtonInstructions": "Instrucciones", - "@importQrDeviceButtonInstructions": { - "description": "ImportQrDevice: Button to show setup instructions" - }, "importQrDeviceJadeName": "Blockstream Jade", - "@importQrDeviceJadeName": { - "description": "Name of Blockstream Jade device" - }, "importQrDeviceJadeInstructionsTitle": "Instrucciones de Blockstream Jade", - "@importQrDeviceJadeInstructionsTitle": { - "description": "Title for Jade setup instructions" - }, "importQrDeviceJadeStep1": "Encienda su dispositivo Jade", - "@importQrDeviceJadeStep1": { - "description": "Jade instruction step 1" - }, "importQrDeviceJadeStep2": "Seleccione \"Modo QR\" en el menú principal", - "@importQrDeviceJadeStep2": { - "description": "Jade instruction step 2" - }, "importQrDeviceJadeStep3": "Siga las instrucciones del dispositivo para desbloquear el Jade", - "@importQrDeviceJadeStep3": { - "description": "Jade instruction step 3" - }, "importQrDeviceJadeStep4": "Seleccione \"Opciones\" en el menú principal", - "@importQrDeviceJadeStep4": { - "description": "Jade instruction step 4" - }, "importQrDeviceJadeStep5": "Seleccione \"Billetera\" en la lista de opciones", - "@importQrDeviceJadeStep5": { - "description": "Jade instruction step 5" - }, "importQrDeviceJadeStep6": "Seleccione \"Exportar Xpub\" en el menú de billetera", - "@importQrDeviceJadeStep6": { - "description": "Jade instruction step 6" - }, "importQrDeviceJadeStep7": "Si es necesario, seleccione \"Opciones\" para cambiar el tipo de dirección", - "@importQrDeviceJadeStep7": { - "description": "Jade instruction step 7" - }, "importQrDeviceJadeStep8": "Haga clic en el botón \"abrir cámara\"", - "@importQrDeviceJadeStep8": { - "description": "Jade instruction step 8" - }, "importQrDeviceJadeStep9": "Escanee el código QR que ve en su dispositivo.", - "@importQrDeviceJadeStep9": { - "description": "Jade instruction step 9" - }, "importQrDeviceJadeStep10": "¡Eso es todo!", - "@importQrDeviceJadeStep10": { - "description": "Jade instruction step 10" - }, "importQrDeviceJadeFirmwareWarning": "Asegúrese de que su dispositivo esté actualizado con el firmware más reciente", - "@importQrDeviceJadeFirmwareWarning": { - "description": "Warning message to update Jade firmware" - }, "importQrDeviceKruxName": "Krux", - "@importQrDeviceKruxName": { - "description": "Name of Krux device" - }, "importQrDeviceKruxInstructionsTitle": "Instrucciones de Krux", - "@importQrDeviceKruxInstructionsTitle": { - "description": "Title for Krux setup instructions" - }, "importQrDeviceKruxStep1": "Encienda su dispositivo Krux", - "@importQrDeviceKruxStep1": { - "description": "Krux instruction step 1" - }, "importQrDeviceKruxStep2": "Haga clic en Clave Pública Extendida", - "@importQrDeviceKruxStep2": { - "description": "Krux instruction step 2" - }, "importQrDeviceKruxStep3": "Haga clic en XPUB - Código QR", - "@importQrDeviceKruxStep3": { - "description": "Krux instruction step 3" - }, "importQrDeviceKruxStep4": "Haga clic en el botón \"abrir cámara\"", - "@importQrDeviceKruxStep4": { - "description": "Krux instruction step 4" - }, "importQrDeviceKruxStep5": "Escanee el código QR que ve en su dispositivo.", - "@importQrDeviceKruxStep5": { - "description": "Krux instruction step 5" - }, "importQrDeviceKruxStep6": "¡Eso es todo!", - "@importQrDeviceKruxStep6": { - "description": "Krux instruction step 6" - }, "importQrDeviceKeystoneName": "Keystone", - "@importQrDeviceKeystoneName": { - "description": "Name of Keystone device" - }, "importQrDeviceKeystoneInstructionsTitle": "Instrucciones de Keystone", - "@importQrDeviceKeystoneInstructionsTitle": { - "description": "Title for Keystone setup instructions" - }, "importQrDeviceKeystoneStep1": "Encienda su dispositivo Keystone", - "@importQrDeviceKeystoneStep1": { - "description": "Keystone instruction step 1" - }, "importQrDeviceKeystoneStep2": "Ingrese su PIN", - "@importQrDeviceKeystoneStep2": { - "description": "Keystone instruction step 2" - }, "importQrDeviceKeystoneStep3": "Haga clic en los tres puntos en la parte superior derecha", - "@importQrDeviceKeystoneStep3": { - "description": "Keystone instruction step 3" - }, "importQrDeviceKeystoneStep4": "Seleccione Conectar Billetera de Software", - "@importQrDeviceKeystoneStep4": { - "description": "Keystone instruction step 4" - }, "importQrDeviceKeystoneStep5": "Elija la opción de billetera BULL", - "@importQrDeviceKeystoneStep5": { - "description": "Keystone instruction step 5" - }, "importQrDeviceKeystoneStep6": "En su dispositivo móvil, toque Abrir Cámara", - "@importQrDeviceKeystoneStep6": { - "description": "Keystone instruction step 6" - }, "importQrDeviceKeystoneStep7": "Escanee el código QR mostrado en su Keystone", - "@importQrDeviceKeystoneStep7": { - "description": "Keystone instruction step 7" - }, "importQrDeviceKeystoneStep8": "Ingrese una etiqueta para su billetera Keystone y toque Importar", - "@importQrDeviceKeystoneStep8": { - "description": "Keystone instruction step 8" - }, "importQrDeviceKeystoneStep9": "La configuración está completa", - "@importQrDeviceKeystoneStep9": { - "description": "Keystone instruction step 9" - }, "importQrDevicePassportName": "Foundation Passport", - "@importQrDevicePassportName": { - "description": "Name of Foundation Passport device" - }, "importQrDevicePassportInstructionsTitle": "Instrucciones de Foundation Passport", - "@importQrDevicePassportInstructionsTitle": { - "description": "Title for Passport setup instructions" - }, "importQrDevicePassportStep1": "Encienda su dispositivo Passport", - "@importQrDevicePassportStep1": { - "description": "Passport instruction step 1" - }, "importQrDevicePassportStep2": "Ingrese su PIN", - "@importQrDevicePassportStep2": { - "description": "Passport instruction step 2" - }, "importQrDevicePassportStep3": "Seleccione \"Administrar Cuenta\"", - "@importQrDevicePassportStep3": { - "description": "Passport instruction step 3" - }, "importQrDevicePassportStep4": "Seleccione \"Conectar Billetera\"", - "@importQrDevicePassportStep4": { - "description": "Passport instruction step 4" - }, "importQrDevicePassportStep5": "Seleccione la opción \"Sparrow\"", - "@importQrDevicePassportStep5": { - "description": "Passport instruction step 5" - }, "importQrDevicePassportStep6": "Seleccione \"Firma Única\"", - "@importQrDevicePassportStep6": { - "description": "Passport instruction step 6" - }, "importQrDevicePassportStep7": "Seleccione \"Código QR\"", - "@importQrDevicePassportStep7": { - "description": "Passport instruction step 7" - }, "importQrDevicePassportStep8": "En su dispositivo móvil, toque \"abrir cámara\"", - "@importQrDevicePassportStep8": { - "description": "Passport instruction step 8" - }, "importQrDevicePassportStep9": "Escanee el código QR mostrado en su Passport", - "@importQrDevicePassportStep9": { - "description": "Passport instruction step 9" - }, "importQrDevicePassportStep10": "En la aplicación BULL wallet, seleccione \"Segwit (BIP84)\" como opción de derivación", - "@importQrDevicePassportStep10": { - "description": "Passport instruction step 10" - }, "importQrDevicePassportStep11": "Ingrese una etiqueta para su billetera Passport y toque \"Importar\"", - "@importQrDevicePassportStep11": { - "description": "Passport instruction step 11" - }, "importQrDevicePassportStep12": "Configuración completada.", - "@importQrDevicePassportStep12": { - "description": "Passport instruction step 12" - }, "importQrDeviceSeedsignerName": "SeedSigner", - "@importQrDeviceSeedsignerName": { - "description": "Name of SeedSigner device" - }, "importQrDeviceSeedsignerInstructionsTitle": "Instrucciones de SeedSigner", - "@importQrDeviceSeedsignerInstructionsTitle": { - "description": "Title for SeedSigner setup instructions" - }, "importQrDeviceSeedsignerStep1": "Encienda su dispositivo SeedSigner", - "@importQrDeviceSeedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, "importQrDeviceSeedsignerStep2": "Abra el menú \"Seeds\"", - "@importQrDeviceSeedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, "importQrDeviceSeedsignerStep3": "Escanee un SeedQR o ingrese su frase de 12 o 24 palabras", - "@importQrDeviceSeedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, "importQrDeviceSeedsignerStep4": "Seleccione \"Exportar Xpub\"", - "@importQrDeviceSeedsignerStep4": { - "description": "SeedSigner instruction step 4" - }, "importQrDeviceSeedsignerStep5": "Elija \"Firma Única\", luego seleccione su tipo de script preferido (elija Native Segwit si no está seguro).", - "@importQrDeviceSeedsignerStep5": { - "description": "SeedSigner instruction step 5" - }, "importQrDeviceSeedsignerStep6": "Seleccione \"Sparrow\" como opción de exportación", - "@importQrDeviceSeedsignerStep6": { - "description": "SeedSigner instruction step 6" - }, "importQrDeviceSeedsignerStep7": "En su dispositivo móvil, toque Abrir Cámara", - "@importQrDeviceSeedsignerStep7": { - "description": "SeedSigner instruction step 7" - }, "importQrDeviceSeedsignerStep8": "Escanee el código QR que se muestra en su SeedSigner", - "@importQrDeviceSeedsignerStep8": { - "description": "SeedSigner instruction step 8" - }, "importQrDeviceSeedsignerStep9": "Ingrese una etiqueta para su billetera SeedSigner y toque Importar", - "@importQrDeviceSeedsignerStep9": { - "description": "SeedSigner instruction step 9" - }, "importQrDeviceSeedsignerStep10": "Configuración completa", - "@importQrDeviceSeedsignerStep10": { - "description": "SeedSigner instruction step 10" - }, "importQrDeviceSpecterName": "Specter", - "@importQrDeviceSpecterName": { - "description": "Name of Specter device" - }, "importQrDeviceSpecterInstructionsTitle": "Instrucciones de Specter", - "@importQrDeviceSpecterInstructionsTitle": { - "description": "Title for Specter setup instructions" - }, "importQrDeviceSpecterStep1": "Encienda su dispositivo Specter", - "@importQrDeviceSpecterStep1": { - "description": "Specter instruction step 1" - }, "importQrDeviceSpecterStep2": "Ingrese su PIN", - "@importQrDeviceSpecterStep2": { - "description": "Specter instruction step 2" - }, "importQrDeviceSpecterStep3": "Ingrese su seed/clave (elija la opción que le convenga)", - "@importQrDeviceSpecterStep3": { - "description": "Specter instruction step 3" - }, "importQrDeviceSpecterStep4": "Siga las indicaciones según el método elegido", - "@importQrDeviceSpecterStep4": { - "description": "Specter instruction step 4" - }, "importQrDeviceSpecterStep5": "Seleccione \"Claves públicas maestras\"", - "@importQrDeviceSpecterStep5": { - "description": "Specter instruction step 5" - }, "importQrDeviceSpecterStep6": "Elija \"Clave única\"", - "@importQrDeviceSpecterStep6": { - "description": "Specter instruction step 6" - }, "importQrDeviceSpecterStep7": "Desactive \"Usar SLIP-132\"", - "@importQrDeviceSpecterStep7": { - "description": "Specter instruction step 7" - }, "importQrDeviceSpecterStep8": "En su dispositivo móvil, toque Abrir Cámara", - "@importQrDeviceSpecterStep8": { - "description": "Specter instruction step 8" - }, "importQrDeviceSpecterStep9": "Escanee el código QR que se muestra en su Specter", - "@importQrDeviceSpecterStep9": { - "description": "Specter instruction step 9" - }, "importQrDeviceSpecterStep10": "Ingrese una etiqueta para su billetera Specter y toque Importar", - "@importQrDeviceSpecterStep10": { - "description": "Specter instruction step 10" - }, "importQrDeviceSpecterStep11": "La configuración está completa", - "@importQrDeviceSpecterStep11": { - "description": "Specter instruction step 11" - }, "importColdcardTitle": "Conectar Coldcard Q", - "@importColdcardTitle": { - "description": "AppBar title for Coldcard Q import" - }, "importColdcardScanPrompt": "Escanee el código QR de su Coldcard Q", - "@importColdcardScanPrompt": { - "description": "Instruction to scan Coldcard QR" - }, "importColdcardMultisigPrompt": "Para billeteras multisig, escanee el código QR del descriptor de billetera", - "@importColdcardMultisigPrompt": { - "description": "Additional instruction for multisig" - }, "importColdcardScanning": "Escaneando...", - "@importColdcardScanning": { - "description": "Status while scanning" - }, "importColdcardImporting": "Importando billetera Coldcard...", - "@importColdcardImporting": { - "description": "Status while importing" - }, "importColdcardSuccess": "Billetera Coldcard importada", - "@importColdcardSuccess": { - "description": "Success message" - }, "importColdcardError": "Error al importar Coldcard", - "@importColdcardError": { - "description": "Error message" - }, "importColdcardInvalidQR": "Código QR de Coldcard inválido", - "@importColdcardInvalidQR": { - "description": "Error for invalid QR format" - }, "importColdcardDescription": "Importa el código QR descriptor de billetera de tu Coldcard Q", - "@importColdcardDescription": { - "description": "ImportColdcardQ: Main instruction text on import page" - }, "importColdcardButtonOpenCamera": "Abrir la cámara", - "@importColdcardButtonOpenCamera": { - "description": "ImportColdcardQ: Button to open camera for QR scanning" - }, "importColdcardButtonInstructions": "Instrucciones", - "@importColdcardButtonInstructions": { - "description": "ImportColdcardQ: Button to show setup instructions" - }, "importColdcardButtonPurchase": "Comprar dispositivo", - "@importColdcardButtonPurchase": { - "description": "ImportColdcardQ: Button to navigate to Coinkite store" - }, "importColdcardInstructionsTitle": "Instrucciones Coldcard Q", - "@importColdcardInstructionsTitle": { - "description": "ImportColdcardQ: Title of instructions bottom sheet" - }, "importColdcardInstructionsStep1": "Inicia sesión en tu dispositivo Coldcard Q", - "@importColdcardInstructionsStep1": { - "description": "ImportColdcardQ: First instruction step" - }, "importColdcardInstructionsStep2": "Ingresa una frase de contraseña si corresponde", - "@importColdcardInstructionsStep2": { - "description": "ImportColdcardQ: Second instruction step" - }, "importColdcardInstructionsStep3": "Navega a \"Avanzado/Herramientas\"", - "@importColdcardInstructionsStep3": { - "description": "ImportColdcardQ: Third instruction step" - }, "importColdcardInstructionsStep4": "Verifica que tu firmware esté actualizado a la versión 1.3.4Q", - "@importColdcardInstructionsStep4": { - "description": "ImportColdcardQ: Fourth instruction step" - }, "importColdcardInstructionsStep5": "Selecciona \"Exportar billetera\"", - "@importColdcardInstructionsStep5": { - "description": "ImportColdcardQ: Fifth instruction step" - }, "importColdcardInstructionsStep6": "Elige \"Bull Bitcoin\" como opción de exportación", - "@importColdcardInstructionsStep6": { - "description": "ImportColdcardQ: Sixth instruction step" - }, "importColdcardInstructionsStep7": "En tu dispositivo móvil, toca \"abrir cámara\"", - "@importColdcardInstructionsStep7": { - "description": "ImportColdcardQ: Seventh instruction step" - }, "importColdcardInstructionsStep8": "Escanea el código QR mostrado en tu Coldcard Q", - "@importColdcardInstructionsStep8": { - "description": "ImportColdcardQ: Eighth instruction step" - }, "importColdcardInstructionsStep9": "Ingresa una 'Etiqueta' para tu billetera Coldcard Q y toca \"Importar\"", - "@importColdcardInstructionsStep9": { - "description": "ImportColdcardQ: Ninth instruction step" - }, "importColdcardInstructionsStep10": "Configuración completada", - "@importColdcardInstructionsStep10": { - "description": "ImportColdcardQ: Final instruction step" - }, "exchangeLandingTitle": "BULL BITCOIN", - "@exchangeLandingTitle": { - "description": "Main title on exchange landing screen" - }, "exchangeLandingConnect": "Conecte su cuenta de intercambio Bull Bitcoin", - "@exchangeLandingConnect": { - "description": "Subtitle on exchange landing screen" - }, "exchangeLandingFeature1": "Compre Bitcoin directamente en autocustodia", - "@exchangeLandingFeature1": { - "description": "First feature bullet point" - }, "exchangeLandingFeature2": "DCA, órdenes limitadas y compra automática", - "@exchangeLandingFeature2": { - "description": "Second feature bullet point" - }, "exchangeLandingFeature3": "Venda Bitcoin, reciba pagos con Bitcoin", - "@exchangeLandingFeature3": { - "description": "Third feature bullet point" - }, "exchangeLandingFeature4": "Envíe transferencias bancarias y pague facturas", - "@exchangeLandingFeature4": { - "description": "Fourth feature bullet point" - }, "exchangeLandingFeature5": "Chatee con soporte al cliente", - "@exchangeLandingFeature5": { - "description": "Fifth feature bullet point" - }, "exchangeLandingFeature6": "Historial de transacciones unificado", - "@exchangeLandingFeature6": { - "description": "Sixth feature bullet point" - }, "exchangeLandingRestriction": "El acceso a los servicios de intercambio estará restringido a países donde Bull Bitcoin pueda operar legalmente y puede requerir KYC.", - "@exchangeLandingRestriction": { - "description": "Legal restriction notice" - }, "exchangeLandingLoginButton": "Iniciar sesión o registrarse", - "@exchangeLandingLoginButton": { - "description": "Button to proceed to login/signup" - }, "exchangeHomeDeposit": "Depositar", - "@exchangeHomeDeposit": { - "description": "Deposit button label" - }, "exchangeHomeWithdraw": "Retirar", - "@exchangeHomeWithdraw": { - "description": "Withdraw button label" - }, "exchangeKycLight": "Ligero", - "@exchangeKycLight": { - "description": "Light KYC level label" - }, "exchangeKycLimited": "Limitado", - "@exchangeKycLimited": { - "description": "Limited KYC level label" - }, "exchangeKycComplete": "Complete su KYC", - "@exchangeKycComplete": { - "description": "KYC card title" - }, "exchangeKycRemoveLimits": "Para eliminar límites de transacción", - "@exchangeKycRemoveLimits": { - "description": "KYC card subtitle" - }, "dcaActivate": "Activar compra recurrente", - "@dcaActivate": { - "description": "Label to activate DCA" - }, "dcaDeactivate": "Desactivar compra recurrente", - "@dcaDeactivate": { - "description": "Label to deactivate DCA" - }, "dcaViewSettings": "Ver configuración", - "@dcaViewSettings": { - "description": "Link to view DCA settings" - }, "dcaHideSettings": "Ocultar configuración", - "@dcaHideSettings": { - "description": "Link to hide DCA settings" - }, "dcaCancelTitle": "¿Cancelar compra recurrente de Bitcoin?", - "@dcaCancelTitle": { - "description": "Dialog title for DCA cancellation" - }, "dcaCancelMessage": "Su plan de compra recurrente de Bitcoin se detendrá y las compras programadas finalizarán. Para reiniciar, deberá configurar un nuevo plan.", - "@dcaCancelMessage": { - "description": "Dialog message for DCA cancellation" - }, "dcaCancelButton": "Cancelar", - "@dcaCancelButton": { - "description": "Cancel button in DCA dialog" - }, "dcaConfirmDeactivate": "Sí, desactivar", - "@dcaConfirmDeactivate": { - "description": "Confirm deactivation button" - }, "dcaUnableToGetConfig": "No se puede obtener la configuración DCA", - "@dcaUnableToGetConfig": { - "description": "Error message when DCA config unavailable" - }, "dcaAddressBitcoin": "Dirección Bitcoin", - "@dcaAddressBitcoin": { - "description": "Bitcoin address label" - }, "dcaAddressLightning": "Dirección Lightning", - "@dcaAddressLightning": { - "description": "Lightning address label" - }, "dcaAddressLiquid": "Dirección Liquid", - "@dcaAddressLiquid": { - "description": "Liquid address label" - }, "dcaBuyingMessage": "Está comprando {amount} cada {frequency} a través de {network} mientras haya fondos en su cuenta.", "@dcaBuyingMessage": { - "description": "DCA status message", "placeholders": { "amount": { "type": "String" @@ -22198,104 +3321,30 @@ } }, "exchangeAuthLoginFailed": "Inicio de sesión fallido", - "@exchangeAuthLoginFailed": { - "description": "Login failure dialog title" - }, "exchangeAuthErrorMessage": "Ocurrió un error, por favor intente iniciar sesión nuevamente.", - "@exchangeAuthErrorMessage": { - "description": "Login error message" - }, "exchangeAuthOk": "OK", - "@exchangeAuthOk": { - "description": "OK button in error dialog" - }, - "recipientsSearchHint": "Buscar destinatarios por nombre o etiqueta", - "@recipientsSearchHint": { - "description": "Hint text for recipients search field" - }, "withdrawAmountTitle": "Retirar fiat", - "@withdrawAmountTitle": { - "description": "AppBar title for withdraw amount screen" - }, "withdrawAmountContinue": "Continuar", - "@withdrawAmountContinue": { - "description": "Continue button on amount screen" - }, "withdrawRecipientsTitle": "Seleccionar destinatario", - "@withdrawRecipientsTitle": { - "description": "AppBar title for recipients screen" - }, "withdrawRecipientsPrompt": "¿Dónde y cómo debemos enviar el dinero?", - "@withdrawRecipientsPrompt": { - "description": "Instructions on recipients screen" - }, "withdrawRecipientsNewTab": "Nuevo destinatario", - "@withdrawRecipientsNewTab": { - "description": "Tab label for new recipient" - }, "withdrawRecipientsMyTab": "Mis destinatarios fiat", - "@withdrawRecipientsMyTab": { - "description": "Tab label for existing recipients" - }, "withdrawRecipientsFilterAll": "Todos los tipos", - "@withdrawRecipientsFilterAll": { - "description": "Filter option for all recipient types" - }, "withdrawRecipientsNoRecipients": "No se encontraron destinatarios para retirar.", - "@withdrawRecipientsNoRecipients": { - "description": "Empty state message" - }, "withdrawRecipientsContinue": "Continuar", - "@withdrawRecipientsContinue": { - "description": "Continue button on recipients screen" - }, "withdrawConfirmTitle": "Confirmar retiro", - "@withdrawConfirmTitle": { - "description": "Title on confirmation screen" - }, "withdrawConfirmRecipientName": "Nombre del destinatario", - "@withdrawConfirmRecipientName": { - "description": "Field label for recipient name" - }, "withdrawConfirmAmount": "Monto", - "@withdrawConfirmAmount": { - "description": "Field label for withdrawal amount" - }, "withdrawConfirmEmail": "Correo electrónico", - "@withdrawConfirmEmail": { - "description": "Field label for email (Interac)" - }, "withdrawConfirmPayee": "Beneficiario", - "@withdrawConfirmPayee": { - "description": "Field label for payee (Bill Payment)" - }, "withdrawConfirmAccount": "Cuenta", - "@withdrawConfirmAccount": { - "description": "Field label for bank account" - }, "withdrawConfirmIban": "IBAN", - "@withdrawConfirmIban": { - "description": "Field label for IBAN" - }, "withdrawConfirmClabe": "CLABE", - "@withdrawConfirmClabe": { - "description": "Field label for CLABE (Mexico)" - }, "withdrawConfirmPhone": "Teléfono", - "@withdrawConfirmPhone": { - "description": "Field label for phone number" - }, "withdrawConfirmCard": "Tarjeta", - "@withdrawConfirmCard": { - "description": "Field label for debit card" - }, "withdrawConfirmButton": "Confirmar retiro", - "@withdrawConfirmButton": { - "description": "Button to confirm withdrawal" - }, "withdrawConfirmError": "Error: {error}", "@withdrawConfirmError": { - "description": "Error message on confirmation screen", "placeholders": { "error": { "type": "String" @@ -22303,96 +3352,29 @@ } }, "fundExchangeFundAccount": "Financiar su cuenta", - "@fundExchangeFundAccount": { - "description": "Main heading on funding screen" - }, "fundExchangeSelectCountry": "Seleccione su país y método de pago", - "@fundExchangeSelectCountry": { - "description": "Instruction text" - }, "fundExchangeSpeiTransfer": "Transferencia SPEI", - "@fundExchangeSpeiTransfer": { - "description": "SPEI transfer method title (Mexico)" - }, "fundExchangeSpeiSubtitle": "Transfiera fondos usando su CLABE", - "@fundExchangeSpeiSubtitle": { - "description": "SPEI transfer subtitle" - }, "fundExchangeBankTransfer": "Transferencia bancaria", - "@fundExchangeBankTransfer": { - "description": "Bank transfer method title" - }, "fundExchangeBankTransferSubtitle": "Envíe una transferencia bancaria desde su cuenta bancaria", - "@fundExchangeBankTransferSubtitle": { - "description": "Bank transfer subtitle" - }, "dcaSetupTitle": "Configurar compra recurrente", - "@dcaSetupTitle": { - "description": "AppBar title for DCA setup screen" - }, "dcaSetupInsufficientBalance": "Saldo insuficiente", - "@dcaSetupInsufficientBalance": { - "description": "Insufficient balance error title" - }, "dcaSetupInsufficientBalanceMessage": "No tiene suficiente saldo para crear esta orden.", - "@dcaSetupInsufficientBalanceMessage": { - "description": "Insufficient balance error message" - }, "dcaSetupFundAccount": "Financiar su cuenta", - "@dcaSetupFundAccount": { - "description": "Button to fund account" - }, "dcaSetupScheduleMessage": "Las compras de Bitcoin se realizarán automáticamente según este calendario.", - "@dcaSetupScheduleMessage": { - "description": "DCA schedule explanation" - }, "dcaSetupFrequencyError": "Por favor seleccione una frecuencia", - "@dcaSetupFrequencyError": { - "description": "Frequency validation error" - }, "dcaSetupContinue": "Continuar", - "@dcaSetupContinue": { - "description": "Continue button on DCA setup" - }, "dcaConfirmTitle": "Confirmar compra recurrente", - "@dcaConfirmTitle": { - "description": "AppBar title for DCA confirmation screen" - }, "dcaConfirmAutoMessage": "Las órdenes de compra se realizarán automáticamente según esta configuración. Puede desactivarlas en cualquier momento.", - "@dcaConfirmAutoMessage": { - "description": "DCA auto-placement message" - }, "dcaConfirmFrequency": "Frecuencia", - "@dcaConfirmFrequency": { - "description": "Field label for frequency" - }, "dcaConfirmFrequencyHourly": "Cada hora", - "@dcaConfirmFrequencyHourly": { - "description": "Hourly frequency label" - }, "dcaConfirmFrequencyDaily": "Cada día", - "@dcaConfirmFrequencyDaily": { - "description": "Daily frequency label" - }, "dcaConfirmFrequencyWeekly": "Cada semana", - "@dcaConfirmFrequencyWeekly": { - "description": "Weekly frequency label" - }, "dcaConfirmFrequencyMonthly": "Cada mes", - "@dcaConfirmFrequencyMonthly": { - "description": "Monthly frequency label" - }, "dcaConfirmAmount": "Monto", - "@dcaConfirmAmount": { - "description": "Field label for amount" - }, "dcaConfirmPaymentMethod": "Método de pago", - "@dcaConfirmPaymentMethod": { - "description": "Field label for payment method" - }, "dcaConfirmPaymentBalance": "Saldo {currency}", "@dcaConfirmPaymentBalance": { - "description": "Payment method balance format", "placeholders": { "currency": { "type": "String" @@ -22400,36 +3382,14 @@ } }, "dcaConfirmOrderType": "Tipo de orden", - "@dcaConfirmOrderType": { - "description": "Field label for order type" - }, "dcaConfirmOrderTypeValue": "Compra recurrente", - "@dcaConfirmOrderTypeValue": { - "description": "Order type value" - }, "dcaConfirmNetwork": "Red", - "@dcaConfirmNetwork": { - "description": "Field label for network" - }, "dcaConfirmNetworkBitcoin": "Bitcoin", - "@dcaConfirmNetworkBitcoin": { - "description": "Bitcoin network label" - }, "dcaConfirmNetworkLightning": "Lightning", - "@dcaConfirmNetworkLightning": { - "description": "Lightning network label" - }, "dcaConfirmNetworkLiquid": "Liquid", - "@dcaConfirmNetworkLiquid": { - "description": "Liquid network label" - }, "dcaConfirmLightningAddress": "Dirección Lightning", - "@dcaConfirmLightningAddress": { - "description": "Field label for Lightning address" - }, "dcaConfirmError": "Algo salió mal: {error}", "@dcaConfirmError": { - "description": "DCA confirmation error message", "placeholders": { "error": { "type": "String" @@ -22437,312 +3397,83 @@ } }, "dcaConfirmContinue": "Continuar", - "@dcaConfirmContinue": { - "description": "Continue button on DCA confirmation" - }, "buyInputTitle": "Comprar Bitcoin", - "@buyInputTitle": { - "description": "AppBar title for buy input screen" - }, "buyInputMinAmountError": "Debe comprar al menos", - "@buyInputMinAmountError": { - "description": "Minimum amount error message" - }, "buyInputMaxAmountError": "No puede comprar más de", - "@buyInputMaxAmountError": { - "description": "Maximum amount error message" - }, "buyInputKycPending": "Verificación de identidad KYC pendiente", - "@buyInputKycPending": { - "description": "KYC pending info card title" - }, "buyInputKycMessage": "Debe completar primero la verificación de identidad", - "@buyInputKycMessage": { - "description": "KYC pending info card message" - }, "buyInputCompleteKyc": "Completar KYC", - "@buyInputCompleteKyc": { - "description": "Button to complete KYC" - }, "buyInputInsufficientBalance": "Saldo insuficiente", - "@buyInputInsufficientBalance": { - "description": "Insufficient balance info card title" - }, "buyInputInsufficientBalanceMessage": "No tiene suficiente saldo para crear esta orden.", - "@buyInputInsufficientBalanceMessage": { - "description": "Insufficient balance message" - }, "buyInputFundAccount": "Financiar su cuenta", - "@buyInputFundAccount": { - "description": "Button to fund account" - }, "buyInputContinue": "Continuar", - "@buyInputContinue": { - "description": "Continue button on buy input" - }, "buyConfirmTitle": "Comprar Bitcoin", - "@buyConfirmTitle": { - "description": "AppBar title for buy confirmation screen" - }, "buyConfirmYouPay": "Usted paga", - "@buyConfirmYouPay": { - "description": "Field label for payment amount" - }, "buyConfirmYouReceive": "Usted recibe", - "@buyConfirmYouReceive": { - "description": "Field label for receive amount" - }, "buyConfirmBitcoinPrice": "Precio de Bitcoin", - "@buyConfirmBitcoinPrice": { - "description": "Field label for Bitcoin price" - }, "buyConfirmPayoutMethod": "Método de pago", - "@buyConfirmPayoutMethod": { - "description": "Field label for payout method" - }, "buyConfirmExternalWallet": "Billetera Bitcoin externa", - "@buyConfirmExternalWallet": { - "description": "External wallet payout method" - }, "buyConfirmAwaitingConfirmation": "Esperando confirmación ", - "@buyConfirmAwaitingConfirmation": { - "description": "Awaiting confirmation label" - }, "sellSendPaymentTitle": "Confirmar pago", - "@sellSendPaymentTitle": { - "description": "Title on sell payment screen" - }, "sellSendPaymentPriceRefresh": "El precio se actualizará en ", - "@sellSendPaymentPriceRefresh": { - "description": "Price refresh countdown prefix" - }, "sellSendPaymentOrderNumber": "Número de orden", - "@sellSendPaymentOrderNumber": { - "description": "Field label for order number" - }, "sellSendPaymentPayoutRecipient": "Destinatario del pago", - "@sellSendPaymentPayoutRecipient": { - "description": "Field label for payout recipient" - }, "sellSendPaymentCadBalance": "Saldo CAD", - "@sellSendPaymentCadBalance": { - "description": "CAD balance payout method" - }, "sellSendPaymentCrcBalance": "Saldo CRC", - "@sellSendPaymentCrcBalance": { - "description": "CRC balance payout method" - }, "sellSendPaymentEurBalance": "Saldo EUR", - "@sellSendPaymentEurBalance": { - "description": "EUR balance payout method" - }, "sellSendPaymentUsdBalance": "Saldo USD", - "@sellSendPaymentUsdBalance": { - "description": "USD balance payout method" - }, "sellSendPaymentMxnBalance": "Saldo MXN", - "@sellSendPaymentMxnBalance": { - "description": "MXN balance payout method" - }, "sellSendPaymentPayinAmount": "Monto pagado", - "@sellSendPaymentPayinAmount": { - "description": "Field label for payin amount" - }, "sellSendPaymentPayoutAmount": "Monto recibido", - "@sellSendPaymentPayoutAmount": { - "description": "Field label for payout amount" - }, "sellSendPaymentExchangeRate": "Tasa de cambio", - "@sellSendPaymentExchangeRate": { - "description": "Field label for exchange rate" - }, "sellSendPaymentPayFromWallet": "Pagar desde billetera", - "@sellSendPaymentPayFromWallet": { - "description": "Field label for source wallet" - }, "sellSendPaymentInstantPayments": "Pagos instantáneos", - "@sellSendPaymentInstantPayments": { - "description": "Instant payments wallet label" - }, "sellSendPaymentSecureWallet": "Billetera Bitcoin segura", - "@sellSendPaymentSecureWallet": { - "description": "Secure wallet label" - }, "sellSendPaymentFeePriority": "Prioridad de comisión", - "@sellSendPaymentFeePriority": { - "description": "Field label for fee priority" - }, "sellSendPaymentFastest": "Más rápido", - "@sellSendPaymentFastest": { - "description": "Fastest fee priority option" - }, "sellSendPaymentNetworkFees": "Comisiones de red", - "@sellSendPaymentNetworkFees": { - "description": "Field label for network fees" - }, "sellSendPaymentCalculating": "Calculando...", - "@sellSendPaymentCalculating": { - "description": "Calculating fees message" - }, "sellSendPaymentAdvanced": "Configuración avanzada", - "@sellSendPaymentAdvanced": { - "description": "Advanced settings button" - }, "sellSendPaymentContinue": "Continuar", - "@sellSendPaymentContinue": { - "description": "Continue button on sell payment" - }, "sellSendPaymentAboveMax": "Está intentando vender por encima del monto máximo que se puede vender con esta billetera.", - "@sellSendPaymentAboveMax": { - "description": "Above max amount error" - }, "sellSendPaymentBelowMin": "Está intentando vender por debajo del monto mínimo que se puede vender con esta billetera.", - "@sellSendPaymentBelowMin": { - "description": "Below min amount error" - }, "sellSendPaymentInsufficientBalance": "Saldo insuficiente en la billetera seleccionada para completar esta orden de venta.", - "@sellSendPaymentInsufficientBalance": { - "description": "Insufficient balance error" - }, "arkSetupTitle": "Configuración Ark", - "@arkSetupTitle": { - "description": "AppBar title for Ark setup screen" - }, "arkSetupExperimentalWarning": "Ark aún es experimental.\n\nSu billetera Ark se deriva de la frase semilla de su billetera principal. No se necesita respaldo adicional, su respaldo de billetera existente también restaura sus fondos Ark.\n\nAl continuar, usted reconoce la naturaleza experimental de Ark y el riesgo de perder fondos.\n\nNota del desarrollador: El secreto Ark se deriva de la semilla de la billetera principal utilizando una derivación BIP-85 arbitraria (índice 11811).", - "@arkSetupExperimentalWarning": { - "description": "Ark experimental warning text" - }, "arkSetupEnable": "Activar Ark", - "@arkSetupEnable": { - "description": "Button to enable Ark" - }, "swapTitle": "Transferencia interna", - "@swapTitle": { - "description": "AppBar title for swap/internal transfer screen" - }, "swapInfoBanner": "Transfiera Bitcoin sin problemas entre sus billeteras. Solo mantenga fondos en la Billetera de pago instantáneo para gastos del día a día.", - "@swapInfoBanner": { - "description": "Info banner on swap amount screen" - }, "swapMax": "MÁX", - "@swapMax": { - "description": "MAX button label" - }, "swapContinue": "Continuar", - "@swapContinue": { - "description": "Continue button on swap amount screen" - }, "swapConfirmTitle": "Confirmar transferencia", - "@swapConfirmTitle": { - "description": "AppBar title for swap confirmation screen" - }, "swapProgressTitle": "Transferencia interna", - "@swapProgressTitle": { - "description": "AppBar title for swap progress screen" - }, "swapProgressPending": "Transferencia pendiente", - "@swapProgressPending": { - "description": "Pending transfer status" - }, "swapProgressPendingMessage": "La transferencia está en progreso. Las transacciones de Bitcoin pueden tardar en confirmarse. Puede regresar al inicio y esperar.", - "@swapProgressPendingMessage": { - "description": "Pending transfer message" - }, "swapProgressCompleted": "Transferencia completada", - "@swapProgressCompleted": { - "description": "Completed transfer status" - }, "swapProgressCompletedMessage": "¡Wow, esperó! La transferencia se completó exitosamente.", - "@swapProgressCompletedMessage": { - "description": "Completed transfer message" - }, "swapProgressRefundInProgress": "Reembolso de transferencia en progreso", - "@swapProgressRefundInProgress": { - "description": "Refund in progress status" - }, "swapProgressRefundMessage": "Hubo un error con la transferencia. Su reembolso está en progreso.", - "@swapProgressRefundMessage": { - "description": "Refund in progress message" - }, "swapProgressRefunded": "Transferencia reembolsada", - "@swapProgressRefunded": { - "description": "Refunded transfer status" - }, "swapProgressRefundedMessage": "La transferencia ha sido reembolsada exitosamente.", - "@swapProgressRefundedMessage": { - "description": "Refunded transfer message" - }, "swapProgressGoHome": "Ir al inicio", - "@swapProgressGoHome": { - "description": "Go home button on progress screen" - }, "autoswapTitle": "Configuración de transferencia automática", - "@autoswapTitle": { - "description": "Header title for auto transfer settings bottom sheet" - }, "autoswapEnable": "Activar transferencia automática", - "@autoswapEnable": { - "description": "Toggle label to enable auto transfer" - }, "autoswapMaxBalance": "Saldo máximo de billetera instantánea", - "@autoswapMaxBalance": { - "description": "Field label for max balance threshold" - }, "autoswapMaxBalanceInfo": "Cuando el saldo de la billetera exceda el doble de esta cantidad, la transferencia automática se activará para reducir el saldo a este nivel", - "@autoswapMaxBalanceInfo": { - "description": "Info tooltip for max balance field" - }, "autoswapMaxFee": "Comisión de transferencia máxima", - "@autoswapMaxFee": { - "description": "Field label for max fee threshold" - }, "autoswapMaxFeeInfo": "Si la comisión total de transferencia está por encima del porcentaje establecido, la transferencia automática será bloqueada", - "@autoswapMaxFeeInfo": { - "description": "Info tooltip for max fee field" - }, "autoswapAlwaysBlock": "Siempre bloquear comisiones altas", - "@autoswapAlwaysBlock": { - "description": "Toggle label for always block high fees" - }, "autoswapAlwaysBlockEnabledInfo": "Cuando está activado, las transferencias automáticas con comisiones superiores al límite establecido siempre serán bloqueadas", - "@autoswapAlwaysBlockEnabledInfo": { - "description": "Info text when always block is enabled" - }, "autoswapAlwaysBlockDisabledInfo": "Cuando está desactivado, se le dará la opción de permitir una transferencia automática que está bloqueada debido a comisiones altas", - "@autoswapAlwaysBlockDisabledInfo": { - "description": "Info text when always block is disabled" - }, "autoswapRecipientWallet": "Billetera Bitcoin destinataria", - "@autoswapRecipientWallet": { - "description": "Field label for recipient wallet dropdown" - }, "autoswapRecipientRequired": "*", - "@autoswapRecipientRequired": { - "description": "Required field indicator" - }, "autoswapSelectWallet": "Seleccionar una billetera Bitcoin", - "@autoswapSelectWallet": { - "description": "Placeholder for wallet dropdown" - }, "autoswapSelectWalletRequired": "Seleccionar una billetera Bitcoin *", - "@autoswapSelectWalletRequired": { - "description": "Placeholder for wallet dropdown when required" - }, "autoswapRecipientWalletInfo": "Elija qué billetera Bitcoin recibirá los fondos transferidos (obligatorio)", - "@autoswapRecipientWalletInfo": { - "description": "Info tooltip for recipient wallet field" - }, "autoswapDefaultWalletLabel": "Billetera Bitcoin", - "@autoswapDefaultWalletLabel": { - "description": "Default label for unnamed Bitcoin wallet" - }, "autoswapSave": "Guardar", - "@autoswapSave": { - "description": "Save button label" - }, "autoswapSaveError": "Error al guardar la configuración: {error}", "@autoswapSaveError": { - "description": "Error message when save fails", "placeholders": { "error": { "type": "String" @@ -22750,32 +3481,13 @@ } }, "electrumTitle": "Configuración del servidor Electrum", - "@electrumTitle": { - "description": "AppBar title for Electrum settings screen" - }, "electrumNetworkBitcoin": "Bitcoin", - "@electrumNetworkBitcoin": { - "description": "Bitcoin network tab label" - }, "electrumNetworkLiquid": "Liquid", - "@electrumNetworkLiquid": { - "description": "Liquid network tab label" - }, "electrumAdvancedOptions": "Opciones avanzadas", - "@electrumAdvancedOptions": { - "description": "Advanced options button label" - }, "electrumAddCustomServer": "Agregar servidor personalizado", - "@electrumAddCustomServer": { - "description": "Add custom server bottom sheet title" - }, "electrumCloseTooltip": "Cerrar", - "@electrumCloseTooltip": { - "description": "Close button tooltip" - }, "electrumServerUrlHint": "URL del servidor {network} {environment}", "@electrumServerUrlHint": { - "description": "Hint text for server URL input", "placeholders": { "network": { "type": "String" @@ -22786,76 +3498,24 @@ } }, "electrumMainnet": "Mainnet", - "@electrumMainnet": { - "description": "Mainnet environment label" - }, "electrumTestnet": "Testnet", - "@electrumTestnet": { - "description": "Testnet environment label" - }, "electrumEmptyFieldError": "Este campo no puede estar vacío", - "@electrumEmptyFieldError": { - "description": "Validation error for empty field" - }, "electrumBitcoinSslInfo": "Si no se especifica ningún protocolo, se usará SSL por defecto.", - "@electrumBitcoinSslInfo": { - "description": "Info text for Bitcoin server protocol" - }, "electrumLiquidSslInfo": "No se debe especificar ningún protocolo, SSL se usará automáticamente.", - "@electrumLiquidSslInfo": { - "description": "Info text for Liquid server protocol" - }, "electrumAddServer": "Agregar servidor", - "@electrumAddServer": { - "description": "Add server button label" - }, "electrumEnableSsl": "Activar SSL", - "@electrumEnableSsl": { - "description": "SSL toggle label in add custom server sheet" - }, "electrumProtocolError": "No incluya el protocolo (ssl:// o tcp://).", - "@electrumProtocolError": { - "description": "Validation error when protocol is included in server URL" - }, "electrumFormatError": "Use el formato host:puerto (p. ej., ejemplo.com:50001)", - "@electrumFormatError": { - "description": "Validation error for incorrect server URL format" - }, "electrumBitcoinServerInfo": "Ingrese la dirección del servidor en el formato: host:puerto (p. ej., ejemplo.com:50001)", - "@electrumBitcoinServerInfo": { - "description": "Info text for Bitcoin server URL format" - }, "electrumStopGap": "Intervalo de parada", - "@electrumStopGap": { - "description": "Stop Gap field label and hint in advanced options" - }, "electrumTimeout": "Tiempo de espera (segundos)", - "@electrumTimeout": { - "description": "Timeout field label and hint in advanced options" - }, "electrumRetryCount": "Número de reintentos", - "@electrumRetryCount": { - "description": "Retry Count field label and hint in advanced options" - }, "electrumValidateDomain": "Validar dominio", - "@electrumValidateDomain": { - "description": "Validate Domain switch label in advanced options" - }, "electrumStopGapEmptyError": "El intervalo de parada no puede estar vacío", - "@electrumStopGapEmptyError": { - "description": "Validation error for empty Stop Gap field" - }, "electrumInvalidNumberError": "Ingrese un número válido", - "@electrumInvalidNumberError": { - "description": "Validation error for non-numeric input" - }, "electrumStopGapNegativeError": "El intervalo de parada no puede ser negativo", - "@electrumStopGapNegativeError": { - "description": "Validation error for negative Stop Gap value" - }, "electrumStopGapTooHighError": "El intervalo de parada parece demasiado alto. (Máx. {maxStopGap})", "@electrumStopGapTooHighError": { - "description": "Validation error for Stop Gap exceeding maximum", "placeholders": { "maxStopGap": { "type": "String" @@ -22863,16 +3523,9 @@ } }, "electrumTimeoutEmptyError": "El tiempo de espera no puede estar vacío", - "@electrumTimeoutEmptyError": { - "description": "Validation error for empty Timeout field" - }, "electrumTimeoutPositiveError": "El tiempo de espera debe ser positivo", - "@electrumTimeoutPositiveError": { - "description": "Validation error for non-positive Timeout value" - }, "electrumTimeoutTooHighError": "El tiempo de espera parece demasiado alto. (Máx. {maxTimeout} segundos)", "@electrumTimeoutTooHighError": { - "description": "Validation error for Timeout exceeding maximum", "placeholders": { "maxTimeout": { "type": "String" @@ -22880,16 +3533,9 @@ } }, "electrumRetryCountEmptyError": "El número de reintentos no puede estar vacío", - "@electrumRetryCountEmptyError": { - "description": "Validation error for empty Retry Count field" - }, "electrumRetryCountNegativeError": "El número de reintentos no puede ser negativo", - "@electrumRetryCountNegativeError": { - "description": "Validation error for negative Retry Count value" - }, "electrumTimeoutWarning": "Su tiempo de espera ({timeoutValue} segundos) es menor que el valor recomendado ({recommended} segundos) para este intervalo de parada.", "@electrumTimeoutWarning": { - "description": "Warning message when timeout is too low for the configured Stop Gap", "placeholders": { "timeoutValue": { "type": "String" @@ -22901,7 +3547,6 @@ }, "electrumInvalidStopGapError": "Valor de intervalo de parada inválido: {value}", "@electrumInvalidStopGapError": { - "description": "Error message for invalid Stop Gap value from backend", "placeholders": { "value": { "type": "String" @@ -22910,7 +3555,6 @@ }, "electrumInvalidTimeoutError": "Valor de tiempo de espera inválido: {value}", "@electrumInvalidTimeoutError": { - "description": "Error message for invalid Timeout value from backend", "placeholders": { "value": { "type": "String" @@ -22919,7 +3563,6 @@ }, "electrumInvalidRetryError": "Valor de número de reintentos inválido: {value}", "@electrumInvalidRetryError": { - "description": "Error message for invalid Retry Count value from backend", "placeholders": { "value": { "type": "String" @@ -22927,32 +3570,13 @@ } }, "electrumSaveFailedError": "Error al guardar las opciones avanzadas", - "@electrumSaveFailedError": { - "description": "Error message when saving advanced options fails" - }, "electrumUnknownError": "Ocurrió un error", - "@electrumUnknownError": { - "description": "Generic error message for unknown errors" - }, "electrumReset": "Restablecer", - "@electrumReset": { - "description": "Reset button label in advanced options" - }, "electrumConfirm": "Confirmar", - "@electrumConfirm": { - "description": "Confirm button label in advanced options" - }, "electrumDeleteServerTitle": "Eliminar servidor personalizado", - "@electrumDeleteServerTitle": { - "description": "Delete server dialog title" - }, "electrumDeletePrivacyNotice": "Aviso de privacidad:\n\nUsar su propio nodo garantiza que ningún tercero pueda vincular su dirección IP con sus transacciones. Al eliminar su último servidor personalizado, se conectará a un servidor BullBitcoin.\n", - "@electrumDeletePrivacyNotice": { - "description": "Privacy notice shown when deleting last custom server" - }, "electrumDeleteConfirmation": "¿Está seguro de que desea eliminar este servidor?\n\n{serverUrl}", "@electrumDeleteConfirmation": { - "description": "Confirmation message for server deletion", "placeholders": { "serverUrl": { "type": "String" @@ -22960,32 +3584,13 @@ } }, "electrumCancel": "Cancelar", - "@electrumCancel": { - "description": "Cancel button label in delete dialog" - }, "electrumDelete": "Eliminar", - "@electrumDelete": { - "description": "Delete button label in delete dialog" - }, "electrumDefaultServers": "Servidores predeterminados", - "@electrumDefaultServers": { - "description": "Section header for default servers list" - }, "electrumDefaultServersInfo": "Para proteger su privacidad, los servidores predeterminados no se utilizan cuando se configuran servidores personalizados.", - "@electrumDefaultServersInfo": { - "description": "Info message explaining default servers behavior" - }, "electrumCustomServers": "Servidores personalizados", - "@electrumCustomServers": { - "description": "Section header for custom servers list" - }, "electrumDragToReorder": "(Mantenga presionado para arrastrar y cambiar la prioridad)", - "@electrumDragToReorder": { - "description": "Instruction text for reordering servers" - }, "electrumLoadFailedError": "Error al cargar los servidores{reason}", "@electrumLoadFailedError": { - "description": "Error message when loading servers fails", "placeholders": { "reason": { "type": "String" @@ -22994,7 +3599,6 @@ }, "electrumSavePriorityFailedError": "Error al guardar la prioridad del servidor{reason}", "@electrumSavePriorityFailedError": { - "description": "Error message when saving server priority fails", "placeholders": { "reason": { "type": "String" @@ -23003,7 +3607,6 @@ }, "electrumAddFailedError": "Error al agregar el servidor personalizado{reason}", "@electrumAddFailedError": { - "description": "Error message when adding custom server fails", "placeholders": { "reason": { "type": "String" @@ -23012,7 +3615,6 @@ }, "electrumDeleteFailedError": "Error al eliminar el servidor personalizado{reason}", "@electrumDeleteFailedError": { - "description": "Error message when deleting custom server fails", "placeholders": { "reason": { "type": "String" @@ -23020,120 +3622,35 @@ } }, "electrumServerAlreadyExists": "Este servidor ya existe", - "@electrumServerAlreadyExists": { - "description": "Error message when trying to add a duplicate server" - }, "electrumPrivacyNoticeTitle": "Aviso de privacidad", - "@electrumPrivacyNoticeTitle": { - "description": "Title for privacy notice bottom sheet" - }, "electrumPrivacyNoticeContent1": "Aviso de privacidad: El uso de su propio nodo garantiza que ningún tercero pueda vincular su dirección IP con sus transacciones.", - "@electrumPrivacyNoticeContent1": { - "description": "First paragraph of privacy notice" - }, "electrumPrivacyNoticeContent2": "Sin embargo, si visualiza transacciones a través de mempool haciendo clic en su ID de transacción o en la página de Detalles del destinatario, esta información será conocida por BullBitcoin.", - "@electrumPrivacyNoticeContent2": { - "description": "Second paragraph of privacy notice" - }, "electrumPrivacyNoticeCancel": "Cancelar", - "@electrumPrivacyNoticeCancel": { - "description": "Cancel button in privacy notice dialog" - }, "electrumPrivacyNoticeSave": "Guardar", - "@electrumPrivacyNoticeSave": { - "description": "Save button in privacy notice dialog" - }, "electrumServerNotUsed": "No utilizado", - "@electrumServerNotUsed": { - "description": "Status text for disabled servers" - }, "electrumServerOnline": "En línea", - "@electrumServerOnline": { - "description": "Status text for online servers" - }, "electrumServerOffline": "Fuera de línea", - "@electrumServerOffline": { - "description": "Status text for offline servers" - }, "arkSendRecipientLabel": "Dirección del destinatario", - "@arkSendRecipientLabel": { - "description": "Label for recipient address field" - }, "arkSendRecipientHint": "ark1qp9wsjfpsj5v5ex022v6…", - "@arkSendRecipientHint": { - "description": "Hint text for recipient address field" - }, "arkSendConfirmedBalance": "Saldo confirmado", - "@arkSendConfirmedBalance": { - "description": "Confirmed balance label" - }, "arkSendPendingBalance": "Saldo pendiente ", - "@arkSendPendingBalance": { - "description": "Pending balance label" - }, "arkSendConfirm": "Confirmar", - "@arkSendConfirm": { - "description": "Confirm button on send screen" - }, "arkReceiveCopyAddress": "Copiar dirección", - "@arkReceiveCopyAddress": { - "description": "Copy address button label" - }, "arkReceiveUnifiedAddress": "Dirección unificada (BIP21)", - "@arkReceiveUnifiedAddress": { - "description": "Label for unified BIP21 address" - }, "arkReceiveBtcAddress": "Dirección BTC", - "@arkReceiveBtcAddress": { - "description": "Label for Bitcoin address" - }, "arkReceiveArkAddress": "Dirección Ark", - "@arkReceiveArkAddress": { - "description": "Label for Ark address" - }, "arkReceiveUnifiedCopied": "Dirección unificada copiada", - "@arkReceiveUnifiedCopied": { - "description": "Snackbar message when unified address copied" - }, "arkSettleTitle": "Liquidar transacciones", - "@arkSettleTitle": { - "description": "Settle bottom sheet title" - }, "arkSettleMessage": "Finalizar transacciones pendientes e incluir vtxos recuperables si es necesario", - "@arkSettleMessage": { - "description": "Settle bottom sheet explanation" - }, "arkSettleIncludeRecoverable": "Incluir vtxos recuperables", - "@arkSettleIncludeRecoverable": { - "description": "Toggle label for including recoverable vtxos" - }, "arkSettleCancel": "Cancelar", - "@arkSettleCancel": { - "description": "Cancel button on settle bottom sheet" - }, "arkAboutServerUrl": "URL del servidor", - "@arkAboutServerUrl": { - "description": "Field label for server URL" - }, "arkAboutServerPubkey": "Clave pública del servidor", - "@arkAboutServerPubkey": { - "description": "Field label for server pubkey" - }, "arkAboutForfeitAddress": "Dirección de decomiso", - "@arkAboutForfeitAddress": { - "description": "Field label for forfeit address" - }, "arkAboutNetwork": "Red", - "@arkAboutNetwork": { - "description": "Field label for network" - }, "arkAboutDust": "Polvo", - "@arkAboutDust": { - "description": "Field label for dust amount" - }, "arkAboutDustValue": "{dust} SATS", "@arkAboutDustValue": { - "description": "Dust value format", "placeholders": { "dust": { "type": "int" @@ -23141,28 +3658,12 @@ } }, "arkAboutSessionDuration": "Duración de sesión", - "@arkAboutSessionDuration": { - "description": "Field label for session duration" - }, "arkAboutBoardingExitDelay": "Retraso de salida de embarque", - "@arkAboutBoardingExitDelay": { - "description": "Field label for boarding exit delay" - }, "arkAboutUnilateralExitDelay": "Retraso de salida unilateral", - "@arkAboutUnilateralExitDelay": { - "description": "Field label for unilateral exit delay" - }, "arkAboutEsploraUrl": "URL Esplora", - "@arkAboutEsploraUrl": { - "description": "Field label for Esplora URL" - }, "arkAboutCopy": "Copiar", - "@arkAboutCopy": { - "description": "Copy button label" - }, "arkAboutCopiedMessage": "{label} copiado al portapapeles", "@arkAboutCopiedMessage": { - "description": "Snackbar message when field copied", "placeholders": { "label": { "type": "String" @@ -23171,7 +3672,6 @@ }, "arkAboutDurationSeconds": "{seconds} segundos", "@arkAboutDurationSeconds": { - "description": "Duration format for seconds", "placeholders": { "seconds": { "type": "int" @@ -23180,7 +3680,6 @@ }, "arkAboutDurationMinute": "{minutes} minuto", "@arkAboutDurationMinute": { - "description": "Duration format for singular minute", "placeholders": { "minutes": { "type": "int" @@ -23189,7 +3688,6 @@ }, "arkAboutDurationMinutes": "{minutes} minutos", "@arkAboutDurationMinutes": { - "description": "Duration format for plural minutes", "placeholders": { "minutes": { "type": "int" @@ -23198,7 +3696,6 @@ }, "arkAboutDurationHour": "{hours} hora", "@arkAboutDurationHour": { - "description": "Duration format for singular hour", "placeholders": { "hours": { "type": "int" @@ -23207,7 +3704,6 @@ }, "arkAboutDurationHours": "{hours} horas", "@arkAboutDurationHours": { - "description": "Duration format for plural hours", "placeholders": { "hours": { "type": "int" @@ -23216,7 +3712,6 @@ }, "arkAboutDurationDay": "{days} día", "@arkAboutDurationDay": { - "description": "Duration format for singular day", "placeholders": { "days": { "type": "int" @@ -23225,7 +3720,6 @@ }, "arkAboutDurationDays": "{days} días", "@arkAboutDurationDays": { - "description": "Duration format for plural days", "placeholders": { "days": { "type": "int" @@ -23233,56 +3727,19 @@ } }, "arkSendRecipientTitle": "Enviar al destinatario", - "@arkSendRecipientTitle": { - "description": "Title for the ark send recipient page" - }, "arkSendRecipientError": "Por favor ingrese un destinatario", - "@arkSendRecipientError": { - "description": "Error message when recipient field is empty" - }, "arkSendAmountTitle": "Ingrese el monto", - "@arkSendAmountTitle": { - "description": "Title for the ark send amount page" - }, "arkSendConfirmTitle": "Confirmar envío", - "@arkSendConfirmTitle": { - "description": "Title for the ark send confirmation page" - }, "arkSendConfirmMessage": "Por favor confirme los detalles de su transacción antes de enviar.", - "@arkSendConfirmMessage": { - "description": "Message displayed on send confirmation page" - }, "arkReceiveSegmentArk": "Ark", - "@arkReceiveSegmentArk": { - "description": "Segment option for Ark address type" - }, "arkReceiveSegmentBoarding": "Embarque", - "@arkReceiveSegmentBoarding": { - "description": "Segment option for Boarding (BTC) address type" - }, "arkReceiveBoardingAddress": "Dirección de embarque BTC", - "@arkReceiveBoardingAddress": { - "description": "Label for BTC boarding address" - }, "arkAboutSecretKey": "Clave secreta", - "@arkAboutSecretKey": { - "description": "Label for secret key field in about page" - }, "arkAboutShow": "Mostrar", - "@arkAboutShow": { - "description": "Button text to show hidden secret key" - }, "arkAboutHide": "Ocultar", - "@arkAboutHide": { - "description": "Button text to hide visible secret key" - }, "arkContinueButton": "Continuar", - "@arkContinueButton": { - "description": "Continue button text used in ark send flow" - }, "addressViewErrorLoadingAddresses": "Error al cargar las direcciones: {error}", "@addressViewErrorLoadingAddresses": { - "description": "Mensaje de error mostrado cuando falla la carga de direcciones", "placeholders": { "error": { "type": "String" @@ -23290,12 +3747,8 @@ } }, "addressViewNoAddressesFound": "No se encontraron direcciones", - "@addressViewNoAddressesFound": { - "description": "Mensaje de estado vacío cuando no hay direcciones disponibles" - }, "addressViewErrorLoadingMoreAddresses": "Error al cargar más direcciones: {error}", "@addressViewErrorLoadingMoreAddresses": { - "description": "Mensaje de error mostrado cuando falla la paginación de direcciones", "placeholders": { "error": { "type": "String" @@ -23303,112 +3756,33 @@ } }, "addressViewChangeAddressesComingSoon": "Direcciones de cambio próximamente", - "@addressViewChangeAddressesComingSoon": { - "description": "Mensaje de estado vacío para la función de direcciones de cambio próximamente" - }, "addressViewChangeAddressesDescription": "Mostrar direcciones de cambio de la billetera", - "@addressViewChangeAddressesDescription": { - "description": "Descripción del diálogo próximamente al intentar ver direcciones de cambio" - }, "appStartupErrorTitle": "Error de inicio", - "@appStartupErrorTitle": { - "description": "Título mostrado cuando la aplicación no se inicia correctamente" - }, "appStartupErrorMessageWithBackup": "En la versión 5.4.0 se descubrió un error crítico en una de nuestras dependencias que afecta el almacenamiento de claves privadas. Su aplicación ha sido afectada por esto. Deberá eliminar esta aplicación y reinstalarla con su frase de recuperación respaldada.", - "@appStartupErrorMessageWithBackup": { - "description": "Mensaje de error mostrado cuando el inicio de la aplicación falla debido a un problema de almacenamiento de frase de recuperación y el usuario tiene una copia de seguridad" - }, "appStartupErrorMessageNoBackup": "En la versión 5.4.0 se descubrió un error crítico en una de nuestras dependencias que afecta el almacenamiento de claves privadas. Su aplicación ha sido afectada por esto. Contacte a nuestro equipo de soporte.", - "@appStartupErrorMessageNoBackup": { - "description": "Mensaje de error mostrado cuando el inicio de la aplicación falla debido a un problema de almacenamiento de frase de recuperación y el usuario no tiene una copia de seguridad" - }, "appStartupContactSupportButton": "Contactar Soporte", - "@appStartupContactSupportButton": { - "description": "Etiqueta del botón para contactar al soporte cuando falla el inicio de la aplicación" - }, "ledgerImportTitle": "Importar Cartera Ledger", - "@ledgerImportTitle": { - "description": "Título para importar una cartera hardware Ledger" - }, "ledgerSignTitle": "Firmar Transacción", - "@ledgerSignTitle": { - "description": "Título para firmar una transacción con Ledger" - }, "ledgerVerifyTitle": "Verificar Dirección en Ledger", - "@ledgerVerifyTitle": { - "description": "Título para verificar una dirección en el dispositivo Ledger" - }, "ledgerImportButton": "Comenzar Importación", - "@ledgerImportButton": { - "description": "Etiqueta del botón para comenzar la importación de cartera Ledger" - }, "ledgerSignButton": "Comenzar Firma", - "@ledgerSignButton": { - "description": "Etiqueta del botón para comenzar la firma de transacción con Ledger" - }, "ledgerVerifyButton": "Verificar Dirección", - "@ledgerVerifyButton": { - "description": "Etiqueta del botón para comenzar la verificación de dirección en Ledger" - }, "ledgerProcessingImport": "Importando Cartera", - "@ledgerProcessingImport": { - "description": "Mensaje de estado mostrado mientras se importa la cartera Ledger" - }, "ledgerProcessingSign": "Firmando Transacción", - "@ledgerProcessingSign": { - "description": "Mensaje de estado mostrado mientras se firma la transacción con Ledger" - }, "ledgerProcessingVerify": "Mostrando dirección en Ledger...", - "@ledgerProcessingVerify": { - "description": "Mensaje de estado mostrado mientras se verifica la dirección en Ledger" - }, "ledgerSuccessImportTitle": "Cartera Importada Exitosamente", - "@ledgerSuccessImportTitle": { - "description": "Título del mensaje de éxito después de importar la cartera Ledger" - }, "ledgerSuccessSignTitle": "Transacción Firmada Exitosamente", - "@ledgerSuccessSignTitle": { - "description": "Título del mensaje de éxito después de firmar la transacción con Ledger" - }, "ledgerSuccessVerifyTitle": "Verificando dirección en Ledger...", - "@ledgerSuccessVerifyTitle": { - "description": "Título del mensaje de éxito para la verificación de dirección en Ledger" - }, "ledgerSuccessImportDescription": "Su cartera Ledger ha sido importada exitosamente.", - "@ledgerSuccessImportDescription": { - "description": "Descripción del mensaje de éxito después de importar la cartera Ledger" - }, "ledgerSuccessSignDescription": "Su transacción ha sido firmada exitosamente.", - "@ledgerSuccessSignDescription": { - "description": "Descripción del mensaje de éxito después de firmar la transacción con Ledger" - }, "ledgerSuccessVerifyDescription": "La dirección ha sido verificada en su dispositivo Ledger.", - "@ledgerSuccessVerifyDescription": { - "description": "Descripción del mensaje de éxito después de verificar la dirección en Ledger" - }, "ledgerProcessingImportSubtext": "Configurando su cartera de solo lectura...", - "@ledgerProcessingImportSubtext": { - "description": "Subtexto de procesamiento mostrado mientras se importa la cartera Ledger" - }, "ledgerProcessingSignSubtext": "Por favor confirme la transacción en su dispositivo Ledger...", - "@ledgerProcessingSignSubtext": { - "description": "Subtexto de procesamiento mostrado mientras se firma la transacción" - }, "ledgerProcessingVerifySubtext": "Por favor confirme la dirección en su dispositivo Ledger.", - "@ledgerProcessingVerifySubtext": { - "description": "Subtexto de procesamiento mostrado mientras se verifica la dirección" - }, "ledgerConnectTitle": "Conecte su Dispositivo Ledger", - "@ledgerConnectTitle": { - "description": "Título de la pantalla de conexión inicial de Ledger" - }, "ledgerScanningTitle": "Buscando Dispositivos", - "@ledgerScanningTitle": { - "description": "Título mostrado mientras se buscan dispositivos Ledger" - }, "ledgerConnectingMessage": "Conectando a {deviceName}", "@ledgerConnectingMessage": { - "description": "Mensaje mostrado mientras se conecta a un dispositivo Ledger específico", "placeholders": { "deviceName": { "type": "String" @@ -23417,7 +3791,6 @@ }, "ledgerActionFailedMessage": "{action} Falló", "@ledgerActionFailedMessage": { - "description": "Mensaje de error cuando una acción de Ledger falla", "placeholders": { "action": { "type": "String" @@ -23425,340 +3798,90 @@ } }, "ledgerInstructionsIos": "Asegúrese de que su Ledger esté desbloqueado con la aplicación Bitcoin abierta y Bluetooth habilitado.", - "@ledgerInstructionsIos": { - "description": "Instrucciones de conexión para dispositivos iOS (solo Bluetooth)" - }, "ledgerInstructionsAndroidUsb": "Asegúrese de que su Ledger esté desbloqueado con la aplicación Bitcoin abierta y conéctelo vía USB.", - "@ledgerInstructionsAndroidUsb": { - "description": "Instrucciones de conexión para dispositivos Android (solo USB)" - }, "ledgerInstructionsAndroidDual": "Asegúrese de que su Ledger esté desbloqueado con la aplicación Bitcoin abierta y Bluetooth habilitado, o conecte el dispositivo vía USB.", - "@ledgerInstructionsAndroidDual": { - "description": "Instrucciones de conexión para dispositivos Android (Bluetooth o USB)" - }, "ledgerScanningMessage": "Buscando dispositivos Ledger cercanos...", - "@ledgerScanningMessage": { - "description": "Mensaje mostrado mientras se buscan dispositivos Ledger" - }, "ledgerConnectingSubtext": "Estableciendo conexión segura...", - "@ledgerConnectingSubtext": { - "description": "Subtexto mostrado mientras se conecta al Ledger" - }, "ledgerErrorUnknown": "Error desconocido", - "@ledgerErrorUnknown": { - "description": "Mensaje de error genérico para errores de Ledger desconocidos" - }, "ledgerErrorUnknownOccurred": "Ocurrió un error desconocido", - "@ledgerErrorUnknownOccurred": { - "description": "Mensaje de error cuando ocurre un error desconocido durante una operación de Ledger" - }, "ledgerErrorNoConnection": "No hay conexión Ledger disponible", - "@ledgerErrorNoConnection": { - "description": "Mensaje de error cuando no hay conexión Ledger disponible" - }, "ledgerErrorRejectedByUser": "La transacción fue rechazada por el usuario en el dispositivo Ledger.", - "@ledgerErrorRejectedByUser": { - "description": "Mensaje de error cuando el usuario rechaza la transacción en Ledger (código de error 6985)" - }, "ledgerErrorDeviceLocked": "El dispositivo Ledger está bloqueado. Por favor desbloquee su dispositivo e intente nuevamente.", - "@ledgerErrorDeviceLocked": { - "description": "Mensaje de error cuando el dispositivo Ledger está bloqueado (código de error 5515)" - }, "ledgerErrorBitcoinAppNotOpen": "Por favor abra la aplicación Bitcoin en su dispositivo Ledger e intente nuevamente.", - "@ledgerErrorBitcoinAppNotOpen": { - "description": "Mensaje de error cuando la aplicación Bitcoin no está abierta en Ledger (códigos de error 6e01, 6a87, 6d02, 6511, 6e00)" - }, "ledgerErrorMissingPsbt": "Se requiere PSBT para firmar", - "@ledgerErrorMissingPsbt": { - "description": "Mensaje de error cuando falta el parámetro PSBT para firmar" - }, "ledgerErrorMissingDerivationPathSign": "Se requiere ruta de derivación para firmar", - "@ledgerErrorMissingDerivationPathSign": { - "description": "Mensaje de error cuando falta la ruta de derivación para firmar" - }, "ledgerErrorMissingScriptTypeSign": "Se requiere tipo de script para firmar", - "@ledgerErrorMissingScriptTypeSign": { - "description": "Mensaje de error cuando falta el tipo de script para firmar" - }, "ledgerErrorMissingAddress": "Se requiere dirección para verificación", - "@ledgerErrorMissingAddress": { - "description": "Mensaje de error cuando falta la dirección para verificación" - }, "ledgerErrorMissingDerivationPathVerify": "Se requiere ruta de derivación para verificación", - "@ledgerErrorMissingDerivationPathVerify": { - "description": "Mensaje de error cuando falta la ruta de derivación para verificación" - }, "ledgerErrorMissingScriptTypeVerify": "Se requiere tipo de script para verificación", - "@ledgerErrorMissingScriptTypeVerify": { - "description": "Mensaje de error cuando falta el tipo de script para verificación" - }, "ledgerButtonTryAgain": "Intentar Nuevamente", - "@ledgerButtonTryAgain": { - "description": "Etiqueta del botón para reintentar una operación de Ledger fallida" - }, "ledgerButtonManagePermissions": "Administrar Permisos de la Aplicación", - "@ledgerButtonManagePermissions": { - "description": "Etiqueta del botón para abrir la configuración de permisos de la aplicación" - }, "ledgerButtonNeedHelp": "¿Necesita Ayuda?", - "@ledgerButtonNeedHelp": { - "description": "Etiqueta del botón para mostrar las instrucciones de ayuda/solución de problemas" - }, "ledgerVerifyAddressLabel": "Dirección a verificar:", - "@ledgerVerifyAddressLabel": { - "description": "Etiqueta para la dirección que se está verificando en Ledger" - }, "ledgerWalletTypeLabel": "Tipo de Cartera:", - "@ledgerWalletTypeLabel": { - "description": "Etiqueta para la selección de tipo de cartera/script" - }, "ledgerWalletTypeSegwit": "Segwit (BIP84)", - "@ledgerWalletTypeSegwit": { - "description": "Nombre para mostrar del tipo de cartera Segwit (BIP84)" - }, "ledgerWalletTypeSegwitDescription": "Native SegWit - Recomendado", - "@ledgerWalletTypeSegwitDescription": { - "description": "Descripción para el tipo de cartera Segwit" - }, "ledgerWalletTypeNestedSegwit": "Nested Segwit (BIP49)", - "@ledgerWalletTypeNestedSegwit": { - "description": "Nombre para mostrar del tipo de cartera Nested Segwit (BIP49)" - }, "ledgerWalletTypeNestedSegwitDescription": "P2WPKH-nested-in-P2SH", - "@ledgerWalletTypeNestedSegwitDescription": { - "description": "Descripción técnica para el tipo de cartera Nested Segwit" - }, "ledgerWalletTypeLegacy": "Legacy (BIP44)", - "@ledgerWalletTypeLegacy": { - "description": "Nombre para mostrar del tipo de cartera Legacy (BIP44)" - }, "ledgerWalletTypeLegacyDescription": "P2PKH - Formato antiguo", - "@ledgerWalletTypeLegacyDescription": { - "description": "Descripción para el tipo de cartera Legacy" - }, "ledgerWalletTypeSelectTitle": "Seleccionar Tipo de Cartera", - "@ledgerWalletTypeSelectTitle": { - "description": "Título para el modal de selección de tipo de cartera" - }, "ledgerSuccessAddressVerified": "¡Dirección verificada exitosamente!", - "@ledgerSuccessAddressVerified": { - "description": "Mensaje de notificación de éxito después de la verificación de dirección" - }, "ledgerHelpTitle": "Solución de Problemas de Ledger", - "@ledgerHelpTitle": { - "description": "Título para el modal de ayuda de solución de problemas de Ledger" - }, "ledgerHelpSubtitle": "Primero, asegúrese de que su dispositivo Ledger esté desbloqueado y que la aplicación Bitcoin esté abierta. Si su dispositivo aún no se conecta con la aplicación, intente lo siguiente:", - "@ledgerHelpSubtitle": { - "description": "Subtítulo/introducción para la ayuda de solución de problemas de Ledger" - }, "ledgerHelpStep1": "Reinicie su dispositivo Ledger.", - "@ledgerHelpStep1": { - "description": "Primer paso de solución de problemas para problemas de conexión de Ledger" - }, "ledgerHelpStep2": "Asegúrese de que su teléfono tenga Bluetooth activado y permitido.", - "@ledgerHelpStep2": { - "description": "Segundo paso de solución de problemas para problemas de conexión de Ledger" - }, "ledgerHelpStep3": "Asegúrese de que su Ledger tenga Bluetooth activado.", - "@ledgerHelpStep3": { - "description": "Tercer paso de solución de problemas para problemas de conexión de Ledger" - }, "ledgerHelpStep4": "Asegúrese de haber instalado la última versión de la aplicación Bitcoin desde Ledger Live.", - "@ledgerHelpStep4": { - "description": "Cuarto paso de solución de problemas para problemas de conexión de Ledger" - }, "ledgerHelpStep5": "Asegúrese de que su dispositivo Ledger esté usando el firmware más reciente, puede actualizar el firmware usando la aplicación Ledger Live para escritorio.", - "@ledgerHelpStep5": { - "description": "Quinto paso de solución de problemas para problemas de conexión de Ledger" - }, "ledgerDefaultWalletLabel": "Cartera Ledger", - "@ledgerDefaultWalletLabel": { - "description": "Etiqueta predeterminada para la cartera Ledger importada" - }, "exchangeBrandName": "BULL BITCOIN", - "@exchangeBrandName": { - "description": "The Bull Bitcoin brand name displayed on exchange screens" - }, "exchangeLandingConnectAccount": "Conecta tu cuenta de intercambio Bull Bitcoin", - "@exchangeLandingConnectAccount": { - "description": "Subtitle text on the exchange landing screen encouraging users to connect" - }, "exchangeLandingRecommendedExchange": "Intercambio de Bitcoin recomendado", - "@exchangeLandingRecommendedExchange": { - "description": "Subtitle on landing screen v2 describing Bull Bitcoin as recommended" - }, "exchangeFeatureSelfCustody": "• Compra Bitcoin directamente en autocustodia", - "@exchangeFeatureSelfCustody": { - "description": "Feature bullet point describing self-custody Bitcoin purchases" - }, "exchangeFeatureDcaOrders": "• DCA, órdenes limitadas y compra automática", - "@exchangeFeatureDcaOrders": { - "description": "Feature bullet point describing DCA and automated buying features" - }, "exchangeFeatureSellBitcoin": "• Vende Bitcoin, recibe pagos en Bitcoin", - "@exchangeFeatureSellBitcoin": { - "description": "Feature bullet point describing selling Bitcoin functionality" - }, "exchangeFeatureBankTransfers": "• Envía transferencias bancarias y paga facturas", - "@exchangeFeatureBankTransfers": { - "description": "Feature bullet point describing bank transfer and bill payment features" - }, "exchangeFeatureCustomerSupport": "• Chatea con el soporte al cliente", - "@exchangeFeatureCustomerSupport": { - "description": "Feature bullet point describing customer support chat feature" - }, "exchangeFeatureUnifiedHistory": "• Historial de transacciones unificado", - "@exchangeFeatureUnifiedHistory": { - "description": "Feature bullet point describing unified transaction history feature" - }, "priceChartFetchingHistory": "Obteniendo historial de precios...", - "@priceChartFetchingHistory": { - "description": "Message shown while fetching price history when no local data is available" - }, "exchangeLandingDisclaimerLegal": "El acceso a los servicios de intercambio estará restringido a países donde Bull Bitcoin pueda operar legalmente y puede requerir KYC.", - "@exchangeLandingDisclaimerLegal": { - "description": "Legal disclaimer about exchange service availability and KYC requirements" - }, "exchangeLandingDisclaimerNotAvailable": "Los servicios de intercambio de criptomonedas no están disponibles en la aplicación móvil de Bull Bitcoin.", - "@exchangeLandingDisclaimerNotAvailable": { - "description": "Disclaimer informing users that exchange services are not available in the mobile app" - }, "exchangeLoginButton": "Iniciar sesión o registrarse", - "@exchangeLoginButton": { - "description": "Button label for logging in or signing up to the exchange" - }, "exchangeGoToWebsiteButton": "Ir al sitio web del intercambio Bull Bitcoin", - "@exchangeGoToWebsiteButton": { - "description": "Button label for navigating to the Bull Bitcoin exchange website" - }, "exchangeAuthLoginFailedTitle": "Error de inicio de sesión", - "@exchangeAuthLoginFailedTitle": { - "description": "Title of the dialog shown when exchange login fails" - }, "exchangeAuthLoginFailedMessage": "Ocurrió un error, por favor intenta iniciar sesión nuevamente.", - "@exchangeAuthLoginFailedMessage": { - "description": "Message shown when exchange login fails" - }, "exchangeAuthLoginFailedOkButton": "OK", - "@exchangeAuthLoginFailedOkButton": { - "description": "OK button label in the login failed dialog" - }, "exchangeHomeDepositButton": "Depositar", - "@exchangeHomeDepositButton": { - "description": "Button label for depositing funds to the exchange" - }, "exchangeHomeWithdrawButton": "Retirar", - "@exchangeHomeWithdrawButton": { - "description": "Button label for withdrawing funds from the exchange" - }, "exchangeSupportChatTitle": "Chat de Soporte", - "@exchangeSupportChatTitle": { - "description": "Title for the support chat screen" - }, "exchangeSupportChatEmptyState": "Aún no hay mensajes. ¡Inicia una conversación!", - "@exchangeSupportChatEmptyState": { - "description": "Message shown when there are no chat messages" - }, "exchangeSupportChatInputHint": "Escribe un mensaje...", - "@exchangeSupportChatInputHint": { - "description": "Placeholder text for the message input field" - }, "exchangeSupportChatMessageRequired": "Se requiere un mensaje", - "@exchangeSupportChatMessageRequired": { - "description": "Placeholder text when attachments are present but no message text" - }, "exchangeSupportChatMessageEmptyError": "El mensaje no puede estar vacío", - "@exchangeSupportChatMessageEmptyError": { - "description": "Error message when trying to send an empty message" - }, "exchangeSupportChatYesterday": "Ayer", - "@exchangeSupportChatYesterday": { - "description": "Label for yesterday in date formatting" - }, "exchangeSupportChatWalletIssuesInfo": "Este chat es solo para problemas relacionados con el intercambio en Funding/Compra/Venta/Retiro/Pago.\nPara problemas relacionados con la billetera, únete al grupo de Telegram haciendo clic aquí.", - "@exchangeSupportChatWalletIssuesInfo": { - "description": "Info message about wallet issues and telegram group link" - }, "exchangeDcaUnableToGetConfig": "No se puede obtener la configuración de DCA", - "@exchangeDcaUnableToGetConfig": { - "description": "Error message when DCA configuration cannot be retrieved" - }, "exchangeDcaDeactivateTitle": "Desactivar compra recurrente", - "@exchangeDcaDeactivateTitle": { - "description": "Title shown when DCA is active and can be deactivated" - }, "exchangeDcaActivateTitle": "Activar compra recurrente", - "@exchangeDcaActivateTitle": { - "description": "Title shown when DCA is inactive and can be activated" - }, "exchangeDcaHideSettings": "Ocultar configuración", - "@exchangeDcaHideSettings": { - "description": "Link text to hide DCA settings details" - }, "exchangeDcaViewSettings": "Ver configuración", - "@exchangeDcaViewSettings": { - "description": "Link text to view DCA settings details" - }, "exchangeDcaCancelDialogTitle": "¿Cancelar compra recurrente de Bitcoin?", - "@exchangeDcaCancelDialogTitle": { - "description": "Title of the dialog confirming DCA cancellation" - }, "exchangeDcaCancelDialogMessage": "Tu plan de compra recurrente de Bitcoin se detendrá y las compras programadas finalizarán. Para reiniciar, deberás configurar un nuevo plan.", - "@exchangeDcaCancelDialogMessage": { - "description": "Message explaining the consequences of canceling DCA" - }, "exchangeDcaCancelDialogCancelButton": "Cancelar", - "@exchangeDcaCancelDialogCancelButton": { - "description": "Button label to cancel the DCA cancellation dialog" - }, "exchangeDcaCancelDialogConfirmButton": "Sí, desactivar", - "@exchangeDcaCancelDialogConfirmButton": { - "description": "Button label to confirm DCA deactivation" - }, "exchangeDcaFrequencyHour": "hora", - "@exchangeDcaFrequencyHour": { - "description": "DCA frequency unit: hour" - }, "exchangeDcaFrequencyDay": "día", - "@exchangeDcaFrequencyDay": { - "description": "DCA frequency unit: day" - }, "exchangeDcaFrequencyWeek": "semana", - "@exchangeDcaFrequencyWeek": { - "description": "DCA frequency unit: week" - }, "exchangeDcaFrequencyMonth": "mes", - "@exchangeDcaFrequencyMonth": { - "description": "DCA frequency unit: month" - }, "exchangeDcaNetworkBitcoin": "Red Bitcoin", - "@exchangeDcaNetworkBitcoin": { - "description": "DCA network option: Bitcoin" - }, "exchangeDcaNetworkLightning": "Red Lightning", - "@exchangeDcaNetworkLightning": { - "description": "DCA network option: Lightning" - }, "exchangeDcaNetworkLiquid": "Red Liquid", - "@exchangeDcaNetworkLiquid": { - "description": "DCA network option: Liquid" - }, "exchangeDcaAddressLabelBitcoin": "Dirección Bitcoin", - "@exchangeDcaAddressLabelBitcoin": { - "description": "Label for Bitcoin address in DCA settings" - }, "exchangeDcaAddressLabelLightning": "Dirección Lightning", - "@exchangeDcaAddressLabelLightning": { - "description": "Label for Lightning address in DCA settings" - }, "exchangeDcaAddressLabelLiquid": "Dirección Liquid", - "@exchangeDcaAddressLabelLiquid": { - "description": "Label for Liquid address in DCA settings" - }, "exchangeDcaSummaryMessage": "Estás comprando {amount} cada {frequency} a través de {network} mientras haya fondos en tu cuenta.", "@exchangeDcaSummaryMessage": { - "description": "Summary message describing the DCA configuration", "placeholders": { "amount": { "type": "String", @@ -23774,7 +3897,6 @@ }, "exchangeDcaAddressDisplay": "{addressLabel}: {address}", "@exchangeDcaAddressDisplay": { - "description": "Format for displaying address label and address", "placeholders": { "addressLabel": { "type": "String", @@ -23787,68 +3909,22 @@ } }, "exchangeCurrencyDropdownTitle": "Seleccionar moneda", - "@exchangeCurrencyDropdownTitle": { - "description": "Title for the currency selection dropdown" - }, "exchangeCurrencyDropdownValidation": "Por favor selecciona una moneda", - "@exchangeCurrencyDropdownValidation": { - "description": "Validation message when no currency is selected" - }, "exchangeKycLevelLight": "Ligera", - "@exchangeKycLevelLight": { - "description": "KYC verification level: Light" - }, "exchangeKycLevelLimited": "Limitada", - "@exchangeKycLevelLimited": { - "description": "KYC verification level: Limited" - }, "exchangeKycCardTitle": "Completa tu verificación KYC", - "@exchangeKycCardTitle": { - "description": "Title of the KYC completion card" - }, "exchangeKycCardSubtitle": "Para eliminar los límites de transacción", - "@exchangeKycCardSubtitle": { - "description": "Subtitle explaining why to complete KYC" - }, "exchangeAmountInputTitle": "Ingresar monto", - "@exchangeAmountInputTitle": { - "description": "Title for the amount input field" - }, "exchangeAmountInputValidationEmpty": "Por favor ingresa un monto", - "@exchangeAmountInputValidationEmpty": { - "description": "Validation message when amount field is empty" - }, "exchangeAmountInputValidationInvalid": "Monto inválido", - "@exchangeAmountInputValidationInvalid": { - "description": "Validation message when amount is invalid" - }, "exchangeAmountInputValidationZero": "El monto debe ser mayor que cero", - "@exchangeAmountInputValidationZero": { - "description": "Validation message when amount is zero or negative" - }, "exchangeAmountInputValidationInsufficient": "Saldo insuficiente", - "@exchangeAmountInputValidationInsufficient": { - "description": "Validation message when amount exceeds available balance" - }, "sellBitcoinPriceLabel": "Precio de Bitcoin", - "@sellBitcoinPriceLabel": { - "description": "Label for Bitcoin price display" - }, "sellViewDetailsButton": "Ver detalles", - "@sellViewDetailsButton": { - "description": "Button text to view order details" - }, "sellKycPendingTitle": "Verificación KYC pendiente", - "@sellKycPendingTitle": { - "description": "Title shown when KYC verification is pending" - }, "sellKycPendingDescription": "Debes completar la verificación de identidad primero", - "@sellKycPendingDescription": { - "description": "Description explaining user must complete KYC before proceeding" - }, "sellErrorPrepareTransaction": "Error al preparar la transacción: {error}", "@sellErrorPrepareTransaction": { - "description": "Error message when transaction preparation fails", "placeholders": { "error": { "type": "String", @@ -23857,20 +3933,10 @@ } }, "sellErrorNoWalletSelected": "No se seleccionó ninguna billetera para enviar el pago", - "@sellErrorNoWalletSelected": { - "description": "Error message when no wallet is selected for payment" - }, "sellErrorFeesNotCalculated": "Tarifas de transacción no calculadas. Por favor, inténtalo de nuevo.", - "@sellErrorFeesNotCalculated": { - "description": "Error message when transaction fees calculation failed" - }, "sellErrorUnexpectedOrderType": "Se esperaba SellOrder pero se recibió un tipo de orden diferente", - "@sellErrorUnexpectedOrderType": { - "description": "Error message when wrong order type is received" - }, "sellErrorLoadUtxos": "Error al cargar UTXOs: {error}", "@sellErrorLoadUtxos": { - "description": "Error message when loading UTXOs fails", "placeholders": { "error": { "type": "String", @@ -23880,7 +3946,6 @@ }, "sellErrorRecalculateFees": "Error al recalcular tarifas: {error}", "@sellErrorRecalculateFees": { - "description": "Error message when fee recalculation fails", "placeholders": { "error": { "type": "String", @@ -23889,28 +3954,12 @@ } }, "sellLoadingGeneric": "Cargando...", - "@sellLoadingGeneric": { - "description": "Generic loading message" - }, "allSeedViewTitle": "Visualizador de Semillas", - "@allSeedViewTitle": { - "description": "Title for the seed viewer screen" - }, "allSeedViewLoadingMessage": "Esto puede tardar un tiempo en cargar si tiene muchas semillas en este dispositivo.", - "@allSeedViewLoadingMessage": { - "description": "Loading message shown while fetching seeds" - }, "allSeedViewNoSeedsFound": "No se encontraron semillas.", - "@allSeedViewNoSeedsFound": { - "description": "Message shown when no seeds are found" - }, "allSeedViewShowSeedsButton": "Mostrar Semillas", - "@allSeedViewShowSeedsButton": { - "description": "Button label to show seed phrases" - }, "allSeedViewExistingWallets": "Billeteras Existentes ({count})", "@allSeedViewExistingWallets": { - "description": "Section header for existing wallets with count", "placeholders": { "count": { "type": "int", @@ -23920,7 +3969,6 @@ }, "allSeedViewOldWallets": "Billeteras Antiguas ({count})", "@allSeedViewOldWallets": { - "description": "Section header for old wallets with count", "placeholders": { "count": { "type": "int", @@ -23929,44 +3977,16 @@ } }, "allSeedViewSecurityWarningTitle": "Advertencia de Seguridad", - "@allSeedViewSecurityWarningTitle": { - "description": "Title for security warning dialog" - }, "allSeedViewSecurityWarningMessage": "Mostrar frases de recuperación es un riesgo de seguridad. Cualquiera que vea su frase de recuperación puede acceder a sus fondos. Asegúrese de estar en un lugar privado y de que nadie pueda ver su pantalla.", - "@allSeedViewSecurityWarningMessage": { - "description": "Security warning message about displaying seed phrases" - }, "allSeedViewIUnderstandButton": "Entiendo", - "@allSeedViewIUnderstandButton": { - "description": "Button label to acknowledge security warning" - }, "allSeedViewDeleteWarningTitle": "¡ADVERTENCIA!", - "@allSeedViewDeleteWarningTitle": { - "description": "Title for delete seed warning dialog" - }, "allSeedViewDeleteWarningMessage": "Eliminar la semilla es una acción irreversible. Solo haga esto si tiene copias de seguridad seguras de esta semilla o si las billeteras asociadas han sido completamente vaciadas.", - "@allSeedViewDeleteWarningMessage": { - "description": "Warning message about deleting a seed" - }, "allSeedViewPassphraseLabel": "Frase de contraseña:", - "@allSeedViewPassphraseLabel": { - "description": "Label for passphrase display" - }, "cancel": "Cancelar", - "@cancel": { - "description": "Generic cancel button label" - }, "delete": "Eliminar", - "@delete": { - "description": "Generic delete button label" - }, "statusCheckTitle": "Estado de Servicios", - "@statusCheckTitle": { - "description": "Title for the service status screen" - }, "statusCheckLastChecked": "Última verificación: {time}", "@statusCheckLastChecked": { - "description": "Label showing when services were last checked", "placeholders": { "time": { "type": "String" @@ -23974,32 +3994,13 @@ } }, "statusCheckOnline": "En línea", - "@statusCheckOnline": { - "description": "Status text when a service is online" - }, "statusCheckOffline": "Fuera de línea", - "@statusCheckOffline": { - "description": "Status text when a service is offline" - }, "statusCheckUnknown": "Desconocido", - "@statusCheckUnknown": { - "description": "Status text when service status is unknown" - }, "torSettingsTitle": "Configuración de Tor", - "@torSettingsTitle": { - "description": "AppBar title for the Tor settings screen" - }, "torSettingsEnableProxy": "Habilitar proxy Tor", - "@torSettingsEnableProxy": { - "description": "Label for the toggle to enable/disable Tor proxy" - }, "torSettingsProxyPort": "Puerto del proxy Tor", - "@torSettingsProxyPort": { - "description": "Title for Tor proxy port settings" - }, "torSettingsPortDisplay": "Puerto: {port}", "@torSettingsPortDisplay": { - "description": "Display text showing current port number", "placeholders": { "port": { "type": "int" @@ -24007,108 +4008,32 @@ } }, "torSettingsPortNumber": "Número de puerto", - "@torSettingsPortNumber": { - "description": "Label for port number input field" - }, "torSettingsPortHint": "9050", - "@torSettingsPortHint": { - "description": "Hint text for port input showing default value" - }, "torSettingsPortHelper": "Puerto Orbot predeterminado: 9050", - "@torSettingsPortHelper": { - "description": "Helper text explaining default Orbot port" - }, "torSettingsPortValidationEmpty": "Por favor ingrese un número de puerto", - "@torSettingsPortValidationEmpty": { - "description": "Validation error when port is empty" - }, "torSettingsPortValidationInvalid": "Por favor ingrese un número válido", - "@torSettingsPortValidationInvalid": { - "description": "Validation error when port is not a valid number" - }, "torSettingsPortValidationRange": "El puerto debe estar entre 1 y 65535", - "@torSettingsPortValidationRange": { - "description": "Validation error when port is out of valid range" - }, "torSettingsSaveButton": "Guardar", - "@torSettingsSaveButton": { - "description": "Save button label for Tor port settings" - }, "torSettingsConnectionStatus": "Estado de conexión", - "@torSettingsConnectionStatus": { - "description": "Title for connection status card" - }, "torSettingsStatusConnected": "Conectado", - "@torSettingsStatusConnected": { - "description": "Status title when Tor is connected" - }, "torSettingsStatusConnecting": "Conectando...", - "@torSettingsStatusConnecting": { - "description": "Status title when Tor is connecting" - }, "torSettingsStatusDisconnected": "Desconectado", - "@torSettingsStatusDisconnected": { - "description": "Status title when Tor is disconnected" - }, "torSettingsStatusUnknown": "Estado desconocido", - "@torSettingsStatusUnknown": { - "description": "Status title when Tor status is unknown" - }, "torSettingsDescConnected": "El proxy Tor está activo y listo", - "@torSettingsDescConnected": { - "description": "Description when Tor is connected" - }, "torSettingsDescConnecting": "Estableciendo conexión Tor", - "@torSettingsDescConnecting": { - "description": "Description when Tor is connecting" - }, "torSettingsDescDisconnected": "El proxy Tor no está activo", - "@torSettingsDescDisconnected": { - "description": "Description when Tor is disconnected" - }, "torSettingsDescUnknown": "No se puede determinar el estado de Tor. Asegúrese de que Orbot esté instalado y en ejecución.", - "@torSettingsDescUnknown": { - "description": "Description when Tor status is unknown" - }, "torSettingsInfoTitle": "Información importante", - "@torSettingsInfoTitle": { - "description": "Title for the Tor information card" - }, "torSettingsInfoDescription": "• El proxy Tor solo aplica a Bitcoin (no Liquid)\n• El puerto Orbot predeterminado es 9050\n• Asegúrese de que Orbot esté ejecutándose antes de habilitar\n• La conexión puede ser más lenta a través de Tor", - "@torSettingsInfoDescription": { - "description": "Information about Tor proxy usage" - }, "withdrawSuccessTitle": "Retiro iniciado", - "@withdrawSuccessTitle": { - "description": "Title shown when withdrawal is successfully initiated" - }, "withdrawSuccessOrderDetails": "Detalles del pedido", - "@withdrawSuccessOrderDetails": { - "description": "Button label to view order details after withdrawal" - }, "withdrawConfirmBankAccount": "Cuenta bancaria", - "@withdrawConfirmBankAccount": { - "description": "Default label for bank account in confirmation screen" - }, "withdrawOwnershipQuestion": "¿A quién pertenece esta cuenta?", - "@withdrawOwnershipQuestion": { - "description": "Question asking about account ownership" - }, "withdrawOwnershipMyAccount": "Es mi cuenta", - "@withdrawOwnershipMyAccount": { - "description": "Option indicating the account belongs to the user" - }, "withdrawOwnershipOtherAccount": "Es la cuenta de otra persona", - "@withdrawOwnershipOtherAccount": { - "description": "Option indicating the account belongs to someone else" - }, "walletAutoTransferBlockedTitle": "Transferencia automática bloqueada", - "@walletAutoTransferBlockedTitle": { - "description": "Title for auto-swap fee warning when fees exceed threshold" - }, "walletAutoTransferBlockedMessage": "Intentando transferir {amount} BTC. La comisión actual es {currentFee}% del monto de la transferencia y el umbral de comisión está fijado en {thresholdFee}%", "@walletAutoTransferBlockedMessage": { - "description": "Message explaining why auto-transfer was blocked", "placeholders": { "amount": { "type": "String" @@ -24122,188 +4047,52 @@ } }, "walletAutoTransferBlockButton": "Bloquear", - "@walletAutoTransferBlockButton": { - "description": "Button to block auto-transfer until next execution" - }, "walletAutoTransferAllowButton": "Permitir", - "@walletAutoTransferAllowButton": { - "description": "Button to allow auto-transfer despite high fees" - }, "navigationTabWallet": "Billetera", - "@navigationTabWallet": { - "description": "Label for the Wallet tab in bottom navigation" - }, "navigationTabExchange": "Intercambio", - "@navigationTabExchange": { - "description": "Label for the Exchange tab in bottom navigation" - }, "buyUnauthenticatedError": "No está autenticado. Por favor, inicie sesión para continuar.", - "@buyUnauthenticatedError": { - "description": "Error message for unauthenticated user during buy" - }, "buyBelowMinAmountError": "Está intentando comprar por debajo del monto mínimo.", - "@buyBelowMinAmountError": { - "description": "Error message for amount below minimum during buy" - }, "buyAboveMaxAmountError": "Está intentando comprar por encima del monto máximo.", - "@buyAboveMaxAmountError": { - "description": "Error message for amount above maximum during buy" - }, "buyInsufficientFundsError": "Fondos insuficientes en su cuenta Bull Bitcoin para completar esta compra.", - "@buyInsufficientFundsError": { - "description": "Error message for insufficient funds during buy" - }, "buyOrderNotFoundError": "No se encontró la orden de compra. Por favor, inténtelo de nuevo.", - "@buyOrderNotFoundError": { - "description": "Error message for order not found during buy" - }, "buyOrderAlreadyConfirmedError": "Esta orden de compra ya ha sido confirmada.", - "@buyOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed buy order" - }, "withdrawUnauthenticatedError": "No está autenticado. Por favor, inicie sesión para continuar.", - "@withdrawUnauthenticatedError": { - "description": "Error message for unauthenticated user during withdraw" - }, "withdrawBelowMinAmountError": "Está intentando retirar por debajo del monto mínimo.", - "@withdrawBelowMinAmountError": { - "description": "Error message for amount below minimum during withdraw" - }, "withdrawAboveMaxAmountError": "Está intentando retirar por encima del monto máximo.", - "@withdrawAboveMaxAmountError": { - "description": "Error message for amount above maximum during withdraw" - }, "withdrawOrderNotFoundError": "No se encontró la orden de retiro. Por favor, inténtelo de nuevo.", - "@withdrawOrderNotFoundError": { - "description": "Error message for order not found during withdraw" - }, "withdrawOrderAlreadyConfirmedError": "Esta orden de retiro ya ha sido confirmada.", - "@withdrawOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed withdrawal order" - }, "coreScreensPageNotFound": "Página no encontrada", - "@coreScreensPageNotFound": { - "description": "Error message shown when a page/route is not found" - }, "coreScreensLogsTitle": "Registros", - "@coreScreensLogsTitle": { - "description": "AppBar title for logs viewer screen" - }, "coreScreensConfirmSend": "Confirmar envío", - "@coreScreensConfirmSend": { - "description": "Title for confirm send action" - }, "coreScreensExternalTransfer": "Transferencia externa", - "@coreScreensExternalTransfer": { - "description": "Title for external transfer action" - }, "coreScreensInternalTransfer": "Transferencia interna", - "@coreScreensInternalTransfer": { - "description": "Title for internal transfer action" - }, "coreScreensConfirmTransfer": "Confirmar transferencia", - "@coreScreensConfirmTransfer": { - "description": "Title for confirm transfer action" - }, "coreScreensFromLabel": "De", - "@coreScreensFromLabel": { - "description": "Label for source/sender field" - }, "coreScreensToLabel": "A", - "@coreScreensToLabel": { - "description": "Label for destination/receiver field" - }, "coreScreensAmountLabel": "Monto", - "@coreScreensAmountLabel": { - "description": "Label for amount field" - }, "coreScreensNetworkFeesLabel": "Tarifas de red", - "@coreScreensNetworkFeesLabel": { - "description": "Label for network fees field" - }, "coreScreensFeePriorityLabel": "Prioridad de tarifa", - "@coreScreensFeePriorityLabel": { - "description": "Label for fee priority field" - }, "coreScreensTransferIdLabel": "ID de transferencia", - "@coreScreensTransferIdLabel": { - "description": "Label for transfer ID field" - }, "coreScreensTotalFeesLabel": "Tarifas totales", - "@coreScreensTotalFeesLabel": { - "description": "Label for total fees field" - }, "coreScreensTransferFeeLabel": "Tarifa de transferencia", - "@coreScreensTransferFeeLabel": { - "description": "Label for transfer fee field" - }, "coreScreensFeeDeductionExplanation": "Este es el total de tarifas deducidas del monto enviado", - "@coreScreensFeeDeductionExplanation": { - "description": "Explanation text for fee deduction" - }, "coreScreensReceiveNetworkFeeLabel": "Tarifa de red de recepción", - "@coreScreensReceiveNetworkFeeLabel": { - "description": "Label for receive network fee field" - }, "coreScreensServerNetworkFeesLabel": "Tarifas de red del servidor", - "@coreScreensServerNetworkFeesLabel": { - "description": "Label for server network fees field" - }, "coreScreensSendAmountLabel": "Monto a enviar", - "@coreScreensSendAmountLabel": { - "description": "Label for send amount field" - }, "coreScreensReceiveAmountLabel": "Monto a recibir", - "@coreScreensReceiveAmountLabel": { - "description": "Label for receive amount field" - }, "coreScreensSendNetworkFeeLabel": "Tarifa de red de envío", - "@coreScreensSendNetworkFeeLabel": { - "description": "Label for send network fee field" - }, "coreScreensConfirmButton": "Confirmar", - "@coreScreensConfirmButton": { - "description": "Text for confirm button" - }, "recoverbullErrorRejected": "Rechazado por el servidor de claves", - "@recoverbullErrorRejected": { - "description": "Error message when request is rejected by the key server" - }, "recoverbullErrorServiceUnavailable": "Servicio no disponible. Por favor, verifica tu conexión.", - "@recoverbullErrorServiceUnavailable": { - "description": "Error message when key server service is unavailable" - }, "recoverbullErrorInvalidVaultFile": "Archivo de bóveda inválido.", - "@recoverbullErrorInvalidVaultFile": { - "description": "Error message when vault file format is invalid" - }, "systemLabelSwaps": "Swaps", - "@systemLabelSwaps": { - "description": "System label for swap transactions" - }, "systemLabelAutoSwap": "Auto Swap", - "@systemLabelAutoSwap": { - "description": "System label for automatic swap transactions" - }, "systemLabelPayjoin": "Payjoin", - "@systemLabelPayjoin": { - "description": "System label for payjoin transactions" - }, "systemLabelSelfSpend": "Auto Gasto", - "@systemLabelSelfSpend": { - "description": "System label for self-spend transactions" - }, "systemLabelExchangeBuy": "Comprar", - "@systemLabelExchangeBuy": { - "description": "System label for exchange buy transactions" - }, "systemLabelExchangeSell": "Vender", - "@systemLabelExchangeSell": { - "description": "System label for exchange sell transactions" - }, "labelErrorNotFound": "Etiqueta \"{label}\" no encontrada.", "@labelErrorNotFound": { - "description": "Error message when a label is not found", "placeholders": { "label": { "type": "String" @@ -24312,7 +4101,6 @@ }, "labelErrorUnsupportedType": "Este tipo {type} no es compatible", "@labelErrorUnsupportedType": { - "description": "Error message when label type is not supported", "placeholders": { "type": { "type": "String" @@ -24321,7 +4109,6 @@ }, "labelErrorUnexpected": "Error inesperado: {message}", "@labelErrorUnexpected": { - "description": "Error message for unexpected label errors", "placeholders": { "message": { "type": "String" @@ -24329,16 +4116,14 @@ } }, "labelErrorSystemCannotDelete": "Las etiquetas del sistema no se pueden eliminar.", - "@labelErrorSystemCannotDelete": { - "description": "Error message when trying to delete a system label" - }, "labelDeleteFailed": "No se puede eliminar \"{label}\". Por favor, inténtalo de nuevo.", "@labelDeleteFailed": { - "description": "Error message when label deletion fails", "placeholders": { "label": { "type": "String" } } - } -} + }, + "bitcoinSettingsMempoolServerTitle": "Configuración del servidor Mempool", + "save": "Guardar" +} \ No newline at end of file diff --git a/localization/app_fi.arb b/localization/app_fi.arb index 892f6d123..fce4ca65a 100644 --- a/localization/app_fi.arb +++ b/localization/app_fi.arb @@ -1,11971 +1,19 @@ { - "@@locale": "fi", - "durationSeconds": "{seconds} sekuntia", - "@durationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "String" - } - } - }, - "durationMinute": "{minutes} minuutti", - "@durationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "durationMinutes": "{minutes} minuuttia", - "@durationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "onboardingScreenTitle": "Tervetuloa", - "@onboardingScreenTitle": { - "description": "The title of the onboarding screen" - }, - "onboardingCreateWalletButtonLabel": "Luo lompakko", - "@onboardingCreateWalletButtonLabel": { - "description": "The label for the button to create a wallet from the onboarding screen" - }, - "onboardingRecoverWalletButtonLabel": "Palauta lompakko", - "@onboardingRecoverWalletButtonLabel": { - "description": "The label for the button to recover a wallet from the onboarding screen" - }, - "settingsScreenTitle": "Asetukset", - "@settingsScreenTitle": { - "description": "The title of the settings screen" - }, - "testnetModeSettingsLabel": "Testnet-tila", - "@testnetModeSettingsLabel": { - "description": "The label for the testnet mode settings" - }, - "satsBitcoinUnitSettingsLabel": "Aseta määräyksikkö sat", - "@satsBitcoinUnitSettingsLabel": { - "description": "The label to switch the Bitcoin unit to sats in settings" - }, - "pinCodeSettingsLabel": "PIN-koodi", - "@pinCodeSettingsLabel": { - "description": "The label for the button to access the PIN code settings" - }, - "languageSettingsLabel": "Kieli", - "@languageSettingsLabel": { - "description": "The label for the button to access the language settings" - }, - "backupSettingsLabel": "Lompakon varmuuskopio", - "@backupSettingsLabel": { - "description": "The label for the button to access the backup settings" - }, - "electrumServerSettingsLabel": "Electrum-palvelin (Bitcoin-solmu)", - "@electrumServerSettingsLabel": { - "description": "The label for the button to access the electrum server settings" - }, - "fiatCurrencySettingsLabel": "Fiat-valuutta", - "@fiatCurrencySettingsLabel": { - "description": "The label for the button to access the fiat currency settings" - }, - "languageSettingsScreenTitle": "Kieli", - "@languageSettingsScreenTitle": { - "description": "The title of the language settings screen" - }, - "backupSettingsScreenTitle": "Varmuuskopioasetukset", - "@backupSettingsScreenTitle": { - "description": "AppBar title for backup settings screen" - }, - "settingsExchangeSettingsTitle": "Pörssin asetukset", - "@settingsExchangeSettingsTitle": { - "description": "Title for the exchange settings section in the settings menu" - }, - "settingsWalletBackupTitle": "Lompakon varmuuskopio", - "@settingsWalletBackupTitle": { - "description": "Title for the wallet backup section in the settings menu" - }, - "settingsBitcoinSettingsTitle": "Bitcoin-asetukset", - "@settingsBitcoinSettingsTitle": { - "description": "Title for the Bitcoin settings section in the settings menu" - }, - "settingsSecurityPinTitle": "Turva-PIN", - "@settingsSecurityPinTitle": { - "description": "Title for the security PIN section in the settings menu" - }, - "pinCodeAuthentication": "Tunnistautuminen", - "@pinCodeAuthentication": { - "description": "AppBar title for PIN code authentication screens" - }, - "pinCodeCreateTitle": "Luo uusi PIN", - "@pinCodeCreateTitle": { - "description": "Title for creating a new PIN code" - }, - "pinCodeCreateDescription": "PIN suojaa pääsyn lompakkoosi ja asetuksiin. Pidä se muistettavana.", - "@pinCodeCreateDescription": { - "description": "Description explaining the purpose of the PIN code" - }, - "pinCodeMinLengthError": "PIN-koodin on oltava vähintään {minLength} numeroa pitkä", - "@pinCodeMinLengthError": { - "description": "Error message when PIN is too short", - "placeholders": { - "minLength": { - "type": "String" - } - } - }, - "pinCodeConfirmTitle": "Vahvista uusi PIN", - "@pinCodeConfirmTitle": { - "description": "Title for confirming the new PIN code" - }, - "pinCodeMismatchError": "PIN-koodit eivät täsmää", - "@pinCodeMismatchError": { - "description": "Error message when PIN confirmation doesn't match" - }, - "pinCodeSecurityPinTitle": "PIN", - "@pinCodeSecurityPinTitle": { - "description": "AppBar title for PIN settings screen" - }, - "pinCodeManageTitle": "PIN-koodi", - "@pinCodeManageTitle": { - "description": "Header title for PIN management section" - }, - "pinCodeChangeButton": "Vaihda PIN", - "@pinCodeChangeButton": { - "description": "Button label to change existing PIN" - }, - "pinCodeCreateButton": "Luo PIN", - "@pinCodeCreateButton": { - "description": "Button label to create a new PIN" - }, - "pinCodeRemoveButton": "Poista PIN", - "@pinCodeRemoveButton": { - "description": "Button label to remove the security PIN" - }, - "pinCodeContinue": "Jatka", - "@pinCodeContinue": { - "description": "Button label to continue with PIN entry" - }, - "pinCodeConfirm": "Vahvista", - "@pinCodeConfirm": { - "description": "Button label to confirm PIN entry" - }, - "pinCodeLoading": "Ladataan", - "@pinCodeLoading": { - "description": "Status screen title while loading PIN settings" - }, - "pinCodeCheckingStatus": "Tarkistetaan PIN-tilaa", - "@pinCodeCheckingStatus": { - "description": "Status screen description while checking PIN status" - }, - "pinCodeProcessing": "Käsitellään", - "@pinCodeProcessing": { - "description": "Status screen title while processing PIN changes" - }, - "pinCodeSettingUp": "PIN-koodin käyttöönotto", - "@pinCodeSettingUp": { - "description": "Status screen description while setting up PIN" - }, - "settingsCurrencyTitle": "Valuutta", - "@settingsCurrencyTitle": { - "description": "Title for the currency settings section in the settings menu" - }, - "settingsAppSettingsTitle": "Sovellusasetukset", - "@settingsAppSettingsTitle": { - "description": "Title for the app settings section in the settings menu" - }, - "settingsTermsOfServiceTitle": "Käyttöehdot", - "@settingsTermsOfServiceTitle": { - "description": "Title for the terms of service section in the settings menu" - }, - "settingsAppVersionLabel": "Sovellusversio: ", - "@settingsAppVersionLabel": { - "description": "Label displayed before the app version number in settings" - }, - "settingsTelegramLabel": "Telegram", - "@settingsTelegramLabel": { - "description": "Label for the Telegram link in settings" - }, - "settingsGithubLabel": "Github", - "@settingsGithubLabel": { - "description": "Label for the Github link in settings" - }, - "settingsServicesStatusTitle": "Palveluiden tila", - "@settingsServicesStatusTitle": { - "description": "Title for the services status section in the settings menu" - }, - "settingsTorSettingsTitle": "Tor-asetukset", - "@settingsTorSettingsTitle": { - "description": "Title for the Tor settings section in app settings" - }, - "settingsRecoverbullTitle": "Recoverbull", - "@settingsRecoverbullTitle": { - "description": "Title for the Recoverbull backup section in app settings" - }, - "settingsLanguageTitle": "Kieli", - "@settingsLanguageTitle": { - "description": "Title for the language selection in app settings" - }, - "settingsThemeTitle": "Teema", - "@settingsThemeTitle": { - "description": "Title for the theme selection in app settings" - }, - "settingsArkTitle": "Ark", - "@settingsArkTitle": { - "description": "Title for the Ark protocol section in Bitcoin settings" - }, - "settingsDevModeWarningTitle": "Kehittäjätila", - "@settingsDevModeWarningTitle": { - "description": "Title for the developer mode warning dialog" - }, - "settingsDevModeWarningMessage": "Tämä tila on riskialtis. Ottamalla sen käyttöön hyväksyt, että voit menettää rahaa", - "@settingsDevModeWarningMessage": { - "description": "Warning message displayed when enabling developer mode" - }, - "settingsDevModeUnderstandButton": "Ymmärrän", - "@settingsDevModeUnderstandButton": { - "description": "Button label to acknowledge developer mode warning" - }, - "settingsSuperuserModeDisabledMessage": "Superkäyttäjätila poistettu käytöstä.", - "@settingsSuperuserModeDisabledMessage": { - "description": "Message shown when superuser mode is disabled" - }, - "settingsSuperuserModeUnlockedMessage": "Superkäyttäjätila avattu!", - "@settingsSuperuserModeUnlockedMessage": { - "description": "Message shown when superuser mode is enabled" - }, - "walletOptionsUnnamedWalletFallback": "Nimetön lompakko", - "@walletOptionsUnnamedWalletFallback": { - "description": "Fallback name displayed for wallets without a specified name" - }, - "walletOptionsNotFoundMessage": "Lompakkoa ei löytynyt", - "@walletOptionsNotFoundMessage": { - "description": "Error message displayed when a wallet cannot be found" - }, - "walletOptionsWalletDetailsTitle": "Lompakon tiedot", - "@walletOptionsWalletDetailsTitle": { - "description": "Title for the wallet details screen" - }, - "addressViewAddressesTitle": "Osoitteet", - "@addressViewAddressesTitle": { - "description": "Title for the addresses section in wallet options" - }, - "walletDetailsDeletingMessage": "Poistetaan lompakkoa...", - "@walletDetailsDeletingMessage": { - "description": "Message displayed while a wallet is being deleted" - }, - "walletDetailsWalletFingerprintLabel": "Lompakon sormenjälki", - "@walletDetailsWalletFingerprintLabel": { - "description": "Label for the wallet fingerprint field in wallet details" - }, - "walletDetailsPubkeyLabel": "Julkinen avain", - "@walletDetailsPubkeyLabel": { - "description": "Label for the public key field in wallet details" - }, - "walletDetailsDescriptorLabel": "Descriptor-merkkijono", - "@walletDetailsDescriptorLabel": { - "description": "Label for the wallet descriptor field in wallet details" - }, - "walletDetailsAddressTypeLabel": "Osoitetyyppi", - "@walletDetailsAddressTypeLabel": { - "description": "Label for the address type field in wallet details" - }, - "walletDetailsNetworkLabel": "Verkko", - "@walletDetailsNetworkLabel": { - "description": "Label for the network field in wallet details" - }, - "walletDetailsDerivationPathLabel": "Derivointipolku", - "@walletDetailsDerivationPathLabel": { - "description": "Label for the derivation path field in wallet details" - }, - "walletDetailsSignerLabel": "Allekirjoittaja", - "@walletDetailsSignerLabel": { - "description": "Label for the signer field in wallet details" - }, - "walletDetailsSignerDeviceLabel": "Allekirjoituslaite", - "@walletDetailsSignerDeviceLabel": { - "description": "Label for the signer device field in wallet details" - }, - "walletDetailsSignerDeviceNotSupported": "Ei tuettu", - "@walletDetailsSignerDeviceNotSupported": { - "description": "Message displayed when a signer device is not supported" - }, - "walletDetailsCopyButton": "Kopioi", - "@walletDetailsCopyButton": { - "description": "Button label for copying wallet details to clipboard" - }, - "bitcoinSettingsWalletsTitle": "Lompakot", - "@bitcoinSettingsWalletsTitle": { - "description": "Title for the wallets section in Bitcoin settings" - }, - "bitcoinSettingsElectrumServerTitle": "Electrum-palvelimet", - "@bitcoinSettingsElectrumServerTitle": { - "description": "Title for the Electrum server settings section in Bitcoin settings" - }, - "mempoolSettingsTitle": "Mempool Server", - "@mempoolSettingsTitle": { - "description": "Title for mempool settings screen" - }, - "mempoolSettingsDescription": "Configure custom mempool servers for different networks. Each network can use its own server for block explorer and fee estimation.", - "@mempoolSettingsDescription": { - "description": "Description text for mempool settings screen" - }, - "mempoolSettingsDefaultServer": "Default Server", - "@mempoolSettingsDefaultServer": { - "description": "Label for default mempool server section" - }, - "mempoolSettingsCustomServer": "Custom Server", - "@mempoolSettingsCustomServer": { - "description": "Label for custom mempool server section" - }, - "mempoolNetworkBitcoinMainnet": "Bitcoin Mainnet", - "@mempoolNetworkBitcoinMainnet": { - "description": "Label for Bitcoin mainnet network option" - }, - "mempoolNetworkBitcoinTestnet": "Bitcoin Testnet", - "@mempoolNetworkBitcoinTestnet": { - "description": "Label for Bitcoin testnet network option" - }, - "mempoolNetworkLiquidMainnet": "Liquid Mainnet", - "@mempoolNetworkLiquidMainnet": { - "description": "Label for Liquid mainnet network option" - }, - "mempoolNetworkLiquidTestnet": "Liquid Testnet", - "@mempoolNetworkLiquidTestnet": { - "description": "Label for Liquid testnet network option" - }, - "mempoolCustomServerAdd": "Add Custom Server", - "@mempoolCustomServerAdd": { - "description": "Button text to add a custom mempool server" - }, - "mempoolCustomServerEdit": "Edit", - "@mempoolCustomServerEdit": { - "description": "Button text to edit custom server" - }, - "mempoolCustomServerDelete": "Delete", - "@mempoolCustomServerDelete": { - "description": "Button text to delete custom server" - }, - "mempoolCustomServerLabel": "CUSTOM", - "@mempoolCustomServerLabel": { - "description": "Label badge for custom server" - }, - "mempoolServerNotUsed": "Not used (custom server active)", - "@mempoolServerNotUsed": { - "description": "Label shown when default server is not used because custom server is active" - }, - "mempoolCustomServerDeleteTitle": "Delete Custom Server?", - "@mempoolCustomServerDeleteTitle": { - "description": "Title for delete confirmation dialog" - }, - "mempoolCustomServerDeleteMessage": "Are you sure you want to delete this custom mempool server? The default server will be used instead.", - "@mempoolCustomServerDeleteMessage": { - "description": "Message for delete confirmation dialog" - }, - "mempoolCustomServerUrl": "Server URL", - "@mempoolCustomServerUrl": { - "description": "Label for server URL input field" - }, - "mempoolCustomServerUrlEmpty": "Please enter a server URL", - "@mempoolCustomServerUrlEmpty": { - "description": "Error message when URL is empty" - }, - "mempoolCustomServerSaveSuccess": "Custom server saved successfully", - "@mempoolCustomServerSaveSuccess": { - "description": "Success message after saving custom server" - }, - "mempoolCustomServerBottomSheetDescription": "Enter the URL of your custom mempool server. The server will be validated before saving.", - "@mempoolCustomServerBottomSheetDescription": { - "description": "Description text in add custom server bottom sheet" - }, - "mempoolSettingsUseForFeeEstimation": "Use for Fee Estimation", - "@mempoolSettingsUseForFeeEstimation": { - "description": "Label for fee estimation toggle" - }, - "mempoolSettingsUseForFeeEstimationDescription": "When enabled, this server will be used for fee estimation. When disabled, Bull Bitcoin's mempool server will be used instead.", - "@mempoolSettingsUseForFeeEstimationDescription": { - "description": "Description for fee estimation toggle" - }, - "bitcoinSettingsAutoTransferTitle": "Automaattinen swap", - "@bitcoinSettingsAutoTransferTitle": { - "description": "Title for the auto transfer settings section in Bitcoin settings" - }, - "bitcoinSettingsLegacySeedsTitle": "Vanhat siemenlauseet", - "@bitcoinSettingsLegacySeedsTitle": { - "description": "Title for the legacy seeds section in Bitcoin settings" - }, - "bitcoinSettingsImportWalletTitle": "Tuo lompakko", - "@bitcoinSettingsImportWalletTitle": { - "description": "Title for the import wallet option in Bitcoin settings" - }, - "bitcoinSettingsBroadcastTransactionTitle": "Lähetä transaktio", - "@bitcoinSettingsBroadcastTransactionTitle": { - "description": "Title for the broadcast transaction option in Bitcoin settings" - }, - "bitcoinSettingsTestnetModeTitle": "Testnet-tila", - "@bitcoinSettingsTestnetModeTitle": { - "description": "Title for the testnet mode toggle in Bitcoin settings" - }, - "bitcoinSettingsBip85EntropiesTitle": "BIP85 Deterministiset entropiat", - "@bitcoinSettingsBip85EntropiesTitle": { - "description": "Title for the BIP85 deterministic entropies section in Bitcoin settings" - }, - "logSettingsLogsTitle": "Lokitiedot", - "@logSettingsLogsTitle": { - "description": "Title for the logs section in settings" - }, - "logSettingsErrorLoadingMessage": "Virhe lokitietojen latauksessa: ", - "@logSettingsErrorLoadingMessage": { - "description": "Error message displayed when logs fail to load" - }, - "appSettingsDevModeTitle": "Kehittäjätila", - "@appSettingsDevModeTitle": { - "description": "Title for the developer mode toggle in app settings" - }, - "currencySettingsDefaultFiatCurrencyLabel": "Oletus fiat-valuutta", - "@currencySettingsDefaultFiatCurrencyLabel": { - "description": "Label for the default fiat currency setting" - }, - "exchangeSettingsAccountInformationTitle": "Tilin tiedot", - "@exchangeSettingsAccountInformationTitle": { - "description": "Title for the account information section in exchange settings" - }, - "exchangeSettingsSecuritySettingsTitle": "Turva-asetukset", - "@exchangeSettingsSecuritySettingsTitle": { - "description": "Title for the security settings section in exchange settings" - }, - "exchangeSettingsReferralsTitle": "Suositukset", - "@exchangeSettingsReferralsTitle": { - "description": "Title for the referrals section in exchange settings" - }, - "exchangeSettingsLogInTitle": "Kirjaudu sisään", - "@exchangeSettingsLogInTitle": { - "description": "Title for the log in option in exchange settings" - }, - "exchangeSettingsLogOutTitle": "Kirjaudu ulos", - "@exchangeSettingsLogOutTitle": { - "description": "Title for the log out option in exchange settings" - }, - "exchangeTransactionsTitle": "Transaktiot", - "@exchangeTransactionsTitle": { - "description": "Title for the transactions section in exchange" - }, - "exchangeTransactionsComingSoon": "Transaktiot - tulossa pian", - "@exchangeTransactionsComingSoon": { - "description": "Message indicating that the transactions feature is coming soon" - }, - "exchangeSecurityManage2FAPasswordLabel": "2FA- ja salasana-asetukset", - "@exchangeSecurityManage2FAPasswordLabel": { - "description": "Label for managing 2FA and password in exchange security settings" - }, - "exchangeSecurityAccessSettingsButton": "Avaa asetukset", - "@exchangeSecurityAccessSettingsButton": { - "description": "Button label for accessing security settings in exchange" - }, - "exchangeReferralsTitle": "Suosituskoodit", - "@exchangeReferralsTitle": { - "description": "Title for the referral codes section" - }, - "exchangeReferralsJoinMissionTitle": "Tule mukaan missioon", - "@exchangeReferralsJoinMissionTitle": { - "description": "Title encouraging users to join the referral mission" - }, - "exchangeReferralsContactSupportMessage": "Ota yhteyttä tukeen saadaksesi lisätietoa suositusohjelmastamme", - "@exchangeReferralsContactSupportMessage": { - "description": "Message prompting users to contact support about the referral program" - }, - "exchangeReferralsApplyToJoinMessage": "Liity ohjelmaan täällä", - "@exchangeReferralsApplyToJoinMessage": { - "description": "Message with link to apply for the referral program" - }, - "exchangeReferralsMissionLink": "bullbitcoin.com/mission", - "@exchangeReferralsMissionLink": { - "description": "Link to the Bull Bitcoin mission page" - }, - "exchangeRecipientsTitle": "Vastaanottajat", - "@exchangeRecipientsTitle": { - "description": "Title for the recipients section in exchange" - }, - "exchangeRecipientsComingSoon": "Vastaanottajat - Tulossa pian", - "@exchangeRecipientsComingSoon": { - "description": "Message indicating that the recipients feature is coming soon" - }, - "exchangeLogoutComingSoon": "Kirjaudu ulos - Tulossa pian", - "@exchangeLogoutComingSoon": { - "description": "Message indicating that the log out feature is coming soon" - }, - "exchangeLegacyTransactionsTitle": "Vanhat tapahtumat", - "@exchangeLegacyTransactionsTitle": { - "description": "Title for the legacy transactions section in exchange" - }, - "exchangeLegacyTransactionsComingSoon": "Vanhat tapahtumat - Tulossa pian", - "@exchangeLegacyTransactionsComingSoon": { - "description": "Message indicating that the legacy transactions feature is coming soon" - }, - "exchangeFileUploadTitle": "Tiedostojen turvallinen lataus", - "@exchangeFileUploadTitle": { - "description": "Title for the secure file upload section in exchange" - }, - "exchangeFileUploadDocumentTitle": "Lähetä dokumentti", - "@exchangeFileUploadDocumentTitle": { - "description": "Title for uploading documents in exchange" - }, - "exchangeFileUploadInstructions": "Jos sinun täytyy lähettää muita asiakirjoja, lähetä ne täällä.", - "@exchangeFileUploadInstructions": { - "description": "Instructions for uploading documents in exchange" - }, - "exchangeFileUploadButton": "Lähetä", - "@exchangeFileUploadButton": { - "description": "Button label for uploading files in exchange" - }, - "exchangeAccountTitle": "Pörssitili", - "@exchangeAccountTitle": { - "description": "Title for the exchange account section" - }, - "exchangeAccountSettingsTitle": "Pörssitilin asetukset", - "@exchangeAccountSettingsTitle": { - "description": "Title for the exchange account settings screen" - }, - "exchangeAccountComingSoon": "Tämä ominaisuus on tulossa pian.", - "@exchangeAccountComingSoon": { - "description": "Message indicating that a feature is coming soon" - }, - "exchangeBitcoinWalletsTitle": "Oletus Bitcoin-lompakot", - "@exchangeBitcoinWalletsTitle": { - "description": "Title for the default Bitcoin wallets section in exchange" - }, - "exchangeBitcoinWalletsBitcoinAddressLabel": "Bitcoin-osoite", - "@exchangeBitcoinWalletsBitcoinAddressLabel": { - "description": "Label for Bitcoin address field in exchange Bitcoin wallets" - }, - "exchangeBitcoinWalletsLightningAddressLabel": "Lightning-osoite (LN)", - "@exchangeBitcoinWalletsLightningAddressLabel": { - "description": "Label for Lightning address field in exchange Bitcoin wallets" - }, - "exchangeBitcoinWalletsLiquidAddressLabel": "Liquid-osoite", - "@exchangeBitcoinWalletsLiquidAddressLabel": { - "description": "Label for Liquid address field in exchange Bitcoin wallets" - }, - "exchangeBitcoinWalletsEnterAddressHint": "Syötä osoite", - "@exchangeBitcoinWalletsEnterAddressHint": { - "description": "Hint text for entering an address in exchange Bitcoin wallets" - }, - "exchangeAppSettingsSaveSuccessMessage": "Asetukset tallennettu onnistuneesti", - "@exchangeAppSettingsSaveSuccessMessage": { - "description": "Success message displayed when exchange app settings are saved" - }, - "exchangeAppSettingsPreferredLanguageLabel": "Ensisijainen kieli", - "@exchangeAppSettingsPreferredLanguageLabel": { - "description": "Label for preferred language setting in exchange app settings" - }, - "exchangeAppSettingsDefaultCurrencyLabel": "Oletusvaluutta", - "@exchangeAppSettingsDefaultCurrencyLabel": { - "description": "Label for default currency setting in exchange app settings" - }, - "exchangeAppSettingsValidationWarning": "Aseta kieli ja valuutta ennen tallennusta.", - "@exchangeAppSettingsValidationWarning": { - "description": "Warning message when language and currency preferences are not both set" - }, - "exchangeAppSettingsSaveButton": "Tallenna", - "@exchangeAppSettingsSaveButton": { - "description": "Button label for saving exchange app settings" - }, - "exchangeAccountInfoTitle": "Tilin tiedot", - "@exchangeAccountInfoTitle": { - "description": "Title for the account information section" - }, - "exchangeAccountInfoLoadErrorMessage": "Tilin tietoja ei voitu ladata", - "@exchangeAccountInfoLoadErrorMessage": { - "description": "Error message when account information fails to load" - }, - "exchangeAccountInfoUserNumberLabel": "Käyttäjänumero", - "@exchangeAccountInfoUserNumberLabel": { - "description": "Label for user number field in account information" - }, - "exchangeAccountInfoVerificationLevelLabel": "Vahvistustaso", - "@exchangeAccountInfoVerificationLevelLabel": { - "description": "Label for verification level field in account information" - }, - "exchangeAccountInfoEmailLabel": "Sähköposti", - "@exchangeAccountInfoEmailLabel": { - "description": "Label for email field in account information" - }, - "exchangeAccountInfoFirstNameLabel": "Etunimi", - "@exchangeAccountInfoFirstNameLabel": { - "description": "Label for first name field in account information" - }, - "exchangeAccountInfoLastNameLabel": "Sukunimi", - "@exchangeAccountInfoLastNameLabel": { - "description": "Label for last name field in account information" - }, - "exchangeAccountInfoVerificationIdentityVerified": "Henkilöllisyys vahvistettu", - "@exchangeAccountInfoVerificationIdentityVerified": { - "description": "Status label for identity verified verification level" - }, - "exchangeAccountInfoVerificationLightVerification": "Kevyt vahvistus", - "@exchangeAccountInfoVerificationLightVerification": { - "description": "Status label for light verification level" - }, - "exchangeAccountInfoVerificationLimitedVerification": "Rajoitettu vahvistus", - "@exchangeAccountInfoVerificationLimitedVerification": { - "description": "Status label for limited verification level" - }, - "exchangeAccountInfoVerificationNotVerified": "Vahvistamaton", - "@exchangeAccountInfoVerificationNotVerified": { - "description": "Status label for not verified verification level" - }, - "exchangeAccountInfoUserNumberCopiedMessage": "Käyttäjänumero kopioitu leikepöydälle", - "@exchangeAccountInfoUserNumberCopiedMessage": { - "description": "Success message when user number is copied to clipboard" - }, - "walletsListTitle": "Lompakon tiedot", - "@walletsListTitle": { - "description": "Title for the wallet details list screen" - }, - "walletsListNoWalletsMessage": "Lompakoita ei löytynyt", - "@walletsListNoWalletsMessage": { - "description": "Message displayed when no wallets are found" - }, - "walletDeletionConfirmationTitle": "Poista lompakko", - "@walletDeletionConfirmationTitle": { - "description": "Title for the wallet deletion confirmation dialog" - }, - "walletDeletionConfirmationMessage": "Haluatko varmasti poistaa tämän lompakon?", - "@walletDeletionConfirmationMessage": { - "description": "Message in the wallet deletion confirmation dialog" - }, - "walletDeletionConfirmationCancelButton": "Peruuta", - "@walletDeletionConfirmationCancelButton": { - "description": "Cancel button label in wallet deletion confirmation dialog" - }, - "walletDeletionConfirmationDeleteButton": "Poista", - "@walletDeletionConfirmationDeleteButton": { - "description": "Delete button label in wallet deletion confirmation dialog" - }, - "walletDeletionFailedTitle": "Poisto epäonnistui", - "@walletDeletionFailedTitle": { - "description": "Title for the wallet deletion failed dialog" - }, - "walletDeletionErrorDefaultWallet": "Et voi poistaa oletuslompakkoa.", - "@walletDeletionErrorDefaultWallet": { - "description": "Error message when attempting to delete a default wallet" - }, - "walletDeletionErrorOngoingSwaps": "Et voi poistaa lompakkoa, jossa on käynnissä olevia swappejä.", - "@walletDeletionErrorOngoingSwaps": { - "description": "Error message when attempting to delete a wallet with ongoing swaps" - }, - "walletDeletionErrorWalletNotFound": "Lompakkoa, jota yrität poistaa, ei ole olemassa.", - "@walletDeletionErrorWalletNotFound": { - "description": "Error message when the wallet to delete cannot be found" - }, - "walletDeletionErrorGeneric": "Lompakon poisto epäonnistui, yritä uudelleen.", - "@walletDeletionErrorGeneric": { - "description": "Generic error message when wallet deletion fails" - }, - "walletDeletionFailedOkButton": "OK", - "@walletDeletionFailedOkButton": { - "description": "OK button label in wallet deletion failed dialog" - }, - "addressCardUsedLabel": "Käytetty", - "@addressCardUsedLabel": { - "description": "Label indicating an address has been used" - }, - "addressCardUnusedLabel": "Käyttämätön", - "@addressCardUnusedLabel": { - "description": "Label indicating an address has not been used" - }, - "addressCardCopiedMessage": "Osoite kopioitu leikepöydälle", - "@addressCardCopiedMessage": { - "description": "Success message when an address is copied to clipboard" - }, - "addressCardIndexLabel": "Tunniste: ", - "@addressCardIndexLabel": { - "description": "Label for the address index field in address card" - }, - "addressCardBalanceLabel": "Saldo: ", - "@addressCardBalanceLabel": { - "description": "Label for the balance field in address card" - }, - "onboardingRecoverYourWallet": "Recover your wallet", - "@onboardingRecoverYourWallet": { - "description": "Title for the recover wallet section in onboarding" - }, - "onboardingEncryptedVault": "Salattu holvi", - "@onboardingEncryptedVault": { - "description": "Title for the encrypted vault recovery option in onboarding" - }, - "onboardingEncryptedVaultDescription": "Palauta varmuuskopio pilvestä PIN-koodillasi.", - "@onboardingEncryptedVaultDescription": { - "description": "Description for the encrypted vault recovery option in onboarding" - }, - "onboardingPhysicalBackup": "Fyysinen varmuuskopio", - "@onboardingPhysicalBackup": { - "description": "Title for the physical backup recovery option in onboarding" - }, - "onboardingPhysicalBackupDescription": "Palauta lompakkosi 12 sanan avulla.", - "@onboardingPhysicalBackupDescription": { - "description": "Description for the physical backup recovery option in onboarding" - }, - "onboardingRecover": "Palauta", - "@onboardingRecover": { - "description": "Button label for recovering a wallet in onboarding" - }, - "onboardingBullBitcoin": "Bull Bitcoin", - "@onboardingBullBitcoin": { - "description": "Brand name displayed in onboarding" - }, - "onboardingOwnYourMoney": "Own your money", - "@onboardingOwnYourMoney": { - "description": "Tagline displayed in onboarding splash screen" - }, - "onboardingSplashDescription": "Suvereeni lompakko ja Bitcoin-pörssi.", - "@onboardingSplashDescription": { - "description": "Description of the app displayed in onboarding splash screen" - }, - "onboardingRecoverWallet": "Palauta lompakko", - "@onboardingRecoverWallet": { - "description": "Title for the recover wallet screen in onboarding" - }, - "onboardingRecoverWalletButton": "Palauta lompakko", - "@onboardingRecoverWalletButton": { - "description": "Button label for recovering a wallet in onboarding" - }, - "onboardingCreateNewWallet": "Luo uusi lompakko", - "@onboardingCreateNewWallet": { - "description": "Button label for creating a new wallet in onboarding" - }, - "sendTitle": "Lähetä", - "@sendTitle": { - "description": "Title for the send screen" - }, - "sendRecipientAddressOrInvoice": "Vastaanottajan osoite tai lasku", - "@sendRecipientAddressOrInvoice": { - "description": "Label for the recipient address or invoice input field" - }, - "sendPasteAddressOrInvoice": "Liitä maksun osoite tai lasku", - "@sendPasteAddressOrInvoice": { - "description": "Placeholder text for the payment address or invoice input field" - }, - "sendContinue": "Jatka", - "@sendContinue": { - "description": "Button label for continuing in the send flow" - }, - "sendSelectNetworkFee": "Valitse verkkokulujen taso", - "@sendSelectNetworkFee": { - "description": "Label for selecting the network fee in the send flow" - }, - "sendSelectAmount": "Valitse määrä", - "@sendSelectAmount": { - "description": "Label for selecting the amount to send" - }, - "sendAmountRequested": "Pyydetty määrä: ", - "@sendAmountRequested": { - "description": "Label for the requested amount in a payment request" - }, - "sendDone": "Valmis", - "@sendDone": { - "description": "Button label for completing the send flow" - }, - "sendSelectedUtxosInsufficient": "Valitut UTXO:t eivät kata vaadittua määrää", - "@sendSelectedUtxosInsufficient": { - "description": "Error message when selected UTXOs don't cover the required amount" - }, - "sendAdvancedOptions": "Lisäasetukset", - "@sendAdvancedOptions": { - "description": "Section header for advanced sending features" - }, - "sendReplaceByFeeActivated": "Replace-by-fee aktivoitu", - "@sendReplaceByFeeActivated": { - "description": "Message indicating that replace-by-fee (RBF) is activated" - }, - "sendSelectCoinsManually": "Valitse kolikot manuaalisesti", - "@sendSelectCoinsManually": { - "description": "Label for manually selecting coins (UTXOs) in the send flow" - }, - "sendRecipientAddress": "Vastaanottajan osoite", - "@sendRecipientAddress": { - "description": "Label for the recipient address field" - }, - "sendInsufficientBalance": "Riittämätön saldo", - "@sendInsufficientBalance": { - "description": "Error message when the wallet has insufficient balance to send" - }, - "sendScanBitcoinQRCode": "Lähetä Bitcoin- tai Lightning-varoja scannaamalla QR-koodi.", - "@sendScanBitcoinQRCode": { - "description": "Instructions for scanning a QR code to make a Bitcoin payment" - }, - "sendOpenTheCamera": "Avaa kamera", - "@sendOpenTheCamera": { - "description": "Button label for opening the camera to scan QR codes" - }, - "sendCustomFee": "Mukautettu kulutaso", - "@sendCustomFee": { - "description": "Label for setting a custom transaction fee" - }, - "sendAbsoluteFees": "Kulut tarkalleen", - "@sendAbsoluteFees": { - "description": "Label for absolute fee display mode (total sats)" - }, - "sendRelativeFees": "Kulut suhteellisena", - "@sendRelativeFees": { - "description": "Label for relative fee display mode (sats per vByte)" - }, - "sendSats": "sat", - "@sendSats": { - "description": "Unit label for satoshis" - }, - "sendSatsPerVB": "sat/vB", - "@sendSatsPerVB": { - "description": "Unit label for satoshis per virtual byte" - }, - "sendConfirmCustomFee": "Hyväksy mukautettu kulutaso", - "@sendConfirmCustomFee": { - "description": "Button label for confirming a custom fee" - }, - "sendEstimatedDelivery10Minutes": "10 minuuttia", - "@sendEstimatedDelivery10Minutes": { - "description": "Estimated delivery time of approximately 10 minutes" - }, - "sendEstimatedDelivery10to30Minutes": "10-30 minuuttia", - "@sendEstimatedDelivery10to30Minutes": { - "description": "Estimated delivery time of 10 to 30 minutes" - }, - "sendEstimatedDeliveryFewHours": "muutama tunti", - "@sendEstimatedDeliveryFewHours": { - "description": "Estimated delivery time of a few hours" - }, - "sendEstimatedDeliveryHoursToDays": "tunneista vuorokausiin", - "@sendEstimatedDeliveryHoursToDays": { - "description": "Estimated delivery time ranging from hours to days" - }, - "sendEstimatedDelivery": "Arvioitu viive ~ ", - "@sendEstimatedDelivery": { - "description": "Label prefix for estimated delivery time" - }, - "sendAddress": "Osoite: ", - "@sendAddress": { - "description": "Label prefix for address field" - }, - "sendType": "Tyyppi: ", - "@sendType": { - "description": "Label prefix for transaction type field" - }, - "sendReceive": "Vastaanotto", - "@sendReceive": { - "description": "Label for receive transaction type" - }, - "sendChange": "Vaihtoraha", - "@sendChange": { - "description": "Label for change output in a transaction" - }, - "sendCouldNotBuildTransaction": "Transaktiota ei voitu luoda", - "@sendCouldNotBuildTransaction": { - "description": "Error message when a transaction cannot be built" - }, - "sendHighFeeWarning": "Varoitus - Korkeat kulut", - "@sendHighFeeWarning": { - "description": "Warning title for high transaction fees" - }, - "sendSlowPaymentWarning": "Varoitus - pitkä viive", - "@sendSlowPaymentWarning": { - "description": "Warning title for slow payment confirmation" - }, - "sendSlowPaymentWarningDescription": "Bitcoin-swapit kestävät hetken vahvistua.", - "@sendSlowPaymentWarningDescription": { - "description": "Description for slow payment warning" - }, - "sendAdvancedSettings": "Lisäasetukset", - "@sendAdvancedSettings": { - "description": "Title for advanced settings in the send flow" - }, - "sendConfirm": "Vahvista", - "@sendConfirm": { - "description": "Button label for confirming a send transaction" - }, - "sendBroadcastTransaction": "Lähetä transaktio", - "@sendBroadcastTransaction": { - "description": "Button label for broadcasting a transaction to the network" - }, - "sendFrom": "Lähettäjä", - "@sendFrom": { - "description": "Label for the sender/source in a transaction" - }, - "sendTo": "Vastaanottaja", - "@sendTo": { - "description": "Label for the recipient/destination in a transaction" - }, - "sendAmount": "Määrä", - "@sendAmount": { - "description": "Label for the transaction amount" - }, - "sendNetworkFees": "Verkkokulut", - "@sendNetworkFees": { - "description": "Label for network transaction fees" - }, - "sendFeePriority": "Kulutason prioriteetti", - "@sendFeePriority": { - "description": "Label for selecting fee priority level" - }, - "receiveTitle": "Vastaanota", - "@receiveTitle": { - "description": "Main screen title for receive feature" - }, - "receiveBitcoin": "Bitcoin", - "@receiveBitcoin": { - "description": "Label for receiving Bitcoin on the base layer" - }, - "receiveLightning": "Lightning", - "@receiveLightning": { - "description": "Label for receiving Bitcoin via Lightning Network" - }, - "receiveLiquid": "Liquid", - "@receiveLiquid": { - "description": "Label for receiving Bitcoin via Liquid Network" - }, - "receiveAddLabel": "Lisää kuvaus", - "@receiveAddLabel": { - "description": "Button label for adding a label to a receive address" - }, - "receiveNote": "Kuvaus", - "@receiveNote": { - "description": "Label for adding a note to a receive transaction" - }, - "receiveSave": "Tallenna", - "@receiveSave": { - "description": "Button label for saving receive details" - }, - "receivePayjoinActivated": "Payjoin aktivoitu", - "@receivePayjoinActivated": { - "description": "Message indicating that payjoin is activated for the receive transaction" - }, - "receiveLightningInvoice": "Lightning-lasku", - "@receiveLightningInvoice": { - "description": "Label for a Lightning Network invoice" - }, - "receiveAddress": "Vastaanottajan osoite", - "@receiveAddress": { - "description": "Label for generated address" - }, - "receiveAmount": "Määrä (ei välttämätön)", - "@receiveAmount": { - "description": "Optional amount field for invoice" - }, - "receiveNoteLabel": "Kuvaus", - "@receiveNoteLabel": { - "description": "Label for the note field in receive" - }, - "receiveEnterHere": "(on antamatta)", - "@receiveEnterHere": { - "description": "Placeholder text for input fields in receive" - }, - "receiveSwapID": "Swap-tunniste", - "@receiveSwapID": { - "description": "Label for the swap identifier in a receive transaction" - }, - "receiveTotalFee": "Kulut yhteensä", - "@receiveTotalFee": { - "description": "Label for the total fee in a receive transaction" - }, - "receiveNetworkFee": "Verkkokulut", - "@receiveNetworkFee": { - "description": "Label for the network fee in a receive transaction" - }, - "receiveBoltzSwapFee": "Boltz-vaihtokulu", - "@receiveBoltzSwapFee": { - "description": "Label for the Boltz swap service fee in a receive transaction" - }, - "receiveCopyOrScanAddressOnly": "Kopioi tai skannaa ainoastaan osoite", - "@receiveCopyOrScanAddressOnly": { - "description": "Option to copy or scan only the address without amount or other details" - }, - "receiveNewAddress": "Uusi osoite", - "@receiveNewAddress": { - "description": "Button label for generating a new receive address" - }, - "receiveVerifyAddressOnLedger": "Tarkista osoite Ledgerissä", - "@receiveVerifyAddressOnLedger": { - "description": "Button label for verifying an address on a Ledger hardware wallet" - }, - "receiveUnableToVerifyAddress": "Osoitteen tarkistus epäonnistui: Lompakon tai osoitteen tiedot puuttuvat", - "@receiveUnableToVerifyAddress": { - "description": "Error message when address verification is not possible" - }, - "receivePaymentReceived": "Maksu saapunut!", - "@receivePaymentReceived": { - "description": "Success message after receiving payment" - }, - "receiveDetails": "Tiedot", - "@receiveDetails": { - "description": "Label for viewing transaction details" - }, - "receivePaymentInProgress": "Maksua käsitellään", - "@receivePaymentInProgress": { - "description": "Status message when a payment is being processed" - }, - "receiveBitcoinTransactionWillTakeTime": "Bitcoin transaktion vahvistus kestää hetkisen.", - "@receiveBitcoinTransactionWillTakeTime": { - "description": "Information message about Bitcoin transaction confirmation time" - }, - "receiveConfirmedInFewSeconds": "Se vahvistetaan muutamassa sekunnissa", - "@receiveConfirmedInFewSeconds": { - "description": "Message indicating quick confirmation time for Lightning transactions" - }, - "receivePayjoinInProgress": "Payjoin-transaktio on käsittelyssä", - "@receivePayjoinInProgress": { - "description": "Status message when a payjoin transaction is in progress" - }, - "receiveWaitForSenderToFinish": "Odota, että lähettäjä tekee payjoin-transaktion", - "@receiveWaitForSenderToFinish": { - "description": "Instructions to wait for the sender during a payjoin transaction" - }, - "receiveNoTimeToWait": "Eikö ole aikaa odottaa tai epäonnistuiko payjoin lähettäjän puolella?", - "@receiveNoTimeToWait": { - "description": "Question prompting user if they want to proceed without payjoin" - }, - "receivePaymentNormally": "Vastaanota maksu normaalisti", - "@receivePaymentNormally": { - "description": "Option to receive payment without payjoin if it fails" - }, - "receiveContinue": "Jatka", - "@receiveContinue": { - "description": "Button label for continuing in the receive flow" - }, - "receiveCopyAddressOnly": "Kopioi tai skannaa vain osoite", - "@receiveCopyAddressOnly": { - "description": "Option to copy or scan only the address without amount or other details" - }, - "receiveError": "Virhe: {error}", - "@receiveError": { - "description": "Generic error message with error details", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "receiveFeeExplanation": "Tämä kulu vähennetään lähetetystä summasta", - "@receiveFeeExplanation": { - "description": "Explanation that fees are deducted from the sent amount" - }, - "receiveNotePlaceholder": "Kuvaus", - "@receiveNotePlaceholder": { - "description": "Placeholder text for note input field" - }, - "receiveReceiveAmount": "Vastaanotettava määrä", - "@receiveReceiveAmount": { - "description": "Label for the amount that will be received after fees" - }, - "receiveSendNetworkFee": "Lähetyksen verkkokulu", - "@receiveSendNetworkFee": { - "description": "Label for the network fee on the sending network in a swap transaction" - }, - "receiveServerNetworkFees": "Palvelimen swap-kulut", - "@receiveServerNetworkFees": { - "description": "Label for network fees charged by the swap server" - }, - "receiveSwapId": "Swapin tunnus", - "@receiveSwapId": { - "description": "Label for the swap identifier in a receive transaction" - }, - "receiveTransferFee": "Siirtokulu", - "@receiveTransferFee": { - "description": "Label for the transfer fee in a receive transaction" - }, - "receiveVerifyAddressError": "Osoitetta ei voitu vahvistaa: Lompakon tai osoitetiedot puuttuvat", - "@receiveVerifyAddressError": { - "description": "Error message when address verification is not possible" - }, - "receiveVerifyAddressLedger": "Vahvista osoite Ledgerillä", - "@receiveVerifyAddressLedger": { - "description": "Button label for verifying an address on a Ledger hardware wallet" - }, - "receiveBitcoinConfirmationMessage": "Bitcoin-transaktion vahvistuminen kestää hetken.", - "@receiveBitcoinConfirmationMessage": { - "description": "Information message about Bitcoin transaction confirmation time" - }, - "receiveLiquidConfirmationMessage": "Se vahvistetaan muutamassa sekunnissa", - "@receiveLiquidConfirmationMessage": { - "description": "Message indicating quick confirmation time for Liquid transactions" - }, - "receiveWaitForPayjoin": "Odota, että lähettäjä suorittaa payjoin-transaktion", - "@receiveWaitForPayjoin": { - "description": "Instructions to wait for the sender during a payjoin transaction" - }, - "receivePayjoinFailQuestion": "Eikö ole aikaa odottaa tai epäonnistuiko payjoin lähettäjän puolella?", - "@receivePayjoinFailQuestion": { - "description": "Question prompting user if they want to proceed without payjoin" - }, - "buyTitle": "Osta bitcoinia", - "@buyTitle": { - "description": "Screen title for buying Bitcoin" - }, - "buyEnterAmount": "Syötä määrä", - "@buyEnterAmount": { - "description": "Label for amount input field in buy flow" - }, - "buyPaymentMethod": "Maksutapa", - "@buyPaymentMethod": { - "description": "Label for payment method dropdown" - }, - "buyMax": "Maksimi", - "@buyMax": { - "description": "Button to fill maximum amount" - }, - "buySelectWallet": "Valitse lompakko", - "@buySelectWallet": { - "description": "Label for wallet selection dropdown" - }, - "buyEnterBitcoinAddress": "Syötä Bitcoin-osoite", - "@buyEnterBitcoinAddress": { - "description": "Label for bitcoin address input field" - }, - "buyBitcoinAddressHint": "BC1QYL7J673H...6Y6ALV70M0", - "@buyBitcoinAddressHint": { - "description": "Placeholder hint for bitcoin address input" - }, - "buyExternalBitcoinWallet": "Ulkoinen Bitcoin-lompakko", - "@buyExternalBitcoinWallet": { - "description": "Label for external wallet option" - }, - "buySecureBitcoinWallet": "Bitcoin-säästölompakko", - "@buySecureBitcoinWallet": { - "description": "Label for secure Bitcoin wallet" - }, - "buyInstantPaymentWallet": "Pikamaksulompakko", - "@buyInstantPaymentWallet": { - "description": "Label for instant payment (Liquid) wallet" - }, - "buyShouldBuyAtLeast": "Sinun tulee ostaa vähintään", - "@buyShouldBuyAtLeast": { - "description": "Error message for amount below minimum" - }, - "buyCantBuyMoreThan": "Et voi ostaa enempää kuin", - "@buyCantBuyMoreThan": { - "description": "Error message for amount above maximum" - }, - "buyKycPendingTitle": "KYC-vahvistus kesken", - "@buyKycPendingTitle": { - "description": "Title for KYC verification required card" - }, - "buyKycPendingDescription": "Sinun täytyy ensin suorittaa KYC-vahvistus", - "@buyKycPendingDescription": { - "description": "Description for KYC verification required" - }, - "buyCompleteKyc": "Suorita KYC", - "@buyCompleteKyc": { - "description": "Button to complete KYC verification" - }, - "buyInsufficientBalanceTitle": "Riittämätön saldo", - "@buyInsufficientBalanceTitle": { - "description": "Title for insufficient balance error" - }, - "buyInsufficientBalanceDescription": "Varasi eivät riitä tähän ostoon.", - "@buyInsufficientBalanceDescription": { - "description": "Description for insufficient balance error" - }, - "buyFundYourAccount": "Talleta tilille", - "@buyFundYourAccount": { - "description": "Button to fund exchange account" - }, - "buyContinue": "Jatka", - "@buyContinue": { - "description": "Button to continue to next step" - }, - "buyYouPay": "Sinä maksat", - "@buyYouPay": { - "description": "Label for amount user pays" - }, - "buyYouReceive": "Saat", - "@buyYouReceive": { - "description": "Label for amount user receives" - }, - "buyBitcoinPrice": "Bitcoin-kurssi", - "@buyBitcoinPrice": { - "description": "Label for Bitcoin exchange rate" - }, - "buyPayoutMethod": "Maksutapa", - "@buyPayoutMethod": { - "description": "Label for payout method" - }, - "buyAwaitingConfirmation": "Odotetaan vahvistusta ", - "@buyAwaitingConfirmation": { - "description": "Text shown while waiting for order confirmation" - }, - "buyConfirmPurchase": "Vahvista osto", - "@buyConfirmPurchase": { - "description": "Button to confirm purchase" - }, - "buyYouBought": "Ostit {amount}", - "@buyYouBought": { - "description": "Success message with amount bought", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyPayoutWillBeSentIn": "Maksusi lähetetään ", - "@buyPayoutWillBeSentIn": { - "description": "Text before countdown timer for payout" - }, - "buyViewDetails": "Näytä tiedot", - "@buyViewDetails": { - "description": "Button to view order details" - }, - "buyAccelerateTransaction": "Kiihdytä transaktiota", - "@buyAccelerateTransaction": { - "description": "Title for transaction acceleration option" - }, - "buyGetConfirmedFaster": "Saat vahvistuksen nopeammin", - "@buyGetConfirmedFaster": { - "description": "Subtitle for acceleration option" - }, - "buyConfirmExpressWithdrawal": "Vahvista pikanosto", - "@buyConfirmExpressWithdrawal": { - "description": "Title for express withdrawal confirmation screen" - }, - "buyNetworkFeeExplanation": "Bitcoin-louhijoille menevät Bitcoin-verkon kulut vähennetään saamastasi summasta.", - "@buyNetworkFeeExplanation": { - "description": "Explanation of network fees for express withdrawal" - }, - "buyNetworkFees": "Verkkokulut", - "@buyNetworkFees": { - "description": "Label for network fees amount" - }, - "buyEstimatedFeeValue": "Arvioitu kulujen määrä", - "@buyEstimatedFeeValue": { - "description": "Label for estimated fee value in fiat" - }, - "buyNetworkFeeRate": "Verkkokulujen määrä", - "@buyNetworkFeeRate": { - "description": "Label for network fee rate" - }, - "buyConfirmationTime": "Vahvistusviive", - "@buyConfirmationTime": { - "description": "Label for estimated confirmation time" - }, - "buyConfirmationTimeValue": "~10 minuuttia", - "@buyConfirmationTimeValue": { - "description": "Value for estimated confirmation time" - }, - "buyWaitForFreeWithdrawal": "Odota ilmaista nostoa", - "@buyWaitForFreeWithdrawal": { - "description": "Button to wait for free (slower) withdrawal" - }, - "buyConfirmExpress": "Vahvista pikamaksu", - "@buyConfirmExpress": { - "description": "Button to confirm express withdrawal" - }, - "buyBitcoinSent": "Bitcoin lähetetty!", - "@buyBitcoinSent": { - "description": "Success message for accelerated transaction" - }, - "buyThatWasFast": "Se oli nopeaa, eikö ollutkin?", - "@buyThatWasFast": { - "description": "Additional success message for accelerated transaction" - }, - "sellTitle": "Myy bitcoinia", - "@sellTitle": { - "description": "AppBar title for sell screen" - }, - "sellSelectWallet": "Valitse lompakko", - "@sellSelectWallet": { - "description": "Dropdown to choose source wallet" - }, - "sellWhichWalletQuestion": "Mistä lompakosta haluat myydä?", - "@sellWhichWalletQuestion": { - "description": "Question prompting user to select wallet" - }, - "sellExternalWallet": "Ulkoinen lompakko", - "@sellExternalWallet": { - "description": "Option for external wallet" - }, - "sellFromAnotherWallet": "Myy toisesta Bitcoin-lompakosta", - "@sellFromAnotherWallet": { - "description": "Subtitle for external wallet option" - }, - "sellAboveMaxAmountError": "Yrität myydä isomman määrän kuin tästä lompakosta on mahdollista.", - "@sellAboveMaxAmountError": { - "description": "Error message for amount above maximum" - }, - "sellBelowMinAmountError": "Myyntisi on alle tämän lompakon minimi määrän.", - "@sellBelowMinAmountError": { - "description": "Error message for amount below minimum" - }, - "sellInsufficientBalanceError": "Valitun lompakon saldo ei riitä tämän myyntitilauksen suorittamiseen.", - "@sellInsufficientBalanceError": { - "description": "Error message for insufficient balance" - }, - "sellUnauthenticatedError": "Et ole kirjautunut sisään. Kirjaudu jatkaaksesi.", - "@sellUnauthenticatedError": { - "description": "Error message for unauthenticated user" - }, - "sellOrderNotFoundError": "Myyntitilausta ei löytynyt. Yritä uudelleen.", - "@sellOrderNotFoundError": { - "description": "Error message for order not found" - }, - "sellOrderAlreadyConfirmedError": "Tämä myyntitilaus on jo vahvistettu.", - "@sellOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed order" - }, - "sellSelectNetwork": "Valitse verkko", - "@sellSelectNetwork": { - "description": "Screen title for network selection" - }, - "sellHowToPayInvoice": "Kuinka haluat maksaa tämän laskun?", - "@sellHowToPayInvoice": { - "description": "Question for payment method selection" - }, - "sellBitcoinOnChain": "Bitcoin on-chain", - "@sellBitcoinOnChain": { - "description": "Option for Bitcoin on-chain payment" - }, - "sellLightningNetwork": "Lightning-verkko", - "@sellLightningNetwork": { - "description": "Option for Lightning Network payment" - }, - "sellLiquidNetwork": "Liquid-verkko", - "@sellLiquidNetwork": { - "description": "Option for Liquid Network payment" - }, - "sellConfirmPayment": "Vahvista maksu", - "@sellConfirmPayment": { - "description": "Screen title for payment confirmation" - }, - "sellPriceWillRefreshIn": "Hinta päivittyy ", - "@sellPriceWillRefreshIn": { - "description": "Text before countdown timer for price refresh" - }, - "sellOrderNumber": "Tilausnumero", - "@sellOrderNumber": { - "description": "Label for order number" - }, - "sellPayoutRecipient": "Maksun saaja", - "@sellPayoutRecipient": { - "description": "Label for payout recipient" - }, - "sellCadBalance": "CAD-saldo", - "@sellCadBalance": { - "description": "Display text for CAD balance payout method" - }, - "sellCrcBalance": "CRC-saldo", - "@sellCrcBalance": { - "description": "Display text for CRC balance payout method" - }, - "sellEurBalance": "EUR-saldo", - "@sellEurBalance": { - "description": "Display text for EUR balance payout method" - }, - "sellUsdBalance": "USD-saldo", - "@sellUsdBalance": { - "description": "Display text for USD balance payout method" - }, - "sellMxnBalance": "MXN-saldo", - "@sellMxnBalance": { - "description": "Display text for MXN balance payout method" - }, - "sellArsBalance": "ARS-saldo", - "@sellArsBalance": { - "description": "Display text for ARS balance payout method" - }, - "sellCopBalance": "COP-saldo", - "@sellCopBalance": { - "description": "Display text for COP balance payout method" - }, - "sellPayinAmount": "Maksun määrä", - "@sellPayinAmount": { - "description": "Label for amount user pays in" - }, - "sellPayoutAmount": "Saantimäärä", - "@sellPayoutAmount": { - "description": "Label for amount user receives" - }, - "sellExchangeRate": "Vaihtokurssi", - "@sellExchangeRate": { - "description": "Label for exchange rate" - }, - "sellPayFromWallet": "Maksa lompakosta", - "@sellPayFromWallet": { - "description": "Label for wallet used for payment" - }, - "sellInstantPayments": "Välittömät maksut", - "@sellInstantPayments": { - "description": "Display text for instant payment wallet" - }, - "sellSecureBitcoinWallet": "Turvallinen Bitcoin-lompakko", - "@sellSecureBitcoinWallet": { - "description": "Display text for secure Bitcoin wallet" - }, - "sellFeePriority": "Prioriteetin kulut", - "@sellFeePriority": { - "description": "Label for fee priority selection" - }, - "sellFastest": "Nopein", - "@sellFastest": { - "description": "Display text for fastest fee option" - }, - "sellCalculating": "Lasketaan...", - "@sellCalculating": { - "description": "Text shown while calculating fees" - }, - "sellAdvancedSettings": "Lisäasetukset", - "@sellAdvancedSettings": { - "description": "Button for advanced settings" - }, - "sellAdvancedOptions": "Lisäasetukset", - "@sellAdvancedOptions": { - "description": "Title for advanced options bottom sheet" - }, - "sellReplaceByFeeActivated": "Replace-by-fee aktivoitu", - "@sellReplaceByFeeActivated": { - "description": "Label for RBF toggle" - }, - "sellSelectCoinsManually": "Valitse kolikot manuaalisesti", - "@sellSelectCoinsManually": { - "description": "Option to manually select UTXOs" - }, - "sellDone": "Valmis", - "@sellDone": { - "description": "Button to close bottom sheet" - }, - "sellPleasePayInvoice": "Maksa tämä lasku", - "@sellPleasePayInvoice": { - "description": "Title for receive payment screen" - }, - "sellBitcoinAmount": "Bitcoin-määrä", - "@sellBitcoinAmount": { - "description": "Label for Bitcoin amount" - }, - "sellCopyInvoice": "Kopioi lasku", - "@sellCopyInvoice": { - "description": "Button to copy invoice" - }, - "sellShowQrCode": "Näytä QR-koodi", - "@sellShowQrCode": { - "description": "Button to show QR code" - }, - "sellQrCode": "QR-koodi", - "@sellQrCode": { - "description": "Title for QR code bottom sheet" - }, - "sellNoInvoiceData": "Laskutietoja ei saatavilla", - "@sellNoInvoiceData": { - "description": "Message when no invoice data available" - }, - "sellInProgress": "Myynti käynnissä...", - "@sellInProgress": { - "description": "Message for sell in progress" - }, - "sellGoHome": "Siirry etusivulle", - "@sellGoHome": { - "description": "Button to go to home screen" - }, - "sellOrderCompleted": "Tilaus valmis!", - "@sellOrderCompleted": { - "description": "Success message for completed order" - }, - "sellBalanceWillBeCredited": "Tilisi saldoa päivittyy, kun transaktio vahvistetaan lohkoketjussa.", - "@sellBalanceWillBeCredited": { - "description": "Information about balance crediting" - }, - "payTitle": "Maksa", - "@payTitle": { - "description": "Screen title for pay feature" - }, - "paySelectRecipient": "Valitse vastaanottaja", - "@paySelectRecipient": { - "description": "Screen title for recipient selection" - }, - "payWhoAreYouPaying": "Kenelle maksat?", - "@payWhoAreYouPaying": { - "description": "Question prompting user to select recipient" - }, - "payNewRecipients": "Uudet vastaanottajat", - "@payNewRecipients": { - "description": "Tab label for new recipients" - }, - "payMyFiatRecipients": "Fiat-maksujen vastaanottajat", - "@payMyFiatRecipients": { - "description": "Tab label for saved recipients" - }, - "payNoRecipientsFound": "Vastaanottajia ei löytynyt.", - "@payNoRecipientsFound": { - "description": "Message when no recipients found" - }, - "payLoadingRecipients": "Ladataan vastaanottajia...", - "@payLoadingRecipients": { - "description": "Message while loading recipients" - }, - "payNotLoggedIn": "Et ole kirjautunut", - "@payNotLoggedIn": { - "description": "Title for not logged in card" - }, - "payNotLoggedInDescription": "Et ole kirjautunut sisään. Kirjaudu jatkaaksesi maksutoiminnon käyttöä.", - "@payNotLoggedInDescription": { - "description": "Description for not logged in state" - }, - "paySelectCountry": "Valitse maa", - "@paySelectCountry": { - "description": "Hint for country dropdown" - }, - "payPayoutMethod": "Maksutapa", - "@payPayoutMethod": { - "description": "Label for payout method section" - }, - "payEmail": "Sähköposti", - "@payEmail": { - "description": "Label for email field" - }, - "payEmailHint": "Syötä sähköpostiosoite", - "@payEmailHint": { - "description": "Hint for email input" - }, - "payName": "Nimi", - "@payName": { - "description": "Label for name field" - }, - "payNameHint": "Syötä vastaanottajan nimi", - "@payNameHint": { - "description": "Hint for name input" - }, - "paySecurityQuestion": "Turvakysymys", - "@paySecurityQuestion": { - "description": "Label for security question field" - }, - "paySecurityQuestionHint": "Syötä turvakysymys (10–40 merkkiä)", - "@paySecurityQuestionHint": { - "description": "Hint for security question input" - }, - "paySecurityQuestionLength": "{count}/40 merkkiä", - "@paySecurityQuestionLength": { - "description": "Character count for security question", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "paySecurityQuestionLengthError": "Vaaditaan 10–40 merkkiä", - "@paySecurityQuestionLengthError": { - "description": "Error for invalid security question length" - }, - "paySecurityAnswer": "Turvavastaus", - "@paySecurityAnswer": { - "description": "Label for security answer field" - }, - "paySecurityAnswerHint": "Syötä turvavastaus", - "@paySecurityAnswerHint": { - "description": "Hint for security answer input" - }, - "payLabelOptional": "Tunniste (valinnainen)", - "@payLabelOptional": { - "description": "Label for optional label field" - }, - "payLabelHint": "Syötä tunniste tälle vastaanottajalle", - "@payLabelHint": { - "description": "Hint for label input" - }, - "payBillerName": "Laskuttajan nimi", - "@payBillerName": { - "description": "Label for biller name field" - }, - "payBillerNameValue": "Valittu laskuttajan nimi", - "@payBillerNameValue": { - "description": "Placeholder for biller name" - }, - "payBillerSearchHint": "Syötä laskuttajan nimen ensimmäiset 3 kirjainta", - "@payBillerSearchHint": { - "description": "Hint for biller search field" - }, - "payPayeeAccountNumber": "Saajan tilinumero", - "@payPayeeAccountNumber": { - "description": "Label for payee account number" - }, - "payPayeeAccountNumberHint": "Syötä tilinumero", - "@payPayeeAccountNumberHint": { - "description": "Hint for account number input" - }, - "payInstitutionNumber": "Y-tunnus", - "@payInstitutionNumber": { - "description": "Label for institution number" - }, - "payInstitutionNumberHint": "Syötä Y-tunnus numero", - "@payInstitutionNumberHint": { - "description": "Hint for institution number input" - }, - "payTransitNumber": "Siirtotunnus", - "@payTransitNumber": { - "description": "Label for transit number" - }, - "payTransitNumberHint": "Syötä siirtotunnus", - "@payTransitNumberHint": { - "description": "Hint for transit number input" - }, - "payAccountNumber": "Tilinumero", - "@payAccountNumber": { - "description": "Label for account number" - }, - "payAccountNumberHint": "Syötä tilinumero", - "@payAccountNumberHint": { - "description": "Hint for account number input" - }, - "payDefaultCommentOptional": "Oletuskommentti (valinnainen)", - "@payDefaultCommentOptional": { - "description": "Label for default comment field" - }, - "payDefaultCommentHint": "Syötä oletuskommentti", - "@payDefaultCommentHint": { - "description": "Hint for default comment input" - }, - "payIban": "IBAN", - "@payIban": { - "description": "Label for IBAN field" - }, - "payIbanHint": "Syötä IBAN", - "@payIbanHint": { - "description": "Hint for IBAN input" - }, - "payCorporate": "Yritys", - "@payCorporate": { - "description": "Label for corporate checkbox" - }, - "payIsCorporateAccount": "Onko tämä yritystili?", - "@payIsCorporateAccount": { - "description": "Question for corporate account checkbox" - }, - "payFirstName": "Etunimi", - "@payFirstName": { - "description": "Label for first name field" - }, - "payFirstNameHint": "Syötä etunimi", - "@payFirstNameHint": { - "description": "Hint for first name input" - }, - "payLastName": "Sukunimi", - "@payLastName": { - "description": "Label for last name field" - }, - "payLastNameHint": "Syötä sukunimi", - "@payLastNameHint": { - "description": "Hint for last name input" - }, - "payCorporateName": "Yrityksen nimi", - "@payCorporateName": { - "description": "Label for corporate name field" - }, - "payCorporateNameHint": "Syötä yrityksen nimi", - "@payCorporateNameHint": { - "description": "Hint for corporate name input" - }, - "payClabe": "CLABE", - "@payClabe": { - "description": "Label for CLABE field" - }, - "payClabeHint": "Syötä CLABE-numero", - "@payClabeHint": { - "description": "Hint for CLABE input" - }, - "payInstitutionCode": "Y-tunnus", - "@payInstitutionCode": { - "description": "Label for institution code field" - }, - "payInstitutionCodeHint": "Syötä laitoskoodi", - "@payInstitutionCodeHint": { - "description": "Hint for institution code input" - }, - "payPhoneNumber": "Puhelinnumero", - "@payPhoneNumber": { - "description": "Label for phone number field" - }, - "payPhoneNumberHint": "Syötä puhelinnumero", - "@payPhoneNumberHint": { - "description": "Hint for phone number input" - }, - "payDebitCardNumber": "Pankkikortin numero", - "@payDebitCardNumber": { - "description": "Label for debit card number field" - }, - "payDebitCardNumberHint": "Syötä pankkikortin numero", - "@payDebitCardNumberHint": { - "description": "Hint for debit card number input" - }, - "payOwnerName": "Omistajan nimi", - "@payOwnerName": { - "description": "Label for owner name field" - }, - "payOwnerNameHint": "Syötä omistajan nimi", - "@payOwnerNameHint": { - "description": "Hint for owner name input" - }, - "payValidating": "Tarkistetaan...", - "@payValidating": { - "description": "Text shown while validating SINPE" - }, - "payInvalidSinpe": "Virheellinen SINPE", - "@payInvalidSinpe": { - "description": "Error message for invalid SINPE" - }, - "payFilterByType": "Suodata tyypin mukaan", - "@payFilterByType": { - "description": "Label for type filter dropdown" - }, - "payAllTypes": "Kaikki tyypit", - "@payAllTypes": { - "description": "Option for all types filter" - }, - "payAllCountries": "Kaikki maat", - "@payAllCountries": { - "description": "Option for all countries filter" - }, - "payRecipientType": "Vastaanottajan tyyppi", - "@payRecipientType": { - "description": "Label for recipient type" - }, - "payRecipientName": "Vastaanottajan nimi", - "@payRecipientName": { - "description": "Label for recipient name" - }, - "payRecipientDetails": "Vastaanottajan tiedot", - "@payRecipientDetails": { - "description": "Label for recipient details" - }, - "payAccount": "Tili", - "@payAccount": { - "description": "Label for account details" - }, - "payPayee": "Saaja", - "@payPayee": { - "description": "Label for payee details" - }, - "payCard": "Kortti", - "@payCard": { - "description": "Label for card details" - }, - "payPhone": "Puhelin", - "@payPhone": { - "description": "Label for phone details" - }, - "payNoDetailsAvailable": "Tietoja ei saatavilla", - "@payNoDetailsAvailable": { - "description": "Message when recipient details not available" - }, - "paySelectWallet": "Valitse lompakko", - "@paySelectWallet": { - "description": "Label for wallet selection dropdown in payment" - }, - "payWhichWalletQuestion": "Mistä lompakosta haluat maksaa?", - "@payWhichWalletQuestion": { - "description": "Question prompting user to select wallet" - }, - "payExternalWallet": "Ulkoinen lompakko", - "@payExternalWallet": { - "description": "Option for external wallet" - }, - "payFromAnotherWallet": "Maksa toisesta Bitcoin-lompakosta", - "@payFromAnotherWallet": { - "description": "Subtitle for external wallet option" - }, - "payAboveMaxAmountError": "Yrität maksaa yli suurimman summan, jonka tästä lompakosta voi maksaa.", - "@payAboveMaxAmountError": { - "description": "Error message for amount above maximum" - }, - "payBelowMinAmountError": "Yrität maksaa alle pienimmän summan, jonka tästä lompakosta voi maksaa.", - "@payBelowMinAmountError": { - "description": "Error message for amount below minimum" - }, - "payInsufficientBalanceError": "Valitussa lompakossa ei ole tarpeeksi saldoa tämän maksun suorittamiseen.", - "@payInsufficientBalanceError": { - "description": "Error message for insufficient balance" - }, - "payUnauthenticatedError": "Et ole tunnistautunut. Kirjaudu sisään jatkaaksesi.", - "@payUnauthenticatedError": { - "description": "Error message for unauthenticated user" - }, - "payOrderNotFoundError": "Maksupyyntöä ei löytynyt. Yritä uudelleen.", - "@payOrderNotFoundError": { - "description": "Error message for order not found" - }, - "payOrderAlreadyConfirmedError": "Tämä maksupyyntö on jo vahvistettu.", - "@payOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed order" - }, - "paySelectNetwork": "Valitse verkko", - "@paySelectNetwork": { - "description": "Screen title for network selection" - }, - "payHowToPayInvoice": "Miten haluat maksaa tämän laskun?", - "@payHowToPayInvoice": { - "description": "Question for payment method selection" - }, - "payBitcoinOnChain": "Bitcoin on-chain", - "@payBitcoinOnChain": { - "description": "Option for Bitcoin on-chain payment" - }, - "payLightningNetwork": "Lightning-verkko", - "@payLightningNetwork": { - "description": "Option for Lightning Network payment" - }, - "payLiquidNetwork": "Liquid-verkko", - "@payLiquidNetwork": { - "description": "Option for Liquid Network payment" - }, - "payConfirmPayment": "Vahvista maksu", - "@payConfirmPayment": { - "description": "Button text to confirm and execute payment" - }, - "payPriceWillRefreshIn": "Hinta päivittyy ", - "@payPriceWillRefreshIn": { - "description": "Text before countdown timer for price refresh" - }, - "payOrderNumber": "Tilausnumero", - "@payOrderNumber": { - "description": "Label for order number" - }, - "payPayinAmount": "Maksun määrä", - "@payPayinAmount": { - "description": "Label for amount user pays in" - }, - "payPayoutAmount": "Ulosmaksun määrä", - "@payPayoutAmount": { - "description": "Label for amount user receives" - }, - "payExchangeRate": "Vaihtokurssi", - "@payExchangeRate": { - "description": "Label for exchange rate" - }, - "payPayFromWallet": "Maksa lompakosta", - "@payPayFromWallet": { - "description": "Label for wallet used for payment" - }, - "payInstantPayments": "Välittömät maksut", - "@payInstantPayments": { - "description": "Display text for instant payment wallet" - }, - "paySecureBitcoinWallet": "Turvallinen Bitcoin-lompakko", - "@paySecureBitcoinWallet": { - "description": "Display text for secure Bitcoin wallet" - }, - "payFeePriority": "Kulujen prioriteetti", - "@payFeePriority": { - "description": "Label for fee priority selection" - }, - "payFastest": "Nopein", - "@payFastest": { - "description": "Display text for fastest fee option" - }, - "payNetworkFees": "Verkkokulut", - "@payNetworkFees": { - "description": "Label for network fees amount" - }, - "payCalculating": "Lasketaan...", - "@payCalculating": { - "description": "Text shown while calculating fees" - }, - "payAdvancedSettings": "Lisäasetukset", - "@payAdvancedSettings": { - "description": "Button for advanced settings" - }, - "payAdvancedOptions": "Lisävalinnat", - "@payAdvancedOptions": { - "description": "Title for advanced options bottom sheet" - }, - "payReplaceByFeeActivated": "Replace-by-fee aktivoitu", - "@payReplaceByFeeActivated": { - "description": "Label for RBF toggle" - }, - "paySelectCoinsManually": "Valitse kolikot manuaalisesti", - "@paySelectCoinsManually": { - "description": "Option to manually select UTXOs" - }, - "payDone": "Valmis", - "@payDone": { - "description": "Button to close bottom sheet" - }, - "payContinue": "Jatka", - "@payContinue": { - "description": "Button to continue to next step" - }, - "payPleasePayInvoice": "Maksa tämä lasku", - "@payPleasePayInvoice": { - "description": "Title for receive payment screen" - }, - "payBitcoinAmount": "Bitcoin-määrä", - "@payBitcoinAmount": { - "description": "Label for Bitcoin amount" - }, - "payBitcoinPrice": "Bitcoin-kurssi", - "@payBitcoinPrice": { - "description": "Label for Bitcoin exchange rate" - }, - "payCopyInvoice": "Kopioi lasku", - "@payCopyInvoice": { - "description": "Button text to copy invoice to clipboard" - }, - "payShowQrCode": "Näytä QR-koodi", - "@payShowQrCode": { - "description": "Button to show QR code" - }, - "payQrCode": "QR-koodi", - "@payQrCode": { - "description": "Title for QR code bottom sheet" - }, - "payNoInvoiceData": "Laskun tietoja ei ole saatavilla", - "@payNoInvoiceData": { - "description": "Message when no invoice data available" - }, - "payInvalidState": "Virheellinen tila", - "@payInvalidState": { - "description": "Error message for invalid state" - }, - "payInProgress": "Maksu käynnissä!", - "@payInProgress": { - "description": "Title for payment in progress screen" - }, - "payInProgressDescription": "Maksusi on aloitettu ja vastaanottaja saa varat, kun transaktio vahvistuu lohkoketjussa.", - "@payInProgressDescription": { - "description": "Description for payment in progress" - }, - "payViewDetails": "Näytä tiedot", - "@payViewDetails": { - "description": "Button to view order details" - }, - "payCompleted": "Maksu suoritettu!", - "@payCompleted": { - "description": "Title for payment completed screen" - }, - "payCompletedDescription": "Maksusi on suoritettu ja vastaanottaja on saanut varat.", - "@payCompletedDescription": { - "description": "Description for payment completed" - }, - "paySinpeEnviado": "SINPE LÄHETETTY!", - "@paySinpeEnviado": { - "description": "Success message for SINPE payment (Spanish, kept as is)" - }, - "payOrderDetails": "Tilaustiedot", - "@payOrderDetails": { - "description": "Title for SINPE order details screen" - }, - "paySinpeMonto": "Määrä", - "@paySinpeMonto": { - "description": "Label for amount in SINPE order details" - }, - "paySinpeNumeroOrden": "Tilausnumero", - "@paySinpeNumeroOrden": { - "description": "Label for order number in SINPE details" - }, - "paySinpeNumeroComprobante": "Viitenumero", - "@paySinpeNumeroComprobante": { - "description": "Label for reference number in SINPE details" - }, - "paySinpeBeneficiario": "Saaja", - "@paySinpeBeneficiario": { - "description": "Label for beneficiary in SINPE details" - }, - "paySinpeOrigen": "Lähde", - "@paySinpeOrigen": { - "description": "Label for origin in SINPE details" - }, - "payNotAvailable": "Ei saatavilla", - "@payNotAvailable": { - "description": "Placeholder for unavailable information" - }, - "payBitcoinOnchain": "Bitcoin on-chain", - "@payBitcoinOnchain": { - "description": "Option for Bitcoin on-chain payment" - }, - "payAboveMaxAmount": "Yrität maksaa yli suurimman summan, jonka tästä lompakosta voi maksaa.", - "@payAboveMaxAmount": { - "description": "Error message when payment amount exceeds maximum" - }, - "payBelowMinAmount": "Yrität maksaa alle pienimmän summan, jonka tästä lompakosta voi maksaa.", - "@payBelowMinAmount": { - "description": "Error message when payment amount is below minimum" - }, - "payNotAuthenticated": "Et ole tunnistautunut. Kirjaudu sisään jatkaaksesi.", - "@payNotAuthenticated": { - "description": "Error message when user is not authenticated" - }, - "payOrderNotFound": "Maksupyyntöä ei löytynyt. Yritä uudelleen.", - "@payOrderNotFound": { - "description": "Error message when pay order is not found" - }, - "payOrderAlreadyConfirmed": "Tämä maksupyyntö on jo vahvistettu.", - "@payOrderAlreadyConfirmed": { - "description": "Error message when pay order is already confirmed" - }, - "payPaymentInProgress": "Maksu käynnissä!", - "@payPaymentInProgress": { - "description": "Title for payment in progress screen" - }, - "payPaymentInProgressDescription": "Maksusi on aloitettu ja vastaanottaja saa varat, kun transaktio vahvistuu lohkoketjussa.", - "@payPaymentInProgressDescription": { - "description": "Description for payment in progress" - }, - "payPriceRefreshIn": "Hinta päivittyy ", - "@payPriceRefreshIn": { - "description": "Text before countdown timer" - }, - "payFor": "Saaja", - "@payFor": { - "description": "Label for recipient information section" - }, - "payRecipient": "Vastaanottaja", - "@payRecipient": { - "description": "Label for recipient" - }, - "payAmount": "Määrä", - "@payAmount": { - "description": "Label for amount" - }, - "payFee": "Kulu", - "@payFee": { - "description": "Label for fee" - }, - "payNetwork": "Verkko", - "@payNetwork": { - "description": "Label for network" - }, - "payViewRecipient": "Näytä vastaanottaja", - "@payViewRecipient": { - "description": "Button to view recipient details" - }, - "payOpenInvoice": "Avaa lasku", - "@payOpenInvoice": { - "description": "Button to open invoice" - }, - "payCopied": "Kopioitu!", - "@payCopied": { - "description": "Success message after copying" - }, - "payWhichWallet": "Mistä lompakosta haluat maksaa?", - "@payWhichWallet": { - "description": "Question prompt for wallet selection" - }, - "payExternalWalletDescription": "Maksa toisesta Bitcoin-lompakosta", - "@payExternalWalletDescription": { - "description": "Description for external wallet option" - }, - "payInsufficientBalance": "Valitussa lompakossa ei ole riittävästi saldoa tämän maksupyynnön suorittamiseen.", - "@payInsufficientBalance": { - "description": "Error message for insufficient balance" - }, - "payRbfActivated": "Replace-by-fee aktivoitu", - "@payRbfActivated": { - "description": "Label for RBF toggle" - }, - "transactionTitle": "Transaktiot", - "@transactionTitle": { - "description": "Title for the transactions screen" - }, - "transactionError": "Virhe - {error}", - "@transactionError": { - "description": "Error message displayed when transaction loading fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "transactionDetailTitle": "Transaktion tiedot", - "@transactionDetailTitle": { - "description": "Title for transaction details screen" - }, - "transactionDetailTransferProgress": "Siirron edistyminen", - "@transactionDetailTransferProgress": { - "description": "Title for ongoing transfer details" - }, - "transactionDetailSwapProgress": "Swapin edistyminen", - "@transactionDetailSwapProgress": { - "description": "Title for ongoing swap details" - }, - "transactionDetailRetryTransfer": "Yritä siirtoa uudelleen {action}", - "@transactionDetailRetryTransfer": { - "description": "Button label to retry a failed transfer action", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "transactionDetailRetrySwap": "Yritä uudelleen swappiä {action}", - "@transactionDetailRetrySwap": { - "description": "Button label to retry a failed swap action", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "transactionDetailAddNote": "Lisää kuvaus", - "@transactionDetailAddNote": { - "description": "Button label to add a note to a transaction" - }, - "transactionDetailBumpFees": "Aktivoi RFB", - "@transactionDetailBumpFees": { - "description": "Button label to increase transaction fees via RBF" - }, - "transactionFilterAll": "Kaikki", - "@transactionFilterAll": { - "description": "Filter option to show all transactions" - }, - "transactionFilterSend": "Lähetetty", - "@transactionFilterSend": { - "description": "Filter option to show only sent transactions" - }, - "transactionFilterReceive": "Vastaanotettu", - "@transactionFilterReceive": { - "description": "Filter option to show only received transactions" - }, - "transactionFilterTransfer": "Siirrot", - "@transactionFilterTransfer": { - "description": "Filter option to show only transfer/swap transactions" - }, - "transactionFilterPayjoin": "Payjoin", - "@transactionFilterPayjoin": { - "description": "Filter option to show only payjoin transactions" - }, - "transactionFilterSell": "Myynti", - "@transactionFilterSell": { - "description": "Filter option to show only sell orders" - }, - "transactionFilterBuy": "Osto", - "@transactionFilterBuy": { - "description": "Filter option to show only buy orders" - }, - "transactionNetworkLightning": "Lightning", - "@transactionNetworkLightning": { - "description": "Label for Lightning network transactions" - }, - "transactionNetworkBitcoin": "Bitcoin", - "@transactionNetworkBitcoin": { - "description": "Label for Bitcoin network transactions" - }, - "transactionNetworkLiquid": "Liquid", - "@transactionNetworkLiquid": { - "description": "Label for Liquid network transactions" - }, - "transactionSwapLiquidToBitcoin": "L-BTC → BTC", - "@transactionSwapLiquidToBitcoin": { - "description": "Label for Liquid to Bitcoin swap" - }, - "transactionSwapBitcoinToLiquid": "BTC → L-BTC", - "@transactionSwapBitcoinToLiquid": { - "description": "Label for Bitcoin to Liquid swap" - }, - "transactionStatusInProgress": "Käynnissä", - "@transactionStatusInProgress": { - "description": "Status label for transactions in progress" - }, - "transactionStatusPending": "Odottaa", - "@transactionStatusPending": { - "description": "Status label for pending transactions" - }, - "transactionStatusConfirmed": "Vahvistettu", - "@transactionStatusConfirmed": { - "description": "Status label for confirmed transactions" - }, - "transactionStatusTransferCompleted": "Siirto suoritettu", - "@transactionStatusTransferCompleted": { - "description": "Status label for completed transfers" - }, - "transactionStatusTransferInProgress": "Siirto käynnissä", - "@transactionStatusTransferInProgress": { - "description": "Status label for transfers in progress" - }, - "transactionStatusPaymentInProgress": "Maksu käynnissä", - "@transactionStatusPaymentInProgress": { - "description": "Status label for Lightning payments in progress" - }, - "transactionStatusPaymentRefunded": "Maksu palautettu", - "@transactionStatusPaymentRefunded": { - "description": "Status label for refunded payments" - }, - "transactionStatusTransferFailed": "Siirto epäonnistui", - "@transactionStatusTransferFailed": { - "description": "Status label for failed transfers" - }, - "transactionStatusSwapFailed": "Swap epäonnistui", - "@transactionStatusSwapFailed": { - "description": "Status label for failed swaps" - }, - "transactionStatusTransferExpired": "Siirto vanhentunut", - "@transactionStatusTransferExpired": { - "description": "Status label for expired transfers" - }, - "transactionStatusSwapExpired": "Vanhentunut swap", - "@transactionStatusSwapExpired": { - "description": "Status label for expired swaps" - }, - "transactionStatusPayjoinRequested": "Payjoin pyydetty", - "@transactionStatusPayjoinRequested": { - "description": "Status label for payjoin transaction requests" - }, - "transactionLabelTransactionId": "Transaktion ID", - "@transactionLabelTransactionId": { - "description": "Label for transaction ID field" - }, - "transactionLabelToWallet": "Kohdelompakko", - "@transactionLabelToWallet": { - "description": "Label for destination wallet" - }, - "transactionLabelFromWallet": "Lähdelompakko", - "@transactionLabelFromWallet": { - "description": "Label for source wallet" - }, - "transactionLabelRecipientAddress": "Vastaanottajan osoite", - "@transactionLabelRecipientAddress": { - "description": "Label for recipient address" - }, - "transactionLabelAddress": "Osoite", - "@transactionLabelAddress": { - "description": "Label for transaction address" - }, - "transactionLabelAddressNotes": "Osoitteen kuvaus", - "@transactionLabelAddressNotes": { - "description": "Label for address notes/labels" - }, - "transactionLabelAmountReceived": "Vastaanotettu määrä", - "@transactionLabelAmountReceived": { - "description": "Label for received amount" - }, - "transactionLabelAmountSent": "Lähetetty määrä", - "@transactionLabelAmountSent": { - "description": "Label for sent amount" - }, - "transactionLabelTransactionFee": "Transaktiomaksu", - "@transactionLabelTransactionFee": { - "description": "Label for transaction fee" - }, - "transactionLabelStatus": "Tila", - "@transactionLabelStatus": { - "description": "Label for transaction status" - }, - "transactionLabelConfirmationTime": "Vahvistusaika", - "@transactionLabelConfirmationTime": { - "description": "Label for transaction confirmation timestamp" - }, - "transactionLabelTransferId": "Swap-tunnus", - "@transactionLabelTransferId": { - "description": "Label for transfer/swap ID" - }, - "transactionLabelSwapId": "Vaihto-ID", - "@transactionLabelSwapId": { - "description": "Label for swap ID" - }, - "transactionLabelTransferStatus": "Siirron tila", - "@transactionLabelTransferStatus": { - "description": "Label for transfer status" - }, - "transactionLabelSwapStatus": "Swapin tila", - "@transactionLabelSwapStatus": { - "description": "Label for swap status" - }, - "transactionLabelSwapStatusRefunded": "Palautettu", - "@transactionLabelSwapStatusRefunded": { - "description": "Status label for refunded swaps" - }, - "transactionLabelLiquidTransactionId": "Liquid-transaktion ID", - "@transactionLabelLiquidTransactionId": { - "description": "Label for Liquid network transaction ID" - }, - "transactionLabelBitcoinTransactionId": "Bitcoin-transaktion ID", - "@transactionLabelBitcoinTransactionId": { - "description": "Label for Bitcoin network transaction ID" - }, - "transactionLabelTotalTransferFees": "Swapin kokonaiskulut", - "@transactionLabelTotalTransferFees": { - "description": "Label for total transfer fees" - }, - "transactionLabelTotalSwapFees": "Vaihtojen kokonaiskulut", - "@transactionLabelTotalSwapFees": { - "description": "Label for total swap fees" - }, - "transactionLabelNetworkFee": "Verkkokulu", - "@transactionLabelNetworkFee": { - "description": "Label for network fee component" - }, - "transactionLabelTransferFee": "Siirtokulu", - "@transactionLabelTransferFee": { - "description": "Label for transfer fee component" - }, - "transactionLabelBoltzSwapFee": "Boltz-vaihtokulu", - "@transactionLabelBoltzSwapFee": { - "description": "Label for Boltz swap fee component" - }, - "transactionLabelCreatedAt": "Luotu", - "@transactionLabelCreatedAt": { - "description": "Label for creation timestamp" - }, - "transactionLabelCompletedAt": "Suoritettu", - "@transactionLabelCompletedAt": { - "description": "Label for completion timestamp" - }, - "transactionLabelPayjoinStatus": "Payjoin-tila", - "@transactionLabelPayjoinStatus": { - "description": "Label for payjoin status" - }, - "transactionLabelPayjoinCreationTime": "Payjoin luontiaika", - "@transactionLabelPayjoinCreationTime": { - "description": "Label for payjoin creation timestamp" - }, - "transactionPayjoinStatusCompleted": "Valmis", - "@transactionPayjoinStatusCompleted": { - "description": "Payjoin status: completed" - }, - "transactionPayjoinStatusExpired": "Vanhentunut", - "@transactionPayjoinStatusExpired": { - "description": "Payjoin status: expired" - }, - "transactionOrderLabelOrderType": "Tilaustyyppi", - "@transactionOrderLabelOrderType": { - "description": "Label for order type" - }, - "transactionOrderLabelOrderNumber": "Tilausnumero", - "@transactionOrderLabelOrderNumber": { - "description": "Label for order number" - }, - "transactionOrderLabelPayinAmount": "Maksun määrä", - "@transactionOrderLabelPayinAmount": { - "description": "Label for order payin amount" - }, - "transactionOrderLabelPayoutAmount": "Ulosmaksun määrä", - "@transactionOrderLabelPayoutAmount": { - "description": "Label for order payout amount" - }, - "transactionOrderLabelExchangeRate": "Vaihtokurssi", - "@transactionOrderLabelExchangeRate": { - "description": "Label for order exchange rate" - }, - "transactionOrderLabelPayinMethod": "Sisäänmaksutapa", - "@transactionOrderLabelPayinMethod": { - "description": "Label for order payin method" - }, - "transactionOrderLabelPayoutMethod": "Ulosmaksutapa", - "@transactionOrderLabelPayoutMethod": { - "description": "Label for order payout method" - }, - "transactionOrderLabelPayinStatus": "Sisäänmaksun tila", - "@transactionOrderLabelPayinStatus": { - "description": "Label for order payin status" - }, - "transactionOrderLabelOrderStatus": "Pyynnöntila", - "@transactionOrderLabelOrderStatus": { - "description": "Label for order status" - }, - "transactionOrderLabelPayoutStatus": "Ulosmaksun tila", - "@transactionOrderLabelPayoutStatus": { - "description": "Label for order payout status" - }, - "transactionNotesLabel": "Transaktion muistiinpanot", - "@transactionNotesLabel": { - "description": "Label for transaction notes section" - }, - "transactionNoteAddTitle": "Lisää kuvaus", - "@transactionNoteAddTitle": { - "description": "Title for add note dialog" - }, - "transactionNoteEditTitle": "Muokkaa kuvausta", - "@transactionNoteEditTitle": { - "description": "Title for edit note dialog" - }, - "transactionNoteHint": "Muistiinpano", - "@transactionNoteHint": { - "description": "Hint text for note input field" - }, - "transactionNoteSaveButton": "Tallenna", - "@transactionNoteSaveButton": { - "description": "Button label to save a note" - }, - "transactionNoteUpdateButton": "Päivitä", - "@transactionNoteUpdateButton": { - "description": "Button label to update a note" - }, - "transactionPayjoinNoProposal": "Etkö saanut payjoin-ehdotusta vastaanottajalta?", - "@transactionPayjoinNoProposal": { - "description": "Message displayed when payjoin proposal is not received" - }, - "transactionPayjoinSendWithout": "Lähetä ilman payjoinia", - "@transactionPayjoinSendWithout": { - "description": "Button label to send transaction without payjoin" - }, - "transactionSwapProgressInitiated": "Aloitettu", - "@transactionSwapProgressInitiated": { - "description": "Swap progress step: initiated" - }, - "transactionSwapProgressPaymentMade": "Maksu\nSuoritettu", - "@transactionSwapProgressPaymentMade": { - "description": "Swap progress step: payment made" - }, - "transactionSwapProgressFundsClaimed": "Varat\nLunastettu", - "@transactionSwapProgressFundsClaimed": { - "description": "Swap progress step: funds claimed" - }, - "transactionSwapProgressBroadcasted": "Lähetetty", - "@transactionSwapProgressBroadcasted": { - "description": "Swap progress step: transaction broadcasted" - }, - "transactionSwapProgressInvoicePaid": "Lasku\nMaksettu", - "@transactionSwapProgressInvoicePaid": { - "description": "Swap progress step: Lightning invoice paid" - }, - "transactionSwapProgressConfirmed": "Vahvistettu", - "@transactionSwapProgressConfirmed": { - "description": "Swap progress step: confirmed" - }, - "transactionSwapProgressClaim": "Lunastus", - "@transactionSwapProgressClaim": { - "description": "Swap progress step: claim" - }, - "transactionSwapProgressCompleted": "Valmis", - "@transactionSwapProgressCompleted": { - "description": "Swap progress step: completed" - }, - "transactionSwapProgressInProgress": "Käynnissä", - "@transactionSwapProgressInProgress": { - "description": "Generic swap progress step: in progress" - }, - "transactionSwapStatusTransferStatus": "Siirron tila", - "@transactionSwapStatusTransferStatus": { - "description": "Header for transfer status section" - }, - "transactionSwapStatusSwapStatus": "Swapin tila", - "@transactionSwapStatusSwapStatus": { - "description": "Header for swap status section" - }, - "transactionSwapDescLnReceivePending": "Swap on aloitettu. Odotamme maksun vastaanottamista Lightning-verkossa.", - "@transactionSwapDescLnReceivePending": { - "description": "Description for pending Lightning receive swap" - }, - "transactionSwapDescLnReceivePaid": "Swap vastaanotettu! Lähetämme nyt on-chain -transaktion lompakkoosi.", - "@transactionSwapDescLnReceivePaid": { - "description": "Description for paid Lightning receive swap" - }, - "transactionSwapDescLnReceiveClaimable": "On-chain -transaktio on vahvistettu. Lunastamme nyt varat ja toteutamme swappisi.", - "@transactionSwapDescLnReceiveClaimable": { - "description": "Description for claimable Lightning receive swap" - }, - "transactionSwapDescLnReceiveCompleted": "Swap onnistui! Varat ovat nyt saatavilla lompakossasi.", - "@transactionSwapDescLnReceiveCompleted": { - "description": "Description for completed Lightning receive swap" - }, - "transactionSwapDescLnReceiveFailed": "Swapissä ilmeni ongelma. Ota yhteyttä tukeen, jos varoja ei ole palautettu 24 tunnin kuluessa.", - "@transactionSwapDescLnReceiveFailed": { - "description": "Description for failed Lightning receive swap" - }, - "transactionSwapDescLnReceiveExpired": "Tämä swap on vanhentunut. Lähetetyt varat palautetaan automaattisesti lähettäjälle.", - "@transactionSwapDescLnReceiveExpired": { - "description": "Description for expired Lightning receive swap" - }, - "transactionSwapDescLnReceiveDefault": "Swap on käynnissä. Prosessi on automatisoitu ja voi kestää hetken.", - "@transactionSwapDescLnReceiveDefault": { - "description": "Default description for Lightning receive swap" - }, - "transactionSwapDescLnSendPending": "Swap on aloitettu. Lukitsemme varasi lähettämällä on-chain -transaktion.", - "@transactionSwapDescLnSendPending": { - "description": "Description for pending Lightning send swap" - }, - "transactionSwapDescLnSendPaid": "On-chain -transaktio on lähetetty verkkoon. Yhden vahvistuksen jälkeen Lightning-maksu lähetetään.", - "@transactionSwapDescLnSendPaid": { - "description": "Description for paid Lightning send swap" - }, - "transactionSwapDescLnSendCompleted": "Lightning-maksu on lähetetty onnistuneesti! Swap on nyt valmis.", - "@transactionSwapDescLnSendCompleted": { - "description": "Description for completed Lightning send swap" - }, - "transactionSwapDescLnSendFailed": "Swapissa ilmeni ongelma. Varat palautetaan automaattisesti lompakkoosi.", - "@transactionSwapDescLnSendFailed": { - "description": "Description for failed Lightning send swap" - }, - "transactionSwapDescLnSendExpired": "Tämä swap on vanhentunut. Varat palautetaan automaattisesti lompakkoosi.", - "@transactionSwapDescLnSendExpired": { - "description": "Description for expired Lightning send swap" - }, - "transactionSwapDescLnSendDefault": "Swap on käynnissä. Prosessi on automatisoitu ja voi kestää hetken.", - "@transactionSwapDescLnSendDefault": { - "description": "Default description for Lightning send swap" - }, - "transactionSwapDescChainPending": "Swap on luotu, mutta sitä ei ole vielä aloitettu.", - "@transactionSwapDescChainPending": { - "description": "Description for pending chain swap" - }, - "transactionSwapDescChainPaid": "Transaktiosi on lähetetty verkkoon. Odotamme nyt lukitustransaktion vahvistusta.", - "@transactionSwapDescChainPaid": { - "description": "Description for paid chain swap" - }, - "transactionSwapDescChainClaimable": "Lukitustransaktio on vahvistettu. Voit nyt lunastaa swapin varat.", - "@transactionSwapDescChainClaimable": { - "description": "Description for claimable chain swap" - }, - "transactionSwapDescChainRefundable": "Siirto tullaan hyvittämään. Varat palautetaan automaattisesti lompakkoosi.", - "@transactionSwapDescChainRefundable": { - "description": "Description for refundable chain swap" - }, - "transactionSwapDescChainCompleted": "Siirtosi on suoritettu onnistuneesti! Varat ovat nyt saatavilla lompakossasi.", - "@transactionSwapDescChainCompleted": { - "description": "Description for completed chain swap" - }, - "transactionSwapDescChainFailed": "Siirrossa ilmeni ongelma. Ota yhteyttä tukeen, jos varoja ei ole palautettu 24 tunnin kuluessa.", - "@transactionSwapDescChainFailed": { - "description": "Description for failed chain swap" - }, - "transactionSwapDescChainExpired": "Tämä siirto on vanhentunut. Varat palautetaan automaattisesti lompakkoosi.", - "@transactionSwapDescChainExpired": { - "description": "Description for expired chain swap" - }, - "transactionSwapDescChainDefault": "Siirtosi on käynnissä. Prosessi on automatisoitu ja voi kestää jonkin aikaa.", - "@transactionSwapDescChainDefault": { - "description": "Default description for chain swap" - }, - "transactionSwapInfoFailedExpired": "Jos sinulla on kysyttävää tai huolia, ota yhteyttä tukeen.", - "@transactionSwapInfoFailedExpired": { - "description": "Additional info for failed or expired swaps" - }, - "transactionSwapInfoChainDelay": "On-chain -siirrot kestävät jonkin aikaa lohkoketjun vahvistusviiveen vuoksi.", - "@transactionSwapInfoChainDelay": { - "description": "Additional info about chain transfer delays" - }, - "transactionSwapInfoClaimableTransfer": "Swappi suoritetaan automaattisesti muutamassa sekunnissa. Jos ei, niin voit yrittää manuaalista lunastusta napsauttamalla \"Yritä uudelleen lunastusta\"-painiketta.", - "@transactionSwapInfoClaimableTransfer": { - "description": "Additional info for claimable transfers" - }, - "transactionSwapInfoClaimableSwap": "Vaihto suoritetaan automaattisesti muutamassa sekunnissa. Jos ei, voit yrittää manuaalista noutoa napsauttamalla \"Retry Swap Claim\" -painiketta.", - "@transactionSwapInfoClaimableSwap": { - "description": "Additional info for claimable swaps" - }, - "transactionSwapInfoRefundableTransfer": "Tämä siirto hyvitetään automaattisesti muutamassa sekunnissa. Jos ei, voit yrittää manuaalista hyvitystä napsauttamalla \"Retry Transfer Refund\" -painiketta.", - "@transactionSwapInfoRefundableTransfer": { - "description": "Additional info for refundable transfers" - }, - "transactionSwapInfoRefundableSwap": "Tämä vaihto hyvitetään automaattisesti muutamassa sekunnissa. Jos ei, voit yrittää manuaalista hyvitystä napsauttamalla \"Retry Swap Refund\" -painiketta.", - "@transactionSwapInfoRefundableSwap": { - "description": "Additional info for refundable swaps" - }, - "transactionListOngoingTransfersTitle": "Käynnissä olevat siirrot", - "@transactionListOngoingTransfersTitle": { - "description": "Title for ongoing transfers section" - }, - "transactionListOngoingTransfersDescription": "Nämä siirrot ovat parhaillaan käynnissä. Varasi ovat turvassa ja ne tulevat saataville siirron valmistuessa.", - "@transactionListOngoingTransfersDescription": { - "description": "Description for ongoing transfers section" - }, - "transactionListLoadingTransactions": "Ladataan transaktioita...", - "@transactionListLoadingTransactions": { - "description": "Message displayed while loading transactions" - }, - "transactionListNoTransactions": "Ei transaktioita.", - "@transactionListNoTransactions": { - "description": "Message displayed when there are no transactions" - }, - "transactionListToday": "Tänään", - "@transactionListToday": { - "description": "Date label for today's transactions" - }, - "transactionListYesterday": "Eilen", - "@transactionListYesterday": { - "description": "Date label for yesterday's transactions" - }, - "transactionSwapDoNotUninstall": "Älä poista sovellusta ennen kuin swap on valmis.", - "@transactionSwapDoNotUninstall": { - "description": "Warning message to not uninstall app during swap" - }, - "transactionFeesDeductedFrom": "Nämä kulut vähennetään lähetetystä summasta", - "@transactionFeesDeductedFrom": { - "description": "Fee deduction explanation for receiving swaps" - }, - "transactionFeesTotalDeducted": "Nämä ovat lähetetystä summasta vähennetyt kokonaiskulut.", - "@transactionFeesTotalDeducted": { - "description": "Fee deduction explanation for sending swaps" - }, - "transactionLabelSendAmount": "Lähetettävä määrä", - "@transactionLabelSendAmount": { - "description": "Label for send amount in swap details" - }, - "transactionLabelReceiveAmount": "Vastaanotettava määrä", - "@transactionLabelReceiveAmount": { - "description": "Label for receive amount in swap details" - }, - "transactionLabelSendNetworkFees": "Transaktion verkkokulut", - "@transactionLabelSendNetworkFees": { - "description": "Label for send network fees in swap details" - }, - "transactionLabelReceiveNetworkFee": "Vastaanoton verkkokulu", - "@transactionLabelReceiveNetworkFee": { - "description": "Label for receive network fee in swap details" - }, - "transactionLabelServerNetworkFees": "Palvelimen verkkokulut", - "@transactionLabelServerNetworkFees": { - "description": "Label for server network fees in swap details" - }, - "transactionLabelPreimage": "Preimage", - "@transactionLabelPreimage": { - "description": "Label for preimage in Lightning swap details" - }, - "transactionOrderLabelReferenceNumber": "Viitenumero", - "@transactionOrderLabelReferenceNumber": { - "description": "Label for reference number in order details" - }, - "transactionOrderLabelOriginName": "Lähteen nimi", - "@transactionOrderLabelOriginName": { - "description": "Label for origin name in fiat payment order" - }, - "transactionOrderLabelOriginCedula": "Lähteen aikataulu", - "@transactionOrderLabelOriginCedula": { - "description": "Label for origin cedula in fiat payment order" - }, - "transactionDetailAccelerate": "Kiihdytä", - "@transactionDetailAccelerate": { - "description": "Button label for accelerating (RBF) an unconfirmed transaction" - }, - "transactionDetailLabelTransactionId": "Transaktion ID", - "@transactionDetailLabelTransactionId": { - "description": "Label for transaction ID in details" - }, - "transactionDetailLabelToWallet": "Kohdelompakko", - "@transactionDetailLabelToWallet": { - "description": "Label for destination wallet" - }, - "transactionDetailLabelFromWallet": "Lähdelompakko", - "@transactionDetailLabelFromWallet": { - "description": "Label for source wallet" - }, - "transactionDetailLabelRecipientAddress": "Vastaanottajan osoite", - "@transactionDetailLabelRecipientAddress": { - "description": "Label for recipient address" - }, - "transactionDetailLabelAddress": "Osoite", - "@transactionDetailLabelAddress": { - "description": "Label for address" - }, - "transactionDetailLabelAddressNotes": "Osoitteen kuvaus", - "@transactionDetailLabelAddressNotes": { - "description": "Label for address notes" - }, - "transactionDetailLabelAmountReceived": "Vastaanotettu määrä", - "@transactionDetailLabelAmountReceived": { - "description": "Label for amount received" - }, - "transactionDetailLabelAmountSent": "Lähetetty määrä", - "@transactionDetailLabelAmountSent": { - "description": "Label for amount sent" - }, - "transactionDetailLabelTransactionFee": "Transaktiokulu", - "@transactionDetailLabelTransactionFee": { - "description": "Label for transaction fee" - }, - "transactionDetailLabelStatus": "Tila", - "@transactionDetailLabelStatus": { - "description": "Label for status" - }, - "transactionDetailLabelConfirmationTime": "Vahvistusaika", - "@transactionDetailLabelConfirmationTime": { - "description": "Label for confirmation time" - }, - "transactionDetailLabelOrderType": "Tilaustyyppi", - "@transactionDetailLabelOrderType": { - "description": "Label for order type" - }, - "transactionDetailLabelOrderNumber": "Tilausnumero", - "@transactionDetailLabelOrderNumber": { - "description": "Label for order number" - }, - "transactionDetailLabelPayinAmount": "Sisäänmaksun määrä", - "@transactionDetailLabelPayinAmount": { - "description": "Label for payin amount" - }, - "transactionDetailLabelPayoutAmount": "Ulosmaksun määrä", - "@transactionDetailLabelPayoutAmount": { - "description": "Label for payout amount" - }, - "transactionDetailLabelExchangeRate": "Vaihtokurssi", - "@transactionDetailLabelExchangeRate": { - "description": "Label for exchange rate" - }, - "transactionDetailLabelPayinMethod": "Sisäänmaksutapa", - "@transactionDetailLabelPayinMethod": { - "description": "Label for payin method" - }, - "transactionDetailLabelPayoutMethod": "Ulosmaksutapa", - "@transactionDetailLabelPayoutMethod": { - "description": "Label for payout method" - }, - "transactionDetailLabelPayinStatus": "Sisäänmaksun tila", - "@transactionDetailLabelPayinStatus": { - "description": "Label for payin status" - }, - "transactionDetailLabelOrderStatus": "Pyynnöntila", - "@transactionDetailLabelOrderStatus": { - "description": "Label for order status" - }, - "transactionDetailLabelPayoutStatus": "Ulosmaksun tila", - "@transactionDetailLabelPayoutStatus": { - "description": "Label for payout status" - }, - "transactionDetailLabelCreatedAt": "Luotu", - "@transactionDetailLabelCreatedAt": { - "description": "Label for creation time" - }, - "transactionDetailLabelCompletedAt": "Suoritettu", - "@transactionDetailLabelCompletedAt": { - "description": "Label for completion time" - }, - "transactionDetailLabelTransferId": "Transaktion ID", - "@transactionDetailLabelTransferId": { - "description": "Label for transfer ID" - }, - "transactionDetailLabelSwapId": "Swap-ID", - "@transactionDetailLabelSwapId": { - "description": "Label for swap ID" - }, - "transactionDetailLabelTransferStatus": "Siirron tila", - "@transactionDetailLabelTransferStatus": { - "description": "Label for transfer status" - }, - "transactionDetailLabelSwapStatus": "Swapin tila", - "@transactionDetailLabelSwapStatus": { - "description": "Label for swap status" - }, - "transactionDetailLabelRefunded": "Palautettu", - "@transactionDetailLabelRefunded": { - "description": "Label for refunded status" - }, - "transactionDetailLabelLiquidTxId": "Liquid-transaktion ID", - "@transactionDetailLabelLiquidTxId": { - "description": "Label for Liquid transaction ID" - }, - "transactionDetailLabelBitcoinTxId": "Bitcoin-transaktion ID", - "@transactionDetailLabelBitcoinTxId": { - "description": "Label for Bitcoin transaction ID" - }, - "transactionDetailLabelTransferFees": "Siirtokulut", - "@transactionDetailLabelTransferFees": { - "description": "Label for transfer fees" - }, - "transactionDetailLabelSwapFees": "Swap-kulut", - "@transactionDetailLabelSwapFees": { - "description": "Label for swap fees" - }, - "transactionDetailLabelSendNetworkFee": "Lähetyksen verkkokulu", - "@transactionDetailLabelSendNetworkFee": { - "description": "Label for send network fee" - }, - "transactionDetailLabelTransferFee": "Siirtokulu", - "@transactionDetailLabelTransferFee": { - "description": "Label for transfer fee (Boltz fee)" - }, - "transactionDetailLabelPayjoinStatus": "Payjoin-tila", - "@transactionDetailLabelPayjoinStatus": { - "description": "Label for payjoin status" - }, - "transactionDetailLabelPayjoinCompleted": "Valmis", - "@transactionDetailLabelPayjoinCompleted": { - "description": "Payjoin completed status" - }, - "transactionDetailLabelPayjoinExpired": "Vanhentunut", - "@transactionDetailLabelPayjoinExpired": { - "description": "Payjoin expired status" - }, - "transactionDetailLabelPayjoinCreationTime": "Payjoin luontiaika", - "@transactionDetailLabelPayjoinCreationTime": { - "description": "Label for payjoin creation time" - }, - "globalDefaultBitcoinWalletLabel": "Turvallinen Bitcoin", - "@globalDefaultBitcoinWalletLabel": { - "description": "Oletustunniste Bitcoin-lompakoille, kun niitä käytetään oletuksena" - }, - "globalDefaultLiquidWalletLabel": "Pikamaksulompakko", - "@globalDefaultLiquidWalletLabel": { - "description": "Oletustunniste Liquid/pikamaksulompakoille, kun niitä käytetään oletuksena" - }, - "walletTypeWatchOnly": "Vain katselu", - "@walletTypeWatchOnly": { - "description": "Wallet type label for watch-only wallets" - }, - "walletTypeWatchSigner": "Watch-Signer", - "@walletTypeWatchSigner": { - "description": "Wallet type label for watch-signer wallets" - }, - "walletTypeBitcoinNetwork": "Bitcoin-verkko", - "@walletTypeBitcoinNetwork": { - "description": "Wallet type label for Bitcoin network" - }, - "walletTypeLiquidLightningNetwork": "Liquid- ja Lightning-verkko", - "@walletTypeLiquidLightningNetwork": { - "description": "Wallet type label for Liquid and Lightning network" - }, - "walletNetworkBitcoin": "Bitcoin-verkko", - "@walletNetworkBitcoin": { - "description": "Network label for Bitcoin mainnet" - }, - "walletNetworkBitcoinTestnet": "Bitcoin-testnet", - "@walletNetworkBitcoinTestnet": { - "description": "Network label for Bitcoin testnet" - }, - "walletNetworkLiquid": "Liquid-verkko", - "@walletNetworkLiquid": { - "description": "Network label for Liquid mainnet" - }, - "walletNetworkLiquidTestnet": "Liquid-testnet", - "@walletNetworkLiquidTestnet": { - "description": "Network label for Liquid testnet" - }, - "walletAddressTypeConfidentialSegwit": "Luottamuksellinen Segwit", - "@walletAddressTypeConfidentialSegwit": { - "description": "Address type for Liquid wallets" - }, - "walletAddressTypeNativeSegwit": "Natiivi Segwit", - "@walletAddressTypeNativeSegwit": { - "description": "Address type for BIP84 wallets" - }, - "walletAddressTypeNestedSegwit": "Nested Segwit", - "@walletAddressTypeNestedSegwit": { - "description": "Address type for BIP49 wallets" - }, - "walletAddressTypeLegacy": "Perinteinen", - "@walletAddressTypeLegacy": { - "description": "Address type for BIP44 wallets" - }, - "walletBalanceUnconfirmedIncoming": "Käynnissä", - "@walletBalanceUnconfirmedIncoming": { - "description": "Label for unconfirmed incoming balance" - }, - "walletButtonReceive": "Vastaanota", - "@walletButtonReceive": { - "description": "Button label to receive funds" - }, - "walletButtonSend": "Lähetä", - "@walletButtonSend": { - "description": "Button label to send funds" - }, - "walletArkInstantPayments": "Välittömät Ark-maksut", - "@walletArkInstantPayments": { - "description": "Title for Ark wallet card" - }, - "walletArkExperimental": "Kokeellinen", - "@walletArkExperimental": { - "description": "Description for Ark wallet indicating experimental status" - }, - "fundExchangeTitle": "Talleta varoja tilillesi", - "@fundExchangeTitle": { - "description": "AppBar title for funding screen" - }, - "fundExchangeAccountTitle": "Talletus", - "@fundExchangeAccountTitle": { - "description": "Main title on the fund exchange account screen" - }, - "fundExchangeAccountSubtitle": "Valitse maa ja talletustapa", - "@fundExchangeAccountSubtitle": { - "description": "Subtitle on fund exchange account screen prompting user to select country and payment method" - }, - "fundExchangeWarningTitle": "Varo huijareita", - "@fundExchangeWarningTitle": { - "description": "Title of the scammer warning screen" - }, - "fundExchangeWarningDescription": "Jos joku pyytää sinua ostamaan Bitcoinia tai \"auttaa\" sinua, ole varovainen — he saattavat yrittää huijata sinua!", - "@fundExchangeWarningDescription": { - "description": "Warning message about potential scammers when funding account" - }, - "fundExchangeWarningTacticsTitle": "Yleisimmät huijaritekniikat", - "@fundExchangeWarningTacticsTitle": { - "description": "Title for the list of common scammer tactics" - }, - "fundExchangeWarningTactic1": "He lupaavat tuottoja sijoitukselle", - "@fundExchangeWarningTactic1": { - "description": "First scammer tactic warning" - }, - "fundExchangeWarningTactic2": "He tarjoavat sinulle lainaa", - "@fundExchangeWarningTactic2": { - "description": "Second scammer tactic warning" - }, - "fundExchangeWarningTactic3": "He väittävät työskentelevänsä velkojen tai verojen perinnässä", - "@fundExchangeWarningTactic3": { - "description": "Third scammer tactic warning" - }, - "fundExchangeWarningTactic4": "He pyytävät lähettämään Bitcoinia heidän osoitteeseensa", - "@fundExchangeWarningTactic4": { - "description": "Fourth scammer tactic warning" - }, - "fundExchangeWarningTactic5": "He pyytävät lähettämään Bitcoinia toisella alustalla", - "@fundExchangeWarningTactic5": { - "description": "Fifth scammer tactic warning" - }, - "fundExchangeWarningTactic6": "He haluavat, että jaat näyttösi", - "@fundExchangeWarningTactic6": { - "description": "Sixth scammer tactic warning" - }, - "fundExchangeWarningTactic7": "He sanovat, ettet huolehtisi tästä varoituksesta", - "@fundExchangeWarningTactic7": { - "description": "Seventh scammer tactic warning" - }, - "fundExchangeWarningTactic8": "He painostavat sinua toimimaan nopeasti", - "@fundExchangeWarningTactic8": { - "description": "Eighth scammer tactic warning" - }, - "fundExchangeWarningConfirmation": "Vahvistan, että kukaan ei pakota minua ostamaan Bitcoinia.", - "@fundExchangeWarningConfirmation": { - "description": "Confirmation checkbox text that user is not being coerced to buy Bitcoin" - }, - "fundExchangeContinueButton": "Jatka", - "@fundExchangeContinueButton": { - "description": "Button label to continue from warning screen to payment method details" - }, - "fundExchangeDoneButton": "Valmis", - "@fundExchangeDoneButton": { - "description": "Button label to finish and exit the funding flow" - }, - "fundExchangeJurisdictionCanada": "🇨🇦 Kanada", - "@fundExchangeJurisdictionCanada": { - "description": "Dropdown option for Canada jurisdiction" - }, - "fundExchangeJurisdictionEurope": "🇪🇺 Eurooppa (SEPA)", - "@fundExchangeJurisdictionEurope": { - "description": "Dropdown option for Europe SEPA jurisdiction" - }, - "fundExchangeJurisdictionMexico": "🇲🇽 Meksiko", - "@fundExchangeJurisdictionMexico": { - "description": "Dropdown option for Mexico jurisdiction" - }, - "fundExchangeJurisdictionCostaRica": "🇨🇷 Costa Rica", - "@fundExchangeJurisdictionCostaRica": { - "description": "Dropdown option for Costa Rica jurisdiction" - }, - "fundExchangeJurisdictionArgentina": "🇦🇷 Argentiina", - "@fundExchangeJurisdictionArgentina": { - "description": "Dropdown option for Argentina jurisdiction" - }, - "fundExchangeMethodEmailETransfer": "Sähköpostin E-siirto", - "@fundExchangeMethodEmailETransfer": { - "description": "Payment method: Email E-Transfer (Canada)" - }, - "fundExchangeMethodEmailETransferSubtitle": "Helpoin ja nopein tapa (välitön)", - "@fundExchangeMethodEmailETransferSubtitle": { - "description": "Subtitle for Email E-Transfer payment method" - }, - "fundExchangeMethodBankTransferWire": "Pankkisiirto (wire tai EFT)", - "@fundExchangeMethodBankTransferWire": { - "description": "Payment method: Bank Transfer Wire or EFT (Canada)" - }, - "fundExchangeMethodBankTransferWireSubtitle": "Paras ja luotettavin vaihtoehto suuremmille summille (samana tai seuraavana päivänä)", - "@fundExchangeMethodBankTransferWireSubtitle": { - "description": "Subtitle for Bank Transfer Wire payment method" - }, - "fundExchangeMethodOnlineBillPayment": "Verkkolaskun maksu", - "@fundExchangeMethodOnlineBillPayment": { - "description": "Payment method: Online Bill Payment (Canada)" - }, - "fundExchangeMethodOnlineBillPaymentSubtitle": "Hitaimmasta päästä, mutta voidaan tehdä verkkopankissa (3–4 arkipäivää)", - "@fundExchangeMethodOnlineBillPaymentSubtitle": { - "description": "Subtitle for Online Bill Payment method" - }, - "fundExchangeMethodCanadaPost": "Käteis- tai korttimaksu Canada Postissa", - "@fundExchangeMethodCanadaPost": { - "description": "Payment method: In-person at Canada Post" - }, - "fundExchangeMethodCanadaPostSubtitle": "Paras niille, jotka haluavat maksaa paikan päällä", - "@fundExchangeMethodCanadaPostSubtitle": { - "description": "Subtitle for Canada Post payment method" - }, - "fundExchangeMethodInstantSepa": "Instant SEPA", - "@fundExchangeMethodInstantSepa": { - "description": "Payment method: Instant SEPA (Europe)" - }, - "fundExchangeMethodInstantSepaSubtitle": "Nopein - vain alle 20 000 euron tapahtumiin", - "@fundExchangeMethodInstantSepaSubtitle": { - "description": "Subtitle for Instant SEPA payment method" - }, - "fundExchangeMethodRegularSepa": "Tavallinen SEPA", - "@fundExchangeMethodRegularSepa": { - "description": "Payment method: Regular SEPA (Europe)" - }, - "fundExchangeMethodRegularSepaSubtitle": "Käytä vain yli 20 000 euron tapahtumiin", - "@fundExchangeMethodRegularSepaSubtitle": { - "description": "Subtitle for Regular SEPA payment method" - }, - "fundExchangeMethodSpeiTransfer": "SPEI-siirto", - "@fundExchangeMethodSpeiTransfer": { - "description": "Payment method: SPEI transfer (Mexico)" - }, - "fundExchangeMethodSpeiTransferSubtitle": "Siirrä varoja käyttämällä CLABE-numeroasi", - "@fundExchangeMethodSpeiTransferSubtitle": { - "description": "Subtitle for SPEI transfer payment method" - }, - "fundExchangeMethodSinpeTransfer": "SINPE-siirto", - "@fundExchangeMethodSinpeTransfer": { - "description": "Payment method: SINPE Transfer (Costa Rica)" - }, - "fundExchangeMethodSinpeTransferSubtitle": "Siirrä koloneita käyttämällä SINPEä", - "@fundExchangeMethodSinpeTransferSubtitle": { - "description": "Subtitle for SINPE Transfer payment method" - }, - "fundExchangeMethodCrIbanCrc": "Costa Rica IBAN (CRC)", - "@fundExchangeMethodCrIbanCrc": { - "description": "Payment method: Costa Rica IBAN in Colones" - }, - "fundExchangeMethodCrIbanCrcSubtitle": "Siirrä varoja Costa Rican kolóneissa (CRC)", - "@fundExchangeMethodCrIbanCrcSubtitle": { - "description": "Subtitle for Costa Rica IBAN CRC payment method" - }, - "fundExchangeMethodCrIbanUsd": "Costa Rica IBAN (USD)", - "@fundExchangeMethodCrIbanUsd": { - "description": "Payment method: Costa Rica IBAN in US Dollars" - }, - "fundExchangeMethodCrIbanUsdSubtitle": "Siirrä varoja Yhdysvaltain dollareissa (USD)", - "@fundExchangeMethodCrIbanUsdSubtitle": { - "description": "Subtitle for Costa Rica IBAN USD payment method" - }, - "fundExchangeMethodArsBankTransfer": "Pankkisiirto", - "@fundExchangeMethodArsBankTransfer": { - "description": "Payment method: Bank Transfer (Argentina)" - }, - "fundExchangeMethodArsBankTransferSubtitle": "Lähetä pankkisiirto pankkitililtäsi", - "@fundExchangeMethodArsBankTransferSubtitle": { - "description": "Subtitle for Argentina bank transfer payment method" - }, - "fundExchangeBankTransferWireTitle": "Pankkisiirto (wire)", - "@fundExchangeBankTransferWireTitle": { - "description": "Screen title for bank transfer wire payment details" - }, - "fundExchangeBankTransferWireDescription": "Lähetä pankkisiirto pankkitililtäsi käyttäen alla olevia Bull Bitcoinin pankkitietoja. Pankkisi voi vaatia vain osan näistä tiedoista.", - "@fundExchangeBankTransferWireDescription": { - "description": "Description of how to use bank transfer wire method" - }, - "fundExchangeBankTransferWireTimeframe": "Lähettämäsi varat lisätään Bull Bitcoin -tilillesi 1–2 arkipäivän kuluessa.", - "@fundExchangeBankTransferWireTimeframe": { - "description": "Timeframe for bank transfer wire funds to be credited" - }, - "fundExchangeLabelBeneficiaryName": "Saajan nimi", - "@fundExchangeLabelBeneficiaryName": { - "description": "Label for beneficiary name field" - }, - "fundExchangeHelpBeneficiaryName": "Käytä virallista yritysnimeämme. Älä käytä \"Bull Bitcoin\".", - "@fundExchangeHelpBeneficiaryName": { - "description": "Help text for beneficiary name field" - }, - "fundExchangeLabelTransferCode": "Siirtokoodi (tilisiirron viestikenttään)", - "@fundExchangeLabelTransferCode": { - "description": "Label for transfer code field" - }, - "fundExchangeHelpTransferCode": "Lisää tämä tilisiirron viestiksi", - "@fundExchangeHelpTransferCode": { - "description": "Help text for transfer code field" - }, - "fundExchangeInfoTransferCode": "Sinun on lisättävä siirtokoodi tilisiirron \"viestiksi\" tai \"syyksi\".", - "@fundExchangeInfoTransferCode": { - "description": "Info card message about transfer code importance" - }, - "fundExchangeLabelBankAccountDetails": "Tilin tiedot", - "@fundExchangeLabelBankAccountDetails": { - "description": "Label for bank account details field" - }, - "fundExchangeLabelSwiftCode": "SWIFT-koodi", - "@fundExchangeLabelSwiftCode": { - "description": "Label for SWIFT code field" - }, - "fundExchangeLabelInstitutionNumber": "Y-tunnus", - "@fundExchangeLabelInstitutionNumber": { - "description": "Label for institution number field" - }, - "fundExchangeLabelTransitNumber": "Siirtotunnus", - "@fundExchangeLabelTransitNumber": { - "description": "Label for transit number field" - }, - "fundExchangeLabelRoutingNumber": "Routing-numero", - "@fundExchangeLabelRoutingNumber": { - "description": "Label for routing number field" - }, - "fundExchangeLabelBeneficiaryAddress": "Saajan osoite", - "@fundExchangeLabelBeneficiaryAddress": { - "description": "Label for beneficiary address field" - }, - "fundExchangeLabelBankName": "Pankin nimi", - "@fundExchangeLabelBankName": { - "description": "Label for bank name field" - }, - "fundExchangeLabelBankAddress": "Pankkimme osoite", - "@fundExchangeLabelBankAddress": { - "description": "Label for bank address field" - }, - "fundExchangeETransferTitle": "E-siirron tiedot", - "@fundExchangeETransferTitle": { - "description": "Screen title for E-Transfer payment details" - }, - "fundExchangeETransferDescription": "Mikä tahansa summa, jonka lähetät pankistasi sähköpostin E-siirrolla alla olevilla tiedoilla, lisätään Bull Bitcoin -tilisi saldolle muutamassa minuutissa.", - "@fundExchangeETransferDescription": { - "description": "Description of how E-Transfer works and timeframe" - }, - "fundExchangeETransferLabelBeneficiaryName": "Käytä tätä E-siirron saajan nimenä", - "@fundExchangeETransferLabelBeneficiaryName": { - "description": "Label for E-transfer beneficiary name" - }, - "fundExchangeETransferLabelEmail": "Lähetä E-siirto tähän sähköpostiin", - "@fundExchangeETransferLabelEmail": { - "description": "Label for E-transfer recipient email" - }, - "fundExchangeETransferLabelSecretQuestion": "Turvakysymys", - "@fundExchangeETransferLabelSecretQuestion": { - "description": "Label for E-transfer security question" - }, - "fundExchangeETransferLabelSecretAnswer": "Turvavastaus", - "@fundExchangeETransferLabelSecretAnswer": { - "description": "Label for E-transfer security answer" - }, - "fundExchangeOnlineBillPaymentTitle": "Verkkolaskun maksu", - "@fundExchangeOnlineBillPaymentTitle": { - "description": "Screen title for Online Bill Payment details" - }, - "fundExchangeOnlineBillPaymentDescription": "Mikä tahansa summa, jonka lähetät pankkisi verkkolaskutoiminnolla alla olevilla tiedoilla, lisätään Bull Bitcoin -tilisi saldolle 3–4 arkipäivän kuluessa.", - "@fundExchangeOnlineBillPaymentDescription": { - "description": "Description of how online bill payment works and timeframe" - }, - "fundExchangeOnlineBillPaymentLabelBillerName": "Etsi pankkisi laskuttajaluettelosta tämä nimi", - "@fundExchangeOnlineBillPaymentLabelBillerName": { - "description": "Label for biller name in online bill payment" - }, - "fundExchangeOnlineBillPaymentHelpBillerName": "Lisää tämä yritys maksunsaajaksi - se on Bull Bitcoinin maksunvälittäjä", - "@fundExchangeOnlineBillPaymentHelpBillerName": { - "description": "Help text for biller name field" - }, - "fundExchangeOnlineBillPaymentLabelAccountNumber": "Lisää tämä tilinumeroksi", - "@fundExchangeOnlineBillPaymentLabelAccountNumber": { - "description": "Label for account number in online bill payment" - }, - "fundExchangeOnlineBillPaymentHelpAccountNumber": "Tämä yksilöllinen tilinumero on luotu juuri sinua varten", - "@fundExchangeOnlineBillPaymentHelpAccountNumber": { - "description": "Help text for account number field" - }, - "fundExchangeCanadaPostTitle": "Käteis- tai korttimaksu Canada Postissa", - "@fundExchangeCanadaPostTitle": { - "description": "Screen title for Canada Post payment method" - }, - "fundExchangeCanadaPostStep1": "1. Mene mihin tahansa Canada Post -toimipisteeseen", - "@fundExchangeCanadaPostStep1": { - "description": "Step 1 for Canada Post payment process" - }, - "fundExchangeCanadaPostStep2": "2. Pyydä kassaa skannaamaan \"Loadhub\"-QR-koodi", - "@fundExchangeCanadaPostStep2": { - "description": "Step 2 for Canada Post payment process" - }, - "fundExchangeCanadaPostStep3": "3. Kerro kassalle summa, jonka haluat ladata", - "@fundExchangeCanadaPostStep3": { - "description": "Step 3 for Canada Post payment process" - }, - "fundExchangeCanadaPostStep4": "4. Kassa pyytää näyttämään viranomaisen myöntämän henkilötodistuksen ja varmistamaan, että nimesi vastaa Bull Bitcoin -tiliäsi", - "@fundExchangeCanadaPostStep4": { - "description": "Step 4 for Canada Post payment process - ID verification" - }, - "fundExchangeCanadaPostStep5": "5. Maksa käteisellä tai pankkikortilla", - "@fundExchangeCanadaPostStep5": { - "description": "Step 5 for Canada Post payment process" - }, - "fundExchangeCanadaPostStep6": "6. Kassa antaa kuittisi, säilytä se maksutositteena", - "@fundExchangeCanadaPostStep6": { - "description": "Step 6 for Canada Post payment process" - }, - "fundExchangeCanadaPostStep7": "7. Varat lisätään Bull Bitcoin -tilillesi 30 minuutin kuluessa", - "@fundExchangeCanadaPostStep7": { - "description": "Step 7 for Canada Post payment process - timeframe" - }, - "fundExchangeCanadaPostQrCodeLabel": "Loadhub-QR-koodi", - "@fundExchangeCanadaPostQrCodeLabel": { - "description": "Label for the Loadhub QR code display" - }, - "fundExchangeSepaTitle": "SEPA-siirto", - "@fundExchangeSepaTitle": { - "description": "Screen title for SEPA transfer payment details" - }, - "fundExchangeSepaDescription": "Lähetä pankista SEPA-tilisiirto, käyttäen alla olevia vastaanottajatietoja ", - "@fundExchangeSepaDescription": { - "description": "Description for SEPA transfer (first part, before 'exactly')" - }, - "fundExchangeSepaDescriptionExactly": "sellaisenaan.", - "@fundExchangeSepaDescriptionExactly": { - "description": "Emphasized word 'exactly' in SEPA description" - }, - "fundExchangeInstantSepaInfo": "Käytä vain alle 20 000 euron tapahtumiin. Suurempiin tapahtumiin käytä tavallista SEPA-siirtoa.", - "@fundExchangeInstantSepaInfo": { - "description": "Info message for Instant SEPA transaction limits" - }, - "fundExchangeRegularSepaInfo": "Käytä vain yli 20 000 euron tapahtumiin. Pienempiin tapahtumiin käytä Instant SEPA-siirtoa.", - "@fundExchangeRegularSepaInfo": { - "description": "Info message for Regular SEPA transaction limits" - }, - "fundExchangeLabelIban": "IBAN-tilinumero", - "@fundExchangeLabelIban": { - "description": "Label for IBAN account number field" - }, - "fundExchangeLabelBicCode": "BIC-koodi", - "@fundExchangeLabelBicCode": { - "description": "Label for BIC code field" - }, - "fundExchangeLabelBankAccountCountry": "Tilin maa", - "@fundExchangeLabelBankAccountCountry": { - "description": "Label for bank account country field" - }, - "fundExchangeInfoBankCountryUk": "Pankkimme maa on Yhdistynyt kuningaskunta.", - "@fundExchangeInfoBankCountryUk": { - "description": "Info message that bank country is United Kingdom" - }, - "fundExchangeInfoBeneficiaryNameLeonod": "Saajan nimen tulee olla LEONOD. Jos kirjoitat jotain muuta, maksusi hylätään.", - "@fundExchangeInfoBeneficiaryNameLeonod": { - "description": "Critical info about beneficiary name being LEONOD" - }, - "fundExchangeInfoPaymentDescription": "Lisää siirtokoodisi tilisiirron viestikenttään.", - "@fundExchangeInfoPaymentDescription": { - "description": "Info about adding transfer code to payment description" - }, - "fundExchangeHelpBeneficiaryAddress": "Virallinen osoitteemme, jos pankkisi sitä vaatii", - "@fundExchangeHelpBeneficiaryAddress": { - "description": "Help text for beneficiary address field" - }, - "fundExchangeLabelRecipientName": "Vastaanottajan nimi", - "@fundExchangeLabelRecipientName": { - "description": "Label for recipient name field (alternative to beneficiary name)" - }, - "fundExchangeLabelBankCountry": "Pankin maa", - "@fundExchangeLabelBankCountry": { - "description": "Label for bank country field" - }, - "fundExchangeLabelRecipientAddress": "Vastaanottajan osoite", - "@fundExchangeLabelRecipientAddress": { - "description": "Label for recipient address field" - }, - "fundExchangeSpeiTitle": "SPEI-siirto", - "@fundExchangeSpeiTitle": { - "description": "Screen title for SPEI transfer (Mexico)" - }, - "fundExchangeSpeiDescription": "Siirrä varoja käyttämällä CLABE-numeroasi", - "@fundExchangeSpeiDescription": { - "description": "Description for SPEI transfer method" - }, - "fundExchangeSpeiInfo": "Tee talletus käyttäen SPEI-siirtoa (välitön).", - "@fundExchangeSpeiInfo": { - "description": "Info message about SPEI transfer being instant" - }, - "fundExchangeLabelClabe": "CLABE", - "@fundExchangeLabelClabe": { - "description": "Label for CLABE number field (Mexico)" - }, - "fundExchangeLabelMemo": "Kuvaus", - "@fundExchangeLabelMemo": { - "description": "Label for memo/reference field" - }, - "fundExchangeSinpeTitle": "SINPE-siirto", - "@fundExchangeSinpeTitle": { - "description": "Screen title for SINPE transfer (Costa Rica)" - }, - "fundExchangeSinpeDescription": "Siirrä koloneita käyttämällä SINPEä", - "@fundExchangeSinpeDescription": { - "description": "Description for SINPE transfer method" - }, - "fundExchangeCrIbanCrcTitle": "Pankkisiirto (CRC)", - "@fundExchangeCrIbanCrcTitle": { - "description": "Screen title for Costa Rica bank transfer in Colones" - }, - "fundExchangeCrIbanUsdTitle": "Pankkisiirto (USD)", - "@fundExchangeCrIbanUsdTitle": { - "description": "Screen title for Costa Rica bank transfer in US Dollars" - }, - "fundExchangeCrBankTransferDescription1": "Lähetä pankkisiirto pankkitililtäsi käyttäen alla olevia tietoja ", - "@fundExchangeCrBankTransferDescription1": { - "description": "First part of Costa Rica bank transfer description" - }, - "fundExchangeCrBankTransferDescriptionExactly": "täsmälleen", - "@fundExchangeCrBankTransferDescriptionExactly": { - "description": "Emphasized word 'exactly' in Costa Rica description" - }, - "fundExchangeCrBankTransferDescription2": ". Varat lisätään tilisi saldoon.", - "@fundExchangeCrBankTransferDescription2": { - "description": "Second part of Costa Rica bank transfer description" - }, - "fundExchangeLabelIbanCrcOnly": "IBAN-tilinumero (vain koloneille)", - "@fundExchangeLabelIbanCrcOnly": { - "description": "Label for IBAN field - Colones only" - }, - "fundExchangeLabelIbanUsdOnly": "IBAN-tilinumero (vain Yhdysvaltain dollareille)", - "@fundExchangeLabelIbanUsdOnly": { - "description": "Label for IBAN field - US Dollars only" - }, - "fundExchangeLabelPaymentDescription": "Maksun kuvaus", - "@fundExchangeLabelPaymentDescription": { - "description": "Label for payment description field" - }, - "fundExchangeHelpPaymentDescription": "Siirtokoodisi.", - "@fundExchangeHelpPaymentDescription": { - "description": "Help text for payment description field" - }, - "fundExchangeInfoTransferCodeRequired": "Sinun on lisättävä siirtokoodi tilisiirron \"viestiksi\", \"syyksi\" tai \"kuvaukseksi\". Jos unohdat lisätä tämän koodin, maksusi voidaan hylätä.", - "@fundExchangeInfoTransferCodeRequired": { - "description": "Important info about transfer code requirement for Costa Rica transfers" - }, - "fundExchangeLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (Costa Rica business ID number)" - }, - "fundExchangeArsBankTransferTitle": "Pankkisiirto", - "@fundExchangeArsBankTransferTitle": { - "description": "Screen title for Argentina bank transfer" - }, - "fundExchangeArsBankTransferDescription": "Lähetä pankkisiirto pankkitililtäsi käyttäen tarkkoja alla olevia Argentiinan pankkitietoja.", - "@fundExchangeArsBankTransferDescription": { - "description": "Description for Argentina bank transfer method" - }, - "fundExchangeLabelRecipientNameArs": "Vastaanottajan nimi", - "@fundExchangeLabelRecipientNameArs": { - "description": "Label for recipient name in Argentina transfer" - }, - "fundExchangeLabelCvu": "CVU", - "@fundExchangeLabelCvu": { - "description": "Label for CVU (Clave Virtual Uniforme) number in Argentina" - }, - "fundExchangeErrorLoadingDetails": "Maksutietoja ei voitu ladata tällä hetkellä. Palaa takaisin ja yritä uudelleen, valitse toinen maksutapa tai tule myöhemmin uudelleen.", - "@fundExchangeErrorLoadingDetails": { - "description": "Error message when funding details fail to load" - }, - "fundExchangeSinpeDescriptionBold": "se hylätään.", - "@fundExchangeSinpeDescriptionBold": { - "description": "Bold text warning that payment from wrong number will be rejected" - }, - "fundExchangeSinpeAddedToBalance": "Kun maksu on lähetetty, se lisätään tilisi saldoon.", - "@fundExchangeSinpeAddedToBalance": { - "description": "Message explaining that payment will be added to account balance" - }, - "fundExchangeSinpeWarningNoBitcoin": "Älä laita", - "@fundExchangeSinpeWarningNoBitcoin": { - "description": "Bold warning text at start of bitcoin warning message" - }, - "fundExchangeSinpeWarningNoBitcoinDescription": " sanaa \"Bitcoin\" tai \"Crypto\" maksun kuvaukseen. Tämä estää maksusi.", - "@fundExchangeSinpeWarningNoBitcoinDescription": { - "description": "Warning that including Bitcoin or Crypto in description will block payment" - }, - "fundExchangeSinpeLabelPhone": "Lähetä tähän puhelinnumeroon", - "@fundExchangeSinpeLabelPhone": { - "description": "Label for SINPE Móvil phone number field" - }, - "fundExchangeSinpeLabelRecipientName": "Vastaanottajan nimi", - "@fundExchangeSinpeLabelRecipientName": { - "description": "Label for recipient name in SINPE transfer" - }, - "fundExchangeCrIbanCrcDescription": "Lähetä pankkisiirto pankkitililtäsi käyttäen alla olevia tietoja ", - "@fundExchangeCrIbanCrcDescription": { - "description": "First part of description for CR IBAN CRC transfer" - }, - "fundExchangeCrIbanCrcDescriptionBold": "täsmälleen", - "@fundExchangeCrIbanCrcDescriptionBold": { - "description": "Bold emphasis word for CR IBAN transfer instructions" - }, - "fundExchangeCrIbanCrcDescriptionEnd": ". Varat lisätään tilisi saldoon.", - "@fundExchangeCrIbanCrcDescriptionEnd": { - "description": "End of description for CR IBAN CRC transfer" - }, - "fundExchangeCrIbanCrcLabelIban": "IBAN-tilinumero (vain koloneille)", - "@fundExchangeCrIbanCrcLabelIban": { - "description": "Label for IBAN number field for CRC (Colones) only" - }, - "fundExchangeCrIbanCrcLabelPaymentDescription": "Maksun kuvaus", - "@fundExchangeCrIbanCrcLabelPaymentDescription": { - "description": "Label for payment description field in CR IBAN transfer" - }, - "fundExchangeCrIbanCrcPaymentDescriptionHelp": "Siirtokoodisi.", - "@fundExchangeCrIbanCrcPaymentDescriptionHelp": { - "description": "Help text explaining payment description is the transfer code" - }, - "fundExchangeCrIbanCrcTransferCodeWarning": "Sinun on lisättävä siirtokoodi maksutapahtuman \"viestiksi\", \"syyksi\" tai \"kuvaukseksi\". Jos unohdat lisätä tämän koodin, maksusi voidaan hylätä.", - "@fundExchangeCrIbanCrcTransferCodeWarning": { - "description": "Warning about including transfer code in payment" - }, - "fundExchangeCrIbanCrcLabelRecipientName": "Vastaanottajan nimi", - "@fundExchangeCrIbanCrcLabelRecipientName": { - "description": "Label for recipient name in CR IBAN CRC transfer" - }, - "fundExchangeCrIbanCrcRecipientNameHelp": "Käytä virallista yritysnimeämme. Älä käytä \"Bull Bitcoin\".", - "@fundExchangeCrIbanCrcRecipientNameHelp": { - "description": "Help text for recipient name field explaining to use corporate name" - }, - "fundExchangeCrIbanCrcLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanCrcLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (legal ID number in Costa Rica)" - }, - "fundExchangeCrIbanUsdDescription": "Lähetä pankkisiirto pankkitililtäsi käyttäen alla olevia tietoja ", - "@fundExchangeCrIbanUsdDescription": { - "description": "First part of description for CR IBAN USD transfer" - }, - "fundExchangeCrIbanUsdDescriptionBold": "täsmälleen", - "@fundExchangeCrIbanUsdDescriptionBold": { - "description": "Bold emphasis word for CR IBAN USD transfer instructions" - }, - "fundExchangeCrIbanUsdDescriptionEnd": ". Varat lisätään tilisi saldoon.", - "@fundExchangeCrIbanUsdDescriptionEnd": { - "description": "End of description for CR IBAN USD transfer" - }, - "fundExchangeCrIbanUsdLabelIban": "IBAN-tilinumero (vain Yhdysvaltain dollareille)", - "@fundExchangeCrIbanUsdLabelIban": { - "description": "Label for IBAN number field for USD only" - }, - "fundExchangeCrIbanUsdLabelPaymentDescription": "Maksun kuvaus", - "@fundExchangeCrIbanUsdLabelPaymentDescription": { - "description": "Label for payment description field in CR IBAN USD transfer" - }, - "fundExchangeCrIbanUsdPaymentDescriptionHelp": "Siirtokoodisi.", - "@fundExchangeCrIbanUsdPaymentDescriptionHelp": { - "description": "Help text explaining payment description is the transfer code" - }, - "fundExchangeCrIbanUsdTransferCodeWarning": "Sinun on lisättävä siirtokoodi maksutapahtuman \"viestiksi\", \"syyksi\" tai \"kuvaukseksi\". Jos unohdat lisätä tämän koodin, maksusi voidaan hylätä.", - "@fundExchangeCrIbanUsdTransferCodeWarning": { - "description": "Warning about including transfer code in payment for USD transfers" - }, - "fundExchangeCrIbanUsdLabelRecipientName": "Vastaanottajan nimi", - "@fundExchangeCrIbanUsdLabelRecipientName": { - "description": "Label for recipient name in CR IBAN USD transfer" - }, - "fundExchangeCrIbanUsdRecipientNameHelp": "Käytä virallista yritysnimeämme. Älä käytä \"Bull Bitcoin\".", - "@fundExchangeCrIbanUsdRecipientNameHelp": { - "description": "Help text for recipient name field explaining to use corporate name" - }, - "fundExchangeCrIbanUsdLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanUsdLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (legal ID number in Costa Rica) for USD" - }, - "fundExchangeCostaRicaMethodSinpeTitle": "SINPE Móvil", - "@fundExchangeCostaRicaMethodSinpeTitle": { - "description": "Payment method title for SINPE Móvil in method list" - }, - "fundExchangeCostaRicaMethodSinpeSubtitle": "Siirrä koloneita käyttämällä SINPEä", - "@fundExchangeCostaRicaMethodSinpeSubtitle": { - "description": "Subtitle description for SINPE Móvil payment method" - }, - "fundExchangeCostaRicaMethodIbanCrcTitle": "IBAN Costa Rica (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcTitle": { - "description": "Payment method title for IBAN CRC in method list" - }, - "fundExchangeCostaRicaMethodIbanCrcSubtitle": "Siirrä varoja Costa Rican kolóneissa (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcSubtitle": { - "description": "Subtitle description for IBAN CRC payment method" - }, - "fundExchangeCostaRicaMethodIbanUsdTitle": "IBAN Costa Rica (USD)", - "@fundExchangeCostaRicaMethodIbanUsdTitle": { - "description": "Payment method title for IBAN USD in method list" - }, - "fundExchangeCostaRicaMethodIbanUsdSubtitle": "Siirrä varoja Yhdysvaltain dollareissa (USD)", - "@fundExchangeCostaRicaMethodIbanUsdSubtitle": { - "description": "Subtitle description for IBAN USD payment method" - }, - "backupWalletTitle": "Varmuuskopioi lompakkosi", - "@backupWalletTitle": { - "description": "AppBar title for main backup options screen" - }, - "testBackupTitle": "Testaa lompakkosi varmuuskopio", - "@testBackupTitle": { - "description": "AppBar title for main backup options screen" - }, - "backupImportanceMessage": "Ilman varmuuskopiota menetät lopulta pääsyn varoihisi. On äärimmäisen tärkeää tehdä varmuuskopio.", - "@backupImportanceMessage": { - "description": "Critical warning message about the importance of backing up the wallet" - }, - "encryptedVaultTitle": "Salattu holvi", - "@encryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, - "encryptedVaultDescription": "Anonyymi varmuuskopio vahvalla salauksella pilvipalvelussasi.", - "@encryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, - "encryptedVaultTag": "Helppo ja yksinkertainen (1 minuutti)", - "@encryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, - "physicalBackupTitle": "Fyysinen varmuuskopio", - "@physicalBackupTitle": { - "description": "Title for physical backup option" - }, - "physicalBackupDescription": "Kirjoita 12 sanaa paperille. Säilytä ne turvallisesti äläkä hukkaa niitä.", - "@physicalBackupDescription": { - "description": "Description of physical backup method" - }, - "physicalBackupTag": "Luotettava (varaa aikaa)", - "@physicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes time" - }, - "howToDecideButton": "Miten valita?", - "@howToDecideButton": { - "description": "Button label to show information about choosing backup methods" - }, - "backupBestPracticesTitle": "Varmuuskopion parhaat käytännöt", - "@backupBestPracticesTitle": { - "description": "Title for backup best practices screen" - }, - "lastBackupTestLabel": "Viimeisin varmuuskopion testi: {date}", - "@lastBackupTestLabel": { - "description": "Label showing the date of the last backup test", - "placeholders": { - "date": { - "type": "String", - "example": "2025-01-20 15:30:45" - } - } - }, - "backupInstruction1": "Jos menetät 12 sanan varmuuskopiosi, et voi palauttaa Bitcoin-lompakkoasi.", - "@backupInstruction1": { - "description": "First backup instruction warning about losing 12 word backup" - }, - "backupInstruction2": "Ilman varmuuskopiota, jos menetät tai rikot puhelimesi tai poistat Bull Bitcoin -sovelluksen, bitcoinisi menevät lopullisesti hukkaan.", - "@backupInstruction2": { - "description": "Second backup instruction warning about losing phone or app" - }, - "backupInstruction3": "Kuka tahansa, jolla on pääsy 12 sanan varmuuskopioosi, voi varastaa bitcoinisi. Piilota se huolellisesti.", - "@backupInstruction3": { - "description": "Third backup instruction warning about backup security" - }, - "backupInstruction4": "Älä tee varmuuskopiostasi digitaalisia kopioita. Kirjoita se paperille tai kaiverra metalliin.", - "@backupInstruction4": { - "description": "Fourth backup instruction about not making digital copies" - }, - "backupInstruction5": "Varmuuskopioasi ei ole suojattu salasanalla. Lisää suojasana varmuuskopioosi myöhemmin luomalla uusi lompakko.", - "@backupInstruction5": { - "description": "Fifth backup instruction about passphrase protection" - }, - "backupButton": "Varmuuskopioi", - "@backupButton": { - "description": "Button label to start backup process" - }, - "backupCompletedTitle": "Varmuuskopio tehty!", - "@backupCompletedTitle": { - "description": "Title shown when backup is completed successfully" - }, - "backupCompletedDescription": "Testataan nyt varmuuskopio varmistaaksemme, että kaikki tehtiin oikein.", - "@backupCompletedDescription": { - "description": "Description prompting user to test their backup" - }, - "testBackupButton": "Testaa varmuuskopio", - "@testBackupButton": { - "description": "Button label to test backup" - }, - "keyServerLabel": "Avainpalvelin ", - "@keyServerLabel": { - "description": "Label for key server status" - }, - "physicalBackupStatusLabel": "Fyysinen varmuuskopio", - "@physicalBackupStatusLabel": { - "description": "Status label for physical backup" - }, - "encryptedVaultStatusLabel": "Salattu holvi", - "@encryptedVaultStatusLabel": { - "description": "Status label for encrypted vault" - }, - "testedStatus": "Testattu", - "@testedStatus": { - "description": "Status text indicating backup has been tested" - }, - "notTestedStatus": "Ei testattu", - "@notTestedStatus": { - "description": "Status text indicating backup has not been tested" - }, - "startBackupButton": "Aloita varmuuskopiointi", - "@startBackupButton": { - "description": "Button label to start backup process" - }, - "exportVaultButton": "Vie holviin", - "@exportVaultButton": { - "description": "Button label to export vault" - }, - "exportingVaultButton": "Viedään...", - "@exportingVaultButton": { - "description": "Button label shown while exporting vault" - }, - "viewVaultKeyButton": "Näytä holvin avain", - "@viewVaultKeyButton": { - "description": "Button label to view vault key" - }, - "revealingVaultKeyButton": "Paljastetaan...", - "@revealingVaultKeyButton": { - "description": "Button label shown while revealing vault key" - }, - "errorLabel": "Virhe", - "@errorLabel": { - "description": "Label for error messages" - }, - "backupKeyTitle": "Varmuuskopion avain", - "@backupKeyTitle": { - "description": "Title for backup key screen" - }, - "failedToDeriveBackupKey": "Varmuuskopioavainta ei voitu johtaa", - "@failedToDeriveBackupKey": { - "description": "Error message when backup key derivation fails" - }, - "securityWarningTitle": "Turvallisuusvaroitus", - "@securityWarningTitle": { - "description": "Title for security warning dialog" - }, - "backupKeyWarningMessage": "Varoitus: Ole varovainen, mihin tallennat varmuuskopioavaimen.", - "@backupKeyWarningMessage": { - "description": "Warning message about backup key storage" - }, - "backupKeySeparationWarning": "On elintärkeää, ettet tallenna varmuuskopioavainta samaan paikkaan kuin varmuuskopiotiedostoa. Säilytä ne aina eri laitteilla tai eri pilvipalveluissa.", - "@backupKeySeparationWarning": { - "description": "Warning about storing backup key and file separately" - }, - "backupKeyExampleWarning": "Esimerkiksi jos käytit Google Drivea varmuuskopiotiedostoon, älä käytä Google Drivea varmuuskopioavaimelle.", - "@backupKeyExampleWarning": { - "description": "Example warning about not using same cloud provider" - }, - "cancelButton": "Peruuta", - "@cancelButton": { - "description": "Button to cancel logout action" - }, - "continueButton": "Jatka", - "@continueButton": { - "description": "Default button text for success state" - }, - "testWalletTitle": "Testaa {walletName}", - "@testWalletTitle": { - "description": "Title for testing wallet backup", - "placeholders": { - "walletName": { - "type": "String", - "example": "Default Wallets" - } - } - }, - "defaultWalletsLabel": "Oletuslompakot", - "@defaultWalletsLabel": { - "description": "Label for default wallets" - }, - "confirmButton": "Vahvista", - "@confirmButton": { - "description": "Button label to confirm action" - }, - "recoveryPhraseTitle": "Kirjoita siemenlauseen\nsanat järjestyksessä", - "@recoveryPhraseTitle": { - "description": "Title instructing user to write down recovery phrase" - }, - "storeItSafelyMessage": "Säilytä se turvallisessa paikassa.", - "@storeItSafelyMessage": { - "description": "Instruction to store recovery phrase safely" - }, - "doNotShareWarning": "ÄLÄ JAA KENENKÄÄN KANSSA", - "@doNotShareWarning": { - "description": "Warning to not share recovery phrase with anyone" - }, - "transcribeLabel": "Kirjoita ylös", - "@transcribeLabel": { - "description": "Label indicating user should transcribe the words" - }, - "digitalCopyLabel": "Digitaalinen kopio", - "@digitalCopyLabel": { - "description": "Label for digital copy (with X mark)" - }, - "screenshotLabel": "Näyttökuva", - "@screenshotLabel": { - "description": "Label for screenshot (with X mark)" - }, - "nextButton": "Seuraava", - "@nextButton": { - "description": "Button label to go to next step" - }, - "tapWordsInOrderTitle": "Napauta palautussanoja \noikeassa järjestyksessä", - "@tapWordsInOrderTitle": { - "description": "Title instructing user to tap words in order" - }, - "whatIsWordNumberPrompt": "Mikä on sana numero {number}?", - "@whatIsWordNumberPrompt": { - "description": "Prompt asking for specific word number", - "placeholders": { - "number": { - "type": "int", - "example": "5" - } - } - }, - "allWordsSelectedMessage": "Olet valinnut kaikki sanat", - "@allWordsSelectedMessage": { - "description": "Message shown when all words are selected" - }, - "verifyButton": "Vahvista", - "@verifyButton": { - "description": "Button label to verify recovery phrase" - }, - "passphraseLabel": "Suojaussana", - "@passphraseLabel": { - "description": "Label for optional passphrase input field" - }, - "testYourWalletTitle": "Testaa lompakkosi", - "@testYourWalletTitle": { - "description": "Title for test your wallet screen" - }, - "vaultSuccessfullyImported": "Holvisi tuotiin onnistuneesti", - "@vaultSuccessfullyImported": { - "description": "Message shown when vault is imported successfully" - }, - "backupIdLabel": "Varmuuskopio-ID:", - "@backupIdLabel": { - "description": "Label for backup ID" - }, - "createdAtLabel": "Luotu:", - "@createdAtLabel": { - "description": "Label for creation date" - }, - "enterBackupKeyManuallyButton": "Syötä varmuuskopion avain manuaalisesti >>", - "@enterBackupKeyManuallyButton": { - "description": "Button label to enter backup key manually" - }, - "decryptVaultButton": "Pura holvi", - "@decryptVaultButton": { - "description": "Button label to decrypt vault" - }, - "testCompletedSuccessTitle": "Testi suoritettu onnistuneesti!", - "@testCompletedSuccessTitle": { - "description": "Title shown when backup test is successful" - }, - "testCompletedSuccessMessage": "Pystyt palauttamaan pääsyn kadonneeseen Bitcoin-lompakkoon", - "@testCompletedSuccessMessage": { - "description": "Message shown when backup test is successful" - }, - "gotItButton": "Selvä", - "@gotItButton": { - "description": "Button label to acknowledge successful test" - }, - "legacySeedViewScreenTitle": "Vanhat siemenlauseet", - "@legacySeedViewScreenTitle": { - "description": "AppBar title for legacy seeds screen" - }, - "legacySeedViewNoSeedsMessage": "Vanhoja siemenlauseita ei löytynyt.", - "@legacySeedViewNoSeedsMessage": { - "description": "Message shown when no legacy seeds are found" - }, - "legacySeedViewMnemonicLabel": "Muistikas", - "@legacySeedViewMnemonicLabel": { - "description": "Label for mnemonic words display" - }, - "legacySeedViewPassphrasesLabel": "Salafraasit:", - "@legacySeedViewPassphrasesLabel": { - "description": "Label for passphrases section" - }, - "legacySeedViewEmptyPassphrase": "(tyhjä)", - "@legacySeedViewEmptyPassphrase": { - "description": "Text shown for empty passphrase" - }, - "enterBackupKeyManuallyTitle": "Syötä varmuuskopion avain manuaalisesti", - "@enterBackupKeyManuallyTitle": { - "description": "Title for enter backup key manually screen" - }, - "enterBackupKeyManuallyDescription": "Jos olet vienyt varmuuskopioavaimen ja tallentanut sen erilliseen sijaintiin itse, voit syöttää sen manuaalisesti täällä. Muuten palaa edelliselle näytölle.", - "@enterBackupKeyManuallyDescription": { - "description": "Description for entering backup key manually" - }, - "enterBackupKeyLabel": "Syötä varmuuskopion avain", - "@enterBackupKeyLabel": { - "description": "Label for backup key input field" - }, - "backupKeyHint": "acc8b7b12daf06412f45a90b7fd2…", - "@backupKeyHint": { - "description": "Hint text for backup key input" - }, - "automaticallyFetchKeyButton": "Hae avain automaattisesti >>", - "@automaticallyFetchKeyButton": { - "description": "Button label to automatically fetch key" - }, - "enterYourPinTitle": "Syötä {pinOrPassword}", - "@enterYourPinTitle": { - "description": "Title for entering PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "enterYourBackupPinTitle": "Syötä varmuuskopion {pinOrPassword}", - "@enterYourBackupPinTitle": { - "description": "Title for entering backup PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "enterPinToContinueMessage": "Syötä {pinOrPassword} jatkaaksesi", - "@enterPinToContinueMessage": { - "description": "Message prompting user to enter PIN/password to continue", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "testBackupPinMessage": "Testaa, että muistat varmuuskopion {pinOrPassword}", - "@testBackupPinMessage": { - "description": "Message prompting user to test backup PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "passwordLabel": "Salasana", - "@passwordLabel": { - "description": "Label for password input field" - }, - "pickPasswordInsteadButton": "Valitse salasana sen sijaan >>", - "@pickPasswordInsteadButton": { - "description": "Button label to switch to password input" - }, - "pickPinInsteadButton": "Valitse PIN sen sijaan >>", - "@pickPinInsteadButton": { - "description": "Button label to switch to PIN input" - }, - "recoverYourWalletTitle": "Palauta lompakkosi", - "@recoverYourWalletTitle": { - "description": "Title for recover wallet screen" - }, - "recoverViaCloudDescription": "Palauta varmuuskopio pilvestä PIN-koodillasi.", - "@recoverViaCloudDescription": { - "description": "Description for recovering via cloud" - }, - "recoverVia12WordsDescription": "Palauta lompakkosi 12 sanan avulla.", - "@recoverVia12WordsDescription": { - "description": "Description for recovering via 12 words" - }, - "recoverButton": "Palauta", - "@recoverButton": { - "description": "Button label to recover wallet" - }, - "recoverWalletButton": "Palauta lompakko", - "@recoverWalletButton": { - "description": "Button label to recover wallet" - }, - "importMnemonicTitle": "Tuo muistilauseke", - "@importMnemonicTitle": { - "description": "AppBar title for mnemonic import screen" - }, - "howToDecideBackupTitle": "Miten valita", - "@howToDecideBackupTitle": { - "description": "Title for how to decide backup method modal" - }, - "howToDecideBackupText1": "Yksi yleisimmistä tavoista, joilla ihmiset menettävät Bitcoininsa, on fyysisen varmuuskopion katoaminen. Kuka tahansa, joka löytää fyysisen varmuuskopiosi, voi ottaa kaikki Bitcoinisi. Jos olet erittäin varma, että osaat piilottaa sen hyvin etkä koskaan menetä sitä, se on hyvä vaihtoehto.", - "@howToDecideBackupText1": { - "description": "First paragraph explaining backup method decision" - }, - "howToDecideBackupText2": "Salattu holvi estää varkaita varastamasta varmuuskopioasi. Se myös estää sinua vahingossa menettämästä varmuuskopiota, koska se tallennetaan pilveen. Pilvipalveluntarjoajilla, kuten Googlella tai Applella, ei ole pääsyä Bitcoineihisi, koska salausavain on liian vahva. On kuitenkin pieni mahdollisuus, että palvelin, joka tallentaa varmuuskopion salausavaimen, voi joutua vaarantumaan. Tällöin varmuuskopion turvallisuus pilvitilissäsi voi olla uhattuna.", - "@howToDecideBackupText2": { - "description": "Second paragraph explaining encrypted vault benefits and risks" - }, - "physicalBackupRecommendation": "Fyysinen varmuuskopio: ", - "@physicalBackupRecommendation": { - "description": "Bold label for physical backup recommendation" - }, - "physicalBackupRecommendationText": "Olet varma, että osaat piilottaa ja säilyttää Bitcoin-siemenlauseen turvallisesti.", - "@physicalBackupRecommendationText": { - "description": "Text explaining when to use physical backup" - }, - "encryptedVaultRecommendation": "Salattu holvi: ", - "@encryptedVaultRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, - "encryptedVaultRecommendationText": "Et ole varma ja tarvitset enemmän aikaa oppia varmuuskopioinnin turvallisuuskäytännöistä.", - "@encryptedVaultRecommendationText": { - "description": "Text explaining when to use encrypted vault" - }, - "visitRecoverBullMessage": "Lisätietoja osoitteessa recoverbull.com.", - "@visitRecoverBullMessage": { - "description": "Message with link to more information" - }, - "howToDecideVaultLocationText1": "Pilvipalveluntarjoajilla, kuten Googlella tai Applella, ei ole pääsyä Bitcoineihisi, koska salausavain on liian vahva. He voivat saada pääsyn vain epätodennäköisessä tilanteessa, jossa he tekevät yhteistyötä avainpalvelimen kanssa (verkkopalvelu, joka tallentaa salausavaimen). Jos avainpalvelin koskaan hakkeroidaan, Bitcoinesi voivat olla vaarassa Google- tai Apple-pilvessä.", - "@howToDecideVaultLocationText1": { - "description": "First paragraph explaining vault location decision" - }, - "howToDecideVaultLocationText2": "Mukautettu sijainti voi olla paljon turvallisempi valinnasta riippuen. Sinun on myös varmistettava, ettet menetä varmuuskopiotiedostoa tai laitetta, johon se on tallennettu.", - "@howToDecideVaultLocationText2": { - "description": "Second paragraph explaining custom location benefits" - }, - "customLocationRecommendation": "Mukautettu sijainti: ", - "@customLocationRecommendation": { - "description": "Bold label for custom location recommendation" - }, - "customLocationRecommendationText": "Olet varma, ettet menetä holvitiedostoa ja että se on edelleen saatavilla, jos menetät puhelimesi.", - "@customLocationRecommendationText": { - "description": "Text explaining when to use custom location" - }, - "googleAppleCloudRecommendation": "Google tai Apple -pilvi: ", - "@googleAppleCloudRecommendation": { - "description": "Bold label for Google/Apple cloud recommendation" - }, - "googleAppleCloudRecommendationText": "Haluat varmistaa, ettet koskaan menetä pääsyä holvitiedostoosi, vaikka menetät laitteesi.", - "@googleAppleCloudRecommendationText": { - "description": "Text explaining when to use Google/Apple cloud" - }, - "chooseVaultLocationTitle": "Valitse holvin sijainti", - "@chooseVaultLocationTitle": { - "description": "Title for choose vault location screen" - }, - "lastKnownEncryptedVault": "Viimeksi tunnettu salattu holvi: {date}", - "@lastKnownEncryptedVault": { - "description": "Label showing last known encrypted vault date", - "placeholders": { - "date": { - "type": "String", - "example": "2025-01-20 15:30:45" - } - } - }, - "googleDriveSignInMessage": "Sinun täytyy kirjautua Google Driveen", - "@googleDriveSignInMessage": { - "description": "Message about needing to sign in to Google Drive" - }, - "googleDrivePrivacyMessage": "Google pyytää jakamaan henkilökohtaisia tietoja tämän sovelluksen kanssa.", - "@googleDrivePrivacyMessage": { - "description": "Message about Google requesting personal information" - }, - "informationWillNotLeave": "Tämä tieto ", - "@informationWillNotLeave": { - "description": "First part of privacy assurance message" - }, - "willNot": "eivät poistu ", - "@willNot": { - "description": "Bold part of privacy assurance (will not)" - }, - "leaveYourPhone": "puhelimestasi eikä niitä ", - "@leaveYourPhone": { - "description": "Middle part of privacy assurance message" - }, - "never": "koskaan ", - "@never": { - "description": "Bold part of privacy assurance (never)" - }, - "sharedWithBullBitcoin": "jaeta Bull Bitcoinin kanssa.", - "@sharedWithBullBitcoin": { - "description": "End part of privacy assurance message" - }, - "savingToDevice": "Tallennetaan laitteellesi.", - "@savingToDevice": { - "description": "Message shown when saving to device" - }, - "loadingBackupFile": "Ladataan varmuuskopiotiedostoa...", - "@loadingBackupFile": { - "description": "Message shown while loading backup file" - }, - "pleaseWaitFetching": "Odota, kun haemme varmuuskopiotiedostoasi.", - "@pleaseWaitFetching": { - "description": "Message asking user to wait while fetching backup" - }, - "googleDriveProvider": "Google Drive", - "@googleDriveProvider": { - "description": "Name of Google Drive provider" - }, - "appleICloudProvider": "Apple iCloud", - "@appleICloudProvider": { - "description": "Name of Apple iCloud provider" - }, - "customLocationProvider": "Mukautettu sijainti", - "@customLocationProvider": { - "description": "Name of custom location provider" - }, - "quickAndEasyTag": "Nopea ja helppo", - "@quickAndEasyTag": { - "description": "Tag for quick and easy options" - }, - "takeYourTimeTag": "Ota aikaa", - "@takeYourTimeTag": { - "description": "Tag for options requiring more time" - }, - "customLocationTitle": "Mukautettu sijainti", - "@customLocationTitle": { - "description": "Title for custom location screen" - }, - "recoverWalletScreenTitle": "Palauta lompakko", - "@recoverWalletScreenTitle": { - "description": "Title for recover wallet screen" - }, - "recoverbullVaultRecoveryTitle": "Recoverbull-holvin palautus", - "@recoverbullVaultRecoveryTitle": { - "description": "Title for recoverbull vault recovery screen" - }, - "chooseAccessPinTitle": "Valitse käyttö {pinOrPassword}", - "@chooseAccessPinTitle": { - "description": "Title for choosing access PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "memorizePasswordWarning": "Sinun täytyy muistaa tämä {pinOrPassword} palauttaaksesi pääsyn lompakkoosi. Sen on oltava vähintään 6 numeroa pitkä. Jos menetät tämän {pinOrPassword} et voi palauttaa varmuuskopioasi.", - "@memorizePasswordWarning": { - "description": "Warning about memorizing PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "passwordTooCommonError": "Tämä {pinOrPassword} on liian yleinen. Valitse toinen.", - "@passwordTooCommonError": { - "description": "Error message for common password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "passwordMinLengthError": "{pinOrPassword} on oltava vähintään 6 numeroa pitkä", - "@passwordMinLengthError": { - "description": "Error message for password minimum length", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "pickPasswordOrPinButton": "Valitse {pinOrPassword} sen sijaan >>", - "@pickPasswordOrPinButton": { - "description": "Button to switch between PIN and password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "password" - } - } - }, - "confirmAccessPinTitle": "Vahvista käyttö {pinOrPassword}", - "@confirmAccessPinTitle": { - "description": "Title for confirming access PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "enterPinAgainMessage": "Syötä {pinOrPassword} uudelleen jatkaaksesi.", - "@enterPinAgainMessage": { - "description": "Message asking to re-enter PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "usePasswordInsteadButton": "Käytä {pinOrPassword} sen sijaan >>", - "@usePasswordInsteadButton": { - "description": "Button to use password/PIN instead", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "password" - } - } - }, - "oopsSomethingWentWrong": "Hups! Jotain meni pieleen", - "@oopsSomethingWentWrong": { - "description": "Error title when something goes wrong" - }, - "connectingToKeyServer": "Tor-verkkoyhteys avainpalvelimeen avautuu.\nTämä voi kestää jopa minuutin.", - "@connectingToKeyServer": { - "description": "Message shown while connecting to key server via Tor" - }, - "anErrorOccurred": "Tapahtui virhe", - "@anErrorOccurred": { - "description": "Generic error message" - }, - "dcaSetRecurringBuyTitle": "Määritä toistuva osto", - "@dcaSetRecurringBuyTitle": { - "description": "AppBar title for the main DCA setup screen" - }, - "dcaInsufficientBalanceTitle": "Saldo ei riitä", - "@dcaInsufficientBalanceTitle": { - "description": "InfoCard title when user has insufficient funds" - }, - "dcaInsufficientBalanceDescription": "Sinulla ei ole tarpeeksi saldoa luodaksesi tämän pyynnön.", - "@dcaInsufficientBalanceDescription": { - "description": "InfoCard description explaining insufficient balance error" - }, - "dcaFundAccountButton": "Talletus", - "@dcaFundAccountButton": { - "description": "Button label to navigate to funding screen" - }, - "dcaScheduleDescription": "Bitcoin-ostot tehdään automaattisesti tämän aikataulun mukaan.", - "@dcaScheduleDescription": { - "description": "Explanation text at the top of DCA setup form" - }, - "dcaFrequencyValidationError": "Valitse aikataulu", - "@dcaFrequencyValidationError": { - "description": "Form validation error when no frequency is selected" - }, - "dcaContinueButton": "Jatka", - "@dcaContinueButton": { - "description": "Button label to proceed to next step in DCA flow" - }, - "dcaConfirmRecurringBuyTitle": "Vahvista toistuva osto", - "@dcaConfirmRecurringBuyTitle": { - "description": "AppBar title for confirmation screen" - }, - "dcaConfirmationDescription": "Ostot tehdään automaattisesti näiden asetusten mukaan. Voit poistaa ne käytöstä milloin tahansa.", - "@dcaConfirmationDescription": { - "description": "Explanation text at the top of confirmation screen" - }, - "dcaFrequencyLabel": "Aikataulu", - "@dcaFrequencyLabel": { - "description": "Label for frequency detail row" - }, - "dcaFrequencyHourly": "tunti", - "@dcaFrequencyHourly": { - "description": "Hourly DCA frequency" - }, - "dcaFrequencyDaily": "päivä", - "@dcaFrequencyDaily": { - "description": "Daily DCA frequency" - }, - "dcaFrequencyWeekly": "viikko", - "@dcaFrequencyWeekly": { - "description": "Weekly DCA frequency" - }, - "dcaFrequencyMonthly": "kuukausi", - "@dcaFrequencyMonthly": { - "description": "Monthly DCA frequency" - }, - "dcaAmountLabel": "Määrä", - "@dcaAmountLabel": { - "description": "Label for amount detail row" - }, - "dcaPaymentMethodLabel": "Maksutapa", - "@dcaPaymentMethodLabel": { - "description": "Label for payment method detail row" - }, - "dcaPaymentMethodValue": "{currency} saldo", - "@dcaPaymentMethodValue": { - "description": "Value for payment method with currency code placeholder", - "placeholders": { - "currency": { - "type": "String" - } - } - }, - "dcaOrderTypeLabel": "Tilaustyyppi", - "@dcaOrderTypeLabel": { - "description": "Label for order type detail row" - }, - "dcaOrderTypeValue": "Toistuva osto", - "@dcaOrderTypeValue": { - "description": "Value for order type" - }, - "dcaNetworkLabel": "Verkko", - "@dcaNetworkLabel": { - "description": "Label for network detail row" - }, - "dcaNetworkBitcoin": "Bitcoin-verkko", - "@dcaNetworkBitcoin": { - "description": "Bitcoin network label for DCA" - }, - "dcaNetworkLightning": "Lightning-verkko", - "@dcaNetworkLightning": { - "description": "Lightning network label for DCA" - }, - "dcaNetworkLiquid": "Liquid-verkko", - "@dcaNetworkLiquid": { - "description": "Liquid network label for DCA" - }, - "dcaLightningAddressLabel": "Lightning-osoite", - "@dcaLightningAddressLabel": { - "description": "Label for Lightning address detail row (shown only for Lightning network)" - }, - "dcaConfirmationError": "Jotain meni pieleen: {error}", - "@dcaConfirmationError": { - "description": "Error message displayed when confirmation fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "dcaConfirmButton": "Jatka", - "@dcaConfirmButton": { - "description": "Button label to confirm and activate DCA" - }, - "dcaSuccessTitle": "Toistuva osto on aktiivinen!", - "@dcaSuccessTitle": { - "description": "Success screen title after DCA is activated" - }, - "dcaSuccessMessageHourly": "Ostat {amount} joka tunti", - "@dcaSuccessMessageHourly": { - "description": "Success message for hourly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "dcaSuccessMessageDaily": "Ostat {amount} joka päivä", - "@dcaSuccessMessageDaily": { - "description": "Success message for daily frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "dcaSuccessMessageWeekly": "Ostat {amount} joka viikko", - "@dcaSuccessMessageWeekly": { - "description": "Success message for weekly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "dcaSuccessMessageMonthly": "Ostat {amount} joka kuukausi", - "@dcaSuccessMessageMonthly": { - "description": "Success message for monthly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "dcaBackToHomeButton": "Kotisivulle", - "@dcaBackToHomeButton": { - "description": "Button label to return to exchange home screen" - }, - "dcaChooseWalletTitle": "Valitse Bitcoin-lompakko", - "@dcaChooseWalletTitle": { - "description": "AppBar title for wallet selection screen" - }, - "dcaWalletSelectionDescription": "Bitcoin-ostot tehdään automaattisesti tämän aikataulun mukaan.", - "@dcaWalletSelectionDescription": { - "description": "Explanation text at the top of wallet selection screen" - }, - "dcaNetworkValidationError": "Valitse verkko", - "@dcaNetworkValidationError": { - "description": "Form validation error when no network is selected" - }, - "dcaEnterLightningAddressLabel": "Syötä Lightning-osoite", - "@dcaEnterLightningAddressLabel": { - "description": "Label for Lightning address text input field" - }, - "dcaLightningAddressEmptyError": "Syötä Lightning-osoite", - "@dcaLightningAddressEmptyError": { - "description": "Validation error when Lightning address field is empty" - }, - "dcaLightningAddressInvalidError": "Syötä kelvollinen Lightning-osoite", - "@dcaLightningAddressInvalidError": { - "description": "Validation error when Lightning address format is invalid" - }, - "dcaUseDefaultLightningAddress": "Käytä oletus Lightning-osoitettani.", - "@dcaUseDefaultLightningAddress": { - "description": "Checkbox label to use default Lightning address" - }, - "dcaWalletSelectionContinueButton": "Jatka", - "@dcaWalletSelectionContinueButton": { - "description": "Button label to proceed to confirmation screen" - }, - "dcaSelectFrequencyLabel": "Aikataulu", - "@dcaSelectFrequencyLabel": { - "description": "Label above frequency selection radio buttons" - }, - "dcaSelectWalletTypeLabel": "Valitse Bitcoin-lompakon tyyppi", - "@dcaSelectWalletTypeLabel": { - "description": "Label above wallet type selection radio buttons" - }, - "dcaWalletTypeBitcoin": "Bitcoin (BTC)", - "@dcaWalletTypeBitcoin": { - "description": "Radio button option for Bitcoin wallet" - }, - "dcaWalletTypeLightning": "Lightning-verkko (LN)", - "@dcaWalletTypeLightning": { - "description": "Radio button option for Lightning wallet" - }, - "dcaWalletTypeLiquid": "Liquid (LBTC)", - "@dcaWalletTypeLiquid": { - "description": "Radio button option for Liquid wallet" - }, - "dcaWalletBitcoinSubtitle": "Vähintään 0.001 BTC", - "@dcaWalletBitcoinSubtitle": { - "description": "Subtitle/description for Bitcoin wallet option" - }, - "dcaWalletLightningSubtitle": "Vaatii yhteensopivan lompakon, enintään 0.25 BTC", - "@dcaWalletLightningSubtitle": { - "description": "Subtitle/description for Lightning wallet option" - }, - "dcaWalletLiquidSubtitle": "Vaatii yhteensopivan lompakon", - "@dcaWalletLiquidSubtitle": { - "description": "Subtitle/description for Liquid wallet option" - }, - "swapInternalTransferTitle": "Sisäinen siirto", - "@swapInternalTransferTitle": { - "description": "AppBar title on the amount entry page" - }, - "swapConfirmTransferTitle": "Vahvista siirto", - "@swapConfirmTransferTitle": { - "description": "AppBar title on the confirmation page" - }, - "swapInfoDescription": "Siirrä Bitcoin sujuvasti lompakoidesi välillä. Säilytä varoja pikamaksulompakossa vain päivittäistä käyttöä varten.", - "@swapInfoDescription": { - "description": "Information banner text on amount page" - }, - "swapTransferFrom": "Siirrä lähteestä", - "@swapTransferFrom": { - "description": "Label for source wallet dropdown" - }, - "swapTransferTo": "Siirrä kohteeseen", - "@swapTransferTo": { - "description": "Label for destination wallet dropdown" - }, - "swapTransferAmount": "Siirrettävä määrä", - "@swapTransferAmount": { - "description": "Label for amount input field" - }, - "swapYouPay": "Maksat", - "@swapYouPay": { - "description": "Label in swap card for payment amount" - }, - "swapYouReceive": "Saat", - "@swapYouReceive": { - "description": "Label in swap card for receiving amount" - }, - "swapAvailableBalance": "Käytettävissä oleva saldo", - "@swapAvailableBalance": { - "description": "Available balance label" - }, - "swapMaxButton": "Maksimi", - "@swapMaxButton": { - "description": "Button to use maximum available balance" - }, - "swapTotalFees": "Kokonaiskulut ", - "@swapTotalFees": { - "description": "Total fees label" - }, - "swapContinueButton": "Jatka", - "@swapContinueButton": { - "description": "Button to proceed from amount page to confirmation" - }, - "swapGoHomeButton": "Palaa kotisivulle", - "@swapGoHomeButton": { - "description": "Button to return home from progress page" - }, - "swapTransferPendingTitle": "Siirto vireillä", - "@swapTransferPendingTitle": { - "description": "Title during pending swap status" - }, - "swapTransferPendingMessage": "Siirto on käynnissä. Bitcoin-transaktiot voivat kestää hetken vahvistua. Voit palata kotisivulle ja odottaa.", - "@swapTransferPendingMessage": { - "description": "Message shown during pending swap" - }, - "swapTransferCompletedTitle": "Siirto suoritettu", - "@swapTransferCompletedTitle": { - "description": "Title when swap completes successfully" - }, - "swapTransferCompletedMessage": "Hienoa, siirto on suoritettu onnistuneesti.", - "@swapTransferCompletedMessage": { - "description": "Success message after transfer completion" - }, - "swapTransferRefundInProgressTitle": "Siirron hyvitys käynnissä", - "@swapTransferRefundInProgressTitle": { - "description": "Title when swap is being refunded" - }, - "swapTransferRefundInProgressMessage": "Swap epäonnistui ja hyvitys on käynnissä.", - "@swapTransferRefundInProgressMessage": { - "description": "Message during refund process" - }, - "swapTransferRefundedTitle": "Siirto hyvitetty", - "@swapTransferRefundedTitle": { - "description": "Title when swap has been refunded" - }, - "swapTransferRefundedMessage": "Siirto on hyvitetty onnistuneesti.", - "@swapTransferRefundedMessage": { - "description": "Refund completion message" - }, - "swapAmountPlaceholder": "0", - "@swapAmountPlaceholder": { - "description": "Placeholder for amount input fields" - }, - "swapErrorBalanceTooLow": "Saldo liian pieni minimisiirtoa varten", - "@swapErrorBalanceTooLow": { - "description": "Error when balance is below minimum swap limit" - }, - "swapErrorAmountExceedsMaximum": "Määrä ylittää suurimman sallitun siirtomäärän", - "@swapErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum swap limit" - }, - "swapErrorAmountBelowMinimum": "Määrä on alle minimisiirtomäärän: {min} sats", - "@swapErrorAmountBelowMinimum": { - "description": "Error shown when amount is below minimum", - "placeholders": { - "min": { - "type": "String" - } - } - }, - "swapErrorAmountAboveMaximum": "Määrä ylittää suurimman sallitun siirtomäärän: {max} sats", - "@swapErrorAmountAboveMaximum": { - "description": "Error shown when amount is above maximum", - "placeholders": { - "max": { - "type": "String" - } - } - }, - "swapErrorInsufficientFunds": "Transaktiota ei voitu muodostaa. Todennäköisesti syynä on riittämättömät varat kulujen ja määrän kattamiseen.", - "@swapErrorInsufficientFunds": { - "description": "Error when transaction cannot be built due to insufficient funds" - }, - "swapTransferTitle": "Siirto", - "@swapTransferTitle": { - "description": "AppBar title on the main swap page" - }, - "swapExternalTransferLabel": "Ulkoinen siirto", - "@swapExternalTransferLabel": { - "description": "Label for external transfer toggle" - }, - "swapFromLabel": "Lähteestä", - "@swapFromLabel": { - "description": "Label for source wallet dropdown" - }, - "swapToLabel": "Kohteeseen", - "@swapToLabel": { - "description": "Label for destination wallet dropdown or address input" - }, - "swapAmountLabel": "Määrä", - "@swapAmountLabel": { - "description": "Label for amount input section" - }, - "swapReceiveExactAmountLabel": "Vastaanota tarkka määrä", - "@swapReceiveExactAmountLabel": { - "description": "Label when receive exact amount toggle is on" - }, - "swapSubtractFeesLabel": "Vähennä kulut määrästä", - "@swapSubtractFeesLabel": { - "description": "Label when receive exact amount toggle is off" - }, - "swapExternalAddressHint": "Syötä ulkoinen lompakon osoite", - "@swapExternalAddressHint": { - "description": "Hint text for external address input" - }, - "swapValidationEnterAmount": "Syötä määrä", - "@swapValidationEnterAmount": { - "description": "Validation error when amount is empty" - }, - "swapValidationPositiveAmount": "Syötä positiivinen määrä", - "@swapValidationPositiveAmount": { - "description": "Validation error when amount is not positive" - }, - "swapValidationInsufficientBalance": "Riittämätön saldo", - "@swapValidationInsufficientBalance": { - "description": "Validation error when amount exceeds wallet balance" - }, - "swapValidationMinimumAmount": "Minimimäärä on {amount} {currency}", - "@swapValidationMinimumAmount": { - "description": "Validation error when amount is below minimum", - "placeholders": { - "amount": { - "type": "String" - }, - "currency": { - "type": "String" - } - } - }, - "swapValidationMaximumAmount": "Maksimimäärä on {amount} {currency}", - "@swapValidationMaximumAmount": { - "description": "Validation error when amount exceeds maximum", - "placeholders": { - "amount": { - "type": "String" - }, - "currency": { - "type": "String" - } - } - }, - "swapValidationSelectFromWallet": "Valitse lompakko, josta siirretään", - "@swapValidationSelectFromWallet": { - "description": "Validation error when no source wallet selected" - }, - "swapValidationSelectToWallet": "Valitse lompakko, johon siirretään", - "@swapValidationSelectToWallet": { - "description": "Validation error when no destination wallet selected" - }, - "swapDoNotUninstallWarning": "Älä poista sovellusta ennen kuin swappi valmistuu!", - "@swapDoNotUninstallWarning": { - "description": "Warning message during pending transfer" - }, - "pinSecurityTitle": "PIN-koodi", - "@pinSecurityTitle": { - "description": "AppBar title for PIN settings screen" - }, - "pinManageDescription": "PIN-koodiasetukset", - "@pinManageDescription": { - "description": "Headline text on PIN settings screen" - }, - "pinProtectionDescription": "PIN suojaa pääsyn lompakkoosi ja asetuksiin. Pidä se muistissa.", - "@pinProtectionDescription": { - "description": "Informational text explaining PIN purpose" - }, - "pinButtonChange": "Vaihda PIN-koodi", - "@pinButtonChange": { - "description": "Button label when PIN already exists" - }, - "pinButtonCreate": "Luo PIN-koodi", - "@pinButtonCreate": { - "description": "Button label when no PIN exists" - }, - "pinButtonRemove": "Poista PIN-koodi käytöstä", - "@pinButtonRemove": { - "description": "Button label to delete existing PIN" - }, - "pinAuthenticationTitle": "Tunnistautuminen", - "@pinAuthenticationTitle": { - "description": "AppBar title for create/confirm PIN screens" - }, - "appUnlockScreenTitle": "Tunnistautuminen", - "@appUnlockScreenTitle": { - "description": "Title of the app unlock screen" - }, - "pinCreateHeadline": "Luo uusi PIN-koodi", - "@pinCreateHeadline": { - "description": "Headline text on PIN creation screen" - }, - "pinValidationError": "PIN-koodin vähimmäispituus on {minLength} numeroa", - "@pinValidationError": { - "description": "Error message when PIN is too short", - "placeholders": { - "minLength": { - "type": "String" - } - } - }, - "pinButtonContinue": "Jatka", - "@pinButtonContinue": { - "description": "Button label to proceed after entering new PIN" - }, - "pinConfirmHeadline": "Vahvista uusi PIN-koodi", - "@pinConfirmHeadline": { - "description": "Headline text on PIN confirmation screen" - }, - "pinConfirmMismatchError": "PIN-koodit eivät täsmää", - "@pinConfirmMismatchError": { - "description": "Error message when confirmation PIN doesn't match original" - }, - "pinButtonConfirm": "Vahvista", - "@pinButtonConfirm": { - "description": "Button label to submit confirmed PIN" - }, - "appUnlockEnterPinMessage": "Avaaminen vaatii PIN-koodin", - "@appUnlockEnterPinMessage": { - "description": "Message prompting user to enter their PIN code to unlock the app" - }, - "appUnlockIncorrectPinError": "Väärä PIN-koodi. Yritä uudelleen. ({failedAttempts} {attemptsWord})", - "@appUnlockIncorrectPinError": { - "description": "Error message shown when user enters incorrect PIN", - "placeholders": { - "failedAttempts": { - "type": "int" - }, - "attemptsWord": { - "type": "String" - } - } - }, - "appUnlockAttemptSingular": "epäonnistunut yritys", - "@appUnlockAttemptSingular": { - "description": "Singular form of 'attempt' for failed unlock attempts" - }, - "appUnlockAttemptPlural": "epäonnistunutta yritystä", - "@appUnlockAttemptPlural": { - "description": "Plural form of 'attempts' for failed unlock attempts" - }, - "appUnlockButton": "Avaa", - "@appUnlockButton": { - "description": "Button label to unlock the app" - }, - "pinStatusLoading": "Ladataan", - "@pinStatusLoading": { - "description": "Status screen title during initialization" - }, - "pinStatusCheckingDescription": "Tarkistetaan PIN-koodia", - "@pinStatusCheckingDescription": { - "description": "Status screen description during initialization" - }, - "pinStatusProcessing": "Käsitellään", - "@pinStatusProcessing": { - "description": "Status screen title during PIN save/delete operations" - }, - "pinStatusSettingUpDescription": "PIN-koodin määrittäminen", - "@pinStatusSettingUpDescription": { - "description": "Status screen description during PIN save/delete operations" - }, - "autoswapSettingsTitle": "Automaattisen swapin asetukset", - "@autoswapSettingsTitle": { - "description": "Main header/title of the auto swap settings bottom sheet" - }, - "autoswapEnableToggleLabel": "Ota käyttöön automaattiset swapit", - "@autoswapEnableToggleLabel": { - "description": "Label for the main toggle switch to enable/disable auto transfer feature" - }, - "autoswapMaxBalanceLabel": "Pikamaksulompakon enimmäissaldo", - "@autoswapMaxBalanceLabel": { - "description": "Label for amount threshold input field" - }, - "autoswapMaxBalanceInfoText": "Kun lompakon saldo ylittää kaksinkertaisen tämän summan, automaattinen swap aktivoituu palauttaakseen saldon tälle tasolle", - "@autoswapMaxBalanceInfoText": { - "description": "Help text explaining how the max balance threshold works" - }, - "autoswapMaxFeeLabel": "Suurin siirtokulu", - "@autoswapMaxFeeLabel": { - "description": "Label for fee threshold percentage input field" - }, - "autoswapMaxFeeInfoText": "Jos kokonaissiirtokulu on asetettua prosenttiosuutta korkeampi, automaattiset swapit estetään", - "@autoswapMaxFeeInfoText": { - "description": "Help text explaining how the max fee threshold works" - }, - "autoswapRecipientWalletLabel": "Vastaanottajan Bitcoin-lompakko", - "@autoswapRecipientWalletLabel": { - "description": "Label for wallet selection dropdown" - }, - "autoswapRecipientWalletRequired": "*", - "@autoswapRecipientWalletRequired": { - "description": "Required field indicator asterisk" - }, - "autoswapRecipientWalletPlaceholder": "Valitse Bitcoin-lompakko", - "@autoswapRecipientWalletPlaceholder": { - "description": "Dropdown placeholder text when no wallet is selected" - }, - "autoswapRecipientWalletPlaceholderRequired": "Valitse Bitcoin-lompakko *", - "@autoswapRecipientWalletPlaceholderRequired": { - "description": "Dropdown placeholder with required indicator when auto transfer is enabled" - }, - "autoswapRecipientWalletInfoText": "Valitse, mikä Bitcoin-lompakko vastaanottaa swapatut varat (pakollinen)", - "@autoswapRecipientWalletInfoText": { - "description": "Help text explaining wallet selection" - }, - "autoswapRecipientWalletDefaultLabel": "Bitcoin-lompakko", - "@autoswapRecipientWalletDefaultLabel": { - "description": "Default label shown for wallets without a custom label in the dropdown" - }, - "autoswapAlwaysBlockLabel": "Älä swappaa korkeilla kuluilla", - "@autoswapAlwaysBlockLabel": { - "description": "Label for toggle to always block high fee transfers" - }, - "autoswapAlwaysBlockInfoEnabled": "Kun tämä on käytössä, automaattiset swapit, joiden kulut ylittävät asetetun rajan, estetään aina", - "@autoswapAlwaysBlockInfoEnabled": { - "description": "Help text when always block is enabled" - }, - "autoswapAlwaysBlockInfoDisabled": "Kun tämä on pois käytöstä, sinulle tarjotaan mahdollisuus sallia automaattiset swapit, jotka on estetty korkeiden kulujen vuoksi", - "@autoswapAlwaysBlockInfoDisabled": { - "description": "Help text when always block is disabled" - }, - "autoswapSaveButton": "Tallenna", - "@autoswapSaveButton": { - "description": "Save button label at bottom of settings sheet" - }, - "autoswapSaveErrorMessage": "Asetusten tallennus epäonnistui: {error}", - "@autoswapSaveErrorMessage": { - "description": "SnackBar error message when save fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "autoswapLoadSettingsError": "Automaattisen swapin asetusten lataus epäonnistui", - "@autoswapLoadSettingsError": { - "description": "Error message when loading settings fails" - }, - "autoswapUpdateSettingsError": "Automaattisen swapin asetusten päivitys epäonnistui", - "@autoswapUpdateSettingsError": { - "description": "Error message when updating settings fails" - }, - "autoswapSelectWalletError": "Valitse vastaanottajan Bitcoin-lompakko", - "@autoswapSelectWalletError": { - "description": "Validation error when trying to enable auto transfer without selecting a wallet" - }, - "autoswapAutoSaveError": "Asetusten tallennus epäonnistui", - "@autoswapAutoSaveError": { - "description": "Error message when auto-save on disable fails" - }, - "autoswapMinimumThresholdErrorBtc": "Minimisaldon raja on {amount} BTC", - "@autoswapMinimumThresholdErrorBtc": { - "description": "Validation error shown when amount threshold is below minimum (BTC display)", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "autoswapMinimumThresholdErrorSats": "Minimisaldon raja on {amount} sat", - "@autoswapMinimumThresholdErrorSats": { - "description": "Validation error shown when amount threshold is below minimum (sats display)", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "autoswapMaximumFeeError": "Suurin kuluraja on {threshold}%", - "@autoswapMaximumFeeError": { - "description": "Validation error shown when fee threshold exceeds maximum", - "placeholders": { - "threshold": { - "type": "String" - } - } - }, - "autoswapTriggerBalanceError": "Aloitussaldon on oltava vähintään saldo x2", - "@autoswapTriggerBalanceError": { - "description": "Validation error shown when trigger balance is less than 2x the base balance" - }, - "arkNoTransactionsYet": "Ei vielä transaktioita.", - "@arkNoTransactionsYet": { - "description": "Empty state message shown when user has no transaction history" - }, - "arkToday": "Tänään", - "@arkToday": { - "description": "Date label for transactions from today" - }, - "arkYesterday": "Eilen", - "@arkYesterday": { - "description": "Date label for transactions from yesterday" - }, - "arkSettleTransactions": "Viimeistele transaktiot", - "@arkSettleTransactions": { - "description": "Bottom sheet title for settling pending transactions" - }, - "arkSettleDescription": "Viimeistele vireillä olevat transaktiot ja sisällytä tarvittaessa palautettavat vtxot", - "@arkSettleDescription": { - "description": "Description explaining what settling transactions does" - }, - "arkIncludeRecoverableVtxos": "Sisällytä palautettavat vtxot", - "@arkIncludeRecoverableVtxos": { - "description": "Label for toggle switch to include recoverable vtxos when settling" - }, - "arkCancelButton": "Peruuta", - "@arkCancelButton": { - "description": "Cancel button label in settle bottom sheet" - }, - "arkSettleButton": "Vahvista", - "@arkSettleButton": { - "description": "Settle button label" - }, - "arkReceiveTitle": "Ark Vastaanotto", - "@arkReceiveTitle": { - "description": "AppBar title for Ark receive screen" - }, - "arkUnifiedAddressCopied": "Yhdistetty osoite kopioitu", - "@arkUnifiedAddressCopied": { - "description": "SnackBar message when unified address is copied to clipboard" - }, - "arkCopyAddress": "Kopioi osoite", - "@arkCopyAddress": { - "description": "Button label to expand and show address details for copying" - }, - "arkUnifiedAddressBip21": "Yhdistetty osoite (BIP21)", - "@arkUnifiedAddressBip21": { - "description": "Label for the BIP21 unified address field" - }, - "arkBtcAddress": "BTC-osoite", - "@arkBtcAddress": { - "description": "Label for the Bitcoin address field" - }, - "arkArkAddress": "Ark-osoite", - "@arkArkAddress": { - "description": "Label for the Ark address field" - }, - "arkSendTitle": "Lähetä", - "@arkSendTitle": { - "description": "AppBar title for Ark send screen" - }, - "arkRecipientAddress": "Vastaanottajan osoite", - "@arkRecipientAddress": { - "description": "Label for recipient address input field" - }, - "arkAddressPlaceholder": "ark1qp9wsjfpsj5v5ex022v6…", - "@arkAddressPlaceholder": { - "description": "Placeholder text for recipient address input" - }, - "arkConfirmedBalance": "Vahvistettu saldo", - "@arkConfirmedBalance": { - "description": "Label for confirmed balance row" - }, - "arkPendingBalance": "Vireillä oleva saldo", - "@arkPendingBalance": { - "description": "Label for pending balance row" - }, - "arkConfirmButton": "Vahvista", - "@arkConfirmButton": { - "description": "Confirm button to proceed with send transaction" - }, - "arkCollaborativeRedeem": "Yhteistyölunastus", - "@arkCollaborativeRedeem": { - "description": "Bottom sheet title for collaborative redeem for BTC address sends" - }, - "arkRecoverableVtxos": "Palautettavat vtxot", - "@arkRecoverableVtxos": { - "description": "Label for switch to include recoverable vtxos in redeem" - }, - "arkRedeemButton": "Lunasta", - "@arkRedeemButton": { - "description": "Confirm button to execute collaborative redeem" - }, - "arkInstantPayments": "Välittömät Ark-maksut", - "@arkInstantPayments": { - "description": "Main page title in top bar" - }, - "arkSettleTransactionCount": "Vahvista {count} {transaction}", - "@arkSettleTransactionCount": { - "description": "Button label showing number of unsettled transactions", - "placeholders": { - "count": { - "type": "String" - }, - "transaction": { - "type": "String" - } - } - }, - "arkTransaction": "transaktio", - "@arkTransaction": { - "description": "Singular form for transaction count" - }, - "arkTransactions": "transaktiot", - "@arkTransactions": { - "description": "Plural form for transaction count" - }, - "arkReceiveButton": "Vastaanota", - "@arkReceiveButton": { - "description": "Bottom button to navigate to receive page" - }, - "arkSendButton": "Lähetä", - "@arkSendButton": { - "description": "Bottom button to navigate to send page" - }, - "arkTxTypeBoarding": "Boarding", - "@arkTxTypeBoarding": { - "description": "Transaction type label for boarding transactions" - }, - "arkTxTypeCommitment": "Commitment", - "@arkTxTypeCommitment": { - "description": "Transaction type label for commitment transactions" - }, - "arkTxTypeRedeem": "Lunastus", - "@arkTxTypeRedeem": { - "description": "Transaction type label for redeem transactions" - }, - "arkTransactionDetails": "Transaktion tiedot", - "@arkTransactionDetails": { - "description": "AppBar title for transaction details page" - }, - "arkStatusConfirmed": "Vahvistettu", - "@arkStatusConfirmed": { - "description": "Status label for confirmed boarding transactions" - }, - "arkStatusPending": "Vireillä", - "@arkStatusPending": { - "description": "Status label for pending transactions" - }, - "arkStatusSettled": "Hyvitetty", - "@arkStatusSettled": { - "description": "Status label for settled redeem transactions" - }, - "arkTransactionId": "Transaktio-ID", - "@arkTransactionId": { - "description": "Label for transaction ID field in details table" - }, - "arkType": "Tyyppi", - "@arkType": { - "description": "Label for transaction type field in details table" - }, - "arkStatus": "Tila", - "@arkStatus": { - "description": "Label for transaction status field in details table" - }, - "arkAmount": "Määrä", - "@arkAmount": { - "description": "Label for transaction amount field in details table" - }, - "arkDate": "Päivämäärä", - "@arkDate": { - "description": "Label for transaction date field in details table" - }, - "arkBalanceBreakdown": "Saldon erittely", - "@arkBalanceBreakdown": { - "description": "Title of bottom sheet showing balance breakdown" - }, - "arkConfirmed": "Vahvistettu", - "@arkConfirmed": { - "description": "Label for confirmed balance in breakdown" - }, - "arkPending": "Vireillä", - "@arkPending": { - "description": "Label for pending balance in breakdown" - }, - "arkTotal": "Yhteensä", - "@arkTotal": { - "description": "Label for total balance in breakdown" - }, - "arkBalanceBreakdownTooltip": "Saldon erittely", - "@arkBalanceBreakdownTooltip": { - "description": "Tooltip for info button that opens balance breakdown" - }, - "arkAboutTitle": "Tietoja", - "@arkAboutTitle": { - "description": "AppBar title for Ark about screen" - }, - "arkServerUrl": "Palvelimen URL", - "@arkServerUrl": { - "description": "Label for server URL field" - }, - "arkServerPubkey": "Palvelimen julkinen avain", - "@arkServerPubkey": { - "description": "Label for server public key field" - }, - "arkForfeitAddress": "Forfeit-osoite", - "@arkForfeitAddress": { - "description": "Label for forfeit address field" - }, - "arkNetwork": "Verkko", - "@arkNetwork": { - "description": "Label for network field" - }, - "arkDust": "Pieniä jäämiä", - "@arkDust": { - "description": "Label for dust amount field" - }, - "arkSessionDuration": "Istunnon kesto", - "@arkSessionDuration": { - "description": "Label for session duration field" - }, - "arkBoardingExitDelay": "Boarding-poistumisviive", - "@arkBoardingExitDelay": { - "description": "Label for boarding exit delay field" - }, - "arkUnilateralExitDelay": "Yksipuolinen poistumisviive", - "@arkUnilateralExitDelay": { - "description": "Label for unilateral exit delay field" - }, - "arkEsploraUrl": "Esplora URL", - "@arkEsploraUrl": { - "description": "Label for Esplora URL field" - }, - "arkDurationSeconds": "{seconds} sekuntia", - "@arkDurationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "String" - } - } - }, - "arkDurationMinute": "{minutes} minuutti", - "@arkDurationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "arkDurationMinutes": "{minutes} minuuttia", - "@arkDurationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "arkDurationHour": "{hours} tunti", - "@arkDurationHour": { - "description": "Duration format for singular hour", - "placeholders": { - "hours": { - "type": "String" - } - } - }, - "arkDurationHours": "{hours} tuntia", - "@arkDurationHours": { - "description": "Duration format for plural hours", - "placeholders": { - "hours": { - "type": "String" - } - } - }, - "arkDurationDay": "{days} päivä", - "@arkDurationDay": { - "description": "Duration format for singular day", - "placeholders": { - "days": { - "type": "String" - } - } - }, - "arkDurationDays": "{days} päivää", - "@arkDurationDays": { - "description": "Duration format for plural days", - "placeholders": { - "days": { - "type": "String" - } - } - }, - "arkCopy": "Kopioi", - "@arkCopy": { - "description": "Button label to copy field value to clipboard" - }, - "arkCopiedToClipboard": "{label} kopioitu leikepöydälle", - "@arkCopiedToClipboard": { - "description": "SnackBar message when field is copied", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "arkSendSuccessTitle": "Lähetys onnistui", - "@arkSendSuccessTitle": { - "description": "Title shown after successful Ark send transaction" - }, - "arkSendSuccessMessage": "Ark-siirtosi onnistui!", - "@arkSendSuccessMessage": { - "description": "Success message shown after Ark send transaction completes" - }, - "arkBoardingUnconfirmed": "Boarding vahvistamatta", - "@arkBoardingUnconfirmed": { - "description": "Label for unconfirmed boarding balance in Ark balance breakdown" - }, - "arkBoardingConfirmed": "Boarding vahvistettu", - "@arkBoardingConfirmed": { - "description": "Label for confirmed boarding balance in Ark balance breakdown" - }, - "arkPreconfirmed": "Ennakkovahvistettu", - "@arkPreconfirmed": { - "description": "Label for preconfirmed balance in Ark balance breakdown" - }, - "arkSettled": "Hyvitetty", - "@arkSettled": { - "description": "Label for settled balance in Ark balance breakdown" - }, - "arkAvailable": "Käytettävissä", - "@arkAvailable": { - "description": "Label for available balance in Ark balance breakdown" - }, - "arkNoBalanceData": "Ei saldotietoja saatavilla", - "@arkNoBalanceData": { - "description": "Message shown when Ark balance data is not available" - }, - "arkTxPending": "Vireillä", - "@arkTxPending": { - "description": "Status label for pending Ark transactions" - }, - "arkTxBoarding": "Boarding", - "@arkTxBoarding": { - "description": "Transaction type label for Ark boarding transactions" - }, - "arkTxSettlement": "Vahvistus", - "@arkTxSettlement": { - "description": "Transaction type label for Ark settlement transactions" - }, - "arkTxPayment": "Maksu", - "@arkTxPayment": { - "description": "Transaction type label for Ark payment transactions" - }, - "arkSatsUnit": "sat", - "@arkSatsUnit": { - "description": "Unit label for satoshis in Ark transaction details" - }, - "bitboxErrorPermissionDenied": "USB-oikeudet vaaditaan BitBox-laitteiden yhdistämiseen.", - "@bitboxErrorPermissionDenied": { - "description": "Error when USB permissions are not granted for BitBox" - }, - "bitboxErrorNoDevicesFound": "BitBox-laitteita ei löytynyt. Varmista, että laitteesi on päällä ja liitetty USB:llä.", - "@bitboxErrorNoDevicesFound": { - "description": "Error when no BitBox devices are detected" - }, - "bitboxErrorMultipleDevicesFound": "Useita BitBox-laitteita löydetty. Varmista, että vain yksi laite on kytketty.", - "@bitboxErrorMultipleDevicesFound": { - "description": "Error when multiple BitBox devices are connected" - }, - "bitboxErrorDeviceNotFound": "BitBox-laitetta ei löydy.", - "@bitboxErrorDeviceNotFound": { - "description": "Error when BitBox device cannot be found" - }, - "bitboxErrorConnectionTypeNotInitialized": "Yhteystyyppiä ei ole alustettu.", - "@bitboxErrorConnectionTypeNotInitialized": { - "description": "Error when connection type is not initialized" - }, - "bitboxErrorNoActiveConnection": "Ei aktiivista yhteyttä BitBox-laitteeseen.", - "@bitboxErrorNoActiveConnection": { - "description": "Error when there is no active connection to BitBox" - }, - "bitboxErrorDeviceMismatch": "Laitteiden vastaavuusvirhe havaittu.", - "@bitboxErrorDeviceMismatch": { - "description": "Error when connected device does not match expected device" - }, - "bitboxErrorInvalidMagicBytes": "Virheellinen PSBT-muoto havaittu.", - "@bitboxErrorInvalidMagicBytes": { - "description": "Error when PSBT has invalid magic bytes" - }, - "bitboxErrorDeviceNotPaired": "Laite ei ole paritettu. Suorita paritusprosessi ensin.", - "@bitboxErrorDeviceNotPaired": { - "description": "Error when BitBox device is not paired" - }, - "bitboxErrorHandshakeFailed": "Turvallisen yhteyden muodostaminen epäonnistui. Yritä uudelleen.", - "@bitboxErrorHandshakeFailed": { - "description": "Error when handshake with BitBox device fails" - }, - "bitboxErrorOperationTimeout": "Toiminto aikakatkaistiin. Yritä uudelleen.", - "@bitboxErrorOperationTimeout": { - "description": "Error when BitBox operation times out" - }, - "bitboxErrorConnectionFailed": "Yhteyden muodostaminen BitBox-laitteeseen epäonnistui. Tarkista yhteytesi.", - "@bitboxErrorConnectionFailed": { - "description": "Error when connection to BitBox device fails" - }, - "bitboxErrorInvalidResponse": "Virheellinen vastaus BitBox-laitteelta. Yritä uudelleen.", - "@bitboxErrorInvalidResponse": { - "description": "Error when BitBox returns an invalid response" - }, - "bitboxErrorOperationCancelled": "Toiminto peruutettiin. Yritä uudelleen.", - "@bitboxErrorOperationCancelled": { - "description": "Error when BitBox operation is cancelled" - }, - "bitboxActionUnlockDeviceTitle": "Avaa BitBox-laite", - "@bitboxActionUnlockDeviceTitle": { - "description": "Title for unlock device action" - }, - "bitboxActionPairDeviceTitle": "Parita BitBox-laite", - "@bitboxActionPairDeviceTitle": { - "description": "Title for pair device action" - }, - "bitboxActionImportWalletTitle": "Tuo BitBox-lompakko", - "@bitboxActionImportWalletTitle": { - "description": "Title for import wallet action" - }, - "bitboxActionSignTransactionTitle": "Allekirjoita transaktio", - "@bitboxActionSignTransactionTitle": { - "description": "Title for sign transaction action" - }, - "bitboxActionVerifyAddressTitle": "Vahvista osoite BitBoxissa", - "@bitboxActionVerifyAddressTitle": { - "description": "Title for verify address action" - }, - "bitboxActionUnlockDeviceButton": "Avaa laite", - "@bitboxActionUnlockDeviceButton": { - "description": "Button text for unlock device" - }, - "bitboxActionPairDeviceButton": "Aloita paritus", - "@bitboxActionPairDeviceButton": { - "description": "Button text for pair device" - }, - "bitboxActionImportWalletButton": "Aloita tuonti", - "@bitboxActionImportWalletButton": { - "description": "Button text for import wallet" - }, - "bitboxActionSignTransactionButton": "Aloita allekirjoitus", - "@bitboxActionSignTransactionButton": { - "description": "Button text for sign transaction" - }, - "bitboxActionVerifyAddressButton": "Vahvista osoite", - "@bitboxActionVerifyAddressButton": { - "description": "Button text for verify address" - }, - "bitboxActionUnlockDeviceProcessing": "Avaetaan laitetta", - "@bitboxActionUnlockDeviceProcessing": { - "description": "Processing text for unlock device" - }, - "bitboxActionPairDeviceProcessing": "Paritetaan laitetta", - "@bitboxActionPairDeviceProcessing": { - "description": "Processing text for pair device" - }, - "bitboxActionImportWalletProcessing": "Tuodaan lompakkoa", - "@bitboxActionImportWalletProcessing": { - "description": "Processing text for import wallet" - }, - "bitboxActionSignTransactionProcessing": "Allekirjoitetaan transaktiota", - "@bitboxActionSignTransactionProcessing": { - "description": "Processing text for sign transaction" - }, - "bitboxActionVerifyAddressProcessing": "Näytetään osoitetta BitBoxissa...", - "@bitboxActionVerifyAddressProcessing": { - "description": "Processing text for verify address" - }, - "bitboxActionUnlockDeviceSuccess": "Laite avattu onnistuneesti", - "@bitboxActionUnlockDeviceSuccess": { - "description": "Success text for unlock device" - }, - "bitboxActionPairDeviceSuccess": "Laite paritettu onnistuneesti", - "@bitboxActionPairDeviceSuccess": { - "description": "Success text for pair device" - }, - "bitboxActionImportWalletSuccess": "Lompakko tuotu onnistuneesti", - "@bitboxActionImportWalletSuccess": { - "description": "Success text for import wallet" - }, - "bitboxActionSignTransactionSuccess": "Transaktio allekirjoitettu onnistuneesti", - "@bitboxActionSignTransactionSuccess": { - "description": "Success text for sign transaction" - }, - "bitboxActionVerifyAddressSuccess": "Osoite vahvistettu onnistuneesti", - "@bitboxActionVerifyAddressSuccess": { - "description": "Success text for verify address" - }, - "bitboxActionUnlockDeviceSuccessSubtext": "BitBox-laitteesi on nyt avattu ja käyttövalmis.", - "@bitboxActionUnlockDeviceSuccessSubtext": { - "description": "Success subtext for unlock device" - }, - "bitboxActionPairDeviceSuccessSubtext": "BitBox-laitteesi on nyt paritettu ja käyttövalmis.", - "@bitboxActionPairDeviceSuccessSubtext": { - "description": "Success subtext for pair device" - }, - "bitboxActionImportWalletSuccessSubtext": "BitBox-lompakkosi on tuotu onnistuneesti.", - "@bitboxActionImportWalletSuccessSubtext": { - "description": "Success subtext for import wallet" - }, - "bitboxActionSignTransactionSuccessSubtext": "Transaktiosi on allekirjoitettu onnistuneesti.", - "@bitboxActionSignTransactionSuccessSubtext": { - "description": "Success subtext for sign transaction" - }, - "bitboxActionVerifyAddressSuccessSubtext": "Osoite on vahvistettu BitBox-laitteellasi.", - "@bitboxActionVerifyAddressSuccessSubtext": { - "description": "Success subtext for verify address" - }, - "bitboxActionUnlockDeviceProcessingSubtext": "Syötä salasanasi BitBox-laitteella...", - "@bitboxActionUnlockDeviceProcessingSubtext": { - "description": "Processing subtext for unlock device" - }, - "bitboxActionPairDeviceProcessingSubtext": "Vahvista parituskoodi BitBox-laitteellasi...", - "@bitboxActionPairDeviceProcessingSubtext": { - "description": "Processing subtext for pair device" - }, - "bitboxActionImportWalletProcessingSubtext": "Määritetään vain katseltavaa lompakkoa...", - "@bitboxActionImportWalletProcessingSubtext": { - "description": "Processing subtext for import wallet" - }, - "bitboxActionSignTransactionProcessingSubtext": "Vahvista transaktio BitBox-laitteellasi...", - "@bitboxActionSignTransactionProcessingSubtext": { - "description": "Processing subtext for sign transaction" - }, - "bitboxActionVerifyAddressProcessingSubtext": "Vahvista osoite BitBox-laitteellasi.", - "@bitboxActionVerifyAddressProcessingSubtext": { - "description": "Processing subtext for verify address" - }, - "bitboxScreenConnectDevice": "Yhdistä BitBox-laitteesi", - "@bitboxScreenConnectDevice": { - "description": "Main text when in initial state" - }, - "bitboxScreenScanning": "Etsitään laitteita", - "@bitboxScreenScanning": { - "description": "Main text when scanning for devices" - }, - "bitboxScreenConnecting": "Yhdistetään BitBoxiin", - "@bitboxScreenConnecting": { - "description": "Main text when connecting to device" - }, - "bitboxScreenPairingCode": "Parituskoodi", - "@bitboxScreenPairingCode": { - "description": "Main text when showing pairing code" - }, - "bitboxScreenEnterPassword": "Syötä salasana", - "@bitboxScreenEnterPassword": { - "description": "Main text when waiting for password" - }, - "bitboxScreenVerifyAddress": "Vahvista osoite", - "@bitboxScreenVerifyAddress": { - "description": "Main text when showing address verification" - }, - "bitboxScreenActionFailed": "{action} epäonnistui", - "@bitboxScreenActionFailed": { - "description": "Main text when action fails", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "bitboxScreenConnectSubtext": "Varmista, että BitBox02 on avattu ja liitetty USB:llä.", - "@bitboxScreenConnectSubtext": { - "description": "Subtext for initial state" - }, - "bitboxScreenScanningSubtext": "Etsitään BitBox-laitettasi...", - "@bitboxScreenScanningSubtext": { - "description": "Subtext when scanning" - }, - "bitboxScreenConnectingSubtext": "Luodaan suojattu yhteys...", - "@bitboxScreenConnectingSubtext": { - "description": "Subtext when connecting" - }, - "bitboxScreenPairingCodeSubtext": "Varmista, että tämä koodi vastaa BitBox02:n näyttöä, ja vahvista laitteella.", - "@bitboxScreenPairingCodeSubtext": { - "description": "Subtext when showing pairing code" - }, - "bitboxScreenEnterPasswordSubtext": "Syötä salasanasi BitBox-laitteelle jatkaaksesi.", - "@bitboxScreenEnterPasswordSubtext": { - "description": "Subtext when waiting for password" - }, - "bitboxScreenVerifyAddressSubtext": "Vertaa tätä osoitetta BitBox02:n näyttöön", - "@bitboxScreenVerifyAddressSubtext": { - "description": "Subtext when showing address verification" - }, - "bitboxScreenUnknownError": "Tapahtui tuntematon virhe", - "@bitboxScreenUnknownError": { - "description": "Fallback error message" - }, - "bitboxScreenWaitingConfirmation": "Odotetaan vahvistusta BitBox02:lta...", - "@bitboxScreenWaitingConfirmation": { - "description": "Message shown while waiting for device confirmation" - }, - "bitboxScreenAddressToVerify": "Vahvistettava osoite:", - "@bitboxScreenAddressToVerify": { - "description": "Label for address verification" - }, - "bitboxScreenVerifyOnDevice": "Vahvista tämä osoite BitBox-laitteellasi", - "@bitboxScreenVerifyOnDevice": { - "description": "Instruction to verify address on device" - }, - "bitboxScreenWalletTypeLabel": "Lompakon tyyppi:", - "@bitboxScreenWalletTypeLabel": { - "description": "Label for wallet type selector" - }, - "bitboxScreenSelectWalletType": "Valitse lompakon tyyppi", - "@bitboxScreenSelectWalletType": { - "description": "Title for wallet type selection modal" - }, - "bitboxScreenSegwitBip84": "Segwit (BIP84)", - "@bitboxScreenSegwitBip84": { - "description": "Script type display name for BIP84" - }, - "bitboxScreenSegwitBip84Subtitle": "Natiivinen SegWit - suositeltu", - "@bitboxScreenSegwitBip84Subtitle": { - "description": "Subtitle for BIP84 option" - }, - "bitboxScreenNestedSegwitBip49": "Nested Segwit (BIP49)", - "@bitboxScreenNestedSegwitBip49": { - "description": "Script type display name for BIP49" - }, - "bitboxScreenNestedSegwitBip49Subtitle": "P2WPKH upotettuna P2SH:ään", - "@bitboxScreenNestedSegwitBip49Subtitle": { - "description": "Subtitle for BIP49 option" - }, - "bitboxScreenTroubleshootingTitle": "BitBox02 -vianmääritys", - "@bitboxScreenTroubleshootingTitle": { - "description": "Title for troubleshooting instructions" - }, - "bitboxScreenTroubleshootingSubtitle": "Ensin varmista, että BitBox02 on kytketty puhelimesi USB-porttiin. Jos laite ei silti yhdisty sovellukseen, kokeile seuraavia:", - "@bitboxScreenTroubleshootingSubtitle": { - "description": "Subtitle for troubleshooting instructions" - }, - "bitboxScreenTroubleshootingStep1": "Varmista, että BitBoxillasi on uusin laiteohjelmisto asennettuna.", - "@bitboxScreenTroubleshootingStep1": { - "description": "Troubleshooting step 1" - }, - "bitboxScreenTroubleshootingStep2": "Varmista, että puhelimessasi on USB-oikeudet käytössä.", - "@bitboxScreenTroubleshootingStep2": { - "description": "Troubleshooting step 2" - }, - "bitboxScreenTroubleshootingStep3": "Käynnistä BitBox02 uudelleen irrottamalla ja kytkemällä se takaisin.", - "@bitboxScreenTroubleshootingStep3": { - "description": "Troubleshooting step 3" - }, - "bitboxScreenTryAgainButton": "Yritä uudelleen", - "@bitboxScreenTryAgainButton": { - "description": "Button to retry failed action" - }, - "bitboxScreenManagePermissionsButton": "Hallitse sovelluksen oikeuksia", - "@bitboxScreenManagePermissionsButton": { - "description": "Button to open app permissions settings" - }, - "bitboxScreenNeedHelpButton": "Tarvitsetko apua?", - "@bitboxScreenNeedHelpButton": { - "description": "Button to show help instructions" - }, - "bitboxScreenDefaultWalletLabel": "BitBox-lompakko", - "@bitboxScreenDefaultWalletLabel": { - "description": "Default label for imported BitBox wallet" - }, - "bitboxCubitPermissionDenied": "USB-oikeudet evätty. Myönnä oikeus käyttää BitBox-laitettasi.", - "@bitboxCubitPermissionDenied": { - "description": "Error interpretation for permission denied" - }, - "bitboxCubitDeviceNotFound": "BitBox-laitetta ei löytynyt. Liitä laitteesi ja yritä uudelleen.", - "@bitboxCubitDeviceNotFound": { - "description": "Error interpretation for device not found" - }, - "bitboxCubitDeviceNotPaired": "Laite ei ole paritettu. Suorita paritusprosessi ensin.", - "@bitboxCubitDeviceNotPaired": { - "description": "Error interpretation for device not paired" - }, - "bitboxCubitHandshakeFailed": "Turvallisen yhteyden muodostaminen epäonnistui. Yritä uudelleen.", - "@bitboxCubitHandshakeFailed": { - "description": "Error interpretation for handshake failure" - }, - "bitboxCubitOperationTimeout": "Toiminto aikakatkaistiin. Yritä uudelleen.", - "@bitboxCubitOperationTimeout": { - "description": "Error interpretation for timeout" - }, - "bitboxCubitConnectionFailed": "Yhteyden muodostaminen BitBox-laitteeseen epäonnistui. Tarkista yhteytesi.", - "@bitboxCubitConnectionFailed": { - "description": "Error interpretation for connection failure" - }, - "bitboxCubitInvalidResponse": "Virheellinen vastaus BitBox-laitteelta. Yritä uudelleen.", - "@bitboxCubitInvalidResponse": { - "description": "Error interpretation for invalid response" - }, - "bitboxCubitOperationCancelled": "Toiminto peruutettiin. Yritä uudelleen.", - "@bitboxCubitOperationCancelled": { - "description": "Error interpretation for cancelled operation" - }, - "advancedOptionsTitle": "Lisäasetukset", - "@advancedOptionsTitle": { - "description": "Bottom sheet header/title for advanced sending options" - }, - "replaceByFeeActivatedLabel": "Replace-by-fee aktivoitu", - "@replaceByFeeActivatedLabel": { - "description": "Label for RBF toggle switch" - }, - "replaceByFeeBroadcastButton": "Lähetä", - "@replaceByFeeBroadcastButton": { - "description": "Button to broadcast the replacement transaction" - }, - "replaceByFeeCustomFeeTitle": "Mukautettu kulutaso", - "@replaceByFeeCustomFeeTitle": { - "description": "Title for custom fee input section" - }, - "replaceByFeeErrorFeeRateTooLow": "Sinun on nostettava kulutasoa vähintään 1 sat/vbyte verrattuna alkuperäiseen transaktioon", - "@replaceByFeeErrorFeeRateTooLow": { - "description": "Error message when new fee rate is not high enough" - }, - "replaceByFeeErrorNoFeeRateSelected": "Valitse kulutaso", - "@replaceByFeeErrorNoFeeRateSelected": { - "description": "Error message when no fee rate is selected" - }, - "replaceByFeeErrorTransactionConfirmed": "Alkuperäinen transaktio on vahvistettu", - "@replaceByFeeErrorTransactionConfirmed": { - "description": "Error message when original transaction is already confirmed" - }, - "replaceByFeeErrorGeneric": "Tapahtui virhe yritettäessä korvata transaktiota", - "@replaceByFeeErrorGeneric": { - "description": "Generic error message for replace-by-fee operation failures" - }, - "replaceByFeeFastestDescription": "Arvioitu toimitusaika ~ 10 minuuttia", - "@replaceByFeeFastestDescription": { - "description": "Description for fastest fee option" - }, - "replaceByFeeFastestTitle": "Nopein", - "@replaceByFeeFastestTitle": { - "description": "Title for fastest fee option" - }, - "replaceByFeeFeeRateDisplay": "Kulutaso: {feeRate} sat/vbyte", - "@replaceByFeeFeeRateDisplay": { - "description": "Display text showing the fee rate", - "placeholders": { - "feeRate": { - "type": "String" - } - } - }, - "replaceByFeeOriginalTransactionTitle": "Alkuperäinen transaktio", - "@replaceByFeeOriginalTransactionTitle": { - "description": "Title for original transaction section" - }, - "replaceByFeeSatsVbUnit": "sat/vB", - "@replaceByFeeSatsVbUnit": { - "description": "Unit label for satoshis per virtual byte" - }, - "replaceByFeeScreenTitle": "Replace-by-Fee", - "@replaceByFeeScreenTitle": { - "description": "Screen title for replace by fee feature" - }, - "selectCoinsManuallyLabel": "Valitse kolikot manuaalisesti", - "@selectCoinsManuallyLabel": { - "description": "List tile option to manually select UTXOs" - }, - "doneButton": "Valmis", - "@doneButton": { - "description": "Button to close advanced options bottom sheet" - }, - "confirmLogoutTitle": "Vahvista uloskirjautuminen", - "@confirmLogoutTitle": { - "description": "Dialog title for logout confirmation" - }, - "confirmLogoutMessage": "Haluatko varmasti kirjautua ulos Bull Bitcoin -tililtäsi? Sinun on kirjauduttava uudelleen käyttääksesi pörssin ominaisuuksia.", - "@confirmLogoutMessage": { - "description": "Confirmation message explaining logout consequences" - }, - "logoutButton": "Kirjaudu ulos", - "@logoutButton": { - "description": "Button to confirm logout action" - }, - "comingSoonDefaultMessage": "Tätä ominaisuutta kehitetään parhaillaan ja se tulee saataville pian.", - "@comingSoonDefaultMessage": { - "description": "Default message for features under development" - }, - "featureComingSoonTitle": "Ominaisuus tulossa pian", - "@featureComingSoonTitle": { - "description": "Title for coming soon bottom sheet" - }, - "okButton": "OK", - "@okButton": { - "description": "Button to dismiss coming soon message" - }, - "notLoggedInTitle": "Et ole kirjautunut sisään", - "@notLoggedInTitle": { - "description": "Title for not logged in state" - }, - "notLoggedInMessage": "Kirjaudu Bull Bitcoin -tilillesi käyttääksesi pörssiasetuksia.", - "@notLoggedInMessage": { - "description": "Message prompting user to log in for exchange features" - }, - "loginButton": "KIRJAUDU SISÄÄN", - "@loginButton": { - "description": "Button to navigate to login screen" - }, - "selectAmountTitle": "Valitse määrä", - "@selectAmountTitle": { - "description": "Title for manual coin selection bottom sheet" - }, - "amountRequestedLabel": "Pyydetty määrä: {amount}", - "@amountRequestedLabel": { - "description": "Shows the requested amount to send", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "addressLabel": "Osoite: ", - "@addressLabel": { - "description": "Label for UTXO address in coin selection tile" - }, - "typeLabel": "Tyyppi: ", - "@typeLabel": { - "description": "Label for address type (Receive/Change)" - }, - "addressViewReceiveType": "Vastaanotto", - "@addressViewReceiveType": { - "description": "Address type label for external/receive addresses" - }, - "addressViewChangeType": "Vaihtoraha", - "@addressViewChangeType": { - "description": "Address type label for internal/change addresses" - }, - "pasteInputDefaultHint": "Liitä maksun osoite tai lasku", - "@pasteInputDefaultHint": { - "description": "Default placeholder hint for paste input field" - }, - "copyDialogButton": "Kopioi", - "@copyDialogButton": { - "description": "Button in modal dialog to copy value to clipboard" - }, - "closeDialogButton": "Sulje", - "@closeDialogButton": { - "description": "Button to close the value display modal dialog" - }, - "scanningProgressLabel": "Skannataan: {percent}%", - "@scanningProgressLabel": { - "description": "Progress indicator for UR QR code scanning", - "placeholders": { - "percent": { - "type": "String" - } - } - }, - "urProgressLabel": "UR:n eteneminen: {parts} osaa", - "@urProgressLabel": { - "description": "Progress message showing parts processed for multi-part UR codes", - "placeholders": { - "parts": { - "type": "String" - } - } - }, - "scanningCompletedMessage": "Skannaus valmis", - "@scanningCompletedMessage": { - "description": "Success message when UR scanning completes" - }, - "urDecodingFailedMessage": "UR:n dekoodaus epäonnistui", - "@urDecodingFailedMessage": { - "description": "Error message when UR decoding fails" - }, - "urProcessingFailedMessage": "UR:n käsittely epäonnistui", - "@urProcessingFailedMessage": { - "description": "Error message when UR processing encounters an exception" - }, - "scanNfcButton": "Skannaa NFC", - "@scanNfcButton": { - "description": "Button label to initiate NFC scanning" - }, - "shareLogsLabel": "Jaa lokitiedot", - "@shareLogsLabel": { - "description": "List tile label to share application logs" - }, - "viewLogsLabel": "Näytä lokitiedot", - "@viewLogsLabel": { - "description": "List tile label to view logs inline or in viewer" - }, - "errorSharingLogsMessage": "Lokitietojen jako epäonnistui: {error}", - "@errorSharingLogsMessage": { - "description": "Error message when log sharing fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "copiedToClipboardMessage": "Kopioitu leikepöydälle", - "@copiedToClipboardMessage": { - "description": "Snackbar confirmation message after copying to clipboard" - }, - "submitButton": "Lähetä", - "@submitButton": { - "description": "Default button label to submit mnemonic" - }, - "optionalPassphraseHint": "Valinnainen salafraasi", - "@optionalPassphraseHint": { - "description": "Placeholder hint for passphrase field" - }, - "labelInputLabel": "Tunniste", - "@labelInputLabel": { - "description": "Label for wallet label input field" - }, - "requiredHint": "Pakollinen", - "@requiredHint": { - "description": "Placeholder hint for required label field" - }, - "wordsDropdownSuffix": " sanaa", - "@wordsDropdownSuffix": { - "description": "Suffix for mnemonic length dropdown" - }, - "emptyMnemonicWordsError": "Syötä kaikki siemenlauseen sanat", - "@emptyMnemonicWordsError": { - "description": "Error message when not all mnemonic words are filled in" - }, - "tryAgainButton": "Yritä uudelleen", - "@tryAgainButton": { - "description": "Default button text for error state" - }, - "errorGenericTitle": "Hups! Jotain meni pieleen", - "@errorGenericTitle": { - "description": "Generic error title when hasError is true" - }, - "confirmSendTitle": "Vahvista lähetys", - "@confirmSendTitle": { - "description": "Title for send confirmation screen when sending bitcoin" - }, - "confirmTransferTitle": "Vahvista siirto", - "@confirmTransferTitle": { - "description": "Title for confirmation screen when transferring between wallets" - }, - "fromLabel": "Lähteestä", - "@fromLabel": { - "description": "Label for source wallet in transaction details" - }, - "toLabel": "Kohteeseen", - "@toLabel": { - "description": "Label for destination address in transaction details" - }, - "amountLabel": "Määrä", - "@amountLabel": { - "description": "Label for transaction amount display" - }, - "networkFeesLabel": "Verkkokulut", - "@networkFeesLabel": { - "description": "Label for network transaction fees in onchain send" - }, - "feePriorityLabel": "Kulujen prioriteetti", - "@feePriorityLabel": { - "description": "Label for fee selection priority option" - }, - "transferIdLabel": "Swapin tunnus", - "@transferIdLabel": { - "description": "Label for swap transfer ID" - }, - "totalFeesLabel": "Kokonaiskulut", - "@totalFeesLabel": { - "description": "Label for total fees in lightning swap" - }, - "totalFeeLabel": "Kokonaiskulu", - "@totalFeeLabel": { - "description": "Label for expandable total fee breakdown in swap" - }, - "networkFeeLabel": "Verkkokulu", - "@networkFeeLabel": { - "description": "Breakdown component showing network fee portion" - }, - "transferFeeLabel": "Siirtokulu", - "@transferFeeLabel": { - "description": "Breakdown component showing Boltz transfer fee portion" - }, - "sendNetworkFeesLabel": "Lähetyksen verkkokulut", - "@sendNetworkFeesLabel": { - "description": "Label for sending network fees in chain swap" - }, - "confirmButtonLabel": "Vahvista", - "@confirmButtonLabel": { - "description": "Button label to confirm and execute the transaction" - }, - "satsSuffix": " sats", - "@satsSuffix": { - "description": "Unit suffix for satoshi amounts" - }, - "approximateFiatPrefix": "~", - "@approximateFiatPrefix": { - "description": "Prefix indicating approximate fiat equivalent value" - }, - "routeErrorMessage": "Sivua ei löytynyt", - "@routeErrorMessage": { - "description": "Error message displayed when user navigates to non-existent route" - }, - "logsViewerTitle": "Lokitiedot", - "@logsViewerTitle": { - "description": "AppBar title for logs viewer screen" - }, - "payInvoiceTitle": "Maksa lasku", - "@payInvoiceTitle": { - "description": "AppBar title for the pay invoice screen" - }, - "payEnterAmountTitle": "Syötä summa", - "@payEnterAmountTitle": { - "description": "Title for amount entry screen in payment flow" - }, - "payInvalidInvoice": "Virheellinen lasku", - "@payInvalidInvoice": { - "description": "Error message when invoice format is invalid" - }, - "payInvoiceExpired": "Lasku vanhentunut", - "@payInvoiceExpired": { - "description": "Error message when Lightning invoice has expired" - }, - "payNetworkError": "Verkkovirhe. Yritä uudelleen", - "@payNetworkError": { - "description": "Error message for network connectivity issues during payment" - }, - "payProcessingPayment": "Käsitellään maksua...", - "@payProcessingPayment": { - "description": "Loading message while payment is being processed" - }, - "payPaymentSuccessful": "Maksu onnistui", - "@payPaymentSuccessful": { - "description": "Success message after payment completes" - }, - "payPaymentFailed": "Maksu epäonnistui", - "@payPaymentFailed": { - "description": "Error message when payment fails" - }, - "payRetryPayment": "Yritä maksua uudelleen", - "@payRetryPayment": { - "description": "Button text to retry a failed payment" - }, - "payScanQRCode": "Skannaa QR-koodi", - "@payScanQRCode": { - "description": "Button text to open QR code scanner for payment" - }, - "payPasteInvoice": "Liitä lasku", - "@payPasteInvoice": { - "description": "Button text to paste invoice from clipboard" - }, - "payEnterInvoice": "Syötä lasku", - "@payEnterInvoice": { - "description": "Placeholder text for invoice input field" - }, - "payTotal": "Yhteensä", - "@payTotal": { - "description": "Label for total payment amount (amount + fee)" - }, - "payDescription": "Kuvaus", - "@payDescription": { - "description": "Label for payment description/memo field" - }, - "payCancelPayment": "Peruuta maksu", - "@payCancelPayment": { - "description": "Button text to cancel payment flow" - }, - "payLightningInvoice": "Lightning-lasku", - "@payLightningInvoice": { - "description": "Label indicating invoice type is Lightning Network" - }, - "payBitcoinAddress": "Bitcoin-osoite", - "@payBitcoinAddress": { - "description": "Label indicating payment destination is on-chain address" - }, - "payLiquidAddress": "Liquid-osoite", - "@payLiquidAddress": { - "description": "Label indicating payment destination is Liquid address" - }, - "payInvoiceDetails": "Laskun tiedot", - "@payInvoiceDetails": { - "description": "Section header for invoice information" - }, - "payAmountTooLow": "Määrä on alle minimirajan", - "@payAmountTooLow": { - "description": "Error when payment amount is below minimum allowed" - }, - "payAmountTooHigh": "Määrä ylittää maksimin", - "@payAmountTooHigh": { - "description": "Error when payment amount exceeds maximum allowed" - }, - "payInvalidAmount": "Virheellinen määrä", - "@payInvalidAmount": { - "description": "Error when entered amount is invalid" - }, - "payFeeTooHigh": "Kulu on poikkeuksellisen korkea", - "@payFeeTooHigh": { - "description": "Warning when calculated fee is higher than expected" - }, - "payConfirmHighFee": "Tämän maksun kulu on {percentage}% summasta. Jatketaanko?", - "@payConfirmHighFee": { - "description": "Confirmation prompt when fee percentage is high", - "placeholders": { - "percentage": { - "type": "String" - } - } - }, - "payNoRouteFound": "Reittiä ei löydy tälle maksulle", - "@payNoRouteFound": { - "description": "Error when Lightning routing cannot find a path" - }, - "payRoutingFailed": "Reititys epäonnistui", - "@payRoutingFailed": { - "description": "Error when Lightning payment routing fails" - }, - "payChannelBalanceLow": "Kanavan saldo liian pieni", - "@payChannelBalanceLow": { - "description": "Error when Lightning channel lacks sufficient outbound liquidity" - }, - "payOpenChannelRequired": "Tämän maksun suorittamiseksi on avattava kanava", - "@payOpenChannelRequired": { - "description": "Message indicating a new Lightning channel is needed" - }, - "payEstimatedFee": "Arvioitu kulu", - "@payEstimatedFee": { - "description": "Label for estimated network fee" - }, - "payActualFee": "Todellinen kulu", - "@payActualFee": { - "description": "Label for actual fee paid after transaction" - }, - "payTimeoutError": "Maksun aikakatkaisu. Tarkista tila", - "@payTimeoutError": { - "description": "Error when payment takes too long to complete" - }, - "payCheckingStatus": "Tarkistetaan maksun tilaa...", - "@payCheckingStatus": { - "description": "Loading message while verifying payment status" - }, - "payPaymentPending": "Maksu vireillä", - "@payPaymentPending": { - "description": "Status message for in-flight payment" - }, - "payPaymentConfirmed": "Maksu vahvistettu", - "@payPaymentConfirmed": { - "description": "Status message for confirmed payment" - }, - "payViewTransaction": "Näytä transaktio", - "@payViewTransaction": { - "description": "Button text to view transaction details" - }, - "payShareInvoice": "Jaa lasku", - "@payShareInvoice": { - "description": "Button text to share payment invoice" - }, - "payInvoiceCopied": "Lasku kopioitu leikepöydälle", - "@payInvoiceCopied": { - "description": "Toast message after copying invoice" - }, - "payExpiresIn": "Vanhenee {time}", - "@payExpiresIn": { - "description": "Label showing invoice expiration time", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "payExpired": "Vanhentunut", - "@payExpired": { - "description": "Status label for expired invoice" - }, - "payLightningFee": "Lightning-kulu", - "@payLightningFee": { - "description": "Label for Lightning Network routing fee" - }, - "payOnChainFee": "On-chain-kulu", - "@payOnChainFee": { - "description": "Label for Bitcoin on-chain transaction fee" - }, - "payLiquidFee": "Liquid-kulu", - "@payLiquidFee": { - "description": "Label for Liquid Network transaction fee" - }, - "paySwapFee": "Swap-kulut", - "@paySwapFee": { - "description": "Label for submarine swap fee" - }, - "payServiceFee": "Swap-palvelinkulut", - "@payServiceFee": { - "description": "Label for service provider fee" - }, - "payTotalFees": "Kokonaiskulut", - "@payTotalFees": { - "description": "Label for sum of all fees" - }, - "payFeeBreakdown": "Kuluerittely", - "@payFeeBreakdown": { - "description": "Section header for detailed fee information" - }, - "payMinimumAmount": "Minimi: {amount}", - "@payMinimumAmount": { - "description": "Label showing minimum payment amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "payMaximumAmount": "Maksimi: {amount}", - "@payMaximumAmount": { - "description": "Label showing maximum payment amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "payAvailableBalance": "Saatavilla: {amount}", - "@payAvailableBalance": { - "description": "Label showing available wallet balance", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "payRequiresSwap": "Tämä maksu vaatii swapin", - "@payRequiresSwap": { - "description": "Info message when payment needs submarine swap" - }, - "paySwapInProgress": "Swap on käynnissä...", - "@paySwapInProgress": { - "description": "Status message during submarine swap" - }, - "paySwapCompleted": "Swap on suoritettu", - "@paySwapCompleted": { - "description": "Status message after successful swap" - }, - "paySwapFailed": "Swap epäonnistui", - "@paySwapFailed": { - "description": "Error message when swap fails" - }, - "payBroadcastingTransaction": "Lähetetään transaktiota...", - "@payBroadcastingTransaction": { - "description": "Status message while broadcasting to network" - }, - "payTransactionBroadcast": "Transaktio lähetetty", - "@payTransactionBroadcast": { - "description": "Success message after broadcasting" - }, - "payBroadcastFailed": "Lähetys epäonnistui", - "@payBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, - "payConfirmationRequired": "Vahvistus vaaditaan", - "@payConfirmationRequired": { - "description": "Message when user confirmation is needed" - }, - "payReviewPayment": "Tarkista maksu", - "@payReviewPayment": { - "description": "Title for payment review screen" - }, - "payPaymentDetails": "Maksun tiedot", - "@payPaymentDetails": { - "description": "Section header for payment information" - }, - "payFromWallet": "Lompakosta", - "@payFromWallet": { - "description": "Label showing source wallet" - }, - "payToAddress": "Osoitteeseen", - "@payToAddress": { - "description": "Label showing destination address" - }, - "payNetworkType": "Verkko", - "@payNetworkType": { - "description": "Label for network type (Lightning/Bitcoin/Liquid)" - }, - "payPriority": "Prioriteetti", - "@payPriority": { - "description": "Label for transaction priority/fee level" - }, - "payLowPriority": "Alhainen", - "@payLowPriority": { - "description": "Low fee priority option" - }, - "payMediumPriority": "Keskitaso", - "@payMediumPriority": { - "description": "Medium fee priority option" - }, - "payHighPriority": "Korkea", - "@payHighPriority": { - "description": "High fee priority option" - }, - "payCustomFee": "Mukautettu kulu", - "@payCustomFee": { - "description": "Option to set custom fee amount" - }, - "payFeeRate": "Kulutaso", - "@payFeeRate": { - "description": "Label for fee rate (sat/vB)" - }, - "paySatsPerByte": "{sats} sat/vB", - "@paySatsPerByte": { - "description": "Fee rate format", - "placeholders": { - "sats": { - "type": "String" - } - } - }, - "payEstimatedConfirmation": "Arvioitu vahvistusaika: {time}", - "@payEstimatedConfirmation": { - "description": "Estimated time until confirmation", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "payReplaceByFee": "Replace-by-Fee (RBF)", - "@payReplaceByFee": { - "description": "Label for RBF feature" - }, - "payEnableRBF": "Ota RBF käyttöön", - "@payEnableRBF": { - "description": "Checkbox to enable Replace-by-Fee" - }, - "payRBFEnabled": "RBF käytössä", - "@payRBFEnabled": { - "description": "Status when RBF is enabled" - }, - "payRBFDisabled": "RBF pois käytöstä", - "@payRBFDisabled": { - "description": "Status when RBF is disabled" - }, - "payBumpFee": "Nosta kulua", - "@payBumpFee": { - "description": "Button to increase fee of pending transaction" - }, - "payCannotBumpFee": "Kulua ei voida nostaa tälle transaktiolle", - "@payCannotBumpFee": { - "description": "Error when RBF is not available" - }, - "payFeeBumpSuccessful": "Kulun nosto onnistui", - "@payFeeBumpSuccessful": { - "description": "Success message after fee bump" - }, - "payFeeBumpFailed": "Kulun nosto epäonnistui", - "@payFeeBumpFailed": { - "description": "Error when fee bump fails" - }, - "payBatchPayment": "Maksu useaan osoitteeseen", - "@payBatchPayment": { - "description": "Option to combine multiple payments" - }, - "payAddRecipient": "Lisää vastaanottaja", - "@payAddRecipient": { - "description": "Button to add another payment recipient" - }, - "payRemoveRecipient": "Poista vastaanottaja", - "@payRemoveRecipient": { - "description": "Button to remove a recipient from batch" - }, - "payRecipientCount": "{count} vastaanottajaa", - "@payRecipientCount": { - "description": "Label showing number of recipients", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "payTotalAmount": "Kokonaismäärä", - "@payTotalAmount": { - "description": "Label for sum of all payment amounts" - }, - "paySendAll": "Lähetä kaikki", - "@paySendAll": { - "description": "Button to send entire wallet balance" - }, - "paySendMax": "Maksimi", - "@paySendMax": { - "description": "Button to set amount to maximum available" - }, - "payInvalidAddress": "Virheellinen osoite", - "@payInvalidAddress": { - "description": "Error for malformed address" - }, - "payAddressRequired": "Osoite on pakollinen", - "@payAddressRequired": { - "description": "Validation error for empty address field" - }, - "payAmountRequired": "Määrä on pakollinen", - "@payAmountRequired": { - "description": "Validation error for empty amount field" - }, - "payEnterValidAmount": "Anna kelvollinen määrä", - "@payEnterValidAmount": { - "description": "Validation error for invalid amount format" - }, - "payWalletNotSynced": "Lompakko ei ole synkronoitu. Odota", - "@payWalletNotSynced": { - "description": "Error when wallet sync is incomplete" - }, - "paySyncingWallet": "Synkronoidaan lompakkoa...", - "@paySyncingWallet": { - "description": "Status message during wallet sync" - }, - "payNoActiveWallet": "Ei aktiivista lompakkoa", - "@payNoActiveWallet": { - "description": "Error when no wallet is selected" - }, - "paySelectActiveWallet": "Valitse lompakko", - "@paySelectActiveWallet": { - "description": "Prompt to choose a wallet" - }, - "payUnsupportedInvoiceType": "Laskutyyppiä ei tueta", - "@payUnsupportedInvoiceType": { - "description": "Error for unknown invoice format" - }, - "payDecodingInvoice": "Puretaan laskua...", - "@payDecodingInvoice": { - "description": "Loading message while parsing invoice" - }, - "payInvoiceDecoded": "Lasku purettu onnistuneesti", - "@payInvoiceDecoded": { - "description": "Success message after decoding" - }, - "payDecodeFailed": "Laskun purku epäonnistui", - "@payDecodeFailed": { - "description": "Error when invoice parsing fails" - }, - "payMemo": "Muistiinpano", - "@payMemo": { - "description": "Label for optional payment note" - }, - "payAddMemo": "Lisää kuvaus (valinnainen)", - "@payAddMemo": { - "description": "Placeholder for memo input field" - }, - "payPrivatePayment": "Yksityinen maksu", - "@payPrivatePayment": { - "description": "Label for privacy-enhanced payment option" - }, - "payUseCoinjoin": "Käytä CoinJoinia", - "@payUseCoinjoin": { - "description": "Option to use CoinJoin for privacy" - }, - "payCoinjoinInProgress": "CoinJoin käynnissä...", - "@payCoinjoinInProgress": { - "description": "Status during CoinJoin process" - }, - "payCoinjoinCompleted": "CoinJoin suoritettu", - "@payCoinjoinCompleted": { - "description": "Success message after CoinJoin" - }, - "payCoinjoinFailed": "CoinJoin epäonnistui", - "@payCoinjoinFailed": { - "description": "Error when CoinJoin fails" - }, - "payPaymentHistory": "Maksuhistoria", - "@payPaymentHistory": { - "description": "Title for list of past payments" - }, - "payNoPayments": "Ei maksuja vielä", - "@payNoPayments": { - "description": "Empty state message" - }, - "payFilterPayments": "Suodata maksuja", - "@payFilterPayments": { - "description": "Button to filter payment list" - }, - "paySearchPayments": "Hae maksuja...", - "@paySearchPayments": { - "description": "Search box placeholder" - }, - "payAllPayments": "Kaikki maksut", - "@payAllPayments": { - "description": "Filter option to show all" - }, - "paySuccessfulPayments": "Onnistuneet", - "@paySuccessfulPayments": { - "description": "Filter for successful payments" - }, - "payFailedPayments": "Epäonnistuneet", - "@payFailedPayments": { - "description": "Filter for failed payments" - }, - "payPendingPayments": "Vireillä", - "@payPendingPayments": { - "description": "Filter for pending payments" - }, - "sendCoinControl": "Kolikkohallinta", - "@sendCoinControl": { - "description": "Feature to manually select UTXOs" - }, - "sendSelectCoins": "Valitse kolikot", - "@sendSelectCoins": { - "description": "Button to open UTXO selector" - }, - "sendSelectedCoins": "{count} kolikkoa valittu", - "@sendSelectedCoins": { - "description": "Label showing number of UTXOs selected", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "sendClearSelection": "Tyhjennä valinta", - "@sendClearSelection": { - "description": "Button to deselect all UTXOs" - }, - "sendCoinAmount": "Määrä: {amount}", - "@sendCoinAmount": { - "description": "Label for UTXO amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sendCoinConfirmations": "{count} vahvistusta", - "@sendCoinConfirmations": { - "description": "Label for UTXO confirmation count", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "sendUnconfirmed": "Vahvistamaton", - "@sendUnconfirmed": { - "description": "Status for 0-conf UTXO" - }, - "sendFrozenCoin": "Jäädytetty", - "@sendFrozenCoin": { - "description": "Status for manually frozen UTXO" - }, - "sendFreezeCoin": "Jäädytä kolikko", - "@sendFreezeCoin": { - "description": "Action to prevent UTXO from being spent" - }, - "sendUnfreezeCoin": "Poista kolikon jäädytys", - "@sendUnfreezeCoin": { - "description": "Action to allow spending frozen UTXO" - }, - "sendSubmarineSwap": "Submarine-vaihto", - "@sendSubmarineSwap": { - "description": "Feature to swap on-chain to Lightning" - }, - "sendInitiatingSwap": "Käynnistetään vaihtoa...", - "@sendInitiatingSwap": { - "description": "Loading message during swap setup" - }, - "sendSwapDetails": "Vaihdon tiedot", - "@sendSwapDetails": { - "description": "Section header for swap information" - }, - "sendSwapAmount": "Vaihtomäärä", - "@sendSwapAmount": { - "description": "Label for amount being swapped" - }, - "sendSwapFeeEstimate": "Arvioitu vaihtokulu: {amount}", - "@sendSwapFeeEstimate": { - "description": "Estimated cost of swap", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sendSwapTimeEstimate": "Arvioitu aika: {time}", - "@sendSwapTimeEstimate": { - "description": "Expected swap duration", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "sendConfirmSwap": "Vahvista vaihto", - "@sendConfirmSwap": { - "description": "Button to proceed with swap" - }, - "sendSwapCancelled": "Vaihto peruutettu", - "@sendSwapCancelled": { - "description": "Message when user cancels swap" - }, - "sendSwapTimeout": "Vaihto aikakatkaistiin", - "@sendSwapTimeout": { - "description": "Error when swap expires" - }, - "sendCustomFeeRate": "Mukautettu kulutaso", - "@sendCustomFeeRate": { - "description": "Option to manually set fee" - }, - "sendFeeRateTooLow": "Kulutaso liian alhainen", - "@sendFeeRateTooLow": { - "description": "Error for insufficient fee" - }, - "sendFeeRateTooHigh": "Kulutaso vaikuttaa erittäin korkealta", - "@sendFeeRateTooHigh": { - "description": "Warning for excessive fee" - }, - "sendRecommendedFee": "Suositus: {rate} sat/vB", - "@sendRecommendedFee": { - "description": "Suggested fee rate", - "placeholders": { - "rate": { - "type": "String" - } - } - }, - "sendEconomyFee": "Taloudinen", - "@sendEconomyFee": { - "description": "Lowest fee tier" - }, - "sendNormalFee": "Normaali", - "@sendNormalFee": { - "description": "Standard fee tier" - }, - "sendFastFee": "Nopea", - "@sendFastFee": { - "description": "Highest fee tier" - }, - "sendHardwareWallet": "Laitteistolompakko", - "@sendHardwareWallet": { - "description": "Option to sign with hardware device" - }, - "sendConnectDevice": "Yhdistä laite", - "@sendConnectDevice": { - "description": "Prompt to plug in hardware wallet" - }, - "sendDeviceConnected": "Laite yhdistetty", - "@sendDeviceConnected": { - "description": "Status when hardware wallet is detected" - }, - "sendDeviceDisconnected": "Laite irrotettu", - "@sendDeviceDisconnected": { - "description": "Error when hardware wallet unplugged" - }, - "sendVerifyOnDevice": "Vahvista laitteella", - "@sendVerifyOnDevice": { - "description": "Instruction to check hardware wallet screen" - }, - "sendSigningTransaction": "Allekirjoitetaan transaktiota...", - "@sendSigningTransaction": { - "description": "Status while hardware wallet signs" - }, - "sendSignatureReceived": "Allekirjoitus vastaanotettu", - "@sendSignatureReceived": { - "description": "Success after hardware wallet signs" - }, - "sendSigningFailed": "Allekirjoitus epäonnistui", - "@sendSigningFailed": { - "description": "Error during hardware wallet signing" - }, - "sendUserRejected": "Käyttäjä hylkäsi laitteella", - "@sendUserRejected": { - "description": "Error when user declines on hardware wallet" - }, - "sendBuildingTransaction": "Rakennetaan transaktiota...", - "@sendBuildingTransaction": { - "description": "Status while constructing transaction" - }, - "sendTransactionBuilt": "Transaktio valmis", - "@sendTransactionBuilt": { - "description": "Success after transaction constructed" - }, - "sendBuildFailed": "Transaktion muodostaminen epäonnistui", - "@sendBuildFailed": { - "description": "Error during transaction construction" - }, - "sendInsufficientFunds": "Riittämättömät varat", - "@sendInsufficientFunds": { - "description": "Error when balance too low" - }, - "sendDustAmount": "Määrä liian pieni (dust)", - "@sendDustAmount": { - "description": "Error for uneconomical amount" - }, - "sendOutputTooSmall": "Ulostulo alle dust-rajan", - "@sendOutputTooSmall": { - "description": "Error for tiny output amount" - }, - "sendScheduledPayment": "Ajastettu maksu", - "@sendScheduledPayment": { - "description": "Feature to delay transaction" - }, - "sendScheduleFor": "Ajastettu ajalle {date}", - "@sendScheduleFor": { - "description": "Label for scheduled date", - "placeholders": { - "date": { - "type": "String" - } - } - }, - "sendSwapId": "Swap-ID", - "@sendSwapId": { - "description": "Label for swap identifier in transaction details" - }, - "sendSendAmount": "Lähetettävä määrä", - "@sendSendAmount": { - "description": "Label for amount being sent in swap" - }, - "sendReceiveAmount": "Vastaanotettava määrä", - "@sendReceiveAmount": { - "description": "Label for amount being received in swap" - }, - "sendSendNetworkFee": "Lähetyksen verkkokulu", - "@sendSendNetworkFee": { - "description": "Label for network fee on send side of swap" - }, - "sendTransferFee": "Swap-kulut", - "@sendTransferFee": { - "description": "Label for total swap transfer fee" - }, - "sendTransferFeeDescription": "Tämä on lähetetystä summasta vähennetty kokonaiskulu", - "@sendTransferFeeDescription": { - "description": "Explanation of what the transfer fee represents" - }, - "sendReceiveNetworkFee": "Vastaanoton verkkokulu", - "@sendReceiveNetworkFee": { - "description": "Label for network fee on receive side" - }, - "sendServerNetworkFees": "Palvelimen verkkokulut", - "@sendServerNetworkFees": { - "description": "Label for Boltz server fees" - }, - "sendConfirmSend": "Vahvista lähetys", - "@sendConfirmSend": { - "description": "Title for send confirmation screen" - }, - "sendSending": "Lähetetään", - "@sendSending": { - "description": "Title shown while transaction is being sent" - }, - "sendBroadcastingTransaction": "Lähetetään transaktiota.", - "@sendBroadcastingTransaction": { - "description": "Message shown while broadcasting transaction to network" - }, - "sendSwapInProgressInvoice": "Swap on käynnissä. Lasku maksetaan muutamassa sekunnissa.", - "@sendSwapInProgressInvoice": { - "description": "Message for Liquid swap in progress" - }, - "sendSwapInProgressBitcoin": "Swap on käynnissä. Bitcoin-transaktion vahvistuminen voi kestää hetken. Voit palata kotiin ja odottaa.", - "@sendSwapInProgressBitcoin": { - "description": "Message for Bitcoin swap in progress" - }, - "sendSwapRefundInProgress": "Swapin hyvitys on käynnissä", - "@sendSwapRefundInProgress": { - "description": "Title when swap failed and refund is processing" - }, - "sendSwapFailed": "Swap epäonnistui. Hyvityksesi käsitellään pian.", - "@sendSwapFailed": { - "description": "Message explaining swap failure and refund" - }, - "sendSwapRefundCompleted": "Swap hyvitys on suoritettu", - "@sendSwapRefundCompleted": { - "description": "Title when refund has completed" - }, - "sendRefundProcessed": "Hyvityksesi on käsitelty.", - "@sendRefundProcessed": { - "description": "Message confirming refund completion" - }, - "sendInvoicePaid": "Lasku maksettu", - "@sendInvoicePaid": { - "description": "Title when Lightning invoice payment succeeds" - }, - "sendPaymentProcessing": "Maksu käsitellään. Se voi kestää jopa minuutin", - "@sendPaymentProcessing": { - "description": "Message while payment processes" - }, - "sendPaymentWillTakeTime": "Maksu vie aikaa", - "@sendPaymentWillTakeTime": { - "description": "Title warning of delayed payment" - }, - "sendSwapInitiated": "Swap on aloitettu", - "@sendSwapInitiated": { - "description": "Title when chain swap begins" - }, - "sendSwapWillTakeTime": "Vahvistuminen vie jonkin aikaa", - "@sendSwapWillTakeTime": { - "description": "Message warning swap confirmation takes time" - }, - "sendSuccessfullySent": "Lähetys onnistui", - "@sendSuccessfullySent": { - "description": "Title for successful send completion" - }, - "sendViewDetails": "Näytä tiedot", - "@sendViewDetails": { - "description": "Button to view transaction details" - }, - "sendShowPsbt": "Näytä PSBT", - "@sendShowPsbt": { - "description": "Button to display PSBT for external signing" - }, - "sendSignWithLedger": "Allekirjoita Ledgerillä", - "@sendSignWithLedger": { - "description": "Button to sign transaction with Ledger hardware wallet" - }, - "sendSignWithBitBox": "Allekirjoita BitBoxilla", - "@sendSignWithBitBox": { - "description": "Button to sign transaction with BitBox hardware wallet" - }, - "sendTransactionSignedLedger": "Transaktio allekirjoitettu onnistuneesti Ledgerillä", - "@sendTransactionSignedLedger": { - "description": "Success message after Ledger signing" - }, - "sendHighFeeWarningDescription": "Kokonaiskulu on {feePercent}% lähettämästäsi määrästä", - "@sendHighFeeWarningDescription": { - "description": "Warning message showing fee as percentage of send amount", - "placeholders": { - "feePercent": { - "type": "String" - } - } - }, - "sendEnterAbsoluteFee": "Anna absoluuttinen kulu satoshissa", - "@sendEnterAbsoluteFee": { - "description": "Placeholder for absolute fee input field" - }, - "sendEnterRelativeFee": "Anna suhteellinen kulu sat/vB", - "@sendEnterRelativeFee": { - "description": "Placeholder for relative fee rate input field" - }, - "sendErrorArkExperimentalOnly": "ARK-maksupyyntöjä on saatavilla vain kokeellisesta Ark-ominaisuudesta.", - "@sendErrorArkExperimentalOnly": { - "description": "Error when ARK payment is attempted without experimental feature enabled" - }, - "sendErrorSwapCreationFailed": "Vaihdon luominen epäonnistui.", - "@sendErrorSwapCreationFailed": { - "description": "Error when swap creation fails" - }, - "sendErrorInsufficientBalanceForPayment": "Saldo ei riitä tämän maksun kattamiseen", - "@sendErrorInsufficientBalanceForPayment": { - "description": "Error when wallet balance is insufficient for payment" - }, - "sendErrorInvalidAddressOrInvoice": "Virheellinen Bitcoin-maksuosoite tai lasku", - "@sendErrorInvalidAddressOrInvoice": { - "description": "Error when payment request is invalid" - }, - "sendErrorBuildFailed": "Rakentaminen epäonnistui", - "@sendErrorBuildFailed": { - "description": "Error title when transaction build fails" - }, - "sendErrorConfirmationFailed": "Vahvistus epäonnistui", - "@sendErrorConfirmationFailed": { - "description": "Error title when transaction confirmation fails" - }, - "sendErrorInsufficientBalanceForSwap": "Saldo ei riitä maksamaan tätä vaihtoa Liquidin kautta eikä se ole swap-rajoissa maksamiseen Bitcoinin kautta.", - "@sendErrorInsufficientBalanceForSwap": { - "description": "Error when balance insufficient for swap through either network" - }, - "sendErrorAmountBelowSwapLimits": "Määrä on swap-rajojen alapuolella", - "@sendErrorAmountBelowSwapLimits": { - "description": "Error when amount is below minimum swap limit" - }, - "sendErrorAmountAboveSwapLimits": "Määrä ylittää swap-rajat", - "@sendErrorAmountAboveSwapLimits": { - "description": "Error when amount exceeds maximum swap limit" - }, - "sendErrorAmountBelowMinimum": "Määrä alle minimirajan: {minLimit} sat", - "@sendErrorAmountBelowMinimum": { - "description": "Error with specific minimum swap amount", - "placeholders": { - "minLimit": { - "type": "String" - } - } - }, - "sendErrorAmountAboveMaximum": "Määrä ylittää suurimman swap-rajan: {maxLimit} sat", - "@sendErrorAmountAboveMaximum": { - "description": "Error with specific maximum swap amount", - "placeholders": { - "maxLimit": { - "type": "String" - } - } - }, - "sendErrorSwapFeesNotLoaded": "Swap-kuluja ei ole ladattu", - "@sendErrorSwapFeesNotLoaded": { - "description": "Error when swap fee information is unavailable" - }, - "sendErrorInsufficientFundsForFees": "Ei riittävästi varoja summan ja kulujen kattamiseen", - "@sendErrorInsufficientFundsForFees": { - "description": "Error when wallet cannot cover transaction amount plus fees" - }, - "sendErrorBroadcastFailed": "Transaktion lähetys epäonnistui. Tarkista verkkoyhteytesi ja yritä uudelleen.", - "@sendErrorBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, - "sendErrorBalanceTooLowForMinimum": "Saldo liian pieni minimiswappia varten", - "@sendErrorBalanceTooLowForMinimum": { - "description": "Error when balance is below minimum required for swap" - }, - "sendErrorAmountExceedsMaximum": "Määrä ylittää suurimman swap-määrän", - "@sendErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum allowed for swap" - }, - "sendErrorLiquidWalletRequired": "Liquid-lompakkoa on käytettävä Liquid→Lightning-vaihtoon", - "@sendErrorLiquidWalletRequired": { - "description": "Error when wrong wallet type used for Liquid to Lightning swap" - }, - "sendErrorBitcoinWalletRequired": "Bitcoin-lompakkoa on käytettävä Bitcoin→Lightning-vaihtoon", - "@sendErrorBitcoinWalletRequired": { - "description": "Error when wrong wallet type used for Bitcoin to Lightning swap" - }, - "sendErrorInsufficientFundsForPayment": "Ei riittävästi varoja maksun suorittamiseen.", - "@sendErrorInsufficientFundsForPayment": { - "description": "Error when insufficient funds available" - }, - "sendTypeSend": "Lähetä", - "@sendTypeSend": { - "description": "Send type name for Bitcoin/Liquid transactions" - }, - "sendTypeSwap": "Swap", - "@sendTypeSwap": { - "description": "Send type name for Lightning swap transactions" - }, - "sellAmount": "Määrä myytäväksi", - "@sellAmount": { - "description": "Label for Bitcoin amount input" - }, - "sellReceiveAmount": "Saat", - "@sellReceiveAmount": { - "description": "Label showing fiat amount to receive" - }, - "sellWalletBalance": "Saldo: {amount}", - "@sellWalletBalance": { - "description": "Shows available balance", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellPaymentMethod": "Maksutapa", - "@sellPaymentMethod": { - "description": "Section for selecting how to receive fiat" - }, - "sellBankTransfer": "Pankkisiirto", - "@sellBankTransfer": { - "description": "Option for bank deposit" - }, - "sellInteracTransfer": "Interac e-Transfer", - "@sellInteracTransfer": { - "description": "Option for Interac payment (Canada)" - }, - "sellCashPickup": "Käteisnouto", - "@sellCashPickup": { - "description": "Option for in-person cash" - }, - "sellBankDetails": "Pankkitiedot", - "@sellBankDetails": { - "description": "Section header for bank account info" - }, - "sellAccountName": "Tilin nimi", - "@sellAccountName": { - "description": "Label for bank account holder name" - }, - "sellAccountNumber": "Tilinumero", - "@sellAccountNumber": { - "description": "Label for bank account number" - }, - "sellRoutingNumber": "Routing-numero", - "@sellRoutingNumber": { - "description": "Label for bank routing/transit number" - }, - "sellInstitutionNumber": "Y-tunnus", - "@sellInstitutionNumber": { - "description": "Label for bank institution code" - }, - "sellSwiftCode": "SWIFT/BIC-koodi", - "@sellSwiftCode": { - "description": "Label for international bank code" - }, - "sellIBAN": "IBAN", - "@sellIBAN": { - "description": "Label for International Bank Account Number" - }, - "sellInteracEmail": "Interac-sähköposti", - "@sellInteracEmail": { - "description": "Label for email to receive Interac payment" - }, - "sellReviewOrder": "Tarkista myyntitilaus", - "@sellReviewOrder": { - "description": "Title for order confirmation screen" - }, - "sellConfirmOrder": "Vahvista myyntipyyntö", - "@sellConfirmOrder": { - "description": "Button to submit sell order" - }, - "sellProcessingOrder": "Käsitellään tilausta...", - "@sellProcessingOrder": { - "description": "Loading message during order submission" - }, - "sellOrderPlaced": "Myyntitilaus lähetetty onnistuneesti", - "@sellOrderPlaced": { - "description": "Success message after order submission" - }, - "sellOrderFailed": "Myyntitilauksen lähetys epäonnistui", - "@sellOrderFailed": { - "description": "Error message when order fails" - }, - "sellInsufficientBalance": "Lompakon saldo ei riitä", - "@sellInsufficientBalance": { - "description": "Error when wallet lacks funds" - }, - "sellMinimumAmount": "Minimimyyntimäärä: {amount}", - "@sellMinimumAmount": { - "description": "Error for amount below minimum", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellMaximumAmount": "Maksimi myyntimäärä: {amount}", - "@sellMaximumAmount": { - "description": "Error for amount above maximum", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellNetworkError": "Verkkovirhe. Yritä uudelleen", - "@sellNetworkError": { - "description": "Error for connectivity issues" - }, - "sellRateExpired": "Vaihtokurssi vanhentunut. Päivitän...", - "@sellRateExpired": { - "description": "Message when rate quote times out" - }, - "sellUpdatingRate": "Päivitetään vaihtokurssia...", - "@sellUpdatingRate": { - "description": "Loading message while fetching new rate" - }, - "sellCurrentRate": "Nykyinen kurssi", - "@sellCurrentRate": { - "description": "Label for BTC/fiat exchange rate" - }, - "sellRateValidFor": "Kurssi voimassa {seconds}s", - "@sellRateValidFor": { - "description": "Shows rate expiration countdown", - "placeholders": { - "seconds": { - "type": "int" - } - } - }, - "sellEstimatedArrival": "Arvioitu saapuminen: {time}", - "@sellEstimatedArrival": { - "description": "Expected time to receive fiat", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "sellTransactionFee": "Transaktiokulu", - "@sellTransactionFee": { - "description": "Label for Bitcoin network fee" - }, - "sellServiceFee": "Palvelumaksu", - "@sellServiceFee": { - "description": "Label for Bull Bitcoin service fee" - }, - "sellTotalFees": "Kokonaiskulut", - "@sellTotalFees": { - "description": "Label for sum of all fees" - }, - "sellNetAmount": "Nettomäärä", - "@sellNetAmount": { - "description": "Label for amount after fees" - }, - "sellKYCRequired": "KYC-vahvistus vaaditaan", - "@sellKYCRequired": { - "description": "Error when identity verification needed" - }, - "sellKYCPending": "KYC-vahvistus vireillä", - "@sellKYCPending": { - "description": "Message when verification in progress" - }, - "sellKYCApproved": "KYC hyväksytty", - "@sellKYCApproved": { - "description": "Status when verification complete" - }, - "sellKYCRejected": "KYC-vahvistus hylättiin", - "@sellKYCRejected": { - "description": "Error when verification fails" - }, - "sellCompleteKYC": "Suorita KYC", - "@sellCompleteKYC": { - "description": "Button to start verification process" - }, - "sellDailyLimitReached": "Päivittäinen myyntiraja saavutettu", - "@sellDailyLimitReached": { - "description": "Error when hitting daily maximum" - }, - "sellDailyLimit": "Päivittäinen raja: {amount}", - "@sellDailyLimit": { - "description": "Shows maximum daily sell amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellRemainingLimit": "Jäljellä tänään: {amount}", - "@sellRemainingLimit": { - "description": "Shows remaining daily limit", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyExpressWithdrawal": "Pikasiirto", - "@buyExpressWithdrawal": { - "description": "Fast withdrawal option" - }, - "buyExpressWithdrawalDesc": "Vastaanota Bitcoin välittömästi maksun jälkeen", - "@buyExpressWithdrawalDesc": { - "description": "Explanation of express withdrawal feature" - }, - "buyExpressWithdrawalFee": "Pikakulu: {amount}", - "@buyExpressWithdrawalFee": { - "description": "Additional fee for instant withdrawal", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyStandardWithdrawal": "Tavallinen nosto", - "@buyStandardWithdrawal": { - "description": "Regular withdrawal option" - }, - "buyStandardWithdrawalDesc": "Vastaanota Bitcoin maksun selvityttyä (1–3 päivää)", - "@buyStandardWithdrawalDesc": { - "description": "Explanation of standard withdrawal timing" - }, - "buyKYCLevel": "KYC-taso", - "@buyKYCLevel": { - "description": "Label for verification tier" - }, - "buyKYCLevel1": "Taso 1 - Perus", - "@buyKYCLevel1": { - "description": "Basic verification tier" - }, - "buyKYCLevel2": "Taso 2 - Laajennettu", - "@buyKYCLevel2": { - "description": "Enhanced verification tier" - }, - "buyKYCLevel3": "Taso 3 - Täysi", - "@buyKYCLevel3": { - "description": "Full verification tier" - }, - "buyUpgradeKYC": "Nosta KYC-tasoa", - "@buyUpgradeKYC": { - "description": "Button to increase verification tier" - }, - "buyLevel1Limit": "Taso 1 raja: {amount}", - "@buyLevel1Limit": { - "description": "Purchase limit for basic KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyLevel2Limit": "Taso 2 raja: {amount}", - "@buyLevel2Limit": { - "description": "Purchase limit for enhanced KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyLevel3Limit": "Taso 3 raja: {amount}", - "@buyLevel3Limit": { - "description": "Purchase limit for full KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyVerificationRequired": "Vahvistus vaaditaan tätä summaa varten", - "@buyVerificationRequired": { - "description": "Error when KYC needed for purchase size" - }, - "buyVerifyIdentity": "Vahvista henkilöllisyys", - "@buyVerifyIdentity": { - "description": "Button to start KYC process" - }, - "buyVerificationInProgress": "Vahvistus käynnissä...", - "@buyVerificationInProgress": { - "description": "Status during KYC review" - }, - "buyVerificationComplete": "Vahvistus valmis", - "@buyVerificationComplete": { - "description": "Success message after KYC approval" - }, - "buyVerificationFailed": "Vahvistus epäonnistui: {reason}", - "@buyVerificationFailed": { - "description": "Error message with failure reason", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "buyDocumentUpload": "Lataa asiakirjat", - "@buyDocumentUpload": { - "description": "Section for ID document submission" - }, - "buyPhotoID": "Kuvallinen henkilötodistus", - "@buyPhotoID": { - "description": "Type of document required" - }, - "buyProofOfAddress": "Osoitteen todistus", - "@buyProofOfAddress": { - "description": "Type of document required" - }, - "buySelfie": "Selfie henkilöllisyystodistuksen kanssa", - "@buySelfie": { - "description": "Type of document required" - }, - "receiveSelectNetwork": "Valitse verkko", - "@receiveSelectNetwork": { - "description": "Dropdown to choose receiving network" - }, - "receiveBitcoinNetwork": "Bitcoin", - "@receiveBitcoinNetwork": { - "description": "Bitcoin on-chain network option" - }, - "receiveLightningNetwork": "Lightning", - "@receiveLightningNetwork": { - "description": "Lightning Network option" - }, - "receiveLiquidNetwork": "Liquid", - "@receiveLiquidNetwork": { - "description": "Liquid Network option" - }, - "receiveArkNetwork": "Ark", - "@receiveArkNetwork": { - "description": "Ark Instant Payments option" - }, - "receiveInvoice": "Lightning-lasku", - "@receiveInvoice": { - "description": "Label for Lightning invoice" - }, - "receiveFixedAmount": "Määrä", - "@receiveFixedAmount": { - "description": "Required amount field" - }, - "receiveDescription": "Kuvaus (valinnainen)", - "@receiveDescription": { - "description": "Optional memo field" - }, - "receiveGenerateInvoice": "Luo lasku", - "@receiveGenerateInvoice": { - "description": "Button to create Lightning invoice" - }, - "receiveGenerateAddress": "Luo uusi osoite", - "@receiveGenerateAddress": { - "description": "Button to create new on-chain address" - }, - "receiveQRCode": "QR-koodi", - "@receiveQRCode": { - "description": "Section header for QR code display" - }, - "receiveCopyAddress": "Kopioi osoite", - "@receiveCopyAddress": { - "description": "Button to copy address to clipboard" - }, - "receiveCopyInvoice": "Kopioi lasku", - "@receiveCopyInvoice": { - "description": "Button to copy invoice to clipboard" - }, - "receiveAddressCopied": "Osoite kopioitu leikepöydälle", - "@receiveAddressCopied": { - "description": "Toast message after copying address" - }, - "receiveInvoiceCopied": "Lasku kopioitu leikepöydälle", - "@receiveInvoiceCopied": { - "description": "Toast message after copying invoice" - }, - "receiveShareAddress": "Jaa osoite", - "@receiveShareAddress": { - "description": "Button to share via system share sheet" - }, - "receiveShareInvoice": "Jaa lasku", - "@receiveShareInvoice": { - "description": "Button to share invoice" - }, - "receiveInvoiceExpiry": "Lasku vanhenee {time}", - "@receiveInvoiceExpiry": { - "description": "Shows expiration countdown", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "receiveInvoiceExpired": "Lasku vanhentunut", - "@receiveInvoiceExpired": { - "description": "Status when invoice is no longer valid" - }, - "receiveAwaitingPayment": "Odotetaan maksua...", - "@receiveAwaitingPayment": { - "description": "Status while waiting for payment" - }, - "receiveConfirming": "Vahvistetaan... ({count}/{required})", - "@receiveConfirming": { - "description": "Shows confirmation progress", - "placeholders": { - "count": { - "type": "int" - }, - "required": { - "type": "int" - } - } - }, - "receiveConfirmed": "Vahvistettu", - "@receiveConfirmed": { - "description": "Status when fully confirmed" - }, - "receiveGenerationFailed": "Generointi epäonnistui: {type}", - "@receiveGenerationFailed": { - "description": "Error when address/invoice generation fails", - "placeholders": { - "type": { - "type": "String" - } - } - }, - "receiveNetworkUnavailable": "{network} ei ole tällä hetkellä käytettävissä", - "@receiveNetworkUnavailable": { - "description": "Error when network is down", - "placeholders": { - "network": { - "type": "String" - } - } - }, - "receiveInsufficientInboundLiquidity": "Lightning-vastaanottokapasiteetti ei riitä", - "@receiveInsufficientInboundLiquidity": { - "description": "Error when Lightning channels lack inbound capacity" - }, - "receiveRequestInboundLiquidity": "Pyydä vastaanottokapasiteettia", - "@receiveRequestInboundLiquidity": { - "description": "Button to open channel for receiving" - }, - "backupSettingsPhysicalBackup": "Fyysinen varmuuskopio", - "@backupSettingsPhysicalBackup": { - "description": "Label for physical backup status row" - }, - "backupSettingsEncryptedVault": "Salattu holvi", - "@backupSettingsEncryptedVault": { - "description": "Label for encrypted vault backup status row" - }, - "backupSettingsTested": "Testattu", - "@backupSettingsTested": { - "description": "Status text shown when backup has been tested" - }, - "backupSettingsNotTested": "Ei testattu", - "@backupSettingsNotTested": { - "description": "Status text shown when backup has not been tested" - }, - "backupSettingsTestBackup": "Testaa varmuuskopio", - "@backupSettingsTestBackup": { - "description": "Button text to test existing backup" - }, - "backupSettingsStartBackup": "Aloita varmuuskopiointi", - "@backupSettingsStartBackup": { - "description": "Button text to start new backup process" - }, - "backupSettingsExportVault": "Vie holvi", - "@backupSettingsExportVault": { - "description": "Button text to export encrypted vault file" - }, - "backupSettingsExporting": "Viedään...", - "@backupSettingsExporting": { - "description": "Button text while vault export is in progress" - }, - "backupSettingsViewVaultKey": "Näytä holviavain", - "@backupSettingsViewVaultKey": { - "description": "Button text to view vault decryption key" - }, - "backupSettingsRevealing": "Näytetään...", - "@backupSettingsRevealing": { - "description": "Button text while revealing vault key" - }, - "backupSettingsKeyServer": "Avainpalvelin ", - "@backupSettingsKeyServer": { - "description": "Label for key server connection status indicator" - }, - "backupSettingsError": "Virhe", - "@backupSettingsError": { - "description": "Header text for error message display" - }, - "backupSettingsBackupKey": "Varmuuskopioavain", - "@backupSettingsBackupKey": { - "description": "AppBar title for view backup key screen" - }, - "backupSettingsFailedToDeriveKey": "Varmuuskopioavaimen johtaminen epäonnistui", - "@backupSettingsFailedToDeriveKey": { - "description": "Error message when backup key derivation fails" - }, - "backupSettingsSecurityWarning": "Turvallisuusvaroitus", - "@backupSettingsSecurityWarning": { - "description": "Title for backup key security warning modal" - }, - "backupSettingsKeyWarningBold": "Varoitus: Ole varovainen, mihin tallennat varmuuskopioavaimen.", - "@backupSettingsKeyWarningBold": { - "description": "Bold warning message in backup key warning modal" - }, - "backupSettingsKeyWarningMessage": "On elintärkeää, ettet tallenna varmuuskopioavainta samaan paikkaan kuin varmuuskopiotiedostoa. Säilytä ne aina eri laitteilla tai eri pilvipalveluissa.", - "@backupSettingsKeyWarningMessage": { - "description": "Detailed warning about storing backup key separately" - }, - "backupSettingsKeyWarningExample": "Esimerkiksi, jos käytit Google Drivea varmuuskopiotiedostoon, älä käytä Google Drivea varmuuskopioavaimelle.", - "@backupSettingsKeyWarningExample": { - "description": "Example explaining backup key storage separation" - }, - "backupSettingsLabelsButton": "Tunnisteet", - "@backupSettingsLabelsButton": { - "description": "Button text to manage transaction labels" - }, - "backupSettingsRecoverBullSettings": "Recoverbull", - "@backupSettingsRecoverBullSettings": { - "description": "Button text for Recoverbull" - }, - "backupWalletImportanceWarning": "Ilman varmuuskopiota menetät lopulta pääsyn varoihisi. Varmuuskopiointi on ehdottoman tärkeää.", - "@backupWalletImportanceWarning": { - "description": "Warning message emphasizing the importance of creating a backup" - }, - "backupWalletEncryptedVaultTitle": "Salattu holvi", - "@backupWalletEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, - "backupWalletEncryptedVaultDescription": "Anonyymi varmuuskopio vahvalla salauksella pilvessä.", - "@backupWalletEncryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, - "backupWalletEncryptedVaultTag": "Helppo ja nopea (1 minuutti)", - "@backupWalletEncryptedVaultTag": { - "description": "Tag indicating difficulty and time for encrypted vault backup" - }, - "backupWalletPhysicalBackupTitle": "Fyysinen varmuuskopio", - "@backupWalletPhysicalBackupTitle": { - "description": "Title for physical backup option" - }, - "backupWalletPhysicalBackupDescription": "Kirjoita 12 sanaa paperille. Säilytä ne turvallisesti äläkä menetä niitä.", - "@backupWalletPhysicalBackupDescription": { - "description": "Description of physical backup method" - }, - "backupWalletPhysicalBackupTag": "Luottamukseton (ota aikaa)", - "@backupWalletPhysicalBackupTag": { - "description": "Tag indicating difficulty and trust model for physical backup" - }, - "backupWalletHowToDecide": "Miten valita?", - "@backupWalletHowToDecide": { - "description": "Link text to open modal explaining how to choose backup method" - }, - "backupWalletChooseVaultLocationTitle": "Valitse holvin sijainti", - "@backupWalletChooseVaultLocationTitle": { - "description": "AppBar title for choosing encrypted vault provider screen" - }, - "backupWalletLastKnownEncryptedVault": "Viimeksi tunnettu salattu holvi: ", - "@backupWalletLastKnownEncryptedVault": { - "description": "Label prefix for displaying timestamp of last encrypted vault backup" - }, - "backupWalletGoogleDriveSignInTitle": "Sinun täytyy kirjautua Google Driveen", - "@backupWalletGoogleDriveSignInTitle": { - "description": "Loading screen title when initiating Google Drive backup" - }, - "backupWalletGoogleDrivePermissionWarning": "Google pyytää jakamaan henkilökohtaisia tietoja tämän sovelluksen kanssa.", - "@backupWalletGoogleDrivePermissionWarning": { - "description": "Warning message about Google Drive permission request" - }, - "backupWalletGoogleDrivePrivacyMessage1": "Tämä tieto ", - "@backupWalletGoogleDrivePrivacyMessage1": { - "description": "First part of privacy message about Google Drive data" - }, - "backupWalletGoogleDrivePrivacyMessage2": "ei poistu ", - "@backupWalletGoogleDrivePrivacyMessage2": { - "description": "Second part of privacy message (bold)" - }, - "backupWalletGoogleDrivePrivacyMessage3": "puhelimestasi eikä ", - "@backupWalletGoogleDrivePrivacyMessage3": { - "description": "Third part of privacy message" - }, - "backupWalletGoogleDrivePrivacyMessage4": "koskaan ", - "@backupWalletGoogleDrivePrivacyMessage4": { - "description": "Fourth part of privacy message (bold)" - }, - "backupWalletGoogleDrivePrivacyMessage5": "jaeta Bull Bitcoinin kanssa.", - "@backupWalletGoogleDrivePrivacyMessage5": { - "description": "Fifth part of privacy message" - }, - "backupWalletSavingToDeviceTitle": "Tallennetaan laitteellesi.", - "@backupWalletSavingToDeviceTitle": { - "description": "Loading screen title when saving to custom location" - }, - "backupWalletBestPracticesTitle": "Varmuuskopioinnin parhaat käytännöt", - "@backupWalletBestPracticesTitle": { - "description": "AppBar title for physical backup checklist screen" - }, - "backupWalletLastBackupTest": "Viimeisin varmuuskopiointitesti: ", - "@backupWalletLastBackupTest": { - "description": "Label prefix for displaying timestamp of last physical backup test" - }, - "backupWalletInstructionLoseBackup": "Jos menetät 12 sanan varmuuskopion, et voi palauttaa pääsyä Bitcoin-lompakkoon.", - "@backupWalletInstructionLoseBackup": { - "description": "Warning instruction about losing backup" - }, - "backupWalletInstructionLosePhone": "Ilman varmuuskopiota, jos menetät tai rikot puhelimesi, tai jos poistat Bull Bitcoin -sovelluksen, bitcoinisi menetetään ikuisesti.", - "@backupWalletInstructionLosePhone": { - "description": "Warning instruction about consequences without backup" - }, - "backupWalletInstructionSecurityRisk": "Kuka tahansa, jolla on pääsy 12 sanan varmuuskopioosi, voi varastaa bitcoinisi. Piilota se hyvin.", - "@backupWalletInstructionSecurityRisk": { - "description": "Security warning about protecting backup from theft" - }, - "backupWalletInstructionNoDigitalCopies": "Älä tee digitaalisia kopioita varmuuskopiostasi. Kirjoita se paperille, tai kaiverra metalliin.", - "@backupWalletInstructionNoDigitalCopies": { - "description": "Instruction to avoid digital copies and use physical medium" - }, - "backupWalletInstructionNoPassphrase": "Varmuuskopiosi ei ole suojattu salasanalauseella. Lisää salasanalause myöhemmin luomalla uusi lompakko.", - "@backupWalletInstructionNoPassphrase": { - "description": "Information about passphrase protection option" - }, - "backupWalletBackupButton": "Varmuuskopioi", - "@backupWalletBackupButton": { - "description": "Button text to proceed with physical backup" - }, - "backupWalletSuccessTitle": "Varmuuskopio valmis!", - "@backupWalletSuccessTitle": { - "description": "Success screen title after backup is completed" - }, - "backupWalletSuccessDescription": "Testataan nyt varmuuskopio varmistaaksemme, että kaikki on tehty oikein.", - "@backupWalletSuccessDescription": { - "description": "Success screen description prompting user to test backup" - }, - "backupWalletSuccessTestButton": "Testaa varmuuskopio", - "@backupWalletSuccessTestButton": { - "description": "Button text to proceed to backup testing" - }, - "backupWalletHowToDecideBackupModalTitle": "Miten valita", - "@backupWalletHowToDecideBackupModalTitle": { - "description": "Modal title for backup method comparison help" - }, - "backupWalletHowToDecideBackupLosePhysical": "Yksi yleisimmistä tavoista, joilla ihmiset menettävät Bitcoininsa, on fyysisen varmuuskopion katoaminen. Kuka tahansa, joka löytää fyysisen varmuuskopiosi, voi ottaa kaikki Bitcoinisi. Jos olet erittäin varma, että osaat piilottaa sen hyvin etkä koskaan menetä sitä, se on hyvä vaihtoehto.", - "@backupWalletHowToDecideBackupLosePhysical": { - "description": "Explanation of physical backup risks in decision help modal" - }, - "backupWalletHowToDecideBackupEncryptedVault": "Salattu holvi estää varkaita varastamasta varmuuskopioasi. Se myös estää sinua vahingossa menettämästä varmuuskopiota, koska se tallennetaan pilveen. Pilvipalveluntarjoajilla, kuten Googlella tai Applella, ei ole pääsyä Bitcoineihisi, koska salausavain on liian vahva. On kuitenkin pieni mahdollisuus, että palvelin, joka tallentaa varmuuskopion salausavaimen, voi joutua vaarantumaan. Tällöin varmuuskopion turvallisuus pilvitilissäsi voi olla uhattuna.", - "@backupWalletHowToDecideBackupEncryptedVault": { - "description": "Explanation of encrypted vault benefits and risks in decision help modal" - }, - "backupWalletHowToDecideBackupPhysicalRecommendation": "Fyysinen varmuuskopio: ", - "@backupWalletHowToDecideBackupPhysicalRecommendation": { - "description": "Bold label for physical backup recommendation" - }, - "backupWalletHowToDecideBackupPhysicalRecommendationText": "Olet varma, että osaat piilottaa ja säilyttää Bitcoin-siementekstisi turvallisesti.", - "@backupWalletHowToDecideBackupPhysicalRecommendationText": { - "description": "Recommendation text for when to use physical backup" - }, - "backupWalletHowToDecideBackupEncryptedRecommendation": "Salattu holvi: ", - "@backupWalletHowToDecideBackupEncryptedRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, - "backupWalletHowToDecideBackupEncryptedRecommendationText": "Et ole varma ja tarvitset enemmän aikaa oppia varmuuskopioinnin turvallisuuskäytännöistä.", - "@backupWalletHowToDecideBackupEncryptedRecommendationText": { - "description": "Recommendation text for when to use encrypted vault" - }, - "backupWalletHowToDecideBackupMoreInfo": "Lisätietoja osoitteessa recoverbull.com.", - "@backupWalletHowToDecideBackupMoreInfo": { - "description": "Link text to external resource" - }, - "backupWalletHowToDecideVaultModalTitle": "Miten valita", - "@backupWalletHowToDecideVaultModalTitle": { - "description": "Modal title for vault location comparison help" - }, - "backupWalletHowToDecideVaultCloudSecurity": "Pilvipalveluntarjoajilla, kuten Googlella tai Applella, ei ole pääsyä Bitcoineihisi, koska salausavain on liian vahva. He voivat saada pääsyn vain epätodennäköisessä tilanteessa, jossa he tekevät yhteistyötä avainpalvelimen kanssa (verkkopalvelu, joka tallentaa salausavaimen). Jos avainpalvelin koskaan hakkeroidaan, Bitcoinesi voivat olla vaarassa Google- tai Apple-pilvessä.", - "@backupWalletHowToDecideVaultCloudSecurity": { - "description": "Explanation of cloud storage security in vault location decision help modal" - }, - "backupWalletHowToDecideVaultCustomLocation": "Mukautettu sijainti voi olla paljon turvallisempi valinnasta riippuen. Sinun on myös varmistettava, ettet menetä varmuuskopiotiedostoa tai laitetta, johon se on tallennettu.", - "@backupWalletHowToDecideVaultCustomLocation": { - "description": "Explanation of custom location benefits and risks" - }, - "backupWalletHowToDecideVaultCustomRecommendation": "Mukautettu sijainti: ", - "@backupWalletHowToDecideVaultCustomRecommendation": { - "description": "Bold label for custom location recommendation" - }, - "backupWalletHowToDecideVaultCustomRecommendationText": "Olet varma, ettet menetä holvitiedostoa ja että se on edelleen saatavilla, jos menetät puhelimesi.", - "@backupWalletHowToDecideVaultCustomRecommendationText": { - "description": "Recommendation text for when to use custom location" - }, - "backupWalletHowToDecideVaultCloudRecommendation": "Google tai Apple -pilvi: ", - "@backupWalletHowToDecideVaultCloudRecommendation": { - "description": "Bold label for cloud storage recommendation" - }, - "backupWalletHowToDecideVaultCloudRecommendationText": "Haluat varmistaa, ettet koskaan menetä pääsyä holvitiedostoosi, vaikka menettäisit laitteesi.", - "@backupWalletHowToDecideVaultCloudRecommendationText": { - "description": "Recommendation text for when to use cloud storage" - }, - "backupWalletHowToDecideVaultMoreInfo": "Lisätietoja osoitteessa recoverbull.com.", - "@backupWalletHowToDecideVaultMoreInfo": { - "description": "Link text to external resource about vault locations" - }, - "backupWalletVaultProviderGoogleDrive": "Google Drive", - "@backupWalletVaultProviderGoogleDrive": { - "description": "Name of Google Drive vault provider option" - }, - "backupWalletVaultProviderAppleICloud": "Apple iCloud", - "@backupWalletVaultProviderAppleICloud": { - "description": "Name of Apple iCloud vault provider option" - }, - "backupWalletVaultProviderCustomLocation": "Mukautettu sijainti", - "@backupWalletVaultProviderCustomLocation": { - "description": "Name of custom location vault provider option" - }, - "backupWalletVaultProviderQuickEasy": "Nopea ja helppo", - "@backupWalletVaultProviderQuickEasy": { - "description": "Tag for Google Drive and iCloud providers" - }, - "backupWalletVaultProviderTakeYourTime": "Ota aikaa", - "@backupWalletVaultProviderTakeYourTime": { - "description": "Tag for custom location provider" - }, - "backupWalletErrorFileSystemPath": "Tiedostopolun valinta epäonnistui", - "@backupWalletErrorFileSystemPath": { - "description": "Error when file system path selection fails" - }, - "backupWalletErrorGoogleDriveConnection": "Yhteys Google Driveen epäonnistui", - "@backupWalletErrorGoogleDriveConnection": { - "description": "Error when Google Drive connection fails" - }, - "backupWalletErrorSaveBackup": "Varmuuskopion tallennus epäonnistui", - "@backupWalletErrorSaveBackup": { - "description": "Error when backup save operation fails" - }, - "backupWalletErrorGoogleDriveSave": "Tallennus Google Driveen epäonnistui", - "@backupWalletErrorGoogleDriveSave": { - "description": "Error when saving to Google Drive fails" - }, - "testBackupWalletTitle": "Testaa {walletName}", - "@testBackupWalletTitle": { - "description": "Dynamic AppBar title showing which wallet is being tested", - "placeholders": { - "walletName": { - "type": "String" - } - } - }, - "testBackupDefaultWallets": "Oletuslompakot", - "@testBackupDefaultWallets": { - "description": "Label shown when testing the default wallets" - }, - "testBackupConfirm": "Vahvista", - "@testBackupConfirm": { - "description": "Button text to confirm wallet selection" - }, - "testBackupWriteDownPhrase": "Kirjoita palautuslausekkeesi\noikeassa järjestyksessä", - "@testBackupWriteDownPhrase": { - "description": "Main instruction header for physical backup screen" - }, - "testBackupStoreItSafe": "Säilytä se turvallisessa paikassa.", - "@testBackupStoreItSafe": { - "description": "Sub-instruction telling users to store recovery phrase safely" - }, - "testBackupLastBackupTest": "Viimeisin varmuuskopiointitesti: {timestamp}", - "@testBackupLastBackupTest": { - "description": "Shows timestamp of last physical backup test", - "placeholders": { - "timestamp": { - "type": "String" - } - } - }, - "testBackupDoNotShare": "ÄLÄ JAA KENENKÄÄN KANSSA", - "@testBackupDoNotShare": { - "description": "Warning header about keeping recovery phrase secret" - }, - "testBackupTranscribe": "Kirjoita ylös", - "@testBackupTranscribe": { - "description": "Label with checkmark indicating users should transcribe the phrase" - }, - "testBackupDigitalCopy": "Digitaalinen kopio", - "@testBackupDigitalCopy": { - "description": "Label with X mark warning against making digital copies" - }, - "testBackupScreenshot": "Näyttökuva", - "@testBackupScreenshot": { - "description": "Label with X mark warning against taking screenshots" - }, - "testBackupNext": "Seuraava", - "@testBackupNext": { - "description": "Button to proceed to verification quiz" - }, - "testBackupTapWordsInOrder": "Napauta palautussanoja \noikeassa järjestyksessä", - "@testBackupTapWordsInOrder": { - "description": "Instruction header for word selection quiz" - }, - "testBackupWhatIsWordNumber": "Mikä on sana numero {number}?", - "@testBackupWhatIsWordNumber": { - "description": "Quiz prompt asking for specific word number", - "placeholders": { - "number": { - "type": "int" - } - } - }, - "testBackupAllWordsSelected": "Olet valinnut kaikki sanat", - "@testBackupAllWordsSelected": { - "description": "Message shown when user has selected all 12 words" - }, - "testBackupVerify": "Vahvista", - "@testBackupVerify": { - "description": "Button text to verify the selected word order" - }, - "testBackupPassphrase": "Suojaussana", - "@testBackupPassphrase": { - "description": "Label for optional passphrase field" - }, - "testBackupSuccessTitle": "Testi suoritettu onnistuneesti!", - "@testBackupSuccessTitle": { - "description": "Success screen title after completing backup verification" - }, - "testBackupSuccessMessage": "Pystyt palauttamaan pääsyn kadonneeseen Bitcoin-lompakkoon", - "@testBackupSuccessMessage": { - "description": "Success screen message confirming recovery capability" - }, - "testBackupSuccessButton": "Selvä", - "@testBackupSuccessButton": { - "description": "Button to dismiss success screen" - }, - "testBackupWarningMessage": "Ilman varmuuskopiota menetät lopulta pääsyn varoihisi. Varmuuskopiointi on ehdottoman tärkeää.", - "@testBackupWarningMessage": { - "description": "Warning message emphasizing importance of backups" - }, - "testBackupEncryptedVaultTitle": "Salattu holvi", - "@testBackupEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option card" - }, - "testBackupEncryptedVaultDescription": "Anonyymi varmuuskopio vahvalla salauksella pilvessä.", - "@testBackupEncryptedVaultDescription": { - "description": "Description for encrypted vault backup option" - }, - "testBackupEncryptedVaultTag": "Helppo ja nopea (1 minuutti)", - "@testBackupEncryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, - "testBackupPhysicalBackupTitle": "Fyysinen varmuuskopio", - "@testBackupPhysicalBackupTitle": { - "description": "Title for physical backup option card" - }, - "testBackupPhysicalBackupDescription": "Kirjoita 12 sanaa paperille. Säilytä ne turvallisesti äläkä menetä niitä.", - "@testBackupPhysicalBackupDescription": { - "description": "Description for physical backup option" - }, - "testBackupPhysicalBackupTag": "Luotettava (varaa aikaa)", - "@testBackupPhysicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes longer" - }, - "testBackupChooseVaultLocation": "Valitse holvin sijainti", - "@testBackupChooseVaultLocation": { - "description": "AppBar title for encrypted vault provider selection screen" - }, - "testBackupLastKnownVault": "Viimeksi tunnettu salattu holvi: {timestamp}", - "@testBackupLastKnownVault": { - "description": "Shows timestamp of last encrypted vault backup", - "placeholders": { - "timestamp": { - "type": "String" - } - } - }, - "testBackupRetrieveVaultDescription": "Testaa, että voit hakea salatun holvisi.", - "@testBackupRetrieveVaultDescription": { - "description": "Description explaining purpose of vault location selection" - }, - "testBackupGoogleDriveSignIn": "Sinun täytyy kirjautua Google Driveen", - "@testBackupGoogleDriveSignIn": { - "description": "Progress screen title when fetching from Google Drive" - }, - "testBackupGoogleDrivePermission": "Google pyytää jakamaan henkilökohtaisia tietoja tämän sovelluksen kanssa.", - "@testBackupGoogleDrivePermission": { - "description": "Progress screen description explaining Google Drive permission request" - }, - "testBackupGoogleDrivePrivacyPart1": "Tämä tieto ", - "@testBackupGoogleDrivePrivacyPart1": { - "description": "First part of privacy message" - }, - "testBackupGoogleDrivePrivacyPart2": "ei poistu ", - "@testBackupGoogleDrivePrivacyPart2": { - "description": "Second part (emphasized) of privacy message" - }, - "testBackupGoogleDrivePrivacyPart3": "puhelimestasi eikä ", - "@testBackupGoogleDrivePrivacyPart3": { - "description": "Third part of privacy message" - }, - "testBackupGoogleDrivePrivacyPart4": "koskaan ", - "@testBackupGoogleDrivePrivacyPart4": { - "description": "Fourth part (emphasized) of privacy message" - }, - "testBackupGoogleDrivePrivacyPart5": "jaeta Bull Bitcoinin kanssa.", - "@testBackupGoogleDrivePrivacyPart5": { - "description": "Fifth part of privacy message" - }, - "testBackupFetchingFromDevice": "Haetaan laitteestasi.", - "@testBackupFetchingFromDevice": { - "description": "Progress screen title when fetching from local device" - }, - "testBackupRecoverWallet": "Palauta lompakko", - "@testBackupRecoverWallet": { - "description": "AppBar title for fetched backup info screen" - }, - "testBackupVaultSuccessMessage": "Holvisi tuotiin onnistuneesti", - "@testBackupVaultSuccessMessage": { - "description": "Success message after vault is imported" - }, - "testBackupBackupId": "Varmuuskopio-ID:", - "@testBackupBackupId": { - "description": "Label for backup ID field" - }, - "testBackupCreatedAt": "Luotu:", - "@testBackupCreatedAt": { - "description": "Label for vault creation timestamp field" - }, - "testBackupEnterKeyManually": "Syötä varmuuskopioavain manuaalisesti >>", - "@testBackupEnterKeyManually": { - "description": "Button text to manually enter backup key" - }, - "testBackupDecryptVault": "Pura holvi", - "@testBackupDecryptVault": { - "description": "Button text to decrypt the vault" - }, - "testBackupErrorNoMnemonic": "Siemenlausetta ei ole ladattu", - "@testBackupErrorNoMnemonic": { - "description": "Error when mnemonic is not loaded" - }, - "testBackupErrorSelectAllWords": "Valitse kaikki sanat", - "@testBackupErrorSelectAllWords": { - "description": "Error when not all words are selected" - }, - "testBackupErrorIncorrectOrder": "Sanat väärässä järjestyksessä. Yritä uudelleen.", - "@testBackupErrorIncorrectOrder": { - "description": "Error when words are selected in wrong order" - }, - "testBackupErrorVerificationFailed": "Vahvistus epäonnistui: {error}", - "@testBackupErrorVerificationFailed": { - "description": "Generic error message for verification failure", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "testBackupErrorFailedToFetch": "Varmuuskopion hakeminen epäonnistui: {error}", - "@testBackupErrorFailedToFetch": { - "description": "Error when backup fetch fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "testBackupErrorInvalidFile": "Virheellinen tiedoston sisältö", - "@testBackupErrorInvalidFile": { - "description": "Error when selected file has invalid content" - }, - "testBackupErrorUnexpectedSuccess": "Odottamaton onnistuminen: varmuuskopion pitäisi vastata olemassa olevaa lompakkoa", - "@testBackupErrorUnexpectedSuccess": { - "description": "Error for unexpected successful vault restoration" - }, - "testBackupErrorWalletMismatch": "Varmuuskopio ei vastaa olemassa olevaa lompakkoa", - "@testBackupErrorWalletMismatch": { - "description": "Error when backup doesn't match current wallet" - }, - "testBackupErrorWriteFailed": "Tallennus epäonnistui: {error}", - "@testBackupErrorWriteFailed": { - "description": "Error when writing verification status to storage fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "testBackupErrorTestFailed": "Varmuuskopion testaus epäonnistui: {error}", - "@testBackupErrorTestFailed": { - "description": "Generic error message for backup test failure", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "testBackupErrorLoadWallets": "Lompakoiden lataus epäonnistui: {error}", - "@testBackupErrorLoadWallets": { - "description": "Error when loading wallets fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "testBackupErrorLoadMnemonic": "Siemenlauseen lataus epäonnistui: {error}", - "@testBackupErrorLoadMnemonic": { - "description": "Error when loading mnemonic fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "recoverbullGoogleDriveCancelButton": "Peruuta", - "@recoverbullGoogleDriveCancelButton": { - "description": "Cancel button text for delete confirmation dialog" - }, - "recoverbullGoogleDriveDeleteButton": "Poista", - "@recoverbullGoogleDriveDeleteButton": { - "description": "Delete button text for vault backup" - }, - "recoverbullGoogleDriveDeleteConfirmation": "Haluatko varmasti poistaa tämän holvin varmuuskopion? Tätä toimintoa ei voi peruuttaa.", - "@recoverbullGoogleDriveDeleteConfirmation": { - "description": "Confirmation message for deleting a vault backup" - }, - "recoverbullGoogleDriveDeleteVaultTitle": "Poista holvi", - "@recoverbullGoogleDriveDeleteVaultTitle": { - "description": "Title for delete vault confirmation dialog" - }, - "recoverbullGoogleDriveErrorDisplay": "Virhe: {error}", - "@recoverbullGoogleDriveErrorDisplay": { - "description": "Error message display format", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "recoverbullBalance": "Saldo: {balance}", - "@recoverbullBalance": { - "description": "Label showing wallet balance during vault recovery", - "placeholders": { - "balance": { - "type": "String" - } - } - }, - "recoverbullCheckingConnection": "Tarkistetaan yhteyttä RecoverBull-palveluun", - "@recoverbullCheckingConnection": { - "description": "Screen title while checking connection status" - }, - "recoverbullConfirm": "Vahvista", - "@recoverbullConfirm": { - "description": "Button text to confirm an action" - }, - "recoverbullConfirmInput": "Vahvista {inputType}", - "@recoverbullConfirmInput": { - "description": "Label to confirm input (PIN or password)", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullConnected": "Yhdistetty", - "@recoverbullConnected": { - "description": "Status label indicating successful connection" - }, - "recoverbullConnecting": "Yhdistetään", - "@recoverbullConnecting": { - "description": "Status label indicating connection in progress" - }, - "recoverbullConnectingTor": "Tor-verkkoyhteys avainpalvelimeen avautuu.\nTämä voi kestää jopa minuutin.", - "@recoverbullConnectingTor": { - "description": "Message shown while establishing Tor connection" - }, - "recoverbullConnectionFailed": "Yhteys epäonnistui", - "@recoverbullConnectionFailed": { - "description": "Status label indicating connection failure" - }, - "recoverbullContinue": "Jatka", - "@recoverbullContinue": { - "description": "Button text to proceed to next step" - }, - "recoverbullCreatingVault": "Luodaan salattua holvia", - "@recoverbullCreatingVault": { - "description": "Screen title while vault is being created" - }, - "recoverbullDecryptVault": "Pura holvi", - "@recoverbullDecryptVault": { - "description": "Button text to decrypt the selected vault" - }, - "recoverbullEncryptedVaultCreated": "Salattu holvi luotu!", - "@recoverbullEncryptedVaultCreated": { - "description": "Success message title after vault creation" - }, - "recoverbullEnterInput": "Syötä {inputType}", - "@recoverbullEnterInput": { - "description": "Input field label prompting for PIN or password", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullEnterToDecrypt": "Syötä {inputType} purkaaksesi holvisi.", - "@recoverbullEnterToDecrypt": { - "description": "Instruction to enter PIN or password for vault decryption", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullEnterToTest": "Syötä {inputType} testataksesi holviasi.", - "@recoverbullEnterToTest": { - "description": "Instruction to enter PIN or password to test vault recovery", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullEnterToView": "Syötä {inputType} nähdäksesi holviavaimesi.", - "@recoverbullEnterToView": { - "description": "Instruction to enter PIN or password to view vault key", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullEnterVaultKeyInstead": "Syötä sen sijaan holviavain", - "@recoverbullEnterVaultKeyInstead": { - "description": "Button text to switch to manual vault key entry" - }, - "recoverbullErrorCheckStatusFailed": "Holvin tilan tarkistus epäonnistui", - "@recoverbullErrorCheckStatusFailed": { - "description": "Error message when vault status check fails" - }, - "recoverbullErrorConnectionFailed": "Yhteyden muodostaminen kohdeavainpalvelimeen epäonnistui. Yritä myöhemmin uudelleen!", - "@recoverbullErrorConnectionFailed": { - "description": "Error message when server connection fails" - }, - "recoverbullErrorDecryptedVaultNotSet": "Purettua holvia ei ole asetettu", - "@recoverbullErrorDecryptedVaultNotSet": { - "description": "Error when attempting operation without decrypted vault" - }, - "recoverbullErrorDecryptFailed": "Holvin purku epäonnistui", - "@recoverbullErrorDecryptFailed": { - "description": "Error message when vault decryption fails" - }, - "recoverbullErrorFetchKeyFailed": "Holviavaimen hakeminen palvelimelta epäonnistui", - "@recoverbullErrorFetchKeyFailed": { - "description": "Error message when server key fetch fails" - }, - "recoverbullErrorInvalidCredentials": "Väärä salasana tälle varmuuskopiolle", - "@recoverbullErrorInvalidCredentials": { - "description": "Error message when wrong password is entered for vault" - }, - "recoverbullErrorInvalidFlow": "Virheellinen työnkulku", - "@recoverbullErrorInvalidFlow": { - "description": "Error message for invalid operation flow" - }, - "recoverbullErrorMissingBytes": "Puuttuvia bittejä Tor-vastauksesta. Yritä uudelleen, mutta jos ongelma jatkuu, se on joillain laitteilla tunnettu Tor-ongelma.", - "@recoverbullErrorMissingBytes": { - "description": "Error message when Tor response is incomplete" - }, - "recoverbullErrorPasswordNotSet": "Salasanaa ei ole asetettu", - "@recoverbullErrorPasswordNotSet": { - "description": "Error when attempting operation without setting password" - }, - "recoverbullErrorRecoveryFailed": "Holvin palautus epäonnistui", - "@recoverbullErrorRecoveryFailed": { - "description": "Error message when vault recovery fails" - }, - "recoverbullTorNotStarted": "Tor ei ole käynnissä", - "@recoverbullTorNotStarted": { - "description": "Error message when Tor is not started" - }, - "recoverbullErrorRateLimited": "Kutsuja rajoitettu. Yritä uudelleen {retryIn} kuluttua", - "@recoverbullErrorRateLimited": { - "description": "Error message when rate limited by the server", - "placeholders": { - "retryIn": { - "type": "String" - } - } - }, - "recoverbullErrorUnexpected": "Odottamaton virhe, katso lokit", - "@recoverbullErrorUnexpected": { - "description": "Error message for unexpected errors" - }, - "recoverbullUnexpectedError": "Odottamaton virhe", - "@recoverbullUnexpectedError": { - "description": "Short unexpected error message" - }, - "recoverbullErrorSelectVault": "Holvin valinta epäonnistui", - "@recoverbullErrorSelectVault": { - "description": "Error message when vault selection fails" - }, - "recoverbullErrorVaultCreatedKeyNotStored": "Epäonnistui: Holvitiedosto luotu mutta avainta ei tallennettu palvelimelle", - "@recoverbullErrorVaultCreatedKeyNotStored": { - "description": "Error when vault file created but server key storage failed" - }, - "recoverbullErrorVaultCreationFailed": "Holvin luominen epäonnistui, ongelma voi olla tiedostossa tai avaimessa", - "@recoverbullErrorVaultCreationFailed": { - "description": "Error message when overall vault creation fails" - }, - "recoverbullErrorVaultNotSet": "Holvi ei ole asetettu", - "@recoverbullErrorVaultNotSet": { - "description": "Error when attempting operation without selected vault" - }, - "recoverbullFailed": "Epäonnistui", - "@recoverbullFailed": { - "description": "Status label indicating operation failure" - }, - "recoverbullFetchingVaultKey": "Haetaan holviavainta", - "@recoverbullFetchingVaultKey": { - "description": "Screen title while fetching vault key from server" - }, - "recoverbullFetchVaultKey": "Hae holviavain", - "@recoverbullFetchVaultKey": { - "description": "Screen title for vault key fetch screen" - }, - "recoverbullGoBackEdit": "<< Palaa takaisin ja muokkaa", - "@recoverbullGoBackEdit": { - "description": "Button text to return to previous screen for editing" - }, - "recoverbullGotIt": "Selvä", - "@recoverbullGotIt": { - "description": "Button text to acknowledge and dismiss message" - }, - "recoverbullKeyServer": "Avainpalvelin ", - "@recoverbullKeyServer": { - "description": "Label for key server connection status" - }, - "recoverbullLookingForBalance": "Etsitään saldoa ja transaktioita…", - "@recoverbullLookingForBalance": { - "description": "Loading message while scanning wallet" - }, - "recoverbullMemorizeWarning": "Sinun on muistettava tämä {inputType} palauttaaksesi pääsyn lompakkoosi. Sen on oltava vähintään 6 numeroa. Jos menetät tämän {inputType}, et voi palauttaa varmuuskopioasi.", - "@recoverbullMemorizeWarning": { - "description": "Warning message about memorizing PIN or password", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullPassword": "Salasana", - "@recoverbullPassword": { - "description": "Label for password input type" - }, - "recoverbullPasswordMismatch": "Salasanat eivät täsmää", - "@recoverbullPasswordMismatch": { - "description": "Validation error when passwords don't match" - }, - "recoverbullPasswordRequired": "Salasana on pakollinen", - "@recoverbullPasswordRequired": { - "description": "Validation error when password field is empty" - }, - "recoverbullPasswordTooCommon": "Tämä salasana on liian yleinen. Valitse toinen.", - "@recoverbullPasswordTooCommon": { - "description": "Validation error for commonly used passwords" - }, - "recoverbullPasswordTooShort": "Salasanan on oltava vähintään 6 merkkiä pitkä", - "@recoverbullPasswordTooShort": { - "description": "Validation error for passwords under minimum length" - }, - "recoverbullPIN": "PIN", - "@recoverbullPIN": { - "description": "Label for PIN input type" - }, - "recoverbullPleaseWait": "Odota hetki, kun luomme suojattua yhteyttä...", - "@recoverbullPleaseWait": { - "description": "Message shown during connection establishment" - }, - "recoverbullReenterConfirm": "Syötä {inputType} uudelleen vahvistaaksesi.", - "@recoverbullReenterConfirm": { - "description": "Instruction to re-enter PIN or password for confirmation", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullReenterRequired": "Syötä {inputType} uudelleen", - "@recoverbullReenterRequired": { - "description": "Label for confirmation input field", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullGoogleDriveErrorDeleteFailed": "Holvin poistaminen Google Drivesta epäonnistui", - "@recoverbullGoogleDriveErrorDeleteFailed": { - "description": "Error message when deleting a drive backup fails" - }, - "recoverbullGoogleDriveErrorExportFailed": "Holvin vienti Google Drivesta epäonnistui", - "@recoverbullGoogleDriveErrorExportFailed": { - "description": "Error message when exporting a drive backup fails" - }, - "recoverbullGoogleDriveErrorFetchFailed": "Holvien hakeminen Google Drivesta epäonnistui", - "@recoverbullGoogleDriveErrorFetchFailed": { - "description": "Error message when fetching drive backups fails" - }, - "recoverbullGoogleDriveErrorGeneric": "Tapahtui virhe. Yritä uudelleen.", - "@recoverbullGoogleDriveErrorGeneric": { - "description": "Generic error message for unknown errors" - }, - "recoverbullGoogleDriveErrorSelectFailed": "Holvin valinta Google Drivesta epäonnistui", - "@recoverbullGoogleDriveErrorSelectFailed": { - "description": "Error message when selecting/loading a drive backup fails" - }, - "recoverbullGoogleDriveExportButton": "Vie", - "@recoverbullGoogleDriveExportButton": { - "description": "Export button text for vault backup" - }, - "recoverbullGoogleDriveNoBackupsFound": "Varmuuskopioita ei löytynyt", - "@recoverbullGoogleDriveNoBackupsFound": { - "description": "Message displayed when no backups are found in Google Drive" - }, - "recoverbullGoogleDriveScreenTitle": "Google Drive -holvit", - "@recoverbullGoogleDriveScreenTitle": { - "description": "Screen title for Google Drive vaults management" - }, - "recoverbullRecoverBullServer": "RecoverBull-palvelin", - "@recoverbullRecoverBullServer": { - "description": "Label for RecoverBull server connection status" - }, - "recoverbullRetry": "Yritä uudelleen", - "@recoverbullRetry": { - "description": "Button text to retry failed operation" - }, - "recoverbullSecureBackup": "Suojaa varmuuskopio", - "@recoverbullSecureBackup": { - "description": "Screen title for backup security setup" - }, - "recoverbullSeeMoreVaults": "Näytä lisää holveja", - "@recoverbullSeeMoreVaults": { - "description": "Button text to view additional vault options" - }, - "recoverbullSelectRecoverWallet": "Palauta lompakko", - "@recoverbullSelectRecoverWallet": { - "description": "AppBar title for initial provider selection screen" - }, - "recoverbullSelectVaultSelected": "Holvi valittu", - "@recoverbullSelectVaultSelected": { - "description": "AppBar title shown after vault has been selected" - }, - "recoverbullSelectCustomLocation": "Mukautettu sijainti", - "@recoverbullSelectCustomLocation": { - "description": "AppBar title for custom location file picker screen" - }, - "recoverbullSelectDriveBackups": "Drive-varmuuskopiot", - "@recoverbullSelectDriveBackups": { - "description": "AppBar title for screen showing list of Google Drive backups" - }, - "recoverbullSelectGoogleDrive": "Google Drive", - "@recoverbullSelectGoogleDrive": { - "description": "Name label for Google Drive backup provider option" - }, - "recoverbullSelectAppleIcloud": "Apple iCloud", - "@recoverbullSelectAppleIcloud": { - "description": "Name label for Apple iCloud backup provider option" - }, - "recoverbullSelectCustomLocationProvider": "Mukautettu sijainti", - "@recoverbullSelectCustomLocationProvider": { - "description": "Name label for custom location backup provider option" - }, - "recoverbullSelectQuickAndEasy": "Nopea ja helppo", - "@recoverbullSelectQuickAndEasy": { - "description": "Description tag for Google Drive and iCloud provider options" - }, - "recoverbullSelectTakeYourTime": "Varaa aikaa", - "@recoverbullSelectTakeYourTime": { - "description": "Description tag for custom location provider option" - }, - "recoverbullSelectVaultImportSuccess": "Holvisi tuotiin onnistuneesti", - "@recoverbullSelectVaultImportSuccess": { - "description": "Success message shown on vault selected page" - }, - "recoverbullSelectEnterBackupKeyManually": "Syötä varmuuskopioavain manuaalisesti >>", - "@recoverbullSelectEnterBackupKeyManually": { - "description": "Button text to manually enter backup key" - }, - "recoverbullSelectDecryptVault": "Pura holvi", - "@recoverbullSelectDecryptVault": { - "description": "Primary button text to proceed with vault decryption" - }, - "recoverbullSelectNoBackupsFound": "Varmuuskopioita ei löytynyt", - "@recoverbullSelectNoBackupsFound": { - "description": "Empty state message when no backup files found in Google Drive" - }, - "recoverbullSelectErrorPrefix": "Virhe:", - "@recoverbullSelectErrorPrefix": { - "description": "Prefix text shown before error messages" - }, - "recoverbullSelectFetchDriveFilesError": "Kaikkien Drive-varmuuskopioiden haku epäonnistui", - "@recoverbullSelectFetchDriveFilesError": { - "description": "Error when unable to retrieve backup list from Google Drive" - }, - "recoverbullSelectFileNotSelectedError": "Tiedostoa ei valittu", - "@recoverbullSelectFileNotSelectedError": { - "description": "Error when user cancels file selection" - }, - "recoverbullSelectCustomLocationError": "Tiedoston valinta mukautetusta sijainnista epäonnistui", - "@recoverbullSelectCustomLocationError": { - "description": "Error when file selection from custom location fails" - }, - "recoverbullSelectBackupFileNotValidError": "RecoverBull-varmuuskopiotiedosto ei ole kelvollinen", - "@recoverbullSelectBackupFileNotValidError": { - "description": "Error when selected file is not a valid RecoverBull backup format" - }, - "recoverbullSelectVaultProvider": "Valitse holvin tarjoaja", - "@recoverbullSelectVaultProvider": { - "description": "Screen title for vault provider selection" - }, - "recoverbullSwitchToPassword": "Valitse salasana sen sijaan", - "@recoverbullSwitchToPassword": { - "description": "Button text to switch from PIN to password input" - }, - "recoverbullSwitchToPIN": "Valitse PIN sen sijaan", - "@recoverbullSwitchToPIN": { - "description": "Button text to switch from password to PIN input" - }, - "recoverbullTestBackupDescription": "Testataan nyt varmuuskopiosi varmistaaksemme, että kaikki tehtiin oikein.", - "@recoverbullTestBackupDescription": { - "description": "Description message before testing backup" - }, - "recoverbullTestCompletedTitle": "Testi suoritettu onnistuneesti!", - "@recoverbullTestCompletedTitle": { - "description": "Success title after completing backup test" - }, - "recoverbullTestRecovery": "Testaa palautus", - "@recoverbullTestRecovery": { - "description": "Button text to initiate recovery test" - }, - "recoverbullTestSuccessDescription": "Pystyt palauttamaan pääsyn kadonneeseen Bitcoin-lompakkoon", - "@recoverbullTestSuccessDescription": { - "description": "Description shown after successful recovery test" - }, - "recoverbullTorNetwork": "Tor-verkko", - "@recoverbullTorNetwork": { - "description": "Label for Tor network connection status" - }, - "recoverbullTransactions": "Transaktioita: {count}", - "@recoverbullTransactions": { - "description": "Label showing transaction count during vault recovery", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "recoverbullVaultCreatedSuccess": "Holvi luotu onnistuneesti", - "@recoverbullVaultCreatedSuccess": { - "description": "Success message after vault creation" - }, - "recoverbullVaultImportedSuccess": "Holvisi tuotiin onnistuneesti", - "@recoverbullVaultImportedSuccess": { - "description": "Success message after vault import" - }, - "recoverbullVaultKey": "Holviavain", - "@recoverbullVaultKey": { - "description": "Screen title and label for vault key" - }, - "recoverbullVaultKeyInput": "Holviavain", - "@recoverbullVaultKeyInput": { - "description": "Input field label for vault key entry" - }, - "recoverbullVaultRecovery": "Holvin palautus", - "@recoverbullVaultRecovery": { - "description": "Screen title for vault recovery process" - }, - "recoverbullVaultSelected": "Holvi valittu", - "@recoverbullVaultSelected": { - "description": "Screen title after vault has been selected" - }, - "recoverbullWaiting": "Odotetaan", - "@recoverbullWaiting": { - "description": "Status label indicating waiting state" - }, - "recoverbullRecoveryTitle": "Recoverbull-holvin palautus", - "@recoverbullRecoveryTitle": { - "description": "AppBar title for vault recovery screen" - }, - "recoverbullRecoveryLoadingMessage": "Etsitään saldoa ja transaktioita…", - "@recoverbullRecoveryLoadingMessage": { - "description": "Loading message while checking wallet balance and transactions" - }, - "recoverbullRecoveryBalanceLabel": "Saldo: {amount}", - "@recoverbullRecoveryBalanceLabel": { - "description": "Label showing total wallet balance found", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "recoverbullRecoveryTransactionsLabel": "Transaktiot: {count}", - "@recoverbullRecoveryTransactionsLabel": { - "description": "Label showing total number of transactions found", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "recoverbullRecoveryContinueButton": "Jatka", - "@recoverbullRecoveryContinueButton": { - "description": "Button text to proceed with importing the wallet" - }, - "recoverbullRecoveryErrorWalletExists": "Tämä lompakko on jo olemassa.", - "@recoverbullRecoveryErrorWalletExists": { - "description": "Error when attempting to restore vault that already exists" - }, - "recoverbullRecoveryErrorWalletMismatch": "Toinen oletuslompakko on jo olemassa. Voit asettaa vain yhden oletuslompakon.", - "@recoverbullRecoveryErrorWalletMismatch": { - "description": "Error when different default wallet already exists" - }, - "recoverbullRecoveryErrorKeyDerivationFailed": "Paikallisen varmuuskopioavaimen johtaminen epäonnistui.", - "@recoverbullRecoveryErrorKeyDerivationFailed": { - "description": "Error when app fails to derive backup encryption key" - }, - "recoverbullRecoveryErrorVaultCorrupted": "Valittu varmuuskopiotiedosto on vioittunut.", - "@recoverbullRecoveryErrorVaultCorrupted": { - "description": "Error when vault backup file cannot be decrypted or is invalid" - }, - "recoverbullRecoveryErrorMissingDerivationPath": "Varmuuskopiotiedostosta puuttuu derivointipolku.", - "@recoverbullRecoveryErrorMissingDerivationPath": { - "description": "Error when vault backup file is missing required derivation path" - }, - "rbfTitle": "Replace-by-Fee", - "@rbfTitle": { - "description": "AppBar title for Replace-by-Fee screen" - }, - "rbfOriginalTransaction": "Alkuperäinen transaktio", - "@rbfOriginalTransaction": { - "description": "Header label for original transaction details" - }, - "rbfBroadcast": "Lähetä", - "@rbfBroadcast": { - "description": "Button text to broadcast the bumped transaction" - }, - "rbfFastest": "Nopein", - "@rbfFastest": { - "description": "Label for fastest fee option" - }, - "rbfEstimatedDelivery": "Arvioitu vahvistusviive ~ 10 minuuttia", - "@rbfEstimatedDelivery": { - "description": "Estimated confirmation time for fastest fee" - }, - "rbfFeeRate": "Kulutaso: {rate} sat/vbyte", - "@rbfFeeRate": { - "description": "Label showing fee rate", - "placeholders": { - "rate": { - "type": "String" - } - } - }, - "rbfCustomFee": "Mukautettu kulu", - "@rbfCustomFee": { - "description": "Label for custom fee option" - }, - "rbfSatsPerVbyte": "sats/vB", - "@rbfSatsPerVbyte": { - "description": "Unit label for fee rate input" - }, - "rbfErrorNoFeeRate": "Valitse kulutaso", - "@rbfErrorNoFeeRate": { - "description": "Error when no fee rate is selected" - }, - "rbfErrorAlreadyConfirmed": "Alkuperäinen transaktio on vahvistettu", - "@rbfErrorAlreadyConfirmed": { - "description": "Error when trying to RBF a confirmed transaction" - }, - "rbfErrorFeeTooLow": "Sinun on nostettava kulutasoa vähintään 1 sat/vbyte verrattuna alkuperäiseen transaktioon", - "@rbfErrorFeeTooLow": { - "description": "Error when new fee rate is not high enough" - }, - "psbtSignTransaction": "Allekirjoita transaktio", - "@psbtSignTransaction": { - "description": "AppBar title for PSBT signing screen" - }, - "psbtInstructions": "Ohjeet", - "@psbtInstructions": { - "description": "Button text to show device-specific signing instructions" - }, - "psbtImDone": "Valmis", - "@psbtImDone": { - "description": "Button text to proceed after signing transaction on hardware device" - }, - "psbtFlowSignTransaction": "Allekirjoita transaktio", - "@psbtFlowSignTransaction": { - "description": "Title for psbt flow signing screen" - }, - "psbtFlowInstructions": "Ohjeet", - "@psbtFlowInstructions": { - "description": "Instructions section header in psbt flow" - }, - "psbtFlowDone": "Valmis", - "@psbtFlowDone": { - "description": "Button to complete psbt flow signing process" - }, - "psbtFlowError": "Virhe: {error}", - "@psbtFlowError": { - "description": "Error message in psbt flow", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "psbtFlowNoPartsToDisplay": "Ei osia näytettäväksi", - "@psbtFlowNoPartsToDisplay": { - "description": "Message when there are no QR code parts to show" - }, - "psbtFlowPartProgress": "Osa {current}/{total}", - "@psbtFlowPartProgress": { - "description": "Progress indicator for animated QR code parts", - "placeholders": { - "current": { - "type": "String" - }, - "total": { - "type": "String" - } - } - }, - "psbtFlowKruxTitle": "Krux-ohjeet", - "@psbtFlowKruxTitle": { - "description": "Title for Krux device signing instructions" - }, - "psbtFlowKeystoneTitle": "Keystone-ohjeet", - "@psbtFlowKeystoneTitle": { - "description": "Title for Keystone device signing instructions" - }, - "psbtFlowPassportTitle": "Foundation Passport -ohjeet", - "@psbtFlowPassportTitle": { - "description": "Title for Foundation Passport device signing instructions" - }, - "psbtFlowSeedSignerTitle": "SeedSigner-ohjeet", - "@psbtFlowSeedSignerTitle": { - "description": "Title for SeedSigner device signing instructions" - }, - "psbtFlowSpecterTitle": "Specter-ohjeet", - "@psbtFlowSpecterTitle": { - "description": "Title for Specter device signing instructions" - }, - "psbtFlowColdcardTitle": "Coldcard Q -ohjeet", - "@psbtFlowColdcardTitle": { - "description": "Title for Coldcard Q device signing instructions" - }, - "psbtFlowJadeTitle": "Blockstream Jade PSBT -ohjeet", - "@psbtFlowJadeTitle": { - "description": "Title for Blockstream Jade PSBT signing instructions" - }, - "psbtFlowLoginToDevice": "Kirjaudu {device}-laitteeseesi", - "@psbtFlowLoginToDevice": { - "description": "Instruction to login to hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowTurnOnDevice": "Käynnistä {device}-laitteesi", - "@psbtFlowTurnOnDevice": { - "description": "Instruction to power on hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowAddPassphrase": "Lisää salasanalause, jos sinulla on (valinnainen)", - "@psbtFlowAddPassphrase": { - "description": "Optional instruction to add BIP39 passphrase" - }, - "psbtFlowClickScan": "Valitse Skannaa", - "@psbtFlowClickScan": { - "description": "Instruction to click scan button on device" - }, - "psbtFlowClickSign": "Valitse Allekirjoita", - "@psbtFlowClickSign": { - "description": "Instruction to click sign button on device" - }, - "psbtFlowClickPsbt": "Valitse PSBT", - "@psbtFlowClickPsbt": { - "description": "Instruction to click PSBT option on device" - }, - "psbtFlowLoadFromCamera": "Valitse Lataa kamerasta", - "@psbtFlowLoadFromCamera": { - "description": "Instruction to select camera load option on device" - }, - "psbtFlowScanQrOption": "Valitse \"Skannaa QR\" -vaihtoehto", - "@psbtFlowScanQrOption": { - "description": "Instruction to select scan QR menu option" - }, - "psbtFlowScanAnyQr": "Valitse \"Skannaa mikä tahansa QR-koodi\" -vaihtoehto", - "@psbtFlowScanAnyQr": { - "description": "Instruction to select scan any QR code option" - }, - "psbtFlowSignWithQr": "Valitse Allekirjoita QR-koodilla", - "@psbtFlowSignWithQr": { - "description": "Instruction to select QR code signing method" - }, - "psbtFlowScanQrShown": "Skannaa Bull-lompakossa näytetty QR-koodi", - "@psbtFlowScanQrShown": { - "description": "Instruction to scan QR code displayed in app" - }, - "psbtFlowTroubleScanningTitle": "Jos sinulla on ongelmia skannauksen kanssa:", - "@psbtFlowTroubleScanningTitle": { - "description": "Header for troubleshooting scanning issues" - }, - "psbtFlowIncreaseBrightness": "Lisää laitteen näytön kirkkautta", - "@psbtFlowIncreaseBrightness": { - "description": "Troubleshooting tip to increase brightness" - }, - "psbtFlowMoveLaser": "Siirrä punaista lasersädettä QR-koodin yli ylös ja alas", - "@psbtFlowMoveLaser": { - "description": "Troubleshooting tip for devices with laser scanners" - }, - "psbtFlowMoveBack": "Kokeile siirtää laitetta hieman taaksepäin", - "@psbtFlowMoveBack": { - "description": "Troubleshooting tip to adjust scanning distance" - }, - "psbtFlowHoldSteady": "Pidä QR-koodi vakaana ja keskellä", - "@psbtFlowHoldSteady": { - "description": "Troubleshooting tip to hold QR code still" - }, - "psbtFlowMoveCloserFurther": "Kokeile siirtää laitetta lähemmäs tai kauemmas", - "@psbtFlowMoveCloserFurther": { - "description": "Troubleshooting tip to adjust distance" - }, - "psbtFlowReviewTransaction": "Kun transaktio on tuotu {device}-laitteeseesi, tarkista vastaanottajan osoite ja määrä.", - "@psbtFlowReviewTransaction": { - "description": "Instruction to review transaction details on device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowSelectSeed": "Kun transaktio on tuotu {device}-laitteeseesi, valitse siemen, jolla haluat allekirjoittaa.", - "@psbtFlowSelectSeed": { - "description": "Instruction to select seed on device for signing", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowSignTransactionOnDevice": "Paina painikkeita allekirjoittaaksesi transaktion {device}-laitteellasi.", - "@psbtFlowSignTransactionOnDevice": { - "description": "Instruction to sign transaction on hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowDeviceShowsQr": "{device} näyttää sitten oman QR-koodinsa.", - "@psbtFlowDeviceShowsQr": { - "description": "Information that device will display QR code after signing", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowClickDone": "Valitse \"Valmis\" Bull Bitcoin -lompakossa.", - "@psbtFlowClickDone": { - "description": "Instruction to click done button in app" - }, - "psbtFlowScanDeviceQr": "Bull Bitcoin -lompakko pyytää sinua skannaamaan {device}-laitteen QR-koodin. Skannaa se.", - "@psbtFlowScanDeviceQr": { - "description": "Instruction to scan QR code from hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowTransactionImported": "Transaktio tuodaan Bull Bitcoin -lompakkoon.", - "@psbtFlowTransactionImported": { - "description": "Confirmation that transaction was imported successfully" - }, - "psbtFlowReadyToBroadcast": "Se on nyt valmis lähetettäväksi! Kun valitset Lähetä, transaktio julkaistaan Bitcoin-verkossa ja varat lähetetään.", - "@psbtFlowReadyToBroadcast": { - "description": "Final message that transaction is ready to broadcast" - }, - "hwConnectTitle": "Yhdistä laitteistolompakko", - "@hwConnectTitle": { - "description": "AppBar title for hardware wallet selection screen" - }, - "hwChooseDevice": "Valitse laitteistolompakko, johon haluat yhdistää", - "@hwChooseDevice": { - "description": "Instruction text for hardware wallet selection" - }, - "hwColdcardQ": "Coldcard Q", - "@hwColdcardQ": { - "description": "Name of Coldcard Q hardware wallet" - }, - "hwLedger": "Ledger", - "@hwLedger": { - "description": "Name of Ledger hardware wallet" - }, - "hwJade": "Blockstream Jade", - "@hwJade": { - "description": "Name of Blockstream Jade hardware wallet" - }, - "hwKeystone": "Keystone", - "@hwKeystone": { - "description": "Name of Keystone hardware wallet" - }, - "hwKrux": "Krux", - "@hwKrux": { - "description": "Name of Krux hardware wallet" - }, - "hwPassport": "Foundation Passport", - "@hwPassport": { - "description": "Name of Foundation Passport hardware wallet" - }, - "hwSeedSigner": "SeedSigner", - "@hwSeedSigner": { - "description": "Name of SeedSigner hardware wallet" - }, - "kruxInstructionsTitle": "Krux-ohjeet", - "@kruxInstructionsTitle": { - "description": "Title for Krux signing instructions modal" - }, - "kruxStep1": "Kirjaudu Krux-laitteeseesi", - "@kruxStep1": { - "description": "Krux instruction step 1" - }, - "kruxStep2": "Valitse Allekirjoita", - "@kruxStep2": { - "description": "Krux instruction step 2" - }, - "kruxStep3": "Valitse PSBT", - "@kruxStep3": { - "description": "Krux instruction step 3" - }, - "kruxStep4": "Valitse Lataa kamerasta", - "@kruxStep4": { - "description": "Krux instruction step 4" - }, - "kruxStep5": "Skannaa Bull-lompakossa näytetty QR-koodi", - "@kruxStep5": { - "description": "Krux instruction step 5" - }, - "kruxStep6": "Jos sinulla on ongelmia skannauksen kanssa:", - "@kruxStep6": { - "description": "Krux troubleshooting header" - }, - "kruxStep7": " - Lisää laitteen näytön kirkkautta", - "@kruxStep7": { - "description": "Krux troubleshooting tip 1" - }, - "kruxStep8": " - Siirrä punaista lasersädettä QR-koodin yli", - "@kruxStep8": { - "description": "Krux troubleshooting tip 2" - }, - "kruxStep9": " - Kokeile siirtää laitetta hieman taaksepäin", - "@kruxStep9": { - "description": "Krux troubleshooting tip 3" - }, - "kruxStep10": "Kun transaktio on tuotu Kruxiin, tarkista vastaanottajan osoite ja määrä.", - "@kruxStep10": { - "description": "Krux instruction for reviewing transaction" - }, - "kruxStep11": "Paina painikkeita allekirjoittaaksesi transaktion Kruxilla.", - "@kruxStep11": { - "description": "Krux instruction for signing" - }, - "kruxStep12": "Krux näyttää sitten oman QR-koodinsa.", - "@kruxStep12": { - "description": "Krux instruction about signed PSBT QR" - }, - "kruxStep13": "Valitse \"Valmis\" Bull Bitcoin -lompakossa.", - "@kruxStep13": { - "description": "Krux instruction to return to app" - }, - "kruxStep14": "Bull Bitcoin -lompakko pyytää sinua skannaamaan Kruxin QR-koodin. Skannaa se.", - "@kruxStep14": { - "description": "Krux instruction for scanning signed PSBT" - }, - "kruxStep15": "Transaktio tuodaan Bull Bitcoin -lompakkoon.", - "@kruxStep15": { - "description": "Krux instruction about import completion" - }, - "kruxStep16": "Se on nyt valmis lähetettäväksi! Kun valitset Lähetä, transaktio julkaistaan Bitcoin-verkossa ja varat lähetetään.", - "@kruxStep16": { - "description": "Krux final instruction about broadcasting" - }, - "keystoneInstructionsTitle": "Keystone-ohjeet", - "@keystoneInstructionsTitle": { - "description": "Title for Keystone signing instructions modal" - }, - "keystoneStep1": "Kirjaudu Keystone-laitteeseesi", - "@keystoneStep1": { - "description": "Keystone instruction step 1" - }, - "keystoneStep2": "Valitse Skannaa", - "@keystoneStep2": { - "description": "Keystone instruction step 2" - }, - "keystoneStep3": "Skannaa Bull-lompakossa näytetty QR-koodi", - "@keystoneStep3": { - "description": "Keystone instruction step 3" - }, - "keystoneStep4": "Jos sinulla on ongelmia skannauksen kanssa:", - "@keystoneStep4": { - "description": "Keystone troubleshooting header" - }, - "keystoneStep5": " - Lisää laitteen näytön kirkkautta", - "@keystoneStep5": { - "description": "Keystone troubleshooting tip 1" - }, - "keystoneStep6": " - Siirrä punaista lasersädettä QR-koodin yli", - "@keystoneStep6": { - "description": "Keystone troubleshooting tip 2" - }, - "keystoneStep7": " - Kokeile siirtää laitetta hieman taaksepäin", - "@keystoneStep7": { - "description": "Keystone troubleshooting tip 3" - }, - "keystoneStep8": "Kun transaktio on tuotu Keystonelle, tarkista vastaanottajan osoite ja määrä.", - "@keystoneStep8": { - "description": "Keystone instruction for reviewing transaction" - }, - "keystoneStep9": "Paina painikkeita allekirjoittaaksesi transaktion Keystone-laitteellasi.", - "@keystoneStep9": { - "description": "Keystone instruction for signing" - }, - "keystoneStep10": "Keystone näyttää sitten oman QR-koodinsa.", - "@keystoneStep10": { - "description": "Keystone instruction about signed PSBT QR" - }, - "keystoneStep11": "Valitse \"Valmis\" Bull Bitcoin -lompakossa.", - "@keystoneStep11": { - "description": "Keystone instruction to return to app" - }, - "keystoneStep12": "Bull Bitcoin -lompakko pyytää sinua skannaamaan Keystone-laitteen QR-koodin. Skannaa se.", - "@keystoneStep12": { - "description": "Keystone instruction for scanning signed PSBT" - }, - "keystoneStep13": "Transaktio tuodaan Bull Bitcoin -lompakkoon.", - "@keystoneStep13": { - "description": "Keystone instruction about import completion" - }, - "keystoneStep14": "Se on nyt valmis lähetettäväksi! Kun valitset Lähetä, transaktio julkaistaan Bitcoin-verkossa ja varat lähetetään.", - "@keystoneStep14": { - "description": "Keystone final instruction about broadcasting" - }, - "passportInstructionsTitle": "Foundation Passport -ohjeet", - "@passportInstructionsTitle": { - "description": "Title for Passport signing instructions modal" - }, - "passportStep1": "Kirjaudu Passport-laitteeseesi", - "@passportStep1": { - "description": "Passport instruction step 1" - }, - "passportStep2": "Valitse Sign with QR Code", - "@passportStep2": { - "description": "Passport instruction step 2" - }, - "passportStep3": "Skannaa Bull-lompakossa näkyvä QR-koodi", - "@passportStep3": { - "description": "Passport instruction step 3" - }, - "passportStep4": "Jos sinulla on ongelmia skannauksessa:", - "@passportStep4": { - "description": "Passport troubleshooting header" - }, - "passportStep5": " - Lisää laitteesi näytön kirkkautta", - "@passportStep5": { - "description": "Passport troubleshooting tip 1" - }, - "passportStep6": " - Liikuta punaista laseria ylös ja alas QR-koodin päällä", - "@passportStep6": { - "description": "Passport troubleshooting tip 2" - }, - "passportStep7": " - Kokeile siirtää laitettasi hieman kauemmas", - "@passportStep7": { - "description": "Passport troubleshooting tip 3" - }, - "passportStep8": "Kun transaktio on tuotu Passportiin, tarkista vastaanottava osoite ja määrä.", - "@passportStep8": { - "description": "Passport instruction for reviewing transaction" - }, - "passportStep9": "Paina painikkeita allekirjoittaaksesi transaktion Passport-laitteella.", - "@passportStep9": { - "description": "Passport instruction for signing" - }, - "passportStep10": "Passport näyttää tämän jälkeen oman QR-koodinsa.", - "@passportStep10": { - "description": "Passport instruction about signed PSBT QR" - }, - "passportStep11": "Napsauta ”Valmis” Bull Bitcoin -lompakossa.", - "@passportStep11": { - "description": "Passport instruction to return to app" - }, - "passportStep12": "Bull-lompakko pyytää sinua skannaamaan Passportin QR-koodin. Skannaa se.", - "@passportStep12": { - "description": "Passport instruction for scanning signed PSBT" - }, - "passportStep13": "Transaktio tuodaan Bull Bitcoin -lompakkoon.", - "@passportStep13": { - "description": "Passport instruction about import completion" - }, - "passportStep14": "Se on nyt valmis lähetettäväksi! Kun napsautat Lähetä, transaktio julkaistaan Bitcoin-verkkoon ja varat lähetetään.", - "@passportStep14": { - "description": "Passport final instruction about broadcasting" - }, - "seedsignerInstructionsTitle": "SeedSigner-ohjeet", - "@seedsignerInstructionsTitle": { - "description": "Title for SeedSigner signing instructions modal" - }, - "seedsignerStep1": "Kytke SeedSigner-laite päälle", - "@seedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, - "seedsignerStep2": "Valitse Scan", - "@seedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, - "seedsignerStep3": "Skannaa Bull-lompakossa näkyvä QR-koodi", - "@seedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, - "seedsignerStep4": "Jos sinulla on ongelmia skannauksessa:", - "@seedsignerStep4": { - "description": "SeedSigner troubleshooting header" - }, - "seedsignerStep5": " - Lisää laitteesi näytön kirkkautta", - "@seedsignerStep5": { - "description": "SeedSigner troubleshooting tip 1" - }, - "seedsignerStep6": " - Liikuta punaista laseria ylös ja alas QR-koodin päällä", - "@seedsignerStep6": { - "description": "SeedSigner troubleshooting tip 2" - }, - "seedsignerStep7": " - Kokeile siirtää laitettasi hieman kauemmas", - "@seedsignerStep7": { - "description": "SeedSigner troubleshooting tip 3" - }, - "seedsignerStep8": "Kun transaktio on tuotu SeedSigneriin, valitse siemen, jolla haluat allekirjoittaa.", - "@seedsignerStep8": { - "description": "SeedSigner instruction for seed selection" - }, - "seedsignerStep9": "Tarkista vastaanottava osoite ja määrä, ja vahvista allekirjoitus SeedSignerilla.", - "@seedsignerStep9": { - "description": "SeedSigner instruction for reviewing and signing" - }, - "seedsignerStep10": "SeedSigner näyttää tämän jälkeen oman QR-koodinsa.", - "@seedsignerStep10": { - "description": "SeedSigner instruction about signed PSBT QR" - }, - "seedsignerStep11": "Napsauta ”Valmis” Bull Bitcoin -lompakossa.", - "@seedsignerStep11": { - "description": "SeedSigner instruction to return to app" - }, - "seedsignerStep12": "Bull-lompakko pyytää sinua skannaamaan SeedSignerissa näkyvän QR-koodin. Skannaa se.", - "@seedsignerStep12": { - "description": "SeedSigner instruction for scanning signed PSBT" - }, - "seedsignerStep13": "Transaktio tuodaan Bull Bitcoin -lompakkoon.", - "@seedsignerStep13": { - "description": "SeedSigner instruction about import completion" - }, - "seedsignerStep14": "Se on nyt valmis lähetettäväksi! Kun napsautat Lähetä, transaktio julkaistaan Bitcoin-verkkoon ja varat lähetetään.", - "@seedsignerStep14": { - "description": "SeedSigner final instruction about broadcasting" - }, - "connectHardwareWalletTitle": "Yhdistä laitteistolompakko", - "@connectHardwareWalletTitle": { - "description": "Title for connect hardware wallet page" - }, - "connectHardwareWalletDescription": "Valitse laitteistolompakko, jonka haluat yhdistää", - "@connectHardwareWalletDescription": { - "description": "Description text on connect hardware wallet page" - }, - "connectHardwareWalletColdcardQ": "Coldcard Q", - "@connectHardwareWalletColdcardQ": { - "description": "Coldcard Q hardware wallet option" - }, - "connectHardwareWalletLedger": "Ledger", - "@connectHardwareWalletLedger": { - "description": "Ledger hardware wallet option" - }, - "connectHardwareWalletJade": "Blockstream Jade", - "@connectHardwareWalletJade": { - "description": "Blockstream Jade hardware wallet option" - }, - "connectHardwareWalletKeystone": "Keystone", - "@connectHardwareWalletKeystone": { - "description": "Keystone hardware wallet option" - }, - "connectHardwareWalletKrux": "Krux", - "@connectHardwareWalletKrux": { - "description": "Krux hardware wallet option" - }, - "connectHardwareWalletPassport": "Foundation Passport", - "@connectHardwareWalletPassport": { - "description": "Foundation Passport hardware wallet option" - }, - "connectHardwareWalletSeedSigner": "SeedSigner", - "@connectHardwareWalletSeedSigner": { - "description": "SeedSigner hardware wallet option" - }, - "coldcardInstructionsTitle": "Coldcard Q -ohjeet", - "@coldcardInstructionsTitle": { - "description": "Title for Coldcard Q signing instructions modal" - }, - "coldcardStep1": "Kirjaudu Coldcard Q -laitteeseesi", - "@coldcardStep1": { - "description": "Coldcard instruction step 1" - }, - "coldcardStep2": "Lisää salasana, jos käytät sellaista (valinnainen)", - "@coldcardStep2": { - "description": "Coldcard instruction step 2" - }, - "coldcardStep3": "Valitse \"Scan any QR code\"", - "@coldcardStep3": { - "description": "Coldcard instruction step 3" - }, - "coldcardStep4": "Skannaa Bull-lompakossa näkyvä QR-koodi", - "@coldcardStep4": { - "description": "Coldcard instruction step 4" - }, - "coldcardStep5": "Jos sinulla on ongelmia skannauksessa:", - "@coldcardStep5": { - "description": "Coldcard troubleshooting header" - }, - "coldcardStep6": " - Lisää laitteesi näytön kirkkautta", - "@coldcardStep6": { - "description": "Coldcard troubleshooting tip 1" - }, - "coldcardStep7": " - Liikuta punaista laseria ylös ja alas QR-koodin päällä", - "@coldcardStep7": { - "description": "Coldcard troubleshooting tip 2" - }, - "coldcardStep8": " - Kokeile siirtää laitettasi hieman kauemmas", - "@coldcardStep8": { - "description": "Coldcard troubleshooting tip 3" - }, - "coldcardStep9": "Kun transaktio on tuotu Coldcardiin, tarkista vastaanottava osoite ja määrä.", - "@coldcardStep9": { - "description": "Coldcard instruction for reviewing transaction" - }, - "coldcardStep10": "Paina painikkeita allekirjoittaaksesi transaktion Coldcardilla.", - "@coldcardStep10": { - "description": "Coldcard instruction for signing" - }, - "coldcardStep11": "Coldcard Q näyttää tämän jälkeen oman QR-koodinsa.", - "@coldcardStep11": { - "description": "Coldcard instruction about signed PSBT QR" - }, - "coldcardStep12": "Napsauta ”Valmis” Bull Bitcoin -lompakossa.", - "@coldcardStep12": { - "description": "Coldcard instruction to return to app" - }, - "coldcardStep13": "Bull-lompakko pyytää sinua skannaamaan Coldcardissa näkyvän QR-koodin. Skannaa se.", - "@coldcardStep13": { - "description": "Coldcard instruction for scanning signed PSBT" - }, - "coldcardStep14": "Transaktio tuodaan Bull Bitcoin -lompakkoon.", - "@coldcardStep14": { - "description": "Coldcard instruction about import completion" - }, - "coldcardStep15": "Se on nyt valmis lähetettäväksi! Kun napsautat Lähetä, transaktio julkaistaan Bitcoin-verkkoon ja varat lähetetään.", - "@coldcardStep15": { - "description": "Coldcard final instruction about broadcasting" - }, - "jadeInstructionsTitle": "Blockstream Jade -ohjeet", - "@jadeInstructionsTitle": { - "description": "Title for Jade signing instructions modal" - }, - "jadeStep1": "Kirjaudu Jade-laitteeseesi", - "@jadeStep1": { - "description": "Jade instruction step 1" - }, - "jadeStep2": "Lisää salasana, jos käytät sellaista (valinnainen)", - "@jadeStep2": { - "description": "Jade instruction step 2" - }, - "jadeStep3": "Valitse \"Scan QR\"", - "@jadeStep3": { - "description": "Jade instruction step 3" - }, - "jadeStep4": "Skannaa Bull-lompakossa näkyvä QR-koodi", - "@jadeStep4": { - "description": "Jade instruction step 4" - }, - "jadeStep5": "Jos sinulla on ongelmia skannauksessa:", - "@jadeStep5": { - "description": "Jade troubleshooting header" - }, - "jadeStep6": " - Lisää laitteesi näytön kirkkautta", - "@jadeStep6": { - "description": "Jade troubleshooting tip 1" - }, - "jadeStep7": " - Pidä QR-koodi vakaana ja keskitettynä", - "@jadeStep7": { - "description": "Jade troubleshooting tip 2" - }, - "jadeStep8": " - Kokeile siirtää laitetta lähemmäs tai kauemmas", - "@jadeStep8": { - "description": "Jade troubleshooting tip 3" - }, - "jadeStep9": "Kun transaktio on tuotu Jadeen, tarkista vastaanottava osoite ja määrä.", - "@jadeStep9": { - "description": "Jade instruction for reviewing transaction" - }, - "jadeStep10": "Paina painikkeita allekirjoittaaksesi transaktion Jadella.", - "@jadeStep10": { - "description": "Jade instruction for signing" - }, - "jadeStep11": "Jade näyttää tämän jälkeen oman QR-koodinsa.", - "@jadeStep11": { - "description": "Jade instruction about signed PSBT QR" - }, - "jadeStep12": "Napsauta ”Valmis” Bull Bitcoin -lompakossa.", - "@jadeStep12": { - "description": "Jade instruction to return to app" - }, - "jadeStep13": "Bull-lompakko pyytää sinua skannaamaan Jadessa näkyvän QR-koodin. Skannaa se.", - "@jadeStep13": { - "description": "Jade instruction for scanning signed PSBT" - }, - "jadeStep14": "Transaktio tuodaan Bull Bitcoin -lompakkoon.", - "@jadeStep14": { - "description": "Jade instruction about import completion" - }, - "jadeStep15": "Se on nyt valmis lähetettäväksi! Kun napsautat Lähetä, transaktio julkaistaan Bitcoin-verkkoon ja varat lähetetään.", - "@jadeStep15": { - "description": "Jade final instruction about broadcasting" - }, - "importWalletTitle": "Lisää uusi lompakko", - "@importWalletTitle": { - "description": "AppBar title for wallet import selection screen" - }, - "importWalletConnectHardware": "Yhdistä laitteistolompakko", - "@importWalletConnectHardware": { - "description": "Button to connect hardware wallet" - }, - "importWalletImportMnemonic": "Tuo siemenlause", - "@importWalletImportMnemonic": { - "description": "Button to import wallet from seed phrase" - }, - "importWalletImportWatchOnly": "Tuo watch-only", - "@importWalletImportWatchOnly": { - "description": "Button to import watch-only wallet" - }, - "importWalletSectionGeneric": "Yleiset lompakot", - "@importWalletSectionGeneric": { - "description": "Section header for generic wallet types" - }, - "importWalletSectionHardware": "Laitteistolompakot", - "@importWalletSectionHardware": { - "description": "Section header for hardware wallet types" - }, - "importWalletColdcardQ": "Coldcard Q", - "@importWalletColdcardQ": { - "description": "Button label for Coldcard Q hardware wallet" - }, - "importWalletLedger": "Ledger", - "@importWalletLedger": { - "description": "Button label for Ledger hardware wallet" - }, - "importWalletJade": "Blockstream Jade", - "@importWalletJade": { - "description": "Button label for Blockstream Jade hardware wallet" - }, - "importWalletKeystone": "Keystone", - "@importWalletKeystone": { - "description": "Button label for Keystone hardware wallet" - }, - "importWalletPassport": "Foundation Passport", - "@importWalletPassport": { - "description": "Button label for Foundation Passport hardware wallet" - }, - "importWalletSeedSigner": "SeedSigner", - "@importWalletSeedSigner": { - "description": "Button label for SeedSigner hardware wallet" - }, - "importWalletSpecter": "Specter", - "@importWalletSpecter": { - "description": "Button label for Specter hardware wallet" - }, - "importWalletKrux": "Krux", - "@importWalletKrux": { - "description": "Button label for Krux hardware wallet" - }, - "importMnemonicContinue": "Jatka", - "@importMnemonicContinue": { - "description": "Button text to proceed after entering mnemonic" - }, - "importMnemonicSelectScriptType": "Tuo siemenlause", - "@importMnemonicSelectScriptType": { - "description": "AppBar title for script type selection" - }, - "importMnemonicSyncMessage": "Kaikki kolme lompakkotyyppiä synkronoidaan, ja niiden saldot ja transaktiot näkyvät pian. Voit odottaa synkronoinnin valmistumista tai jatkaa tuontia, jos tiedät minkä lompakkotyypin haluat tuoda.", - "@importMnemonicSyncMessage": { - "description": "Message explaining wallet type syncing process" - }, - "importMnemonicSegwit": "Segwit", - "@importMnemonicSegwit": { - "description": "Label for Segwit (BIP84) wallet type" - }, - "importMnemonicNestedSegwit": "Nested Segwit", - "@importMnemonicNestedSegwit": { - "description": "Label for Nested Segwit (BIP49) wallet type" - }, - "importMnemonicLegacy": "Legacy", - "@importMnemonicLegacy": { - "description": "Label for Legacy (BIP44) wallet type" - }, - "importMnemonicChecking": "Tarkistetaan...", - "@importMnemonicChecking": { - "description": "Status while checking wallet type" - }, - "importMnemonicEmpty": "Tyhjä", - "@importMnemonicEmpty": { - "description": "Status for wallet type with no transactions" - }, - "importMnemonicHasBalance": "Sisältää saldoa", - "@importMnemonicHasBalance": { - "description": "Status for wallet type with balance" - }, - "importMnemonicTransactions": "{count} transaktiota", - "@importMnemonicTransactions": { - "description": "Shows number of transactions for wallet type", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "importMnemonicBalance": "Saldo: {amount}", - "@importMnemonicBalance": { - "description": "Shows balance for wallet type", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "importMnemonicImport": "Tuo", - "@importMnemonicImport": { - "description": "Button to import selected wallet type" - }, - "importMnemonicImporting": "Tuodaan...", - "@importMnemonicImporting": { - "description": "Loading message while importing wallet" - }, - "importMnemonicSelectType": "Valitse tuotava lompakkotyyppi", - "@importMnemonicSelectType": { - "description": "Instruction to select wallet type" - }, - "importMnemonicBalanceLabel": "Saldo: {amount}", - "@importMnemonicBalanceLabel": { - "description": "ImportMnemonic: Balance label with amount in wallet type card", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "importMnemonicTransactionsLabel": "Transaktioita: {count}", - "@importMnemonicTransactionsLabel": { - "description": "ImportMnemonic: Transactions label with count in wallet type card", - "placeholders": { - "count": { - "type": "String" - } - } - }, - "importWatchOnlyTitle": "Tuo watch-only -lompakko", - "@importWatchOnlyTitle": { - "description": "AppBar title for watch-only import screen" - }, - "importWatchOnlyPasteHint": "Liitä xpub, ypub, zpub tai descriptor", - "@importWatchOnlyPasteHint": { - "description": "Placeholder hint for paste input field" - }, - "importWatchOnlyXpub": "xpub", - "@importWatchOnlyXpub": { - "description": "Label for xpub import method" - }, - "importWatchOnlyYpub": "ypub", - "@importWatchOnlyYpub": { - "description": "Label for ypub import method" - }, - "importWatchOnlyZpub": "zpub", - "@importWatchOnlyZpub": { - "description": "Label for zpub import method" - }, - "importWatchOnlyDescriptor": "Descriptor", - "@importWatchOnlyDescriptor": { - "description": "Label for descriptor import method" - }, - "importWatchOnlyScanQR": "Skannaa QR", - "@importWatchOnlyScanQR": { - "description": "Button to scan QR code for watch-only import" - }, - "importWatchOnlyScriptType": "Skriptityyppi", - "@importWatchOnlyScriptType": { - "description": "Label for script type field" - }, - "importWatchOnlyFingerprint": "Sormenjälki", - "@importWatchOnlyFingerprint": { - "description": "Label for wallet fingerprint field" - }, - "importWatchOnlyDerivationPath": "Derivointipolku", - "@importWatchOnlyDerivationPath": { - "description": "Label for derivation path field" - }, - "importWatchOnlyImportButton": "Tuo watch-only -lompakko", - "@importWatchOnlyImportButton": { - "description": "Button to confirm watch-only import" - }, - "importWatchOnlyCancel": "Peruuta", - "@importWatchOnlyCancel": { - "description": "Button to cancel watch-only import" - }, - "importWatchOnlyBuyDevice": "Osta laite", - "@importWatchOnlyBuyDevice": { - "description": "Button label to purchase a hardware wallet device" - }, - "importWatchOnlyWalletGuides": "Oppaat", - "@importWatchOnlyWalletGuides": { - "description": "Button label for wallet documentation and guides" - }, - "importWatchOnlyCopiedToClipboard": "Kopioitu leikepöydälle", - "@importWatchOnlyCopiedToClipboard": { - "description": "Snackbar message shown when QR code content is copied" - }, - "importWatchOnlySelectDerivation": "Valitse derivointitapa", - "@importWatchOnlySelectDerivation": { - "description": "Title for bottom sheet to select wallet derivation type" - }, - "importWatchOnlyType": "Tyyppi", - "@importWatchOnlyType": { - "description": "Label for wallet script type field" - }, - "importWatchOnlySigningDevice": "Allekirjoituslaite", - "@importWatchOnlySigningDevice": { - "description": "Label for signing device selection field" - }, - "importWatchOnlyUnknown": "Tuntematon", - "@importWatchOnlyUnknown": { - "description": "Default value when signing device is unknown" - }, - "importWatchOnlyLabel": "Tunniste", - "@importWatchOnlyLabel": { - "description": "Label for wallet name/label input field" - }, - "importWatchOnlyRequired": "Pakollinen", - "@importWatchOnlyRequired": { - "description": "Placeholder hint for required input fields" - }, - "importWatchOnlyImport": "Tuo", - "@importWatchOnlyImport": { - "description": "Button label to import watch-only wallet" - }, - "importWatchOnlyExtendedPublicKey": "Laajennettu julkinen avain", - "@importWatchOnlyExtendedPublicKey": { - "description": "Label for extended public key (xpub/ypub/zpub) display" - }, - "importWatchOnlyDisclaimerTitle": "Derivointipolkuvaroitus", - "@importWatchOnlyDisclaimerTitle": { - "description": "Title for derivation path warning disclaimer" - }, - "importWatchOnlyDisclaimerDescription": "Varmista, että valitsemasi derivointipolku vastaa sitä, jolla annettu xpub on tuotettu. Tarkista ennen käyttöä ensimmäinen lompakosta johdettu osoite. Väärän polun käyttäminen voi johtaa varojen menetykseen.", - "@importWatchOnlyDisclaimerDescription": { - "description": "Description explaining derivation path matching requirement" - }, - "bip85Title": "BIP85-deterministiset entropiat", - "@bip85Title": { - "description": "AppBar title for BIP85 entropy derivation screen" - }, - "bip85ExperimentalWarning": "Kokeellinen\nVarmuuskopioi derivointipolut käsin", - "@bip85ExperimentalWarning": { - "description": "Warning message about experimental feature" - }, - "bip85NextMnemonic": "Seuraava siemenlause", - "@bip85NextMnemonic": { - "description": "Button to derive next mnemonic entropy" - }, - "bip85NextHex": "Seuraava HEX", - "@bip85NextHex": { - "description": "Button to derive next hex entropy" - }, - "bip85Mnemonic": "Siemenlause", - "@bip85Mnemonic": { - "description": "Label for mnemonic type entropy" - }, - "bip85Hex": "HEX", - "@bip85Hex": { - "description": "Label for hex type entropy" - }, - "bip85Index": "Indeksi: {index}", - "@bip85Index": { - "description": "Shows derivation index", - "placeholders": { - "index": { - "type": "int" - } - } - }, - "bip329LabelsTitle": "BIP329-tunnisteet", - "@bip329LabelsTitle": { - "description": "Title for BIP329 labels page" - }, - "bip329LabelsHeading": "BIP329-tunnisteiden tuonti/vienti", - "@bip329LabelsHeading": { - "description": "Main heading on BIP329 labels page" - }, - "bip329LabelsDescription": "Tuo tai vie lompakon tunnisteet BIP329-standardin mukaisesti.", - "@bip329LabelsDescription": { - "description": "Description of BIP329 labels functionality" - }, - "bip329LabelsImportButton": "Tuo tunnisteet", - "@bip329LabelsImportButton": { - "description": "Button text to import labels" - }, - "bip329LabelsExportButton": "Vie tunnisteet", - "@bip329LabelsExportButton": { - "description": "Button text to export labels" - }, - "bip329LabelsExportSuccess": "{count, plural, =1{1 tunniste viety} other{{count} tunnistetta viety}}", - "@bip329LabelsExportSuccess": { - "description": "Success message after exporting labels", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "bip329LabelsImportSuccess": "{count, plural, =1{1 tunniste tuotu} other{{count} tunnistetta tuotu}}", - "@bip329LabelsImportSuccess": { - "description": "Success message after importing labels", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "broadcastSignedTxTitle": "Lähetä transaktio", - "@broadcastSignedTxTitle": { - "description": "AppBar title for broadcast signed transaction screen" - }, - "broadcastSignedTxScanQR": "Skannaa laitteistolompakon QR-koodi", - "@broadcastSignedTxScanQR": { - "description": "Instruction to scan signed PSBT QR code" - }, - "broadcastSignedTxReviewTransaction": "Tarkista transaktio", - "@broadcastSignedTxReviewTransaction": { - "description": "Section header for transaction review" - }, - "broadcastSignedTxAmount": "Määrä", - "@broadcastSignedTxAmount": { - "description": "Label for transaction amount" - }, - "broadcastSignedTxFee": "Kulu", - "@broadcastSignedTxFee": { - "description": "Label for transaction fee" - }, - "broadcastSignedTxTo": "Vastaanottaja", - "@broadcastSignedTxTo": { - "description": "Label for destination address" - }, - "broadcastSignedTxBroadcast": "Lähetä", - "@broadcastSignedTxBroadcast": { - "description": "Button to broadcast signed transaction" - }, - "broadcastSignedTxBroadcasting": "Lähetetään...", - "@broadcastSignedTxBroadcasting": { - "description": "Loading message while broadcasting" - }, - "broadcastSignedTxPageTitle": "Lähetä allekirjoitettu transaktio", - "@broadcastSignedTxPageTitle": { - "description": "Page title for broadcast signed transaction screen" - }, - "broadcastSignedTxPasteHint": "Liitä PSBT tai transaktion HEX", - "@broadcastSignedTxPasteHint": { - "description": "Hint text for paste input field" - }, - "broadcastSignedTxCameraButton": "Kamera", - "@broadcastSignedTxCameraButton": { - "description": "Button to open camera QR scanner" - }, - "broadcastSignedTxPushTxButton": "PushTx", - "@broadcastSignedTxPushTxButton": { - "description": "Button to use PushTx NFC device" - }, - "broadcastSignedTxDoneButton": "Valmis", - "@broadcastSignedTxDoneButton": { - "description": "Button to finish after successful broadcast" - }, - "broadcastSignedTxNfcTitle": "NFC", - "@broadcastSignedTxNfcTitle": { - "description": "Title for NFC scanning page" - }, - "addressViewTitle": "Osoitteen tiedot", - "@addressViewTitle": { - "description": "AppBar title for address details screen" - }, - "addressViewAddress": "Osoite", - "@addressViewAddress": { - "description": "Label for address field" - }, - "addressViewBalance": "Saldo", - "@addressViewBalance": { - "description": "Label for address balance" - }, - "addressViewTransactions": "Transaktiot", - "@addressViewTransactions": { - "description": "Label for number of transactions" - }, - "addressViewCopyAddress": "Kopioi osoite", - "@addressViewCopyAddress": { - "description": "Button to copy address to clipboard" - }, - "addressViewShowQR": "Näytä QR-koodi", - "@addressViewShowQR": { - "description": "Button to display address as QR code" - }, - "importQrDeviceTitle": "Yhdistä {deviceName}", - "@importQrDeviceTitle": { - "description": "AppBar title for QR device import", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "importQrDeviceScanPrompt": "Skannaa QR-koodi laitteestasi ({deviceName})", - "@importQrDeviceScanPrompt": { - "description": "Instruction to scan QR from device", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "importQrDeviceScanning": "Skannataan...", - "@importQrDeviceScanning": { - "description": "Status while scanning QR code" - }, - "importQrDeviceImporting": "Tuodaan lompakkoa...", - "@importQrDeviceImporting": { - "description": "Status while importing from QR device" - }, - "importQrDeviceSuccess": "Lompakko tuotu onnistuneesti", - "@importQrDeviceSuccess": { - "description": "Success message after import" - }, - "importQrDeviceError": "Lompakon tuonti epäonnistui", - "@importQrDeviceError": { - "description": "Error message when import fails" - }, - "importQrDeviceInvalidQR": "Virheellinen QR-koodi", - "@importQrDeviceInvalidQR": { - "description": "Error for invalid QR code format" - }, - "importQrDeviceWalletName": "Lompakon nimi", - "@importQrDeviceWalletName": { - "description": "Label for wallet name field" - }, - "importQrDeviceFingerprint": "Sormenjälki", - "@importQrDeviceFingerprint": { - "description": "Label for device fingerprint" - }, - "importQrDeviceImport": "Tuo", - "@importQrDeviceImport": { - "description": "Button to confirm import from QR device" - }, - "importQrDeviceButtonOpenCamera": "Avaa kamera", - "@importQrDeviceButtonOpenCamera": { - "description": "ImportQrDevice: Button to open camera for QR scanning" - }, - "importQrDeviceButtonInstructions": "Ohjeet", - "@importQrDeviceButtonInstructions": { - "description": "ImportQrDevice: Button to show setup instructions" - }, - "importQrDeviceJadeName": "Blockstream Jade", - "@importQrDeviceJadeName": { - "description": "Name of Blockstream Jade device" - }, - "importQrDeviceJadeInstructionsTitle": "Blockstream Jade -ohjeet", - "@importQrDeviceJadeInstructionsTitle": { - "description": "Title for Jade setup instructions" - }, - "importQrDeviceJadeStep1": "Kytke Jade-laite päälle", - "@importQrDeviceJadeStep1": { - "description": "Jade instruction step 1" - }, - "importQrDeviceJadeStep2": "Valitse päävalikosta \"QR Mode\"", - "@importQrDeviceJadeStep2": { - "description": "Jade instruction step 2" - }, - "importQrDeviceJadeStep3": "Noudata laitteen ohjeita avataksesi Jaden", - "@importQrDeviceJadeStep3": { - "description": "Jade instruction step 3" - }, - "importQrDeviceJadeStep4": "Valitse päävalikosta \"Options\"", - "@importQrDeviceJadeStep4": { - "description": "Jade instruction step 4" - }, - "importQrDeviceJadeStep5": "Valitse \"Wallet\"", - "@importQrDeviceJadeStep5": { - "description": "Jade instruction step 5" - }, - "importQrDeviceJadeStep6": "Valitse \"Export Xpub\"", - "@importQrDeviceJadeStep6": { - "description": "Jade instruction step 6" - }, - "importQrDeviceJadeStep7": "Tarvittaessa vaihda osoitetyyppi valitsemalla \"Options\"", - "@importQrDeviceJadeStep7": { - "description": "Jade instruction step 7" - }, - "importQrDeviceJadeStep8": "Napauta sovelluksessa \"Avaa kamera\"", - "@importQrDeviceJadeStep8": { - "description": "Jade instruction step 8" - }, - "importQrDeviceJadeStep9": "Skannaa Jade-laitteessa näkyvä QR-koodi", - "@importQrDeviceJadeStep9": { - "description": "Jade instruction step 9" - }, - "importQrDeviceJadeStep10": "Valmista!", - "@importQrDeviceJadeStep10": { - "description": "Jade instruction step 10" - }, - "importQrDeviceJadeFirmwareWarning": "Varmista, että laitteesi on päivitetty uusimpaan laiteohjelmistoon", - "@importQrDeviceJadeFirmwareWarning": { - "description": "Warning message to update Jade firmware" - }, - "importQrDeviceKruxName": "Krux", - "@importQrDeviceKruxName": { - "description": "Name of Krux device" - }, - "importQrDeviceKruxInstructionsTitle": "Krux-ohjeet", - "@importQrDeviceKruxInstructionsTitle": { - "description": "Title for Krux setup instructions" - }, - "importQrDeviceKruxStep1": "Kytke Krux-laite päälle", - "@importQrDeviceKruxStep1": { - "description": "Krux instruction step 1" - }, - "importQrDeviceKruxStep2": "Valitse \"Extended Public Key\"", - "@importQrDeviceKruxStep2": { - "description": "Krux instruction step 2" - }, - "importQrDeviceKruxStep3": "Valitse \"XPUB - QR Code\"", - "@importQrDeviceKruxStep3": { - "description": "Krux instruction step 3" - }, - "importQrDeviceKruxStep4": "Napauta \"Avaa kamera\"", - "@importQrDeviceKruxStep4": { - "description": "Krux instruction step 4" - }, - "importQrDeviceKruxStep5": "Skannaa laitteessa näkyvä QR-koodi", - "@importQrDeviceKruxStep5": { - "description": "Krux instruction step 5" - }, - "importQrDeviceKruxStep6": "Valmista!", - "@importQrDeviceKruxStep6": { - "description": "Krux instruction step 6" - }, - "importQrDeviceKeystoneName": "Keystone", - "@importQrDeviceKeystoneName": { - "description": "Name of Keystone device" - }, - "importQrDeviceKeystoneInstructionsTitle": "Keystone-ohjeet", - "@importQrDeviceKeystoneInstructionsTitle": { - "description": "Title for Keystone setup instructions" - }, - "importQrDeviceKeystoneStep1": "Kytke Keystone-laite päälle", - "@importQrDeviceKeystoneStep1": { - "description": "Keystone instruction step 1" - }, - "importQrDeviceKeystoneStep2": "Napauta kolmea pistettä oikeassa yläkulmassa", - "@importQrDeviceKeystoneStep2": { - "description": "Keystone instruction step 2" - }, - "importQrDeviceKeystoneStep3": "Valitse \"Connect Software Wallet\"", - "@importQrDeviceKeystoneStep3": { - "description": "Keystone instruction step 3" - }, - "importQrDeviceKeystoneStep4": "Napauta \"Avaa kamera\"", - "@importQrDeviceKeystoneStep4": { - "description": "Keystone instruction step 4" - }, - "importQrDeviceKeystoneStep5": "Skannaa laitteessa näkyvä QR-koodi", - "@importQrDeviceKeystoneStep5": { - "description": "Keystone instruction step 5" - }, - "importQrDeviceKeystoneStep6": "Valmista!", - "@importQrDeviceKeystoneStep6": { - "description": "Keystone instruction step 6" - }, - "importQrDevicePassportName": "Foundation Passport", - "@importQrDevicePassportName": { - "description": "Name of Foundation Passport device" - }, - "importQrDevicePassportInstructionsTitle": "Foundation Passport -ohjeet", - "@importQrDevicePassportInstructionsTitle": { - "description": "Title for Passport setup instructions" - }, - "importQrDevicePassportStep1": "Kytke Passport-laite päälle", - "@importQrDevicePassportStep1": { - "description": "Passport instruction step 1" - }, - "importQrDevicePassportStep2": "Syötä PIN-koodi", - "@importQrDevicePassportStep2": { - "description": "Passport instruction step 2" - }, - "importQrDevicePassportStep3": "Valitse \"Manage Account\"", - "@importQrDevicePassportStep3": { - "description": "Passport instruction step 3" - }, - "importQrDevicePassportStep4": "Valitse \"Connect Wallet\"", - "@importQrDevicePassportStep4": { - "description": "Passport instruction step 4" - }, - "importQrDevicePassportStep5": "Valitse \"Sparrow\"", - "@importQrDevicePassportStep5": { - "description": "Passport instruction step 5" - }, - "importQrDevicePassportStep6": "Valitse \"Single-sig\"", - "@importQrDevicePassportStep6": { - "description": "Passport instruction step 6" - }, - "importQrDevicePassportStep7": "Valitse \"QR Code\"", - "@importQrDevicePassportStep7": { - "description": "Passport instruction step 7" - }, - "importQrDevicePassportStep8": "Napauta mobiililaitteessasi \"Avaa kamera\"", - "@importQrDevicePassportStep8": { - "description": "Passport instruction step 8" - }, - "importQrDevicePassportStep9": "Skannaa Passport-laitteessa näkyvä QR-koodi", - "@importQrDevicePassportStep9": { - "description": "Passport instruction step 9" - }, - "importQrDevicePassportStep10": "Valitse BULL-lompakossa \"Segwit (BIP84)\"", - "@importQrDevicePassportStep10": { - "description": "Passport instruction step 10" - }, - "importQrDevicePassportStep11": "Anna lompakolle tunniste ja valitse \"Tuo\"", - "@importQrDevicePassportStep11": { - "description": "Passport instruction step 11" - }, - "importQrDevicePassportStep12": "Määritys valmis.", - "@importQrDevicePassportStep12": { - "description": "Passport instruction step 12" - }, - "importQrDeviceSeedsignerName": "SeedSigner", - "@importQrDeviceSeedsignerName": { - "description": "Name of SeedSigner device" - }, - "importQrDeviceSeedsignerInstructionsTitle": "SeedSigner-ohjeet", - "@importQrDeviceSeedsignerInstructionsTitle": { - "description": "Title for SeedSigner setup instructions" - }, - "importQrDeviceSeedsignerStep1": "Kytke SeedSigner-laite päälle", - "@importQrDeviceSeedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, - "importQrDeviceSeedsignerStep2": "Avaa \"Seeds\"-valikko", - "@importQrDeviceSeedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, - "importQrDeviceSeedsignerStep3": "Skannaa SeedQR tai syötä 12–24 sanan siemenlause", - "@importQrDeviceSeedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, - "importQrDeviceSeedsignerStep4": "Valitse \"Export Xpub\"", - "@importQrDeviceSeedsignerStep4": { - "description": "SeedSigner instruction step 4" - }, - "importQrDeviceSeedsignerStep5": "Valitse \"Single Sig\" ja skriptityyppi (valitse Native Segwit, jos et ole varma)", - "@importQrDeviceSeedsignerStep5": { - "description": "SeedSigner instruction step 5" - }, - "importQrDeviceSeedsignerStep6": "Valitse vientitavaksi \"Sparrow\"", - "@importQrDeviceSeedsignerStep6": { - "description": "SeedSigner instruction step 6" - }, - "importQrDeviceSeedsignerStep7": "Napauta mobiililaitteessa \"Avaa kamera\"", - "@importQrDeviceSeedsignerStep7": { - "description": "SeedSigner instruction step 7" - }, - "importQrDeviceSeedsignerStep8": "Skannaa SeedSigner-laitteessa näkyvä QR-koodi", - "@importQrDeviceSeedsignerStep8": { - "description": "SeedSigner instruction step 8" - }, - "importQrDeviceSeedsignerStep9": "Anna lompakolle tunniste ja napauta \"Tuo\"", - "@importQrDeviceSeedsignerStep9": { - "description": "SeedSigner instruction step 9" - }, - "importQrDeviceSeedsignerStep10": "Määritys valmis", - "@importQrDeviceSeedsignerStep10": { - "description": "SeedSigner instruction step 10" - }, - "importQrDeviceSpecterName": "Specter", - "@importQrDeviceSpecterName": { - "description": "Name of Specter device" - }, - "importQrDeviceSpecterInstructionsTitle": "Specter-ohjeet", - "@importQrDeviceSpecterInstructionsTitle": { - "description": "Title for Specter setup instructions" - }, - "importQrDeviceSpecterStep1": "Kytke Specter-laite päälle", - "@importQrDeviceSpecterStep1": { - "description": "Specter instruction step 1" - }, - "importQrDeviceSpecterStep2": "Syötä PIN-koodi", - "@importQrDeviceSpecterStep2": { - "description": "Specter instruction step 2" - }, - "importQrDeviceSpecterStep3": "Syötä siemen tai avain (valitse sinulle sopiva menetelmä)", - "@importQrDeviceSpecterStep3": { - "description": "Specter instruction step 3" - }, - "importQrDeviceSpecterStep4": "Noudata näytön ohjeita", - "@importQrDeviceSpecterStep4": { - "description": "Specter instruction step 4" - }, - "importQrDeviceSpecterStep5": "Valitse \"Master public keys\"", - "@importQrDeviceSpecterStep5": { - "description": "Specter instruction step 5" - }, - "importQrDeviceSpecterStep6": "Valitse \"Single key\"", - "@importQrDeviceSpecterStep6": { - "description": "Specter instruction step 6" - }, - "importQrDeviceSpecterStep7": "Poista \"Use SLIP-132\" käytöstä", - "@importQrDeviceSpecterStep7": { - "description": "Specter instruction step 7" - }, - "importQrDeviceSpecterStep8": "Napauta mobiililaitteessa \"Avaa kamera\"", - "@importQrDeviceSpecterStep8": { - "description": "Specter instruction step 8" - }, - "importQrDeviceSpecterStep9": "Skannaa Specter-laitteessa näkyvä QR-koodi", - "@importQrDeviceSpecterStep9": { - "description": "Specter instruction step 9" - }, - "importQrDeviceSpecterStep10": "Anna lompakolle tunniste ja napauta \"Tuo\"", - "@importQrDeviceSpecterStep10": { - "description": "Specter instruction step 10" - }, - "importQrDeviceSpecterStep11": "Määritys valmis", - "@importQrDeviceSpecterStep11": { - "description": "Specter instruction step 11" - }, - "importColdcardTitle": "Yhdistä Coldcard Q", - "@importColdcardTitle": { - "description": "AppBar title for Coldcard Q import" - }, - "importColdcardScanPrompt": "Skannaa Coldcard Q -laitteesi QR-koodi", - "@importColdcardScanPrompt": { - "description": "Instruction to scan Coldcard QR" - }, - "importColdcardMultisigPrompt": "Moniallekirjoituslompakoissa skannaa lompakon kuvaus (descriptor) -QR-koodi", - "@importColdcardMultisigPrompt": { - "description": "Additional instruction for multisig" - }, - "importColdcardScanning": "Skannataan...", - "@importColdcardScanning": { - "description": "Status while scanning" - }, - "importColdcardImporting": "Tuodaan Coldcard-lompakkoa...", - "@importColdcardImporting": { - "description": "Status while importing" - }, - "importColdcardSuccess": "Coldcard-lompakko tuotu", - "@importColdcardSuccess": { - "description": "Success message" - }, - "importColdcardError": "Coldcard-lompakon tuonti epäonnistui", - "@importColdcardError": { - "description": "Error message" - }, - "importColdcardInvalidQR": "Virheellinen Coldcard QR-koodi", - "@importColdcardInvalidQR": { - "description": "Error for invalid QR format" - }, - "importColdcardDescription": "Tuo Coldcard Q -laitteesi lompakon kuvaus (descriptor) -QR-koodi", - "@importColdcardDescription": { - "description": "ImportColdcardQ: Main instruction text on import page" - }, - "importColdcardButtonOpenCamera": "Avaa kamera", - "@importColdcardButtonOpenCamera": { - "description": "ImportColdcardQ: Button to open camera for QR scanning" - }, - "importColdcardButtonInstructions": "Ohjeet", - "@importColdcardButtonInstructions": { - "description": "ImportColdcardQ: Button to show setup instructions" - }, - "importColdcardButtonPurchase": "Osta laite", - "@importColdcardButtonPurchase": { - "description": "ImportColdcardQ: Button to navigate to Coinkite store" - }, - "importColdcardInstructionsTitle": "Coldcard Q -ohjeet", - "@importColdcardInstructionsTitle": { - "description": "ImportColdcardQ: Title of instructions bottom sheet" - }, - "importColdcardInstructionsStep1": "Kirjaudu Coldcard Q -laitteeseesi", - "@importColdcardInstructionsStep1": { - "description": "ImportColdcardQ: First instruction step" - }, - "importColdcardInstructionsStep2": "Syötä salasana, jos käytät sellaista", - "@importColdcardInstructionsStep2": { - "description": "ImportColdcardQ: Second instruction step" - }, - "importColdcardInstructionsStep3": "Siirry kohtaan \"Advanced/Tools\"", - "@importColdcardInstructionsStep3": { - "description": "ImportColdcardQ: Third instruction step" - }, - "importColdcardInstructionsStep4": "Varmista, että laiteohjelmistosi on versiota 1.3.4Q", - "@importColdcardInstructionsStep4": { - "description": "ImportColdcardQ: Fourth instruction step" - }, - "importColdcardInstructionsStep5": "Valitse \"Export Wallet\"", - "@importColdcardInstructionsStep5": { - "description": "ImportColdcardQ: Fifth instruction step" - }, - "importColdcardInstructionsStep6": "Valitse vientivaihtoehdoksi \"Bull Bitcoin\"", - "@importColdcardInstructionsStep6": { - "description": "ImportColdcardQ: Sixth instruction step" - }, - "importColdcardInstructionsStep7": "Napauta mobiililaitteessasi \"Avaa kamera\"", - "@importColdcardInstructionsStep7": { - "description": "ImportColdcardQ: Seventh instruction step" - }, - "importColdcardInstructionsStep8": "Skannaa Coldcard Q -laitteessa näkyvä QR-koodi", - "@importColdcardInstructionsStep8": { - "description": "ImportColdcardQ: Eighth instruction step" - }, - "importColdcardInstructionsStep9": "Anna Coldcard Q -lompakollesi tunniste ja napauta \"Tuo\"", - "@importColdcardInstructionsStep9": { - "description": "ImportColdcardQ: Ninth instruction step" - }, - "importColdcardInstructionsStep10": "Määritys valmis", - "@importColdcardInstructionsStep10": { - "description": "ImportColdcardQ: Final instruction step" - }, - "exchangeLandingTitle": "BULL BITCOIN", - "@exchangeLandingTitle": { - "description": "Main title on exchange landing screen" - }, - "exchangeLandingConnect": "Yhdistä Bull Bitcoin -pörssiin", - "@exchangeLandingConnect": { - "description": "Subtitle on exchange landing screen" - }, - "exchangeLandingFeature1": "Osta Bitcoinia omaan säilytykseen", - "@exchangeLandingFeature1": { - "description": "First feature bullet point" - }, - "exchangeLandingFeature2": "DCA, limiittitoimeksiannot ja automaattiostot", - "@exchangeLandingFeature2": { - "description": "Second feature bullet point" - }, - "exchangeLandingFeature3": "Myy Bitcoinia, vastaanota maksu Bitcoinilla", - "@exchangeLandingFeature3": { - "description": "Third feature bullet point" - }, - "exchangeLandingFeature4": "Lähetä pankkisiirtoja ja maksa laskuja", - "@exchangeLandingFeature4": { - "description": "Fourth feature bullet point" - }, - "exchangeLandingFeature5": "Keskustele asiakastuen kanssa", - "@exchangeLandingFeature5": { - "description": "Fifth feature bullet point" - }, - "exchangeLandingFeature6": "Yhdistetty tapahtumahistoria", - "@exchangeLandingFeature6": { - "description": "Sixth feature bullet point" - }, - "exchangeLandingRestriction": "Pörssipalvelujen käyttö on rajoitettua maihin, joissa Bull Bitcoin voi toimia laillisesti, ja se voi edellyttää KYC-tunnistusta.", - "@exchangeLandingRestriction": { - "description": "Legal restriction notice" - }, - "exchangeLandingLoginButton": "Kirjaudu tai rekisteröidy", - "@exchangeLandingLoginButton": { - "description": "Button to proceed to login/signup" - }, - "exchangeHomeDeposit": "Talleta", - "@exchangeHomeDeposit": { - "description": "Deposit button label" - }, - "exchangeHomeWithdraw": "Nosta", - "@exchangeHomeWithdraw": { - "description": "Withdraw button label" - }, - "exchangeKycLight": "Kevyt", - "@exchangeKycLight": { - "description": "Light KYC level label" - }, - "exchangeKycLimited": "Rajoitettu", - "@exchangeKycLimited": { - "description": "Limited KYC level label" - }, - "exchangeKycComplete": "Suorita KYC", - "@exchangeKycComplete": { - "description": "KYC card title" - }, - "exchangeKycRemoveLimits": "Poista tapahtumien rajoitukset", - "@exchangeKycRemoveLimits": { - "description": "KYC card subtitle" - }, - "dcaActivate": "Aktivoi toistuva osto", - "@dcaActivate": { - "description": "Label to activate DCA" - }, - "dcaDeactivate": "Poista toistuva osto käytöstä", - "@dcaDeactivate": { - "description": "Label to deactivate DCA" - }, - "dcaViewSettings": "Näytä asetukset", - "@dcaViewSettings": { - "description": "Link to view DCA settings" - }, - "dcaHideSettings": "Piilota asetukset", - "@dcaHideSettings": { - "description": "Link to hide DCA settings" - }, - "dcaCancelTitle": "Peruutetaanko Bitcoin-toistuva osto?", - "@dcaCancelTitle": { - "description": "Dialog title for DCA cancellation" - }, - "dcaCancelMessage": "Bitcoinin toistuva ostosuunnitelmasi lopetetaan, ja tulevat toimeksiannot perutaan. Käynnistääksesi sen uudelleen sinun tulee luoda uusi suunnitelma.", - "@dcaCancelMessage": { - "description": "Dialog message for DCA cancellation" - }, - "dcaCancelButton": "Peruuta", - "@dcaCancelButton": { - "description": "Cancel button in DCA dialog" - }, - "dcaConfirmDeactivate": "Kyllä, poista käytöstä", - "@dcaConfirmDeactivate": { - "description": "Confirm deactivation button" - }, - "dcaUnableToGetConfig": "DCA-asetuksia ei voitu hakea", - "@dcaUnableToGetConfig": { - "description": "Error message when DCA config unavailable" - }, - "dcaAddressBitcoin": "Bitcoin-osoite", - "@dcaAddressBitcoin": { - "description": "Bitcoin address label" - }, - "dcaAddressLightning": "Lightning-osoite", - "@dcaAddressLightning": { - "description": "Lightning address label" - }, - "dcaAddressLiquid": "Liquid-osoite", - "@dcaAddressLiquid": { - "description": "Liquid address label" - }, - "dcaBuyingMessage": "Ostat {amount} joka {frequency} verkossa {network}, niin kauan kuin tililläsi on varoja.", - "@dcaBuyingMessage": { - "description": "DCA status message", - "placeholders": { - "amount": { - "type": "String" - }, - "frequency": { - "type": "String" - }, - "network": { - "type": "String" - } - } - }, - "exchangeAuthLoginFailed": "Kirjautuminen epäonnistui", - "@exchangeAuthLoginFailed": { - "description": "Login failure dialog title" - }, - "exchangeAuthErrorMessage": "Tapahtui virhe. Yritä kirjautua uudelleen.", - "@exchangeAuthErrorMessage": { - "description": "Login error message" - }, - "exchangeAuthOk": "OK", - "@exchangeAuthOk": { - "description": "OK button in error dialog" - }, - "withdrawAmountTitle": "Nosta varoja tililtäsi", - "@withdrawAmountTitle": { - "description": "AppBar title for withdraw amount screen" - }, - "withdrawAmountContinue": "Jatka", - "@withdrawAmountContinue": { - "description": "Continue button on amount screen" - }, - "withdrawRecipientsTitle": "Valitse vastaanottaja", - "@withdrawRecipientsTitle": { - "description": "AppBar title for recipients screen" - }, - "withdrawRecipientsPrompt": "Minne ja miten haluat meidän lähettävän rahat?", - "@withdrawRecipientsPrompt": { - "description": "Instructions on recipients screen" - }, - "withdrawRecipientsNewTab": "Uusi vastaanottaja", - "@withdrawRecipientsNewTab": { - "description": "Tab label for new recipient" - }, - "withdrawRecipientsMyTab": "Omat fiat-vastaanottajat", - "@withdrawRecipientsMyTab": { - "description": "Tab label for existing recipients" - }, - "withdrawRecipientsFilterAll": "Kaikki tyypit", - "@withdrawRecipientsFilterAll": { - "description": "Filter option for all recipient types" - }, - "withdrawRecipientsNoRecipients": "Ei vastaanottajia nostoa varten.", - "@withdrawRecipientsNoRecipients": { - "description": "Empty state message" - }, - "withdrawRecipientsContinue": "Jatka", - "@withdrawRecipientsContinue": { - "description": "Continue button on recipients screen" - }, - "withdrawConfirmTitle": "Vahvista nosto", - "@withdrawConfirmTitle": { - "description": "Title on confirmation screen" - }, - "withdrawConfirmRecipientName": "Vastaanottajan nimi", - "@withdrawConfirmRecipientName": { - "description": "Field label for recipient name" - }, - "withdrawConfirmAmount": "Määrä", - "@withdrawConfirmAmount": { - "description": "Field label for withdrawal amount" - }, - "withdrawConfirmEmail": "Sähköposti", - "@withdrawConfirmEmail": { - "description": "Field label for email (Interac)" - }, - "withdrawConfirmPayee": "Saaja", - "@withdrawConfirmPayee": { - "description": "Field label for payee (Bill Payment)" - }, - "withdrawConfirmAccount": "Tili", - "@withdrawConfirmAccount": { - "description": "Field label for bank account" - }, - "withdrawConfirmIban": "IBAN", - "@withdrawConfirmIban": { - "description": "Field label for IBAN" - }, - "withdrawConfirmClabe": "CLABE", - "@withdrawConfirmClabe": { - "description": "Field label for CLABE (Mexico)" - }, - "withdrawConfirmPhone": "Puhelin", - "@withdrawConfirmPhone": { - "description": "Field label for phone number" - }, - "withdrawConfirmCard": "Kortti", - "@withdrawConfirmCard": { - "description": "Field label for debit card" - }, - "withdrawConfirmButton": "Vahvista nosto", - "@withdrawConfirmButton": { - "description": "Button to confirm withdrawal" - }, - "withdrawConfirmError": "Virhe: {error}", - "@withdrawConfirmError": { - "description": "Error message on confirmation screen", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "fundExchangeFundAccount": "Talletus", - "@fundExchangeFundAccount": { - "description": "Main heading on funding screen" - }, - "fundExchangeSelectCountry": "Valitse maa ja maksutapa", - "@fundExchangeSelectCountry": { - "description": "Instruction text" - }, - "fundExchangeSpeiTransfer": "SPEI-siirto", - "@fundExchangeSpeiTransfer": { - "description": "SPEI transfer method title (Mexico)" - }, - "fundExchangeSpeiSubtitle": "Siirrä varoja CLABE-tunnuksesi avulla", - "@fundExchangeSpeiSubtitle": { - "description": "SPEI transfer subtitle" - }, - "fundExchangeBankTransfer": "Pankkisiirto", - "@fundExchangeBankTransfer": { - "description": "Bank transfer method title" - }, - "fundExchangeBankTransferSubtitle": "Lähetä pankkisiirto pankkitililtäsi", - "@fundExchangeBankTransferSubtitle": { - "description": "Bank transfer subtitle" - }, - "dcaSetupTitle": "Aseta toistuva osto", - "@dcaSetupTitle": { - "description": "AppBar title for DCA setup screen" - }, - "dcaSetupInsufficientBalance": "Riittämätön saldo", - "@dcaSetupInsufficientBalance": { - "description": "Insufficient balance error title" - }, - "dcaSetupInsufficientBalanceMessage": "Tililläsi ei ole tarpeeksi saldoa tämän toimeksiannon luomiseen.", - "@dcaSetupInsufficientBalanceMessage": { - "description": "Insufficient balance error message" - }, - "dcaSetupFundAccount": "Talletus", - "@dcaSetupFundAccount": { - "description": "Button to fund account" - }, - "dcaSetupScheduleMessage": "Bitcoin-ostot tehdään automaattisesti tämän aikataulun mukaan.", - "@dcaSetupScheduleMessage": { - "description": "DCA schedule explanation" - }, - "dcaSetupFrequencyError": "Valitse aikataulu", - "@dcaSetupFrequencyError": { - "description": "Frequency validation error" - }, - "dcaSetupContinue": "Jatka", - "@dcaSetupContinue": { - "description": "Continue button on DCA setup" - }, - "dcaConfirmTitle": "Vahvista toistuva osto", - "@dcaConfirmTitle": { - "description": "AppBar title for DCA confirmation screen" - }, - "dcaConfirmAutoMessage": "Ostotoimeksiannot suoritetaan automaattisesti näiden asetusten mukaan. Voit poistaa ne käytöstä milloin tahansa.", - "@dcaConfirmAutoMessage": { - "description": "DCA auto-placement message" - }, - "dcaConfirmFrequency": "Aikataulu", - "@dcaConfirmFrequency": { - "description": "Field label for frequency" - }, - "dcaConfirmFrequencyHourly": "Joka tunti", - "@dcaConfirmFrequencyHourly": { - "description": "Hourly frequency label" - }, - "dcaConfirmFrequencyDaily": "Joka päivä", - "@dcaConfirmFrequencyDaily": { - "description": "Daily frequency label" - }, - "dcaConfirmFrequencyWeekly": "Joka viikko", - "@dcaConfirmFrequencyWeekly": { - "description": "Weekly frequency label" - }, - "dcaConfirmFrequencyMonthly": "Joka kuukausi", - "@dcaConfirmFrequencyMonthly": { - "description": "Monthly frequency label" - }, - "dcaConfirmAmount": "Määrä", - "@dcaConfirmAmount": { - "description": "Field label for amount" - }, - "dcaConfirmPaymentMethod": "Maksutapa", - "@dcaConfirmPaymentMethod": { - "description": "Field label for payment method" - }, - "dcaConfirmPaymentBalance": "{currency}-saldo", - "@dcaConfirmPaymentBalance": { - "description": "Payment method balance format", - "placeholders": { - "currency": { - "type": "String" - } - } - }, - "dcaConfirmOrderType": "Toimeksiantotyyppi", - "@dcaConfirmOrderType": { - "description": "Field label for order type" - }, - "dcaConfirmOrderTypeValue": "Toistuva osto", - "@dcaConfirmOrderTypeValue": { - "description": "Order type value" - }, - "dcaConfirmNetwork": "Verkko", - "@dcaConfirmNetwork": { - "description": "Field label for network" - }, - "dcaConfirmNetworkBitcoin": "Bitcoin", - "@dcaConfirmNetworkBitcoin": { - "description": "Bitcoin network label" - }, - "dcaConfirmNetworkLightning": "Lightning", - "@dcaConfirmNetworkLightning": { - "description": "Lightning network label" - }, - "dcaConfirmNetworkLiquid": "Liquid", - "@dcaConfirmNetworkLiquid": { - "description": "Liquid network label" - }, - "dcaConfirmLightningAddress": "Lightning-osoite", - "@dcaConfirmLightningAddress": { - "description": "Field label for Lightning address" - }, - "dcaConfirmError": "Jokin meni pieleen: {error}", - "@dcaConfirmError": { - "description": "DCA confirmation error message", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "dcaConfirmContinue": "Jatka", - "@dcaConfirmContinue": { - "description": "Continue button on DCA confirmation" - }, - "buyInputTitle": "Osta Bitcoinia", - "@buyInputTitle": { - "description": "AppBar title for buy input screen" - }, - "buyInputMinAmountError": "Sinun tulee ostaa vähintään", - "@buyInputMinAmountError": { - "description": "Minimum amount error message" - }, - "buyInputMaxAmountError": "Et voi ostaa enempää kuin", - "@buyInputMaxAmountError": { - "description": "Maximum amount error message" - }, - "buyInputKycPending": "KYC-vahvistus odottaa", - "@buyInputKycPending": { - "description": "KYC pending info card title" - }, - "buyInputKycMessage": "Sinun täytyy suorittaa henkilöllisyyden vahvistus ensin", - "@buyInputKycMessage": { - "description": "KYC pending info card message" - }, - "buyInputCompleteKyc": "Suorita KYC", - "@buyInputCompleteKyc": { - "description": "Button to complete KYC" - }, - "buyInputInsufficientBalance": "Riittämätön saldo", - "@buyInputInsufficientBalance": { - "description": "Insufficient balance info card title" - }, - "buyInputInsufficientBalanceMessage": "Tililläsi ei ole tarpeeksi saldoa tämän toimeksiannon luomiseen.", - "@buyInputInsufficientBalanceMessage": { - "description": "Insufficient balance message" - }, - "buyInputFundAccount": "Talletus", - "@buyInputFundAccount": { - "description": "Button to fund account" - }, - "buyInputContinue": "Jatka", - "@buyInputContinue": { - "description": "Continue button on buy input" - }, - "buyConfirmTitle": "Osta Bitcoinia", - "@buyConfirmTitle": { - "description": "AppBar title for buy confirmation screen" - }, - "buyConfirmYouPay": "Maksat", - "@buyConfirmYouPay": { - "description": "Field label for payment amount" - }, - "buyConfirmYouReceive": "Saat", - "@buyConfirmYouReceive": { - "description": "Field label for receive amount" - }, - "buyConfirmBitcoinPrice": "Bitcoinin hinta", - "@buyConfirmBitcoinPrice": { - "description": "Label for displayed Bitcoin price" - }, - "buyConfirmPayoutMethod": "Maksutapa", - "@buyConfirmPayoutMethod": { - "description": "Field label for payout method" - }, - "buyConfirmExternalWallet": "Ulkoinen Bitcoin-lompakko", - "@buyConfirmExternalWallet": { - "description": "External wallet payout method" - }, - "buyConfirmAwaitingConfirmation": "Odottaa vahvistusta ", - "@buyConfirmAwaitingConfirmation": { - "description": "Awaiting confirmation label" - }, - "sellSendPaymentTitle": "Vahvista maksu", - "@sellSendPaymentTitle": { - "description": "Title on sell payment screen" - }, - "sellSendPaymentPriceRefresh": "Hinta päivittyy ", - "@sellSendPaymentPriceRefresh": { - "description": "Price refresh countdown prefix" - }, - "sellSendPaymentOrderNumber": "Tilausnumero", - "@sellSendPaymentOrderNumber": { - "description": "Field label for order number" - }, - "sellSendPaymentPayoutRecipient": "Maksun saaja", - "@sellSendPaymentPayoutRecipient": { - "description": "Field label for payout recipient" - }, - "sellSendPaymentCadBalance": "CAD-saldo", - "@sellSendPaymentCadBalance": { - "description": "CAD balance payout method" - }, - "sellSendPaymentCrcBalance": "CRC-saldo", - "@sellSendPaymentCrcBalance": { - "description": "CRC balance payout method" - }, - "sellSendPaymentEurBalance": "EUR-saldo", - "@sellSendPaymentEurBalance": { - "description": "EUR balance payout method" - }, - "sellSendPaymentUsdBalance": "USD-saldo", - "@sellSendPaymentUsdBalance": { - "description": "USD balance payout method" - }, - "sellSendPaymentMxnBalance": "MXN-saldo", - "@sellSendPaymentMxnBalance": { - "description": "MXN balance payout method" - }, - "sellSendPaymentPayinAmount": "Maksun määrä", - "@sellSendPaymentPayinAmount": { - "description": "Field label for payin amount" - }, - "sellSendPaymentPayoutAmount": "Maksun lähtevä määrä", - "@sellSendPaymentPayoutAmount": { - "description": "Field label for payout amount" - }, - "sellSendPaymentExchangeRate": "Vaihtokurssi", - "@sellSendPaymentExchangeRate": { - "description": "Field label for exchange rate" - }, - "sellSendPaymentPayFromWallet": "Maksa lompakosta", - "@sellSendPaymentPayFromWallet": { - "description": "Field label for source wallet" - }, - "sellSendPaymentInstantPayments": "Pikamaksulompakko", - "@sellSendPaymentInstantPayments": { - "description": "Instant payments wallet label" - }, - "sellSendPaymentSecureWallet": "Suojattu Bitcoin-lompakko", - "@sellSendPaymentSecureWallet": { - "description": "Secure wallet label" - }, - "sellSendPaymentFeePriority": "Maksun prioriteetti", - "@sellSendPaymentFeePriority": { - "description": "Field label for fee priority" - }, - "sellSendPaymentFastest": "Nopein", - "@sellSendPaymentFastest": { - "description": "Fastest fee priority option" - }, - "sellSendPaymentNetworkFees": "Verkkomaksut", - "@sellSendPaymentNetworkFees": { - "description": "Field label for network fees" - }, - "sellSendPaymentCalculating": "Lasketaan...", - "@sellSendPaymentCalculating": { - "description": "Calculating fees message" - }, - "sellSendPaymentAdvanced": "Lisäasetukset", - "@sellSendPaymentAdvanced": { - "description": "Advanced settings button" - }, - "sellSendPaymentContinue": "Jatka", - "@sellSendPaymentContinue": { - "description": "Continue button on sell payment" - }, - "sellSendPaymentAboveMax": "Yrität myydä yli enimmäismäärän, jonka tästä lompakosta voi myydä.", - "@sellSendPaymentAboveMax": { - "description": "Above max amount error" - }, - "sellSendPaymentBelowMin": "Yrität myydä alle vähimmäismäärän, jonka tästä lompakosta voi myydä.", - "@sellSendPaymentBelowMin": { - "description": "Below min amount error" - }, - "sellSendPaymentInsufficientBalance": "Valitussa lompakossa ei ole riittävää saldoa tämän myyntitilauksen suorittamiseen.", - "@sellSendPaymentInsufficientBalance": { - "description": "Insufficient balance error" - }, - "arkSetupTitle": "Ark-asetukset", - "@arkSetupTitle": { - "description": "AppBar title for Ark setup screen" - }, - "arkSetupExperimentalWarning": "Ark on vielä kokeellinen teknologia.\n\nArk-lompakkosi johdetaan päälompakkosi siemenlauseesta. Erillistä varmuuskopiota ei tarvita, koska nykyisen lompakon varmuuskopio palauttaa myös Ark-varasi.\n\nJatkamalla hyväksyt Arkin kokeellisen luonteen ja riskin varojen menettämisestä.\n\nKehittäjähuomautus: Ark-salasana johdetaan päälompakon siemenestä mielivaltaisella BIP-85-derivaatiolla (indeksi 11811).", - "@arkSetupExperimentalWarning": { - "description": "Ark experimental warning text" - }, - "arkSetupEnable": "Ota Ark käyttöön", - "@arkSetupEnable": { - "description": "Button to enable Ark" - }, - "swapTitle": "Sisäinen siirto", - "@swapTitle": { - "description": "AppBar title for swap/internal transfer screen" - }, - "swapInfoBanner": "Siirrä Bitcoinia saumattomasti lompakoidesi välillä. Pidä varoja Pikamaksulompakossa vain päivittäistä kulutusta varten.", - "@swapInfoBanner": { - "description": "Info banner on swap amount screen" - }, - "swapMax": "MAX", - "@swapMax": { - "description": "MAX button label" - }, - "swapContinue": "Jatka", - "@swapContinue": { - "description": "Continue button on swap amount screen" - }, - "swapConfirmTitle": "Vahvista siirto", - "@swapConfirmTitle": { - "description": "AppBar title for swap confirmation screen" - }, - "swapProgressTitle": "Sisäinen siirto", - "@swapProgressTitle": { - "description": "AppBar title for swap progress screen" - }, - "swapProgressPending": "Siirto kesken", - "@swapProgressPending": { - "description": "Pending transfer status" - }, - "swapProgressPendingMessage": "Siirto on käynnissä. Bitcoin-siirtojen vahvistuminen voi kestää. Voit palata etusivulle ja odottaa.", - "@swapProgressPendingMessage": { - "description": "Pending transfer message" - }, - "swapProgressCompleted": "Siirto valmis", - "@swapProgressCompleted": { - "description": "Completed transfer status" - }, - "swapProgressCompletedMessage": "Vau, odotit! Siirto on suoritettu onnistuneesti.", - "@swapProgressCompletedMessage": { - "description": "Completed transfer message" - }, - "swapProgressRefundInProgress": "Siirron palautus käynnissä", - "@swapProgressRefundInProgress": { - "description": "Refund in progress status" - }, - "swapProgressRefundMessage": "Siirrossa tapahtui virhe. Palautuksesi on käynnissä.", - "@swapProgressRefundMessage": { - "description": "Refund in progress message" - }, - "swapProgressRefunded": "Siirto palautettu", - "@swapProgressRefunded": { - "description": "Refunded transfer status" - }, - "swapProgressRefundedMessage": "Siirto on palautettu onnistuneesti.", - "@swapProgressRefundedMessage": { - "description": "Refunded transfer message" - }, - "swapProgressGoHome": "Palaa etusivulle", - "@swapProgressGoHome": { - "description": "Go home button on progress screen" - }, - "autoswapTitle": "Automaattisen swapin asetukset", - "@autoswapTitle": { - "description": "Header title for auto transfer settings bottom sheet" - }, - "autoswapEnable": "Ota automaattinen siirto käyttöön", - "@autoswapEnable": { - "description": "Toggle label to enable auto transfer" - }, - "autoswapMaxBalance": "Pikamaksulompakon enimmäissaldo", - "@autoswapMaxBalance": { - "description": "Field label for max balance threshold" - }, - "autoswapMaxBalanceInfo": "Kun lompakon saldo ylittää tämän summan kaksinkertaisena, automaattinen siirto käynnistyy ja pienentää saldon tähän tasoon", - "@autoswapMaxBalanceInfo": { - "description": "Info tooltip for max balance field" - }, - "autoswapMaxFee": "Swapin enimmäiskulut", - "@autoswapMaxFee": { - "description": "Field label for max fee threshold" - }, - "autoswapMaxFeeInfo": "Jos kokonaiskulut ylittävät asetetun prosenttiosuuden, automaattinen siirto estetään", - "@autoswapMaxFeeInfo": { - "description": "Info tooltip for max fee field" - }, - "autoswapAlwaysBlock": "Estä aina korkeat kulut", - "@autoswapAlwaysBlock": { - "description": "Toggle label for always block high fees" - }, - "autoswapAlwaysBlockEnabledInfo": "Kun tämä on käytössä, maksukynnyksen ylittävät automaattiset siirrot estetään aina", - "@autoswapAlwaysBlockEnabledInfo": { - "description": "Info text when always block is enabled" - }, - "autoswapAlwaysBlockDisabledInfo": "Kun tämä ei ole käytössä, sinulle annetaan mahdollisuus sallia automaattinen siirto, joka on estetty korkeiden kulujen vuoksi", - "@autoswapAlwaysBlockDisabledInfo": { - "description": "Info text when always block is disabled" - }, - "autoswapRecipientWallet": "Vastaanottava Bitcoin-lompakko", - "@autoswapRecipientWallet": { - "description": "Field label for recipient wallet dropdown" - }, - "autoswapRecipientRequired": "*", - "@autoswapRecipientRequired": { - "description": "Required field indicator" - }, - "autoswapSelectWallet": "Valitse Bitcoin-lompakko", - "@autoswapSelectWallet": { - "description": "Placeholder for wallet dropdown" - }, - "autoswapSelectWalletRequired": "Valitse Bitcoin-lompakko *", - "@autoswapSelectWalletRequired": { - "description": "Placeholder for wallet dropdown when required" - }, - "autoswapRecipientWalletInfo": "Valitse, mihin Bitcoin-lompakkoon siirretyt varat vastaanotetaan (pakollinen)", - "@autoswapRecipientWalletInfo": { - "description": "Info tooltip for recipient wallet field" - }, - "autoswapDefaultWalletLabel": "Bitcoin-lompakko", - "@autoswapDefaultWalletLabel": { - "description": "Default label for unnamed Bitcoin wallet" - }, - "autoswapSave": "Tallenna", - "@autoswapSave": { - "description": "Save button label" - }, - "autoswapSaveError": "Asetusten tallennus epäonnistui: {error}", - "@autoswapSaveError": { - "description": "Error message when save fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "electrumTitle": "Electrum-palvelinasetukset", - "@electrumTitle": { - "description": "AppBar title for Electrum settings screen" - }, - "electrumNetworkBitcoin": "Bitcoin", - "@electrumNetworkBitcoin": { - "description": "Bitcoin network tab label" - }, - "electrumNetworkLiquid": "Liquid", - "@electrumNetworkLiquid": { - "description": "Liquid network tab label" - }, - "electrumAdvancedOptions": "Lisäasetukset", - "@electrumAdvancedOptions": { - "description": "Advanced options button label" - }, - "electrumAddCustomServer": "Lisää oma palvelin", - "@electrumAddCustomServer": { - "description": "Add custom server bottom sheet title" - }, - "electrumCloseTooltip": "Sulje", - "@electrumCloseTooltip": { - "description": "Close button tooltip" - }, - "electrumServerUrlHint": "{network} {environment} -palvelimen URL", - "@electrumServerUrlHint": { - "description": "Hint text for server URL input", - "placeholders": { - "network": { - "type": "String" - }, - "environment": { - "type": "String" - } - } - }, - "electrumMainnet": "Mainnet", - "@electrumMainnet": { - "description": "Mainnet environment label" - }, - "electrumTestnet": "Testnet", - "@electrumTestnet": { - "description": "Testnet environment label" - }, - "electrumEmptyFieldError": "Tämä kenttä ei voi olla tyhjä", - "@electrumEmptyFieldError": { - "description": "Validation error for empty field" - }, - "electrumBitcoinSslInfo": "Jos protokollaa ei ole määritetty, ssl käytetään oletuksena.", - "@electrumBitcoinSslInfo": { - "description": "Info text for Bitcoin server protocol" - }, - "electrumLiquidSslInfo": "Protokollaa ei tule määrittää, SSL otetaan käyttöön automaattisesti.", - "@electrumLiquidSslInfo": { - "description": "Info text for Liquid server protocol" - }, - "electrumAddServer": "Lisää palvelin", - "@electrumAddServer": { - "description": "Add server button label" - }, - "electrumEnableSsl": "Ota SSL käyttöön", - "@electrumEnableSsl": { - "description": "SSL toggle label in add custom server sheet" - }, - "electrumProtocolError": "Älä sisällytä protokollaa (ssl:// tai tcp://).", - "@electrumProtocolError": { - "description": "Validation error when protocol is included in server URL" - }, - "electrumFormatError": "Käytä muotoa host:port (esim. example.com:50001)", - "@electrumFormatError": { - "description": "Validation error for incorrect server URL format" - }, - "electrumBitcoinServerInfo": "Anna palvelinosoite muodossa host:port (esim. example.com:50001)", - "@electrumBitcoinServerInfo": { - "description": "Info text for Bitcoin server URL format" - }, - "electrumStopGap": "Stop Gap", - "@electrumStopGap": { - "description": "Stop Gap field label and hint in advanced options" - }, - "electrumTimeout": "Aikakatkaisu (sekuntia)", - "@electrumTimeout": { - "description": "Timeout field label and hint in advanced options" - }, - "electrumRetryCount": "Uusintayritysten määrä", - "@electrumRetryCount": { - "description": "Retry Count field label and hint in advanced options" - }, - "electrumValidateDomain": "Tarkista verkkotunnus", - "@electrumValidateDomain": { - "description": "Validate Domain switch label in advanced options" - }, - "electrumStopGapEmptyError": "Stop Gap ei voi olla tyhjä", - "@electrumStopGapEmptyError": { - "description": "Validation error for empty Stop Gap field" - }, - "electrumInvalidNumberError": "Anna kelvollinen numero", - "@electrumInvalidNumberError": { - "description": "Validation error for non-numeric input" - }, - "electrumStopGapNegativeError": "Stop Gap ei voi olla negatiivinen", - "@electrumStopGapNegativeError": { - "description": "Validation error for negative Stop Gap value" - }, - "electrumStopGapTooHighError": "Stop Gap vaikuttaa liian suurelta. (Enintään {maxStopGap})", - "@electrumStopGapTooHighError": { - "description": "Validation error for Stop Gap exceeding maximum", - "placeholders": { - "maxStopGap": { - "type": "String" - } - } - }, - "electrumTimeoutEmptyError": "Aikakatkaisu ei voi olla tyhjä", - "@electrumTimeoutEmptyError": { - "description": "Validation error for empty Timeout field" - }, - "electrumTimeoutPositiveError": "Aikakatkaisun on oltava positiivinen", - "@electrumTimeoutPositiveError": { - "description": "Validation error for non-positive Timeout value" - }, - "electrumTimeoutTooHighError": "Aikakatkaisu vaikuttaa liian suurelta. (Enintään {maxTimeout} sekuntia)", - "@electrumTimeoutTooHighError": { - "description": "Validation error for Timeout exceeding maximum", - "placeholders": { - "maxTimeout": { - "type": "String" - } - } - }, - "electrumRetryCountEmptyError": "Uusintayritysten määrä ei voi olla tyhjä", - "@electrumRetryCountEmptyError": { - "description": "Validation error for empty Retry Count field" - }, - "electrumRetryCountNegativeError": "Uusintayritysten määrä ei voi olla negatiivinen", - "@electrumRetryCountNegativeError": { - "description": "Validation error for negative Retry Count value" - }, - "electrumTimeoutWarning": "Aikakatkaisusi ({timeoutValue} sekuntia) on alempi kuin suositus ({recommended} sekuntia) tälle Stop Gap -arvolle.", - "@electrumTimeoutWarning": { - "description": "Warning message when timeout is too low for the configured Stop Gap", - "placeholders": { - "timeoutValue": { - "type": "String" - }, - "recommended": { - "type": "String" - } - } - }, - "electrumInvalidStopGapError": "Virheellinen Stop Gap -arvo: {value}", - "@electrumInvalidStopGapError": { - "description": "Error message for invalid Stop Gap value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "electrumInvalidTimeoutError": "Virheellinen aikakatkaisu: {value}", - "@electrumInvalidTimeoutError": { - "description": "Error message for invalid Timeout value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "electrumInvalidRetryError": "Virheellinen uusintayritysten määrä: {value}", - "@electrumInvalidRetryError": { - "description": "Error message for invalid Retry Count value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "electrumSaveFailedError": "Lisäasetusten tallennus epäonnistui", - "@electrumSaveFailedError": { - "description": "Error message when saving advanced options fails" - }, - "electrumUnknownError": "Tapahtui virhe", - "@electrumUnknownError": { - "description": "Generic error message for unknown errors" - }, - "electrumReset": "Palauta oletukset", - "@electrumReset": { - "description": "Reset button label in advanced options" - }, - "electrumConfirm": "Vahvista", - "@electrumConfirm": { - "description": "Confirm button label in advanced options" - }, - "electrumDeleteServerTitle": "Poista oma palvelin", - "@electrumDeleteServerTitle": { - "description": "Delete server dialog title" - }, - "electrumDeletePrivacyNotice": "Tietosuoja-ilmoitus:\n\nOman solmun käyttäminen varmistaa, ettei kolmas osapuoli voi yhdistää IP-osoitettasi transaktioihisi. Poistamalla viimeisen oman palvelimesi muodostat yhteyden BullBitcoin-palvelimeen.\n", - "@electrumDeletePrivacyNotice": { - "description": "Privacy notice shown when deleting last custom server" - }, - "electrumDeleteConfirmation": "Haluatko varmasti poistaa tämän palvelimen?\n\n{serverUrl}", - "@electrumDeleteConfirmation": { - "description": "Confirmation message for server deletion", - "placeholders": { - "serverUrl": { - "type": "String" - } - } - }, - "electrumCancel": "Peruuta", - "@electrumCancel": { - "description": "Cancel button label in delete dialog" - }, - "electrumDelete": "Poista", - "@electrumDelete": { - "description": "Delete button label in delete dialog" - }, - "electrumDefaultServers": "Oletuspalvelimet", - "@electrumDefaultServers": { - "description": "Section header for default servers list" - }, - "electrumDefaultServersInfo": "Yksityisyytesi suojaamiseksi oletuspalvelimia ei käytetä, kun omia palvelimia on määritetty.", - "@electrumDefaultServersInfo": { - "description": "Info message explaining default servers behavior" - }, - "electrumCustomServers": "Omat palvelimet", - "@electrumCustomServers": { - "description": "Section header for custom servers list" - }, - "electrumDragToReorder": "(Pitkä painallus, raahaa ja muuta prioriteettia)", - "@electrumDragToReorder": { - "description": "Instruction text for reordering servers" - }, - "electrumLoadFailedError": "Palvelinten lataus epäonnistui{reason}", - "@electrumLoadFailedError": { - "description": "Error message when loading servers fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "electrumSavePriorityFailedError": "Palvelinten prioriteetin tallennus epäonnistui{reason}", - "@electrumSavePriorityFailedError": { - "description": "Error message when saving server priority fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "electrumAddFailedError": "Oman palvelimen lisääminen epäonnistui{reason}", - "@electrumAddFailedError": { - "description": "Error message when adding custom server fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "electrumDeleteFailedError": "Oman palvelimen poistaminen epäonnistui{reason}", - "@electrumDeleteFailedError": { - "description": "Error message when deleting custom server fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "electrumServerAlreadyExists": "Tämä palvelin on jo olemassa", - "@electrumServerAlreadyExists": { - "description": "Error message when trying to add a duplicate server" - }, - "electrumPrivacyNoticeTitle": "Tietosuoja-ilmoitus", - "@electrumPrivacyNoticeTitle": { - "description": "Title for privacy notice bottom sheet" - }, - "electrumPrivacyNoticeContent1": "Tietosuoja-ilmoitus: Oman solmun käyttäminen varmistaa, ettei kolmas osapuoli voi yhdistää IP-osoitettasi transaktioihisi.", - "@electrumPrivacyNoticeContent1": { - "description": "First paragraph of privacy notice" - }, - "electrumPrivacyNoticeContent2": "Jos kuitenkin tarkastelet transaktioita mempoolin kautta napsauttamalla transaktio-ID tai vastaanottajan tietoja, tämä tieto tulee BullBitcoinin tietoon.", - "@electrumPrivacyNoticeContent2": { - "description": "Second paragraph of privacy notice" - }, - "electrumPrivacyNoticeCancel": "Peruuta", - "@electrumPrivacyNoticeCancel": { - "description": "Cancel button in privacy notice dialog" - }, - "electrumPrivacyNoticeSave": "Tallenna", - "@electrumPrivacyNoticeSave": { - "description": "Save button in privacy notice dialog" - }, - "electrumServerNotUsed": "Ei käytössä", - "@electrumServerNotUsed": { - "description": "Status text for disabled servers" - }, - "electrumServerOnline": "Käytössä", - "@electrumServerOnline": { - "description": "Status text for online servers" - }, - "electrumServerOffline": "Poissa käytöstä", - "@electrumServerOffline": { - "description": "Status text for offline servers" - }, - "arkSendRecipientLabel": "Vastaanottajan osoite", - "@arkSendRecipientLabel": { - "description": "Label for recipient address field" - }, - "arkSendRecipientHint": "ark1qp9wsjfpsj5v5ex022v6…", - "@arkSendRecipientHint": { - "description": "Hint text for recipient address field" - }, - "arkSendConfirmedBalance": "Vahvistettu saldo", - "@arkSendConfirmedBalance": { - "description": "Confirmed balance label" - }, - "arkSendPendingBalance": "Odottava saldo ", - "@arkSendPendingBalance": { - "description": "Pending balance label" - }, - "arkSendConfirm": "Vahvista", - "@arkSendConfirm": { - "description": "Confirm button on send screen" - }, - "arkReceiveCopyAddress": "Kopioi osoite", - "@arkReceiveCopyAddress": { - "description": "Copy address button label" - }, - "arkReceiveUnifiedAddress": "Yhdistetty osoite (BIP21)", - "@arkReceiveUnifiedAddress": { - "description": "Label for unified BIP21 address" - }, - "arkReceiveBtcAddress": "BTC-osoite", - "@arkReceiveBtcAddress": { - "description": "Label for Bitcoin address" - }, - "arkReceiveArkAddress": "Ark-osoite", - "@arkReceiveArkAddress": { - "description": "Label for Ark address" - }, - "arkReceiveUnifiedCopied": "Yhdistetty osoite kopioitu", - "@arkReceiveUnifiedCopied": { - "description": "Snackbar message when unified address copied" - }, - "arkSettleTitle": "Sovita tapahtumat", - "@arkSettleTitle": { - "description": "Settle bottom sheet title" - }, - "arkSettleMessage": "Viimeistele odottavat transaktiot ja sisällytä tarvittaessa palautettavat vtxot", - "@arkSettleMessage": { - "description": "Settle bottom sheet explanation" - }, - "arkSettleIncludeRecoverable": "Sisällytä palautettavat vtxot", - "@arkSettleIncludeRecoverable": { - "description": "Toggle label for including recoverable vtxos" - }, - "arkSettleCancel": "Peruuta", - "@arkSettleCancel": { - "description": "Cancel button on settle bottom sheet" - }, - "arkAboutServerUrl": "Palvelimen URL", - "@arkAboutServerUrl": { - "description": "Field label for server URL" - }, - "arkAboutServerPubkey": "Palvelimen julkinen avain", - "@arkAboutServerPubkey": { - "description": "Field label for server pubkey" - }, - "arkAboutForfeitAddress": "Luovutusosoite", - "@arkAboutForfeitAddress": { - "description": "Field label for forfeit address" - }, - "arkAboutNetwork": "Verkko", - "@arkAboutNetwork": { - "description": "Field label for network" - }, - "arkAboutDust": "Dust", - "@arkAboutDust": { - "description": "Field label for dust amount" - }, - "arkAboutDustValue": "{dust} SATS", - "@arkAboutDustValue": { - "description": "Dust value format", - "placeholders": { - "dust": { - "type": "int" - } - } - }, - "arkAboutSessionDuration": "Istunnon kesto", - "@arkAboutSessionDuration": { - "description": "Field label for session duration" - }, - "arkAboutBoardingExitDelay": "Boarding-exit-viive", - "@arkAboutBoardingExitDelay": { - "description": "Field label for boarding exit delay" - }, - "arkAboutUnilateralExitDelay": "Yksipuolinen exit-viive", - "@arkAboutUnilateralExitDelay": { - "description": "Field label for unilateral exit delay" - }, - "arkAboutEsploraUrl": "Esplora-URL", - "@arkAboutEsploraUrl": { - "description": "Field label for Esplora URL" - }, - "arkAboutCopy": "Kopioi", - "@arkAboutCopy": { - "description": "Copy button label" - }, - "arkAboutCopiedMessage": "{label} kopioitu leikepöydälle", - "@arkAboutCopiedMessage": { - "description": "Snackbar message when field copied", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "arkAboutDurationSeconds": "{seconds} sekuntia", - "@arkAboutDurationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "int" - } - } - }, - "arkAboutDurationMinute": "{minutes} minuutti", - "@arkAboutDurationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "int" - } - } - }, - "arkAboutDurationMinutes": "{minutes} minuuttia", - "@arkAboutDurationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "int" - } - } - }, - "arkAboutDurationHour": "{hours} tunti", - "@arkAboutDurationHour": { - "description": "Duration format for singular hour", - "placeholders": { - "hours": { - "type": "int" - } - } - }, - "arkAboutDurationHours": "{hours} tuntia", - "@arkAboutDurationHours": { - "description": "Duration format for plural hours", - "placeholders": { - "hours": { - "type": "int" - } - } - }, - "arkAboutDurationDay": "{days} päivä", - "@arkAboutDurationDay": { - "description": "Duration format for singular day", - "placeholders": { - "days": { - "type": "int" - } - } - }, - "arkAboutDurationDays": "{days} päivää", - "@arkAboutDurationDays": { - "description": "Duration format for plural days", - "placeholders": { - "days": { - "type": "int" - } - } - }, - "arkSendRecipientTitle": "Lähetä vastaanottajalle", - "@arkSendRecipientTitle": { - "description": "Title for the ark send recipient page" - }, - "arkSendRecipientError": "Anna vastaanottaja", - "@arkSendRecipientError": { - "description": "Error message when recipient field is empty" - }, - "arkSendAmountTitle": "Syötä määrä", - "@arkSendAmountTitle": { - "description": "Title for the ark send amount page" - }, - "arkSendConfirmTitle": "Vahvista lähetys", - "@arkSendConfirmTitle": { - "description": "Title for the ark send confirmation page" - }, - "arkSendConfirmMessage": "Tarkista transaktion tiedot ennen lähettämistä.", - "@arkSendConfirmMessage": { - "description": "Message displayed on send confirmation page" - }, - "arkReceiveSegmentArk": "Ark", - "@arkReceiveSegmentArk": { - "description": "Segment option for Ark address type" - }, - "arkReceiveSegmentBoarding": "Boarding", - "@arkReceiveSegmentBoarding": { - "description": "Segment option for Boarding (BTC) address type" - }, - "arkReceiveBoardingAddress": "BTC Boarding -osoite", - "@arkReceiveBoardingAddress": { - "description": "Label for BTC boarding address" - }, - "arkAboutSecretKey": "Salainen avain", - "@arkAboutSecretKey": { - "description": "Label for secret key field in about page" - }, - "arkAboutShow": "Näytä", - "@arkAboutShow": { - "description": "Button text to show hidden secret key" - }, - "arkAboutHide": "Piilota", - "@arkAboutHide": { - "description": "Button text to hide visible secret key" - }, - "arkContinueButton": "Jatka", - "@arkContinueButton": { - "description": "Continue button text used in ark send flow" - }, - "addressViewErrorLoadingAddresses": "Osoitteiden lataus epäonnistui: {error}", - "@addressViewErrorLoadingAddresses": { - "description": "Error message displayed when addresses fail to load", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "addressViewNoAddressesFound": "Osoitteita ei löytynyt", - "@addressViewNoAddressesFound": { - "description": "Empty state message when no addresses are available" - }, - "addressViewErrorLoadingMoreAddresses": "Lisää osoitteita ladattaessa tapahtui virhe: {error}", - "@addressViewErrorLoadingMoreAddresses": { - "description": "Error message displayed when pagination of addresses fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "addressViewChangeAddressesComingSoon": "Vaihtoraha-osoitteet tulossa pian", - "@addressViewChangeAddressesComingSoon": { - "description": "Empty state message for change addresses feature that is coming soon" - }, - "addressViewChangeAddressesDescription": "Näytä lompakon vaihtoraha-osoitteet", - "@addressViewChangeAddressesDescription": { - "description": "Description for the coming soon dialog when trying to view change addresses" - }, - "appStartupErrorTitle": "Käynnistysvirhe", - "@appStartupErrorTitle": { - "description": "Title shown when the app fails to start up properly" - }, - "appStartupErrorMessageWithBackup": "Versiossa v5.4.0 havaittiin kriittinen virhe yhdessä riippuvuuksistamme, joka vaikuttaa yksityisten avainten tallennukseen. Tämä sovellus on kärsinyt virheestä. Sinun on poistettava tämä sovellus ja asennettava se uudelleen varmuuskopioimallasi siemenellä.", - "@appStartupErrorMessageWithBackup": { - "description": "Error message shown when app startup fails due to seed storage issue and user has a backup" - }, - "appStartupErrorMessageNoBackup": "Versiossa v5.4.0 havaittiin kriittinen virhe yhdessä riippuvuuksistamme, joka vaikuttaa yksityisten avainten tallennukseen. Tämä sovellus on kärsinyt virheestä. Ota yhteyttä tukitiimiimme.", - "@appStartupErrorMessageNoBackup": { - "description": "Error message shown when app startup fails due to seed storage issue and user has no backup" - }, - "appStartupContactSupportButton": "Ota yhteyttä tukeen", - "@appStartupContactSupportButton": { - "description": "Button label to contact support when app startup fails" - }, - "ledgerImportTitle": "Tuo Ledger-lompakko", - "@ledgerImportTitle": { - "description": "Title for importing a Ledger hardware wallet" - }, - "ledgerSignTitle": "Transaktion allekirjoitus", - "@ledgerSignTitle": { - "description": "Title for signing a transaction with Ledger" - }, - "ledgerVerifyTitle": "Vahvista osoite Ledgerissä", - "@ledgerVerifyTitle": { - "description": "Title for verifying an address on Ledger device" - }, - "ledgerImportButton": "Aloita tuonti", - "@ledgerImportButton": { - "description": "Button label to start importing Ledger wallet" - }, - "ledgerSignButton": "Aloita allekirjoitus", - "@ledgerSignButton": { - "description": "Button label to start signing transaction with Ledger" - }, - "ledgerVerifyButton": "Vahvista osoite", - "@ledgerVerifyButton": { - "description": "Button label to start address verification on Ledger" - }, - "ledgerProcessingImport": "Tuodaan lompakkoa", - "@ledgerProcessingImport": { - "description": "Status message shown while importing Ledger wallet" - }, - "ledgerProcessingSign": "Transaktiota allekirjoitetaan", - "@ledgerProcessingSign": { - "description": "Status message shown while signing transaction with Ledger" - }, - "ledgerProcessingVerify": "Näytetään osoite Ledgerissä...", - "@ledgerProcessingVerify": { - "description": "Status message shown while verifying address on Ledger" - }, - "ledgerSuccessImportTitle": "Lompakko tuotu onnistuneesti", - "@ledgerSuccessImportTitle": { - "description": "Success message title after importing Ledger wallet" - }, - "ledgerSuccessSignTitle": "Transaktio allekirjoitetiin", - "@ledgerSuccessSignTitle": { - "description": "Success message title after signing transaction with Ledger" - }, - "ledgerSuccessVerifyTitle": "Vahvistetaan osoitetta Ledgerissä...", - "@ledgerSuccessVerifyTitle": { - "description": "Success message title for address verification on Ledger" - }, - "ledgerSuccessImportDescription": "Ledger-lompakkosi on tuotu onnistuneesti.", - "@ledgerSuccessImportDescription": { - "description": "Success message description after importing Ledger wallet" - }, - "ledgerSuccessSignDescription": "Transaktio on allekirjoitettu onnistuneesti.", - "@ledgerSuccessSignDescription": { - "description": "Success message description after signing transaction with Ledger" - }, - "ledgerSuccessVerifyDescription": "Osoite on vahvistettu Ledger-laitteellasi.", - "@ledgerSuccessVerifyDescription": { - "description": "Success message description after verifying address on Ledger" - }, - "ledgerProcessingImportSubtext": "Määritetään watch-only-lompakkoasi...", - "@ledgerProcessingImportSubtext": { - "description": "Processing subtext shown while importing Ledger wallet" - }, - "ledgerProcessingSignSubtext": "Vahvista transaktio Ledger-laitteellasi...", - "@ledgerProcessingSignSubtext": { - "description": "Processing subtext shown while signing transaction" - }, - "ledgerProcessingVerifySubtext": "Vahvista osoite Ledger-laitteellasi.", - "@ledgerProcessingVerifySubtext": { - "description": "Processing subtext shown while verifying address" - }, - "ledgerConnectTitle": "Yhdistä Ledger-laitteesi", - "@ledgerConnectTitle": { - "description": "Title for initial Ledger connection screen" - }, - "ledgerScanningTitle": "Etsitään laitteita", - "@ledgerScanningTitle": { - "description": "Title shown while scanning for Ledger devices" - }, - "ledgerConnectingMessage": "Yhdistetään laitteeseen {deviceName}", - "@ledgerConnectingMessage": { - "description": "Message shown while connecting to a specific Ledger device", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "ledgerActionFailedMessage": "{action} epäonnistui", - "@ledgerActionFailedMessage": { - "description": "Error message when a Ledger action fails", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "ledgerInstructionsIos": "Varmista, että Ledger on avattu, Bitcoin-sovellus on käynnissä ja Bluetooth on käytössä.", - "@ledgerInstructionsIos": { - "description": "Connection instructions for iOS devices (Bluetooth only)" - }, - "ledgerInstructionsAndroidUsb": "Varmista, että Ledger on avattu, Bitcoin-sovellus on käynnissä ja liitä laite USB-kaapelilla.", - "@ledgerInstructionsAndroidUsb": { - "description": "Connection instructions for Android devices (USB only)" - }, - "ledgerInstructionsAndroidDual": "Varmista, että Ledger on avattu, Bitcoin-sovellus on käynnissä ja Bluetooth on käytössä tai liitä laite USB-kaapelilla.", - "@ledgerInstructionsAndroidDual": { - "description": "Connection instructions for Android devices (Bluetooth or USB)" - }, - "ledgerScanningMessage": "Etsitään lähellä olevia Ledger-laitteita...", - "@ledgerScanningMessage": { - "description": "Message shown while scanning for Ledger devices" - }, - "ledgerConnectingSubtext": "Muodostetaan suojattua yhteyttä...", - "@ledgerConnectingSubtext": { - "description": "Subtext shown while connecting to Ledger" - }, - "ledgerErrorUnknown": "Tuntematon virhe", - "@ledgerErrorUnknown": { - "description": "Generic error message for unknown Ledger errors" - }, - "ledgerErrorUnknownOccurred": "Tapahtui tuntematon virhe", - "@ledgerErrorUnknownOccurred": { - "description": "Error message when an unknown error occurs during Ledger operation" - }, - "ledgerErrorNoConnection": "Ledger-yhteyttä ei ole saatavilla", - "@ledgerErrorNoConnection": { - "description": "Error message when no Ledger connection is available" - }, - "ledgerErrorRejectedByUser": "Käyttäjä hylkäsi transaktion Ledger-laitteella.", - "@ledgerErrorRejectedByUser": { - "description": "Error message when user rejects transaction on Ledger (error code 6985)" - }, - "ledgerErrorDeviceLocked": "Ledger-laite on lukittu. Avaa laite ja yritä uudelleen.", - "@ledgerErrorDeviceLocked": { - "description": "Error message when Ledger device is locked (error code 5515)" - }, - "ledgerErrorBitcoinAppNotOpen": "Avaa Bitcoin-sovellus Ledger-laitteellasi ja yritä uudelleen.", - "@ledgerErrorBitcoinAppNotOpen": { - "description": "Error message when Bitcoin app is not open on Ledger (error codes 6e01, 6a87, 6d02, 6511, 6e00)" - }, - "ledgerErrorMissingPsbt": "PSBT vaaditaan allekirjoitusta varten", - "@ledgerErrorMissingPsbt": { - "description": "Error message when PSBT parameter is missing for signing" - }, - "ledgerErrorMissingDerivationPathSign": "Derivointipolku vaaditaan allekirjoitusta varten", - "@ledgerErrorMissingDerivationPathSign": { - "description": "Error message when derivation path is missing for signing" - }, - "ledgerErrorMissingScriptTypeSign": "Skriptityyppi vaaditaan allekirjoitusta varten", - "@ledgerErrorMissingScriptTypeSign": { - "description": "Error message when script type is missing for signing" - }, - "ledgerErrorMissingAddress": "Osoite vaaditaan vahvistusta varten", - "@ledgerErrorMissingAddress": { - "description": "Error message when address is missing for verification" - }, - "ledgerErrorMissingDerivationPathVerify": "Derivointipolku vaaditaan vahvistusta varten", - "@ledgerErrorMissingDerivationPathVerify": { - "description": "Error message when derivation path is missing for verification" - }, - "ledgerErrorMissingScriptTypeVerify": "Skriptityyppi vaaditaan vahvistusta varten", - "@ledgerErrorMissingScriptTypeVerify": { - "description": "Error message when script type is missing for verification" - }, - "ledgerButtonTryAgain": "Yritä uudelleen", - "@ledgerButtonTryAgain": { - "description": "Button label to retry a failed Ledger operation" - }, - "ledgerButtonManagePermissions": "Hallinnoi sovellusoikeuksia", - "@ledgerButtonManagePermissions": { - "description": "Button label to open app permissions settings" - }, - "ledgerButtonNeedHelp": "Tarvitsetko apua?", - "@ledgerButtonNeedHelp": { - "description": "Button label to show help/troubleshooting instructions" - }, - "ledgerVerifyAddressLabel": "Vahvistettava osoite:", - "@ledgerVerifyAddressLabel": { - "description": "Label for the address being verified on Ledger" - }, - "ledgerWalletTypeLabel": "Lompakkotyyppi:", - "@ledgerWalletTypeLabel": { - "description": "Label for wallet type/script type selection" - }, - "ledgerWalletTypeSegwit": "Segwit (BIP84)", - "@ledgerWalletTypeSegwit": { - "description": "Display name for Segwit wallet type (BIP84)" - }, - "ledgerWalletTypeSegwitDescription": "Native SegWit – suositeltu", - "@ledgerWalletTypeSegwitDescription": { - "description": "Description for Segwit wallet type" - }, - "ledgerWalletTypeNestedSegwit": "Nested Segwit (BIP49)", - "@ledgerWalletTypeNestedSegwit": { - "description": "Display name for Nested Segwit wallet type (BIP49)" - }, - "ledgerWalletTypeNestedSegwitDescription": "P2WPKH-nested-in-P2SH", - "@ledgerWalletTypeNestedSegwitDescription": { - "description": "Technical description for Nested Segwit wallet type" - }, - "ledgerWalletTypeLegacy": "Legacy (BIP44)", - "@ledgerWalletTypeLegacy": { - "description": "Display name for Legacy wallet type (BIP44)" - }, - "ledgerWalletTypeLegacyDescription": "P2PKH - vanhempi formaatti", - "@ledgerWalletTypeLegacyDescription": { - "description": "Description for Legacy wallet type" - }, - "ledgerWalletTypeSelectTitle": "Valitse lompakkotyyppi", - "@ledgerWalletTypeSelectTitle": { - "description": "Title for wallet type selection modal" - }, - "ledgerSuccessAddressVerified": "Osoite vahvistettu onnistuneesti!", - "@ledgerSuccessAddressVerified": { - "description": "Success snackbar message after address verification" - }, - "ledgerHelpTitle": "Ledger-vianmääritys", - "@ledgerHelpTitle": { - "description": "Title for Ledger troubleshooting help modal" - }, - "ledgerHelpSubtitle": "Varmista ensin, että Ledger-laitteesi on avattu ja Bitcoin-sovellus on käynnissä. Jos laitteesi ei edelleenkään yhdistä sovellukseen, kokeile seuraavaa:", - "@ledgerHelpSubtitle": { - "description": "Subtitle/introduction for Ledger troubleshooting help" - }, - "ledgerHelpStep1": "Käynnistä Ledger-laitteesi uudelleen.", - "@ledgerHelpStep1": { - "description": "First troubleshooting step for Ledger connection issues" - }, - "ledgerHelpStep2": "Varmista, että puhelimesi Bluetooth on päällä ja sallittu.", - "@ledgerHelpStep2": { - "description": "Second troubleshooting step for Ledger connection issues" - }, - "ledgerHelpStep3": "Varmista, että Ledger-laitteessasi on Bluetooth päällä.", - "@ledgerHelpStep3": { - "description": "Third troubleshooting step for Ledger connection issues" - }, - "ledgerHelpStep4": "Varmista, että olet asentanut Bitcoin-sovelluksen uusimman version Ledger Livestä.", - "@ledgerHelpStep4": { - "description": "Fourth troubleshooting step for Ledger connection issues" - }, - "ledgerHelpStep5": "Varmista, että Ledger-laitteessasi on uusin laiteohjelmisto. Voit päivittää laiteohjelmiston Ledger Live -työpöytäsovelluksella.", - "@ledgerHelpStep5": { - "description": "Fifth troubleshooting step for Ledger connection issues" - }, - "ledgerDefaultWalletLabel": "Ledger-lompakko", - "@ledgerDefaultWalletLabel": { - "description": "Default label for imported Ledger wallet" - }, - "exchangeBrandName": "BULL BITCOIN", - "@exchangeBrandName": { - "description": "The Bull Bitcoin brand name displayed on exchange screens" - }, - "exchangeLandingConnectAccount": "Yhdistä Bull Bitcoin -pörssitiliisi", - "@exchangeLandingConnectAccount": { - "description": "Subtitle text on the exchange landing screen encouraging users to connect" - }, - "exchangeLandingRecommendedExchange": "Suositeltu Bitcoin-pörssi", - "@exchangeLandingRecommendedExchange": { - "description": "Subtitle on landing screen v2 describing Bull Bitcoin as recommended" - }, - "exchangeFeatureSelfCustody": "• Osta Bitcoinia omaan säilytykseen", - "@exchangeFeatureSelfCustody": { - "description": "Feature bullet point describing self-custody Bitcoin purchases" - }, - "exchangeFeatureDcaOrders": "• DCA-, Limit Order- ja automaattiostot", - "@exchangeFeatureDcaOrders": { - "description": "Feature bullet point describing DCA and automated buying features" - }, - "exchangeFeatureSellBitcoin": "• Myy tai vastaanota Bitcoinia", - "@exchangeFeatureSellBitcoin": { - "description": "Feature bullet point describing selling Bitcoin functionality" - }, - "exchangeFeatureBankTransfers": "• Lähetä pankkisiirtoja ja maksa laskuja", - "@exchangeFeatureBankTransfers": { - "description": "Feature bullet point describing bank transfer and bill payment features" - }, - "exchangeFeatureCustomerSupport": "• Keskustele asiakastuen kanssa", - "@exchangeFeatureCustomerSupport": { - "description": "Feature bullet point describing customer support chat feature" - }, - "exchangeFeatureUnifiedHistory": "• Yhdistetty tapahtumahistoria", - "@exchangeFeatureUnifiedHistory": { - "description": "Feature bullet point describing unified transaction history feature" - }, - "priceChartFetchingHistory": "Haetaan kurssihistoriaa...", - "@priceChartFetchingHistory": { - "description": "Message shown while fetching price history when no local data is available" - }, - "exchangeLandingDisclaimerLegal": "Pääsy pörssipalveluihin rajoitetaan maihin, joissa Bull Bitcoin voi toimia laillisesti. Käyttö voi edellyttää KYC-tunnistautumista.", - "@exchangeLandingDisclaimerLegal": { - "description": "Legal disclaimer about exchange service availability and KYC requirements" - }, - "exchangeLandingDisclaimerNotAvailable": "Kryptovaluuttapörssin palvelut eivät ole käytettävissä Bull Bitcoin -mobiilisovelluksessa.", - "@exchangeLandingDisclaimerNotAvailable": { - "description": "Disclaimer informing users that exchange services are not available in the mobile app" - }, - "exchangeLoginButton": "Kirjaudu tai rekisteröidy", - "@exchangeLoginButton": { - "description": "Button label for logging in or signing up to the exchange" - }, - "exchangeGoToWebsiteButton": "Siirry Bull Bitcoin -pörssin verkkosivulle", - "@exchangeGoToWebsiteButton": { - "description": "Button label for navigating to the Bull Bitcoin exchange website" - }, - "exchangeAuthLoginFailedTitle": "Kirjautuminen epäonnistui", - "@exchangeAuthLoginFailedTitle": { - "description": "Title of the dialog shown when exchange login fails" - }, - "exchangeAuthLoginFailedMessage": "Tapahtui virhe, yritä kirjautua uudelleen.", - "@exchangeAuthLoginFailedMessage": { - "description": "Message shown when exchange login fails" - }, - "exchangeAuthLoginFailedOkButton": "OK", - "@exchangeAuthLoginFailedOkButton": { - "description": "OK button label in the login failed dialog" - }, - "exchangeHomeDepositButton": "Talleta", - "@exchangeHomeDepositButton": { - "description": "Button label for depositing funds to the exchange" - }, - "exchangeHomeWithdrawButton": "Nosta", - "@exchangeHomeWithdrawButton": { - "description": "Button label for withdrawing funds from the exchange" - }, - "exchangeSupportChatTitle": "Tukichatti", - "@exchangeSupportChatTitle": { - "description": "Title for the support chat screen" - }, - "exchangeSupportChatEmptyState": "Ei viestejä vielä. Aloita keskustelu!", - "@exchangeSupportChatEmptyState": { - "description": "Message shown when there are no chat messages" - }, - "exchangeSupportChatInputHint": "Kirjoita viesti...", - "@exchangeSupportChatInputHint": { - "description": "Placeholder text for the message input field" - }, - "exchangeSupportChatMessageRequired": "Liite vaatii viestiin sisältöä", - "@exchangeSupportChatMessageRequired": { - "description": "Placeholder text when attachments are present but no message text" - }, - "exchangeSupportChatMessageEmptyError": "Viesti ei voi olla tyhjä", - "@exchangeSupportChatMessageEmptyError": { - "description": "Error message when trying to send an empty message" - }, - "exchangeSupportChatYesterday": "Eilen", - "@exchangeSupportChatYesterday": { - "description": "Label for yesterday in date formatting" - }, - "exchangeSupportChatWalletIssuesInfo": "Tämä chatti on vain pörssiin liittyviä talletus/osto/myynti/nosto/maksu -ongelmia varten.\nLompakkotukea tarjoavaan Telegram-ryhmään pääset tästä.", - "@exchangeSupportChatWalletIssuesInfo": { - "description": "Info message about wallet issues and telegram group link" - }, - "exchangeDcaUnableToGetConfig": "DCA-asetuksia ei saatu haettua", - "@exchangeDcaUnableToGetConfig": { - "description": "Error message when DCA configuration cannot be retrieved" - }, - "exchangeDcaDeactivateTitle": "Poista toistuva osto käytöstä", - "@exchangeDcaDeactivateTitle": { - "description": "Title shown when DCA is active and can be deactivated" - }, - "exchangeDcaActivateTitle": "Ota käyttöön toistuvat ostot", - "@exchangeDcaActivateTitle": { - "description": "Title shown when DCA is inactive and can be activated" - }, - "exchangeDcaHideSettings": "Piilota asetukset", - "@exchangeDcaHideSettings": { - "description": "Link text to hide DCA settings details" - }, - "exchangeDcaViewSettings": "Näytä asetukset", - "@exchangeDcaViewSettings": { - "description": "Link text to view DCA settings details" - }, - "exchangeDcaCancelDialogTitle": "Peruutetaanko Bitcoinin toistuva osto?", - "@exchangeDcaCancelDialogTitle": { - "description": "Title of the dialog confirming DCA cancellation" - }, - "exchangeDcaCancelDialogMessage": "Toistuva Bitcoin-ostosuunnitelmasi pysähtyy ja ajastetut ostot päättyvät. Käynnistääksesi sen uudelleen sinun täytyy luoda uusi suunnitelma.", - "@exchangeDcaCancelDialogMessage": { - "description": "Message explaining the consequences of canceling DCA" - }, - "exchangeDcaCancelDialogCancelButton": "Peruuta", - "@exchangeDcaCancelDialogCancelButton": { - "description": "Button label to cancel the DCA cancellation dialog" - }, - "exchangeDcaCancelDialogConfirmButton": "Kyllä, poista käytöstä", - "@exchangeDcaCancelDialogConfirmButton": { - "description": "Button label to confirm DCA deactivation" - }, - "exchangeDcaFrequencyHour": "tunti", - "@exchangeDcaFrequencyHour": { - "description": "DCA frequency unit: hour" - }, - "exchangeDcaFrequencyDay": "päivä", - "@exchangeDcaFrequencyDay": { - "description": "DCA frequency unit: day" - }, - "exchangeDcaFrequencyWeek": "viikko", - "@exchangeDcaFrequencyWeek": { - "description": "DCA frequency unit: week" - }, - "exchangeDcaFrequencyMonth": "kuukausi", - "@exchangeDcaFrequencyMonth": { - "description": "DCA frequency unit: month" - }, - "exchangeDcaNetworkBitcoin": "Bitcoin-verkko", - "@exchangeDcaNetworkBitcoin": { - "description": "DCA network option: Bitcoin" - }, - "exchangeDcaNetworkLightning": "Lightning-verkko", - "@exchangeDcaNetworkLightning": { - "description": "DCA network option: Lightning" - }, - "exchangeDcaNetworkLiquid": "Liquid-verkko", - "@exchangeDcaNetworkLiquid": { - "description": "DCA network option: Liquid" - }, - "exchangeDcaAddressLabelBitcoin": "Bitcoin-osoite", - "@exchangeDcaAddressLabelBitcoin": { - "description": "Label for Bitcoin address in DCA settings" - }, - "exchangeDcaAddressLabelLightning": "Lightning-osoite", - "@exchangeDcaAddressLabelLightning": { - "description": "Label for Lightning address in DCA settings" - }, - "exchangeDcaAddressLabelLiquid": "Liquid-osoite", - "@exchangeDcaAddressLabelLiquid": { - "description": "Label for Liquid address in DCA settings" - }, - "exchangeDcaSummaryMessage": "Ostat {amount} joka {frequency} verkossa {network} niin kauan kuin tililläsi on varoja.", - "@exchangeDcaSummaryMessage": { - "description": "Summary message describing the DCA configuration", - "placeholders": { - "amount": { - "type": "String", - "description": "The amount being purchased (e.g., '$100 CAD')" - }, - "frequency": { - "type": "String" - }, - "network": { - "type": "String" - } - } - }, - "exchangeDcaAddressDisplay": "{addressLabel}: {address}", - "@exchangeDcaAddressDisplay": { - "description": "Format for displaying address label and address", - "placeholders": { - "addressLabel": { - "type": "String", - "description": "The address label (e.g., 'Bitcoin address')" - }, - "address": { - "type": "String", - "description": "The actual address" - } - } - }, - "exchangeCurrencyDropdownTitle": "Valitse valuutta", - "@exchangeCurrencyDropdownTitle": { - "description": "Title for the currency selection dropdown" - }, - "exchangeCurrencyDropdownValidation": "Valitse valuutta", - "@exchangeCurrencyDropdownValidation": { - "description": "Validation message when no currency is selected" - }, - "exchangeKycLevelLight": "Kevyt", - "@exchangeKycLevelLight": { - "description": "KYC verification level: Light" - }, - "exchangeKycLevelLimited": "Rajoitettu", - "@exchangeKycLevelLimited": { - "description": "KYC verification level: Limited" - }, - "exchangeKycCardTitle": "Suorita KYC-tunnistautuminen", - "@exchangeKycCardTitle": { - "description": "Title of the KYC completion card" - }, - "exchangeKycCardSubtitle": "Poistaaksesi tapahtumarajat", - "@exchangeKycCardSubtitle": { - "description": "Subtitle explaining why to complete KYC" - }, - "exchangeAmountInputTitle": "Syötä määrä", - "@exchangeAmountInputTitle": { - "description": "Title for the amount input field" - }, - "exchangeAmountInputValidationEmpty": "Anna määrä", - "@exchangeAmountInputValidationEmpty": { - "description": "Validation message when amount field is empty" - }, - "exchangeAmountInputValidationInvalid": "Virheellinen määrä", - "@exchangeAmountInputValidationInvalid": { - "description": "Validation message when amount is invalid" - }, - "exchangeAmountInputValidationZero": "Määrän on oltava suurempi kuin nolla", - "@exchangeAmountInputValidationZero": { - "description": "Validation message when amount is zero or negative" - }, - "exchangeAmountInputValidationInsufficient": "Saldo ei riitä", - "@exchangeAmountInputValidationInsufficient": { - "description": "Validation message when amount exceeds available balance" - }, - "sellBitcoinPriceLabel": "Bitcoinin hinta", - "@sellBitcoinPriceLabel": { - "description": "Label for Bitcoin price display" - }, - "sellViewDetailsButton": "Näytä tiedot", - "@sellViewDetailsButton": { - "description": "Button text to view order details" - }, - "sellKycPendingTitle": "KYC-vahvistus kesken", - "@sellKycPendingTitle": { - "description": "Title shown when KYC verification is pending" - }, - "sellKycPendingDescription": "Sinun on ensin suoritettava henkilöllisyyden varmistus", - "@sellKycPendingDescription": { - "description": "Description explaining user must complete KYC before proceeding" - }, - "sellErrorPrepareTransaction": "Tapahtuman valmistelu epäonnistui: {error}", - "@sellErrorPrepareTransaction": { - "description": "Error message when transaction preparation fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "sellErrorNoWalletSelected": "Maksuun ei ole valittu lompakkoa", - "@sellErrorNoWalletSelected": { - "description": "Error message when no wallet is selected for payment" - }, - "sellErrorFeesNotCalculated": "Transaktio kuluja ei laskettu. Yritä uudelleen.", - "@sellErrorFeesNotCalculated": { - "description": "Error message when transaction fees calculation failed" - }, - "sellErrorUnexpectedOrderType": "Odotettiin SellOrder-pyyntöä, mutta vastaanotettiin eri tyyppinen pyyntö", - "@sellErrorUnexpectedOrderType": { - "description": "Error message when wrong order type is received" - }, - "sellErrorLoadUtxos": "UTXOjen lataus epäonnistui: {error}", - "@sellErrorLoadUtxos": { - "description": "Error message when loading UTXOs fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "sellErrorRecalculateFees": "Kulujen uudelleenlaskenta epäonnistui: {error}", - "@sellErrorRecalculateFees": { - "description": "Error message when fee recalculation fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "sellLoadingGeneric": "Ladataan...", - "@sellLoadingGeneric": { - "description": "Generic loading message" - }, - "allSeedViewTitle": "Näytä siemenlauseet", - "@allSeedViewTitle": { - "description": "Title for the seed viewer screen" - }, - "allSeedViewLoadingMessage": "Tämä voi kestää hetken, jos käytössä on paljon siemenlauseita.", - "@allSeedViewLoadingMessage": { - "description": "Loading message shown while fetching seeds" - }, - "allSeedViewNoSeedsFound": "Siemenlauseita ei löytynyt.", - "@allSeedViewNoSeedsFound": { - "description": "Message shown when no seeds are found" - }, - "allSeedViewShowSeedsButton": "Näytä siemenlauseet", - "@allSeedViewShowSeedsButton": { - "description": "Button label to show seed phrases" - }, - "allSeedViewExistingWallets": "Nykyiset lompakot ({count})", - "@allSeedViewExistingWallets": { - "description": "Section header for existing wallets with count", - "placeholders": { - "count": { - "type": "int", - "format": "decimalPattern" - } - } - }, - "allSeedViewOldWallets": "Vanhat lompakot ({count})", - "@allSeedViewOldWallets": { - "description": "Section header for old wallets with count", - "placeholders": { - "count": { - "type": "int", - "format": "decimalPattern" - } - } - }, - "allSeedViewSecurityWarningTitle": "Turvavaroitus", - "@allSeedViewSecurityWarningTitle": { - "description": "Title for security warning dialog" - }, - "allSeedViewSecurityWarningMessage": "Siemenlauseiden näyttäminen on turvallisuusriski. Kuka tahansa, joka näkee siemenlauseesi, voi käyttää varojasi. Varmista, että olet yksityisessä tilassa eikä kukaan näe näyttöäsi.", - "@allSeedViewSecurityWarningMessage": { - "description": "Security warning message about displaying seed phrases" - }, - "allSeedViewIUnderstandButton": "Ymmärrän", - "@allSeedViewIUnderstandButton": { - "description": "Button label to acknowledge security warning" - }, - "allSeedViewDeleteWarningTitle": "VAROITUS!", - "@allSeedViewDeleteWarningTitle": { - "description": "Title for delete seed warning dialog" - }, - "allSeedViewDeleteWarningMessage": "Siemenen poistaminen on peruuttamaton toimenpide. Tee tämä vain, jos sinulla on tämän siemenen turvalliset varmuuskopiot tai siihen liittyvät lompakot on tyhjennetty kokonaan.", - "@allSeedViewDeleteWarningMessage": { - "description": "Warning message about deleting a seed" - }, - "allSeedViewPassphraseLabel": "Salafraasi:", - "@allSeedViewPassphraseLabel": { - "description": "Label for passphrase display" - }, - "cancel": "Peruuta", - "@cancel": { - "description": "Generic cancel button label" - }, - "delete": "Poista", - "@delete": { - "description": "Generic delete button label" - }, - "statusCheckTitle": "Palvelun tila", - "@statusCheckTitle": { - "description": "Title for the service status screen" - }, - "statusCheckLastChecked": "Viimeksi tarkistettu: {time}", - "@statusCheckLastChecked": { - "description": "Label showing when services were last checked", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "statusCheckOnline": "Käytössä", - "@statusCheckOnline": { - "description": "Status text when a service is online" - }, - "statusCheckOffline": "Poissa käytöstä", - "@statusCheckOffline": { - "description": "Status text when a service is offline" - }, - "statusCheckUnknown": "Tuntematon", - "@statusCheckUnknown": { - "description": "Status text when service status is unknown" - }, - "torSettingsTitle": "Tor-asetukset", - "@torSettingsTitle": { - "description": "AppBar title for the Tor settings screen" - }, - "torSettingsEnableProxy": "Ota Tor-välityspalvelin käyttöön", - "@torSettingsEnableProxy": { - "description": "Label for the toggle to enable/disable Tor proxy" - }, - "torSettingsProxyPort": "Tor-välityspalvelimen portti", - "@torSettingsProxyPort": { - "description": "Title for Tor proxy port settings" - }, - "torSettingsPortDisplay": "Portti: {port}", - "@torSettingsPortDisplay": { - "description": "Display text showing current port number", - "placeholders": { - "port": { - "type": "int" - } - } - }, - "torSettingsPortNumber": "Porttinumero", - "@torSettingsPortNumber": { - "description": "Label for port number input field" - }, - "torSettingsPortHint": "9050", - "@torSettingsPortHint": { - "description": "Hint text for port input showing default value" - }, - "torSettingsPortHelper": "Orbotin oletusportti: 9050", - "@torSettingsPortHelper": { - "description": "Helper text explaining default Orbot port" - }, - "torSettingsPortValidationEmpty": "Anna porttinumero", - "@torSettingsPortValidationEmpty": { - "description": "Validation error when port is empty" - }, - "torSettingsPortValidationInvalid": "Anna kelvollinen numero", - "@torSettingsPortValidationInvalid": { - "description": "Validation error when port is not a valid number" - }, - "torSettingsPortValidationRange": "Portin on oltava välillä 1 ja 65535", - "@torSettingsPortValidationRange": { - "description": "Validation error when port is out of valid range" - }, - "torSettingsSaveButton": "Tallenna", - "@torSettingsSaveButton": { - "description": "Save button label for Tor port settings" - }, - "torSettingsConnectionStatus": "Yhteyden tila", - "@torSettingsConnectionStatus": { - "description": "Title for connection status card" - }, - "torSettingsStatusConnected": "Yhdistetty", - "@torSettingsStatusConnected": { - "description": "Status title when Tor is connected" - }, - "torSettingsStatusConnecting": "Yhdistetään...", - "@torSettingsStatusConnecting": { - "description": "Status title when Tor is connecting" - }, - "torSettingsStatusDisconnected": "Ei yhteyttä", - "@torSettingsStatusDisconnected": { - "description": "Status title when Tor is disconnected" - }, - "torSettingsStatusUnknown": "Tila tuntematon", - "@torSettingsStatusUnknown": { - "description": "Status title when Tor status is unknown" - }, - "torSettingsDescConnected": "Tor-välityspalvelin on käynnissä ja valmiina", - "@torSettingsDescConnected": { - "description": "Description when Tor is connected" - }, - "torSettingsDescConnecting": "Muodostetaan Tor-yhteyttä", - "@torSettingsDescConnecting": { - "description": "Description when Tor is connecting" - }, - "torSettingsDescDisconnected": "Tor-välityspalvelin ei ole käynnissä", - "@torSettingsDescDisconnected": { - "description": "Description when Tor is disconnected" - }, - "torSettingsDescUnknown": "Tor-tilaa ei voida määrittää. Varmista, että Orbot on asennettu ja käynnissä.", - "@torSettingsDescUnknown": { - "description": "Description when Tor status is unknown" - }, - "torSettingsInfoTitle": "Tärkeää tietoa", - "@torSettingsInfoTitle": { - "description": "Title for the Tor information card" - }, - "torSettingsInfoDescription": "• Tor-välityspalvelin koskee vain Bitcoinia (ei Liquidia)\n• Orbotin oletusportti on 9050\n• Varmista, että Orbot on käynnissä ennen käyttöönottoa\n• Yhteys saattaa olla hitaampi Torin kautta", - "@torSettingsInfoDescription": { - "description": "Information about Tor proxy usage" - }, - "withdrawSuccessTitle": "Nosto aloitettu", - "@withdrawSuccessTitle": { - "description": "Title shown when withdrawal is successfully initiated" - }, - "withdrawSuccessOrderDetails": "Tilaustiedot", - "@withdrawSuccessOrderDetails": { - "description": "Button label to view order details after withdrawal" - }, - "withdrawConfirmBankAccount": "Pankkitili", - "@withdrawConfirmBankAccount": { - "description": "Default label for bank account in confirmation screen" - }, - "withdrawOwnershipQuestion": "Kenen tili tämä on?", - "@withdrawOwnershipQuestion": { - "description": "Question asking about account ownership" - }, - "withdrawOwnershipMyAccount": "Tämä on minun tilini", - "@withdrawOwnershipMyAccount": { - "description": "Option indicating the account belongs to the user" - }, - "withdrawOwnershipOtherAccount": "Tämä on jonkun toisen tili", - "@withdrawOwnershipOtherAccount": { - "description": "Option indicating the account belongs to someone else" - }, - "walletAutoTransferBlockedTitle": "Automaattinen siirto estetty", - "@walletAutoTransferBlockedTitle": { - "description": "Title for auto-swap fee warning when fees exceed threshold" - }, - "walletAutoTransferBlockedMessage": "Yritetään siirtää {amount} BTC. Nykyinen kulu olisi {currentFee}% siirtosummasta ja maksukynnys on asetettu arvoon {thresholdFee}%", - "@walletAutoTransferBlockedMessage": { - "description": "Message explaining why auto-transfer was blocked", - "placeholders": { - "amount": { - "type": "String" - }, - "currentFee": { - "type": "String" - }, - "thresholdFee": { - "type": "String" - } - } - }, - "walletAutoTransferBlockButton": "Estä", - "@walletAutoTransferBlockButton": { - "description": "Button to block auto-transfer until next execution" - }, - "walletAutoTransferAllowButton": "Salli", - "@walletAutoTransferAllowButton": { - "description": "Button to allow auto-transfer despite high fees" - }, - "navigationTabWallet": "Lompakko", - "@navigationTabWallet": { - "description": "Label for the Wallet tab in bottom navigation" - }, - "navigationTabExchange": "Pörssi", - "@navigationTabExchange": { - "description": "Label for the Exchange tab in bottom navigation" - }, - "buyUnauthenticatedError": "Et ole kirjautunut sisään. Kirjaudu jatkaaksesi.", - "@buyUnauthenticatedError": { - "description": "Error message for unauthenticated user during buy" - }, - "buyBelowMinAmountError": "Yrität ostaa alle vähimmäismäärän.", - "@buyBelowMinAmountError": { - "description": "Error message for amount below minimum during buy" - }, - "buyAboveMaxAmountError": "Yrität ostaa yli enimmäismäärän.", - "@buyAboveMaxAmountError": { - "description": "Error message for amount above maximum during buy" - }, - "buyInsufficientFundsError": "Bull Bitcoin -tililläsi ei ole riittävästi varoja tämän oston suorittamiseen.", - "@buyInsufficientFundsError": { - "description": "Error message for insufficient funds during buy" - }, - "buyOrderNotFoundError": "Ostopyyntöä ei löytynyt. Yritä uudelleen.", - "@buyOrderNotFoundError": { - "description": "Error message for order not found during buy" - }, - "buyOrderAlreadyConfirmedError": "Tämä ostopyyntö on jo vahvistettu.", - "@buyOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed buy order" - }, - "withdrawUnauthenticatedError": "Et ole kirjautunut sisään. Kirjaudu jatkaaksesi.", - "@withdrawUnauthenticatedError": { - "description": "Error message for unauthenticated user during withdraw" - }, - "withdrawBelowMinAmountError": "Yrität nostaa alle vähimmäismäärän.", - "@withdrawBelowMinAmountError": { - "description": "Error message for amount below minimum during withdraw" - }, - "withdrawAboveMaxAmountError": "Yrität nostaa yli enimmäismäärän.", - "@withdrawAboveMaxAmountError": { - "description": "Error message for amount above maximum during withdraw" - }, - "withdrawOrderNotFoundError": "Nostopyyntöä ei löytynyt. Yritä uudelleen.", - "@withdrawOrderNotFoundError": { - "description": "Error message for order not found during withdraw" - }, - "withdrawOrderAlreadyConfirmedError": "Tämä nostopyyntö on jo vahvistettu.", - "@withdrawOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed withdrawal order" - }, - "coreScreensPageNotFound": "Sivua ei löytynyt", - "@coreScreensPageNotFound": { - "description": "Error message shown when a page/route is not found" - }, - "coreScreensLogsTitle": "Lokitiedot", - "@coreScreensLogsTitle": { - "description": "AppBar title for logs viewer screen" - }, - "coreScreensConfirmSend": "Vahvista lähetys", - "@coreScreensConfirmSend": { - "description": "Title for confirm send action" - }, - "coreScreensExternalTransfer": "Ulkoinen siirto", - "@coreScreensExternalTransfer": { - "description": "Title for external transfer action" - }, - "coreScreensInternalTransfer": "Sisäinen siirto", - "@coreScreensInternalTransfer": { - "description": "Title for internal transfer action" - }, - "coreScreensConfirmTransfer": "Vahvista siirto", - "@coreScreensConfirmTransfer": { - "description": "Title for confirm transfer action" - }, - "coreScreensFromLabel": "Lähde", - "@coreScreensFromLabel": { - "description": "Label for source/sender field" - }, - "coreScreensToLabel": "Kohde", - "@coreScreensToLabel": { - "description": "Label for destination/receiver field" - }, - "coreScreensAmountLabel": "Määrä", - "@coreScreensAmountLabel": { - "description": "Label for amount field" - }, - "coreScreensNetworkFeesLabel": "Verkkomaksut", - "@coreScreensNetworkFeesLabel": { - "description": "Label for network fees field" - }, - "coreScreensFeePriorityLabel": "Maksun prioriteetti", - "@coreScreensFeePriorityLabel": { - "description": "Label for fee priority field" - }, - "coreScreensTransferIdLabel": "Siirron tunnus", - "@coreScreensTransferIdLabel": { - "description": "Label for transfer ID field" - }, - "coreScreensTotalFeesLabel": "Kokonaiskulut", - "@coreScreensTotalFeesLabel": { - "description": "Label for total fees field" - }, - "coreScreensTransferFeeLabel": "Siirtokulut", - "@coreScreensTransferFeeLabel": { - "description": "Label for transfer fee field" - }, - "coreScreensFeeDeductionExplanation": "Tämä on kokonaismaksu, joka vähennetään lähetetystä summasta", - "@coreScreensFeeDeductionExplanation": { - "description": "Explanation text for fee deduction" - }, - "coreScreensReceiveNetworkFeeLabel": "Vastaanoton verkkomaksu", - "@coreScreensReceiveNetworkFeeLabel": { - "description": "Label for receive network fee field" - }, - "coreScreensServerNetworkFeesLabel": "Palvelimen verkkomaksut", - "@coreScreensServerNetworkFeesLabel": { - "description": "Label for server network fees field" - }, - "coreScreensSendAmountLabel": "Lähetettävä määrä", - "@coreScreensSendAmountLabel": { - "description": "Label for send amount field" - }, - "coreScreensReceiveAmountLabel": "Vastaanotettava määrä", - "@coreScreensReceiveAmountLabel": { - "description": "Label for receive amount field" - }, - "coreScreensSendNetworkFeeLabel": "Lähetyksen verkkokulut", - "@coreScreensSendNetworkFeeLabel": { - "description": "Label for send network fee field" - }, - "coreScreensConfirmButton": "Vahvista", - "@coreScreensConfirmButton": { - "description": "Text for confirm button" - }, - "recoverbullErrorRejected": "Avainpalvelin hylkäsi pyynnön", - "@recoverbullErrorRejected": { - "description": "Error message when request is rejected by the key server" - }, - "recoverbullErrorServiceUnavailable": "Palvelu ei ole käytettävissä. Tarkista yhteytesi.", - "@recoverbullErrorServiceUnavailable": { - "description": "Error message when key server service is unavailable" - }, - "recoverbullErrorInvalidVaultFile": "Virheellinen holvitiedosto.", - "@recoverbullErrorInvalidVaultFile": { - "description": "Error message when vault file format is invalid" - }, - "systemLabelSwaps": "Swapit", - "@systemLabelSwaps": { - "description": "System label for swap transactions" - }, - "systemLabelAutoSwap": "Automaattinen swap", - "@systemLabelAutoSwap": { - "description": "System label for automatic swap transactions" - }, - "systemLabelPayjoin": "Payjoin", - "@systemLabelPayjoin": { - "description": "System label for payjoin transactions" - }, - "systemLabelSelfSpend": "Oma siirto", - "@systemLabelSelfSpend": { - "description": "System label for self-spend transactions" - }, - "systemLabelExchangeBuy": "Osta", - "@systemLabelExchangeBuy": { - "description": "System label for exchange buy transactions" - }, - "systemLabelExchangeSell": "Myy", - "@systemLabelExchangeSell": { - "description": "System label for exchange sell transactions" - }, - "labelErrorNotFound": "Tunnistetta \"{label}\" ei löytynyt.", - "@labelErrorNotFound": { - "description": "Error message when a label is not found", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "labelErrorUnsupportedType": "Tunnistetyyppiä {type} ei tueta", - "@labelErrorUnsupportedType": { - "description": "Error message when label type is not supported", - "placeholders": { - "type": { - "type": "String" - } - } - }, - "labelErrorUnexpected": "Odottamaton virhe: {message}", - "@labelErrorUnexpected": { - "description": "Error message for unexpected label errors", - "placeholders": { - "message": { - "type": "String" - } - } - }, - "labelErrorSystemCannotDelete": "Järjestelmätunnisteita ei voi poistaa.", - "@labelErrorSystemCannotDelete": { - "description": "Error message when trying to delete a system label" - }, - "labelDeleteFailed": "Tunnisteen \"{label}\" poistaminen epäonnistui. Yritä uudelleen.", - "@labelDeleteFailed": { - "description": "Error message when label deletion fails", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "coreSwapsStatusPending": "Odottaa", - "@coreSwapsStatusPending": { - "description": "Display name for pending swap status" - }, + "@@locale": "fi", + "translationWarningTitle": "Tekoälyn luomat käännökset", + "translationWarningDescription": "Suurin osa tämän sovelluksen käännöksistä on luotu tekoälyllä ja ne voivat sisältää epätarkkuuksia. Jos huomaat virheitä tai haluat auttaa parantamaan käännöksiä, voit osallistua yhteisön käännösalustan kautta.", + "translationWarningContributeButton": "Auta parantamaan käännöksiä", + "translationWarningDismissButton": "Selvä", + "durationSeconds": "{seconds} sekuntia", + "@durationSeconds": { + "placeholders": { + "seconds": { + "type": "String" + } + } + }, "durationMinute": "{minutes} minuutti", "@durationMinute": { - "description": "Duration format for singular minute", "placeholders": { "minutes": { "type": "String" @@ -11974,7 +22,6 @@ }, "durationMinutes": "{minutes} minuuttia", "@durationMinutes": { - "description": "Duration format for plural minutes", "placeholders": { "minutes": { "type": "String" @@ -11982,88 +29,27 @@ } }, "onboardingScreenTitle": "Tervetuloa", - "@onboardingScreenTitle": { - "description": "The title of the onboarding screen" - }, "onboardingCreateWalletButtonLabel": "Luo lompakko", - "@onboardingCreateWalletButtonLabel": { - "description": "The label for the button to create a wallet from the onboarding screen" - }, "onboardingRecoverWalletButtonLabel": "Palauta lompakko", - "@onboardingRecoverWalletButtonLabel": { - "description": "The label for the button to recover a wallet from the onboarding screen" - }, "settingsScreenTitle": "Asetukset", - "@settingsScreenTitle": { - "description": "The title of the settings screen" - }, "testnetModeSettingsLabel": "Testnet-tila", - "@testnetModeSettingsLabel": { - "description": "The label for the testnet mode settings" - }, "satsBitcoinUnitSettingsLabel": "Aseta määräyksikkö sat", - "@satsBitcoinUnitSettingsLabel": { - "description": "The label to switch the Bitcoin unit to sats in settings" - }, "pinCodeSettingsLabel": "PIN-koodi", - "@pinCodeSettingsLabel": { - "description": "The label for the button to access the PIN code settings" - }, "languageSettingsLabel": "Kieli", - "@languageSettingsLabel": { - "description": "The label for the button to access the language settings" - }, "backupSettingsLabel": "Lompakon varmuuskopio", - "@backupSettingsLabel": { - "description": "The label for the button to access the backup settings" - }, "electrumServerSettingsLabel": "Electrum-palvelin (Bitcoin-solmu)", - "@electrumServerSettingsLabel": { - "description": "The label for the button to access the electrum server settings" - }, "fiatCurrencySettingsLabel": "Fiat-valuutta", - "@fiatCurrencySettingsLabel": { - "description": "The label for the button to access the fiat currency settings" - }, "languageSettingsScreenTitle": "Kieli", - "@languageSettingsScreenTitle": { - "description": "The title of the language settings screen" - }, "backupSettingsScreenTitle": "Varmuuskopioasetukset", - "@backupSettingsScreenTitle": { - "description": "AppBar title for backup settings screen" - }, "settingsExchangeSettingsTitle": "Pörssin asetukset", - "@settingsExchangeSettingsTitle": { - "description": "Title for the exchange settings section in the settings menu" - }, "settingsWalletBackupTitle": "Lompakon varmuuskopio", - "@settingsWalletBackupTitle": { - "description": "Title for the wallet backup section in the settings menu" - }, "settingsBitcoinSettingsTitle": "Bitcoin-asetukset", - "@settingsBitcoinSettingsTitle": { - "description": "Title for the Bitcoin settings section in the settings menu" - }, "settingsSecurityPinTitle": "Turva-PIN", - "@settingsSecurityPinTitle": { - "description": "Title for the security PIN section in the settings menu" - }, "pinCodeAuthentication": "Tunnistautuminen", - "@pinCodeAuthentication": { - "description": "AppBar title for PIN code authentication screens" - }, "pinCodeCreateTitle": "Luo uusi PIN", - "@pinCodeCreateTitle": { - "description": "Title for creating a new PIN code" - }, "pinCodeCreateDescription": "PIN suojaa pääsyn lompakkoosi ja asetuksiin. Pidä se muistettavana.", - "@pinCodeCreateDescription": { - "description": "Description explaining the purpose of the PIN code" - }, "pinCodeMinLengthError": "PIN-koodin on oltava vähintään {minLength} numeroa pitkä", "@pinCodeMinLengthError": { - "description": "Error message when PIN is too short", "placeholders": { "minLength": { "type": "String" @@ -12071,928 +57,237 @@ } }, "pinCodeConfirmTitle": "Vahvista uusi PIN", - "@pinCodeConfirmTitle": { - "description": "Title for confirming the new PIN code" - }, "pinCodeMismatchError": "PIN-koodit eivät täsmää", - "@pinCodeMismatchError": { - "description": "Error message when PIN confirmation doesn't match" - }, "pinCodeSecurityPinTitle": "PIN", - "@pinCodeSecurityPinTitle": { - "description": "AppBar title for PIN settings screen" - }, "pinCodeManageTitle": "PIN-koodi", - "@pinCodeManageTitle": { - "description": "Header title for PIN management section" - }, "pinCodeChangeButton": "Vaihda PIN", - "@pinCodeChangeButton": { - "description": "Button label to change existing PIN" - }, "pinCodeCreateButton": "Luo PIN", - "@pinCodeCreateButton": { - "description": "Button label to create a new PIN" - }, "pinCodeRemoveButton": "Poista PIN", - "@pinCodeRemoveButton": { - "description": "Button label to remove the security PIN" - }, "pinCodeContinue": "Jatka", - "@pinCodeContinue": { - "description": "Button label to continue with PIN entry" - }, "pinCodeConfirm": "Vahvista", - "@pinCodeConfirm": { - "description": "Button label to confirm PIN entry" - }, "pinCodeLoading": "Ladataan", - "@pinCodeLoading": { - "description": "Status screen title while loading PIN settings" - }, "pinCodeCheckingStatus": "Tarkistetaan PIN-tilaa", - "@pinCodeCheckingStatus": { - "description": "Status screen description while checking PIN status" - }, "pinCodeProcessing": "Käsitellään", - "@pinCodeProcessing": { - "description": "Status screen title while processing PIN changes" - }, "pinCodeSettingUp": "PIN-koodin käyttöönotto", - "@pinCodeSettingUp": { - "description": "Status screen description while setting up PIN" - }, "settingsCurrencyTitle": "Valuutta", - "@settingsCurrencyTitle": { - "description": "Title for the currency settings section in the settings menu" - }, "settingsAppSettingsTitle": "Sovellusasetukset", - "@settingsAppSettingsTitle": { - "description": "Title for the app settings section in the settings menu" - }, "settingsTermsOfServiceTitle": "Käyttöehdot", - "@settingsTermsOfServiceTitle": { - "description": "Title for the terms of service section in the settings menu" - }, "settingsAppVersionLabel": "Sovellusversio: ", - "@settingsAppVersionLabel": { - "description": "Label displayed before the app version number in settings" - }, "settingsTelegramLabel": "Telegram", - "@settingsTelegramLabel": { - "description": "Label for the Telegram link in settings" - }, "settingsGithubLabel": "Github", - "@settingsGithubLabel": { - "description": "Label for the Github link in settings" - }, "settingsServicesStatusTitle": "Palveluiden tila", - "@settingsServicesStatusTitle": { - "description": "Title for the services status section in the settings menu" - }, "settingsTorSettingsTitle": "Tor-asetukset", - "@settingsTorSettingsTitle": { - "description": "Title for the Tor settings section in app settings" - }, "settingsRecoverbullTitle": "Recoverbull", - "@settingsRecoverbullTitle": { - "description": "Title for the Recoverbull backup section in app settings" - }, "settingsLanguageTitle": "Kieli", - "@settingsLanguageTitle": { - "description": "Title for the language selection in app settings" - }, "settingsThemeTitle": "Teema", - "@settingsThemeTitle": { - "description": "Title for the theme selection in app settings" - }, "settingsArkTitle": "Ark", - "@settingsArkTitle": { - "description": "Title for the Ark protocol section in Bitcoin settings" - }, "settingsDevModeWarningTitle": "Kehittäjätila", - "@settingsDevModeWarningTitle": { - "description": "Title for the developer mode warning dialog" - }, "settingsDevModeWarningMessage": "Tämä tila on riskialtis. Ottamalla sen käyttöön hyväksyt, että voit menettää rahaa", - "@settingsDevModeWarningMessage": { - "description": "Warning message displayed when enabling developer mode" - }, "settingsDevModeUnderstandButton": "Ymmärrän", - "@settingsDevModeUnderstandButton": { - "description": "Button label to acknowledge developer mode warning" - }, "settingsSuperuserModeDisabledMessage": "Superkäyttäjätila poistettu käytöstä.", - "@settingsSuperuserModeDisabledMessage": { - "description": "Message shown when superuser mode is disabled" - }, "settingsSuperuserModeUnlockedMessage": "Superkäyttäjätila avattu!", - "@settingsSuperuserModeUnlockedMessage": { - "description": "Message shown when superuser mode is enabled" - }, "walletOptionsUnnamedWalletFallback": "Nimetön lompakko", - "@walletOptionsUnnamedWalletFallback": { - "description": "Fallback name displayed for wallets without a specified name" - }, "walletOptionsNotFoundMessage": "Lompakkoa ei löytynyt", - "@walletOptionsNotFoundMessage": { - "description": "Error message displayed when a wallet cannot be found" - }, "walletOptionsWalletDetailsTitle": "Lompakon tiedot", - "@walletOptionsWalletDetailsTitle": { - "description": "Title for the wallet details screen" - }, "addressViewAddressesTitle": "Osoitteet", - "@addressViewAddressesTitle": { - "description": "Title for the addresses section in wallet options" - }, "walletDetailsDeletingMessage": "Poistetaan lompakkoa...", - "@walletDetailsDeletingMessage": { - "description": "Message displayed while a wallet is being deleted" - }, "walletDetailsWalletFingerprintLabel": "Lompakon sormenjälki", - "@walletDetailsWalletFingerprintLabel": { - "description": "Label for the wallet fingerprint field in wallet details" - }, "walletDetailsPubkeyLabel": "Julkinen avain", - "@walletDetailsPubkeyLabel": { - "description": "Label for the public key field in wallet details" - }, "walletDetailsDescriptorLabel": "Descriptor-merkkijono", - "@walletDetailsDescriptorLabel": { - "description": "Label for the wallet descriptor field in wallet details" - }, "walletDetailsAddressTypeLabel": "Osoitetyyppi", - "@walletDetailsAddressTypeLabel": { - "description": "Label for the address type field in wallet details" - }, "walletDetailsNetworkLabel": "Verkko", - "@walletDetailsNetworkLabel": { - "description": "Label for the network field in wallet details" - }, "walletDetailsDerivationPathLabel": "Derivointipolku", - "@walletDetailsDerivationPathLabel": { - "description": "Label for the derivation path field in wallet details" - }, "walletDetailsSignerLabel": "Allekirjoittaja", - "@walletDetailsSignerLabel": { - "description": "Label for the signer field in wallet details" - }, "walletDetailsSignerDeviceLabel": "Allekirjoituslaite", - "@walletDetailsSignerDeviceLabel": { - "description": "Label for the signer device field in wallet details" - }, "walletDetailsSignerDeviceNotSupported": "Ei tuettu", - "@walletDetailsSignerDeviceNotSupported": { - "description": "Message displayed when a signer device is not supported" - }, "walletDetailsCopyButton": "Kopioi", - "@walletDetailsCopyButton": { - "description": "Button label for copying wallet details to clipboard" - }, "bitcoinSettingsWalletsTitle": "Lompakot", - "@bitcoinSettingsWalletsTitle": { - "description": "Title for the wallets section in Bitcoin settings" - }, "bitcoinSettingsElectrumServerTitle": "Electrum-palvelimet", - "@bitcoinSettingsElectrumServerTitle": { - "description": "Title for the Electrum server settings section in Bitcoin settings" - }, "mempoolSettingsTitle": "Mempool Server", - "@mempoolSettingsTitle": { - "description": "Title for mempool settings screen" - }, "mempoolSettingsDescription": "Configure custom mempool servers for different networks. Each network can use its own server for block explorer and fee estimation.", - "@mempoolSettingsDescription": { - "description": "Description text for mempool settings screen" - }, "mempoolSettingsDefaultServer": "Default Server", - "@mempoolSettingsDefaultServer": { - "description": "Label for default mempool server section" - }, "mempoolSettingsCustomServer": "Custom Server", - "@mempoolSettingsCustomServer": { - "description": "Label for custom mempool server section" - }, "mempoolNetworkBitcoinMainnet": "Bitcoin Mainnet", - "@mempoolNetworkBitcoinMainnet": { - "description": "Label for Bitcoin mainnet network option" - }, "mempoolNetworkBitcoinTestnet": "Bitcoin Testnet", - "@mempoolNetworkBitcoinTestnet": { - "description": "Label for Bitcoin testnet network option" - }, "mempoolNetworkLiquidMainnet": "Liquid Mainnet", - "@mempoolNetworkLiquidMainnet": { - "description": "Label for Liquid mainnet network option" - }, "mempoolNetworkLiquidTestnet": "Liquid Testnet", - "@mempoolNetworkLiquidTestnet": { - "description": "Label for Liquid testnet network option" - }, "mempoolCustomServerAdd": "Add Custom Server", - "@mempoolCustomServerAdd": { - "description": "Button text to add a custom mempool server" - }, "mempoolCustomServerEdit": "Edit", - "@mempoolCustomServerEdit": { - "description": "Button text to edit custom server" - }, "mempoolCustomServerDelete": "Delete", - "@mempoolCustomServerDelete": { - "description": "Button text to delete custom server" - }, "mempoolCustomServerLabel": "CUSTOM", - "@mempoolCustomServerLabel": { - "description": "Label badge for custom server" - }, "mempoolServerNotUsed": "Not used (custom server active)", - "@mempoolServerNotUsed": { - "description": "Label shown when default server is not used because custom server is active" - }, "mempoolCustomServerDeleteTitle": "Delete Custom Server?", - "@mempoolCustomServerDeleteTitle": { - "description": "Title for delete confirmation dialog" - }, "mempoolCustomServerDeleteMessage": "Are you sure you want to delete this custom mempool server? The default server will be used instead.", - "@mempoolCustomServerDeleteMessage": { - "description": "Message for delete confirmation dialog" - }, "mempoolCustomServerUrl": "Server URL", - "@mempoolCustomServerUrl": { - "description": "Label for server URL input field" - }, "mempoolCustomServerUrlEmpty": "Please enter a server URL", - "@mempoolCustomServerUrlEmpty": { - "description": "Error message when URL is empty" - }, "mempoolCustomServerSaveSuccess": "Custom server saved successfully", - "@mempoolCustomServerSaveSuccess": { - "description": "Success message after saving custom server" - }, "mempoolCustomServerBottomSheetDescription": "Enter the URL of your custom mempool server. The server will be validated before saving.", - "@mempoolCustomServerBottomSheetDescription": { - "description": "Description text in add custom server bottom sheet" - }, "mempoolSettingsUseForFeeEstimation": "Use for Fee Estimation", - "@mempoolSettingsUseForFeeEstimation": { - "description": "Label for fee estimation toggle" - }, "mempoolSettingsUseForFeeEstimationDescription": "When enabled, this server will be used for fee estimation. When disabled, Bull Bitcoin's mempool server will be used instead.", - "@mempoolSettingsUseForFeeEstimationDescription": { - "description": "Description for fee estimation toggle" - }, "bitcoinSettingsAutoTransferTitle": "Automaattinen swap", - "@bitcoinSettingsAutoTransferTitle": { - "description": "Title for the auto transfer settings section in Bitcoin settings" - }, "bitcoinSettingsLegacySeedsTitle": "Vanhat siemenlauseet", - "@bitcoinSettingsLegacySeedsTitle": { - "description": "Title for the legacy seeds section in Bitcoin settings" - }, "bitcoinSettingsImportWalletTitle": "Tuo lompakko", - "@bitcoinSettingsImportWalletTitle": { - "description": "Title for the import wallet option in Bitcoin settings" - }, "bitcoinSettingsBroadcastTransactionTitle": "Lähetä transaktio", - "@bitcoinSettingsBroadcastTransactionTitle": { - "description": "Title for the broadcast transaction option in Bitcoin settings" - }, "bitcoinSettingsTestnetModeTitle": "Testnet-tila", - "@bitcoinSettingsTestnetModeTitle": { - "description": "Title for the testnet mode toggle in Bitcoin settings" - }, "bitcoinSettingsBip85EntropiesTitle": "BIP85 Deterministiset entropiat", - "@bitcoinSettingsBip85EntropiesTitle": { - "description": "Title for the BIP85 deterministic entropies section in Bitcoin settings" - }, "logSettingsLogsTitle": "Lokitiedot", - "@logSettingsLogsTitle": { - "description": "Title for the logs section in settings" - }, "logSettingsErrorLoadingMessage": "Virhe lokitietojen latauksessa: ", - "@logSettingsErrorLoadingMessage": { - "description": "Error message displayed when logs fail to load" - }, "appSettingsDevModeTitle": "Kehittäjätila", - "@appSettingsDevModeTitle": { - "description": "Title for the developer mode toggle in app settings" - }, "currencySettingsDefaultFiatCurrencyLabel": "Oletus fiat-valuutta", - "@currencySettingsDefaultFiatCurrencyLabel": { - "description": "Label for the default fiat currency setting" - }, "exchangeSettingsAccountInformationTitle": "Tilin tiedot", - "@exchangeSettingsAccountInformationTitle": { - "description": "Title for the account information section in exchange settings" - }, "exchangeSettingsSecuritySettingsTitle": "Turva-asetukset", - "@exchangeSettingsSecuritySettingsTitle": { - "description": "Title for the security settings section in exchange settings" - }, "exchangeSettingsReferralsTitle": "Suositukset", - "@exchangeSettingsReferralsTitle": { - "description": "Title for the referrals section in exchange settings" - }, "exchangeSettingsLogInTitle": "Kirjaudu sisään", - "@exchangeSettingsLogInTitle": { - "description": "Title for the log in option in exchange settings" - }, "exchangeSettingsLogOutTitle": "Kirjaudu ulos", - "@exchangeSettingsLogOutTitle": { - "description": "Title for the log out option in exchange settings" - }, "exchangeTransactionsTitle": "Transaktiot", - "@exchangeTransactionsTitle": { - "description": "Title for the transactions section in exchange" - }, "exchangeTransactionsComingSoon": "Transaktiot - tulossa pian", - "@exchangeTransactionsComingSoon": { - "description": "Message indicating that the transactions feature is coming soon" - }, "exchangeSecurityManage2FAPasswordLabel": "2FA- ja salasana-asetukset", - "@exchangeSecurityManage2FAPasswordLabel": { - "description": "Label for managing 2FA and password in exchange security settings" - }, "exchangeSecurityAccessSettingsButton": "Avaa asetukset", - "@exchangeSecurityAccessSettingsButton": { - "description": "Button label for accessing security settings in exchange" - }, "exchangeReferralsTitle": "Suosituskoodit", - "@exchangeReferralsTitle": { - "description": "Title for the referral codes section" - }, "exchangeReferralsJoinMissionTitle": "Tule mukaan missioon", - "@exchangeReferralsJoinMissionTitle": { - "description": "Title encouraging users to join the referral mission" - }, "exchangeReferralsContactSupportMessage": "Ota yhteyttä tukeen saadaksesi lisätietoa suositusohjelmastamme", - "@exchangeReferralsContactSupportMessage": { - "description": "Message prompting users to contact support about the referral program" - }, "exchangeReferralsApplyToJoinMessage": "Liity ohjelmaan täällä", - "@exchangeReferralsApplyToJoinMessage": { - "description": "Message with link to apply for the referral program" - }, "exchangeReferralsMissionLink": "bullbitcoin.com/mission", - "@exchangeReferralsMissionLink": { - "description": "Link to the Bull Bitcoin mission page" - }, "exchangeRecipientsTitle": "Vastaanottajat", - "@exchangeRecipientsTitle": { - "description": "Title for the recipients section in exchange" - }, "exchangeRecipientsComingSoon": "Vastaanottajat - Tulossa pian", - "@exchangeRecipientsComingSoon": { - "description": "Message indicating that the recipients feature is coming soon" - }, "exchangeLogoutComingSoon": "Kirjaudu ulos - Tulossa pian", - "@exchangeLogoutComingSoon": { - "description": "Message indicating that the log out feature is coming soon" - }, "exchangeLegacyTransactionsTitle": "Vanhat tapahtumat", - "@exchangeLegacyTransactionsTitle": { - "description": "Title for the legacy transactions section in exchange" - }, "exchangeLegacyTransactionsComingSoon": "Vanhat tapahtumat - Tulossa pian", - "@exchangeLegacyTransactionsComingSoon": { - "description": "Message indicating that the legacy transactions feature is coming soon" - }, "exchangeFileUploadTitle": "Tiedostojen turvallinen lataus", - "@exchangeFileUploadTitle": { - "description": "Title for the secure file upload section in exchange" - }, "exchangeFileUploadDocumentTitle": "Lähetä dokumentti", - "@exchangeFileUploadDocumentTitle": { - "description": "Title for uploading documents in exchange" - }, "exchangeFileUploadInstructions": "Jos sinun täytyy lähettää muita asiakirjoja, lähetä ne täällä.", - "@exchangeFileUploadInstructions": { - "description": "Instructions for uploading documents in exchange" - }, "exchangeFileUploadButton": "Lähetä", - "@exchangeFileUploadButton": { - "description": "Button label for uploading files in exchange" - }, "exchangeAccountTitle": "Pörssitili", - "@exchangeAccountTitle": { - "description": "Title for the exchange account section" - }, "exchangeAccountSettingsTitle": "Pörssitilin asetukset", - "@exchangeAccountSettingsTitle": { - "description": "Title for the exchange account settings screen" - }, "exchangeAccountComingSoon": "Tämä ominaisuus on tulossa pian.", - "@exchangeAccountComingSoon": { - "description": "Message indicating that a feature is coming soon" - }, "exchangeBitcoinWalletsTitle": "Oletus Bitcoin-lompakot", - "@exchangeBitcoinWalletsTitle": { - "description": "Title for the default Bitcoin wallets section in exchange" - }, "exchangeBitcoinWalletsBitcoinAddressLabel": "Bitcoin-osoite", - "@exchangeBitcoinWalletsBitcoinAddressLabel": { - "description": "Label for Bitcoin address field in exchange Bitcoin wallets" - }, "exchangeBitcoinWalletsLightningAddressLabel": "Lightning-osoite (LN)", - "@exchangeBitcoinWalletsLightningAddressLabel": { - "description": "Label for Lightning address field in exchange Bitcoin wallets" - }, "exchangeBitcoinWalletsLiquidAddressLabel": "Liquid-osoite", - "@exchangeBitcoinWalletsLiquidAddressLabel": { - "description": "Label for Liquid address field in exchange Bitcoin wallets" - }, "exchangeBitcoinWalletsEnterAddressHint": "Syötä osoite", - "@exchangeBitcoinWalletsEnterAddressHint": { - "description": "Hint text for entering an address in exchange Bitcoin wallets" - }, "exchangeAppSettingsSaveSuccessMessage": "Asetukset tallennettu onnistuneesti", - "@exchangeAppSettingsSaveSuccessMessage": { - "description": "Success message displayed when exchange app settings are saved" - }, "exchangeAppSettingsPreferredLanguageLabel": "Ensisijainen kieli", - "@exchangeAppSettingsPreferredLanguageLabel": { - "description": "Label for preferred language setting in exchange app settings" - }, "exchangeAppSettingsDefaultCurrencyLabel": "Oletusvaluutta", - "@exchangeAppSettingsDefaultCurrencyLabel": { - "description": "Label for default currency setting in exchange app settings" - }, "exchangeAppSettingsValidationWarning": "Aseta kieli ja valuutta ennen tallennusta.", - "@exchangeAppSettingsValidationWarning": { - "description": "Warning message when language and currency preferences are not both set" - }, "exchangeAppSettingsSaveButton": "Tallenna", - "@exchangeAppSettingsSaveButton": { - "description": "Button label for saving exchange app settings" - }, "exchangeAccountInfoTitle": "Tilin tiedot", - "@exchangeAccountInfoTitle": { - "description": "Title for the account information section" - }, "exchangeAccountInfoLoadErrorMessage": "Tilin tietoja ei voitu ladata", - "@exchangeAccountInfoLoadErrorMessage": { - "description": "Error message when account information fails to load" - }, "exchangeAccountInfoUserNumberLabel": "Käyttäjänumero", - "@exchangeAccountInfoUserNumberLabel": { - "description": "Label for user number field in account information" - }, "exchangeAccountInfoVerificationLevelLabel": "Vahvistustaso", - "@exchangeAccountInfoVerificationLevelLabel": { - "description": "Label for verification level field in account information" - }, "exchangeAccountInfoEmailLabel": "Sähköposti", - "@exchangeAccountInfoEmailLabel": { - "description": "Label for email field in account information" - }, "exchangeAccountInfoFirstNameLabel": "Etunimi", - "@exchangeAccountInfoFirstNameLabel": { - "description": "Label for first name field in account information" - }, "exchangeAccountInfoLastNameLabel": "Sukunimi", - "@exchangeAccountInfoLastNameLabel": { - "description": "Label for last name field in account information" - }, "exchangeAccountInfoVerificationIdentityVerified": "Henkilöllisyys vahvistettu", - "@exchangeAccountInfoVerificationIdentityVerified": { - "description": "Status label for identity verified verification level" - }, "exchangeAccountInfoVerificationLightVerification": "Kevyt vahvistus", - "@exchangeAccountInfoVerificationLightVerification": { - "description": "Status label for light verification level" - }, "exchangeAccountInfoVerificationLimitedVerification": "Rajoitettu vahvistus", - "@exchangeAccountInfoVerificationLimitedVerification": { - "description": "Status label for limited verification level" - }, "exchangeAccountInfoVerificationNotVerified": "Vahvistamaton", - "@exchangeAccountInfoVerificationNotVerified": { - "description": "Status label for not verified verification level" - }, "exchangeAccountInfoUserNumberCopiedMessage": "Käyttäjänumero kopioitu leikepöydälle", - "@exchangeAccountInfoUserNumberCopiedMessage": { - "description": "Success message when user number is copied to clipboard" - }, "walletsListTitle": "Lompakon tiedot", - "@walletsListTitle": { - "description": "Title for the wallet details list screen" - }, "walletsListNoWalletsMessage": "Lompakoita ei löytynyt", - "@walletsListNoWalletsMessage": { - "description": "Message displayed when no wallets are found" - }, "walletDeletionConfirmationTitle": "Poista lompakko", - "@walletDeletionConfirmationTitle": { - "description": "Title for the wallet deletion confirmation dialog" - }, "walletDeletionConfirmationMessage": "Haluatko varmasti poistaa tämän lompakon?", - "@walletDeletionConfirmationMessage": { - "description": "Message in the wallet deletion confirmation dialog" - }, "walletDeletionConfirmationCancelButton": "Peruuta", - "@walletDeletionConfirmationCancelButton": { - "description": "Cancel button label in wallet deletion confirmation dialog" - }, "walletDeletionConfirmationDeleteButton": "Poista", - "@walletDeletionConfirmationDeleteButton": { - "description": "Delete button label in wallet deletion confirmation dialog" - }, "walletDeletionFailedTitle": "Poisto epäonnistui", - "@walletDeletionFailedTitle": { - "description": "Title for the wallet deletion failed dialog" - }, "walletDeletionErrorDefaultWallet": "Et voi poistaa oletuslompakkoa.", - "@walletDeletionErrorDefaultWallet": { - "description": "Error message when attempting to delete a default wallet" - }, "walletDeletionErrorOngoingSwaps": "Et voi poistaa lompakkoa, jossa on käynnissä olevia swappejä.", - "@walletDeletionErrorOngoingSwaps": { - "description": "Error message when attempting to delete a wallet with ongoing swaps" - }, "walletDeletionErrorWalletNotFound": "Lompakkoa, jota yrität poistaa, ei ole olemassa.", - "@walletDeletionErrorWalletNotFound": { - "description": "Error message when the wallet to delete cannot be found" - }, "walletDeletionErrorGeneric": "Lompakon poisto epäonnistui, yritä uudelleen.", - "@walletDeletionErrorGeneric": { - "description": "Generic error message when wallet deletion fails" - }, "walletDeletionFailedOkButton": "OK", - "@walletDeletionFailedOkButton": { - "description": "OK button label in wallet deletion failed dialog" - }, "addressCardUsedLabel": "Käytetty", - "@addressCardUsedLabel": { - "description": "Label indicating an address has been used" - }, "addressCardUnusedLabel": "Käyttämätön", - "@addressCardUnusedLabel": { - "description": "Label indicating an address has not been used" - }, "addressCardCopiedMessage": "Osoite kopioitu leikepöydälle", - "@addressCardCopiedMessage": { - "description": "Success message when an address is copied to clipboard" - }, "addressCardIndexLabel": "Tunniste: ", - "@addressCardIndexLabel": { - "description": "Label for the address index field in address card" - }, "addressCardBalanceLabel": "Saldo: ", - "@addressCardBalanceLabel": { - "description": "Label for the balance field in address card" - }, "onboardingRecoverYourWallet": "Recover your wallet", - "@onboardingRecoverYourWallet": { - "description": "Title for the recover wallet section in onboarding" - }, "onboardingEncryptedVault": "Salattu holvi", - "@onboardingEncryptedVault": { - "description": "Title for the encrypted vault recovery option in onboarding" - }, "onboardingEncryptedVaultDescription": "Palauta varmuuskopio pilvestä PIN-koodillasi.", - "@onboardingEncryptedVaultDescription": { - "description": "Description for the encrypted vault recovery option in onboarding" - }, "onboardingPhysicalBackup": "Fyysinen varmuuskopio", - "@onboardingPhysicalBackup": { - "description": "Title for the physical backup recovery option in onboarding" - }, "onboardingPhysicalBackupDescription": "Palauta lompakkosi 12 sanan avulla.", - "@onboardingPhysicalBackupDescription": { - "description": "Description for the physical backup recovery option in onboarding" - }, "onboardingRecover": "Palauta", - "@onboardingRecover": { - "description": "Button label for recovering a wallet in onboarding" - }, "onboardingBullBitcoin": "Bull Bitcoin", - "@onboardingBullBitcoin": { - "description": "Brand name displayed in onboarding" - }, "onboardingOwnYourMoney": "Own your money", - "@onboardingOwnYourMoney": { - "description": "Tagline displayed in onboarding splash screen" - }, "onboardingSplashDescription": "Suvereeni lompakko ja Bitcoin-pörssi.", - "@onboardingSplashDescription": { - "description": "Description of the app displayed in onboarding splash screen" - }, "onboardingRecoverWallet": "Palauta lompakko", - "@onboardingRecoverWallet": { - "description": "Title for the recover wallet screen in onboarding" - }, "onboardingRecoverWalletButton": "Palauta lompakko", - "@onboardingRecoverWalletButton": { - "description": "Button label for recovering a wallet in onboarding" - }, "onboardingCreateNewWallet": "Luo uusi lompakko", - "@onboardingCreateNewWallet": { - "description": "Button label for creating a new wallet in onboarding" - }, "sendTitle": "Lähetä", - "@sendTitle": { - "description": "Title for the send screen" - }, "sendRecipientAddressOrInvoice": "Vastaanottajan osoite tai lasku", - "@sendRecipientAddressOrInvoice": { - "description": "Label for the recipient address or invoice input field" - }, "sendPasteAddressOrInvoice": "Liitä maksun osoite tai lasku", - "@sendPasteAddressOrInvoice": { - "description": "Placeholder text for the payment address or invoice input field" - }, "sendContinue": "Jatka", - "@sendContinue": { - "description": "Button label for continuing in the send flow" - }, "sendSelectNetworkFee": "Valitse verkkokulujen taso", - "@sendSelectNetworkFee": { - "description": "Label for selecting the network fee in the send flow" - }, "sendSelectAmount": "Valitse määrä", - "@sendSelectAmount": { - "description": "Label for selecting the amount to send" - }, "sendAmountRequested": "Pyydetty määrä: ", - "@sendAmountRequested": { - "description": "Label for the requested amount in a payment request" - }, "sendDone": "Valmis", - "@sendDone": { - "description": "Button label for completing the send flow" - }, "sendSelectedUtxosInsufficient": "Valitut UTXO:t eivät kata vaadittua määrää", - "@sendSelectedUtxosInsufficient": { - "description": "Error message when selected UTXOs don't cover the required amount" - }, "sendAdvancedOptions": "Lisäasetukset", - "@sendAdvancedOptions": { - "description": "Section header for advanced sending features" - }, "sendReplaceByFeeActivated": "Replace-by-fee aktivoitu", - "@sendReplaceByFeeActivated": { - "description": "Message indicating that replace-by-fee (RBF) is activated" - }, "sendSelectCoinsManually": "Valitse kolikot manuaalisesti", - "@sendSelectCoinsManually": { - "description": "Label for manually selecting coins (UTXOs) in the send flow" - }, "sendRecipientAddress": "Vastaanottajan osoite", - "@sendRecipientAddress": { - "description": "Label for the recipient address field" - }, "sendInsufficientBalance": "Riittämätön saldo", - "@sendInsufficientBalance": { - "description": "Error message when the wallet has insufficient balance to send" - }, "sendScanBitcoinQRCode": "Lähetä Bitcoin- tai Lightning-varoja scannaamalla QR-koodi.", - "@sendScanBitcoinQRCode": { - "description": "Instructions for scanning a QR code to make a Bitcoin payment" - }, "sendOpenTheCamera": "Avaa kamera", - "@sendOpenTheCamera": { - "description": "Button label for opening the camera to scan QR codes" - }, "sendCustomFee": "Mukautettu kulutaso", - "@sendCustomFee": { - "description": "Label for setting a custom transaction fee" - }, "sendAbsoluteFees": "Kulut tarkalleen", - "@sendAbsoluteFees": { - "description": "Label for absolute fee display mode (total sats)" - }, "sendRelativeFees": "Kulut suhteellisena", - "@sendRelativeFees": { - "description": "Label for relative fee display mode (sats per vByte)" - }, "sendSats": "sat", - "@sendSats": { - "description": "Unit label for satoshis" - }, "sendSatsPerVB": "sat/vB", - "@sendSatsPerVB": { - "description": "Unit label for satoshis per virtual byte" - }, "sendConfirmCustomFee": "Hyväksy mukautettu kulutaso", - "@sendConfirmCustomFee": { - "description": "Button label for confirming a custom fee" - }, "sendEstimatedDelivery10Minutes": "10 minuuttia", - "@sendEstimatedDelivery10Minutes": { - "description": "Estimated delivery time of approximately 10 minutes" - }, "sendEstimatedDelivery10to30Minutes": "10-30 minuuttia", - "@sendEstimatedDelivery10to30Minutes": { - "description": "Estimated delivery time of 10 to 30 minutes" - }, "sendEstimatedDeliveryFewHours": "muutama tunti", - "@sendEstimatedDeliveryFewHours": { - "description": "Estimated delivery time of a few hours" - }, "sendEstimatedDeliveryHoursToDays": "tunneista vuorokausiin", - "@sendEstimatedDeliveryHoursToDays": { - "description": "Estimated delivery time ranging from hours to days" - }, "sendEstimatedDelivery": "Arvioitu viive ~ ", - "@sendEstimatedDelivery": { - "description": "Label prefix for estimated delivery time" - }, "sendAddress": "Osoite: ", - "@sendAddress": { - "description": "Label prefix for address field" - }, "sendType": "Tyyppi: ", - "@sendType": { - "description": "Label prefix for transaction type field" - }, "sendReceive": "Vastaanotto", - "@sendReceive": { - "description": "Label for receive transaction type" - }, "sendChange": "Vaihtoraha", - "@sendChange": { - "description": "Label for change output in a transaction" - }, "sendCouldNotBuildTransaction": "Transaktiota ei voitu luoda", - "@sendCouldNotBuildTransaction": { - "description": "Error message when a transaction cannot be built" - }, "sendHighFeeWarning": "Varoitus - Korkeat kulut", - "@sendHighFeeWarning": { - "description": "Warning title for high transaction fees" - }, "sendSlowPaymentWarning": "Varoitus - pitkä viive", - "@sendSlowPaymentWarning": { - "description": "Warning title for slow payment confirmation" - }, "sendSlowPaymentWarningDescription": "Bitcoin-swapit kestävät hetken vahvistua.", - "@sendSlowPaymentWarningDescription": { - "description": "Description for slow payment warning" - }, "sendAdvancedSettings": "Lisäasetukset", - "@sendAdvancedSettings": { - "description": "Title for advanced settings in the send flow" - }, "sendConfirm": "Vahvista", - "@sendConfirm": { - "description": "Button label for confirming a send transaction" - }, "sendBroadcastTransaction": "Lähetä transaktio", - "@sendBroadcastTransaction": { - "description": "Button label for broadcasting a transaction to the network" - }, "sendFrom": "Lähettäjä", - "@sendFrom": { - "description": "Label for the sender/source in a transaction" - }, "sendTo": "Vastaanottaja", - "@sendTo": { - "description": "Label for the recipient/destination in a transaction" - }, "sendAmount": "Määrä", - "@sendAmount": { - "description": "Label for the transaction amount" - }, "sendNetworkFees": "Verkkokulut", - "@sendNetworkFees": { - "description": "Label for network transaction fees" - }, "sendFeePriority": "Kulutason prioriteetti", - "@sendFeePriority": { - "description": "Label for selecting fee priority level" - }, "receiveTitle": "Vastaanota", - "@receiveTitle": { - "description": "Main screen title for receive feature" - }, "receiveBitcoin": "Bitcoin", - "@receiveBitcoin": { - "description": "Label for receiving Bitcoin on the base layer" - }, "receiveLightning": "Lightning", - "@receiveLightning": { - "description": "Label for receiving Bitcoin via Lightning Network" - }, "receiveLiquid": "Liquid", - "@receiveLiquid": { - "description": "Label for receiving Bitcoin via Liquid Network" - }, "receiveAddLabel": "Lisää kuvaus", - "@receiveAddLabel": { - "description": "Button label for adding a label to a receive address" - }, "receiveNote": "Kuvaus", - "@receiveNote": { - "description": "Label for adding a note to a receive transaction" - }, "receiveSave": "Tallenna", - "@receiveSave": { - "description": "Button label for saving receive details" - }, "receivePayjoinActivated": "Payjoin aktivoitu", - "@receivePayjoinActivated": { - "description": "Message indicating that payjoin is activated for the receive transaction" - }, "receiveLightningInvoice": "Lightning-lasku", - "@receiveLightningInvoice": { - "description": "Label for a Lightning Network invoice" - }, "receiveAddress": "Vastaanottajan osoite", - "@receiveAddress": { - "description": "Label for generated address" - }, "receiveAmount": "Määrä (ei välttämätön)", - "@receiveAmount": { - "description": "Optional amount field for invoice" - }, "receiveNoteLabel": "Kuvaus", - "@receiveNoteLabel": { - "description": "Label for the note field in receive" - }, "receiveEnterHere": "(on antamatta)", - "@receiveEnterHere": { - "description": "Placeholder text for input fields in receive" - }, "receiveSwapID": "Swap-tunniste", - "@receiveSwapID": { - "description": "Label for the swap identifier in a receive transaction" - }, "receiveTotalFee": "Kulut yhteensä", - "@receiveTotalFee": { - "description": "Label for the total fee in a receive transaction" - }, "receiveNetworkFee": "Verkkokulut", - "@receiveNetworkFee": { - "description": "Label for the network fee in a receive transaction" - }, "receiveBoltzSwapFee": "Boltz-vaihtokulu", - "@receiveBoltzSwapFee": { - "description": "Label for the Boltz swap service fee in a receive transaction" - }, "receiveCopyOrScanAddressOnly": "Kopioi tai skannaa ainoastaan osoite", - "@receiveCopyOrScanAddressOnly": { - "description": "Option to copy or scan only the address without amount or other details" - }, "receiveNewAddress": "Uusi osoite", - "@receiveNewAddress": { - "description": "Button label for generating a new receive address" - }, "receiveVerifyAddressOnLedger": "Tarkista osoite Ledgerissä", - "@receiveVerifyAddressOnLedger": { - "description": "Button label for verifying an address on a Ledger hardware wallet" - }, "receiveUnableToVerifyAddress": "Osoitteen tarkistus epäonnistui: Lompakon tai osoitteen tiedot puuttuvat", - "@receiveUnableToVerifyAddress": { - "description": "Error message when address verification is not possible" - }, "receivePaymentReceived": "Maksu saapunut!", - "@receivePaymentReceived": { - "description": "Success message after receiving payment" - }, "receiveDetails": "Tiedot", - "@receiveDetails": { - "description": "Label for viewing transaction details" - }, "receivePaymentInProgress": "Maksua käsitellään", - "@receivePaymentInProgress": { - "description": "Status message when a payment is being processed" - }, "receiveBitcoinTransactionWillTakeTime": "Bitcoin transaktion vahvistus kestää hetkisen.", - "@receiveBitcoinTransactionWillTakeTime": { - "description": "Information message about Bitcoin transaction confirmation time" - }, "receiveConfirmedInFewSeconds": "Se vahvistetaan muutamassa sekunnissa", - "@receiveConfirmedInFewSeconds": { - "description": "Message indicating quick confirmation time for Lightning transactions" - }, "receivePayjoinInProgress": "Payjoin-transaktio on käsittelyssä", - "@receivePayjoinInProgress": { - "description": "Status message when a payjoin transaction is in progress" - }, "receiveWaitForSenderToFinish": "Odota, että lähettäjä tekee payjoin-transaktion", - "@receiveWaitForSenderToFinish": { - "description": "Instructions to wait for the sender during a payjoin transaction" - }, "receiveNoTimeToWait": "Eikö ole aikaa odottaa tai epäonnistuiko payjoin lähettäjän puolella?", - "@receiveNoTimeToWait": { - "description": "Question prompting user if they want to proceed without payjoin" - }, "receivePaymentNormally": "Vastaanota maksu normaalisti", - "@receivePaymentNormally": { - "description": "Option to receive payment without payjoin if it fails" - }, "receiveContinue": "Jatka", - "@receiveContinue": { - "description": "Button label for continuing in the receive flow" - }, "receiveCopyAddressOnly": "Kopioi tai skannaa vain osoite", - "@receiveCopyAddressOnly": { - "description": "Option to copy or scan only the address without amount or other details" - }, "receiveError": "Virhe: {error}", "@receiveError": { - "description": "Generic error message with error details", "placeholders": { "error": { "type": "String" @@ -13000,160 +295,45 @@ } }, "receiveFeeExplanation": "Tämä kulu vähennetään lähetetystä summasta", - "@receiveFeeExplanation": { - "description": "Explanation that fees are deducted from the sent amount" - }, "receiveNotePlaceholder": "Kuvaus", - "@receiveNotePlaceholder": { - "description": "Placeholder text for note input field" - }, "receiveReceiveAmount": "Vastaanotettava määrä", - "@receiveReceiveAmount": { - "description": "Label for the amount that will be received after fees" - }, "receiveSendNetworkFee": "Lähetyksen verkkokulu", - "@receiveSendNetworkFee": { - "description": "Label for the network fee on the sending network in a swap transaction" - }, "receiveServerNetworkFees": "Palvelimen swap-kulut", - "@receiveServerNetworkFees": { - "description": "Label for network fees charged by the swap server" - }, "receiveSwapId": "Swapin tunnus", - "@receiveSwapId": { - "description": "Label for the swap identifier in a receive transaction" - }, "receiveTransferFee": "Siirtokulu", - "@receiveTransferFee": { - "description": "Label for the transfer fee in a receive transaction" - }, "receiveVerifyAddressError": "Osoitetta ei voitu vahvistaa: Lompakon tai osoitetiedot puuttuvat", - "@receiveVerifyAddressError": { - "description": "Error message when address verification is not possible" - }, "receiveVerifyAddressLedger": "Vahvista osoite Ledgerillä", - "@receiveVerifyAddressLedger": { - "description": "Button label for verifying an address on a Ledger hardware wallet" - }, "receiveBitcoinConfirmationMessage": "Bitcoin-transaktion vahvistuminen kestää hetken.", - "@receiveBitcoinConfirmationMessage": { - "description": "Information message about Bitcoin transaction confirmation time" - }, "receiveLiquidConfirmationMessage": "Se vahvistetaan muutamassa sekunnissa", - "@receiveLiquidConfirmationMessage": { - "description": "Message indicating quick confirmation time for Liquid transactions" - }, "receiveWaitForPayjoin": "Odota, että lähettäjä suorittaa payjoin-transaktion", - "@receiveWaitForPayjoin": { - "description": "Instructions to wait for the sender during a payjoin transaction" - }, "receivePayjoinFailQuestion": "Eikö ole aikaa odottaa tai epäonnistuiko payjoin lähettäjän puolella?", - "@receivePayjoinFailQuestion": { - "description": "Question prompting user if they want to proceed without payjoin" - }, "buyTitle": "Osta bitcoinia", - "@buyTitle": { - "description": "Screen title for buying Bitcoin" - }, "buyEnterAmount": "Syötä määrä", - "@buyEnterAmount": { - "description": "Label for amount input field in buy flow" - }, "buyPaymentMethod": "Maksutapa", - "@buyPaymentMethod": { - "description": "Label for payment method dropdown" - }, "buyMax": "Maksimi", - "@buyMax": { - "description": "Button to fill maximum amount" - }, "buySelectWallet": "Valitse lompakko", - "@buySelectWallet": { - "description": "Label for wallet selection dropdown" - }, "buyEnterBitcoinAddress": "Syötä Bitcoin-osoite", - "@buyEnterBitcoinAddress": { - "description": "Label for bitcoin address input field" - }, "buyBitcoinAddressHint": "BC1QYL7J673H...6Y6ALV70M0", - "@buyBitcoinAddressHint": { - "description": "Placeholder hint for bitcoin address input" - }, "buyExternalBitcoinWallet": "Ulkoinen Bitcoin-lompakko", - "@buyExternalBitcoinWallet": { - "description": "Label for external wallet option" - }, "buySecureBitcoinWallet": "Bitcoin-säästölompakko", - "@buySecureBitcoinWallet": { - "description": "Label for secure Bitcoin wallet" - }, "buyInstantPaymentWallet": "Pikamaksulompakko", - "@buyInstantPaymentWallet": { - "description": "Label for instant payment (Liquid) wallet" - }, "buyShouldBuyAtLeast": "Sinun tulee ostaa vähintään", - "@buyShouldBuyAtLeast": { - "description": "Error message for amount below minimum" - }, "buyCantBuyMoreThan": "Et voi ostaa enempää kuin", - "@buyCantBuyMoreThan": { - "description": "Error message for amount above maximum" - }, "buyKycPendingTitle": "KYC-vahvistus kesken", - "@buyKycPendingTitle": { - "description": "Title for KYC verification required card" - }, "buyKycPendingDescription": "Sinun täytyy ensin suorittaa KYC-vahvistus", - "@buyKycPendingDescription": { - "description": "Description for KYC verification required" - }, "buyCompleteKyc": "Suorita KYC", - "@buyCompleteKyc": { - "description": "Button to complete KYC verification" - }, "buyInsufficientBalanceTitle": "Riittämätön saldo", - "@buyInsufficientBalanceTitle": { - "description": "Title for insufficient balance error" - }, "buyInsufficientBalanceDescription": "Varasi eivät riitä tähän ostoon.", - "@buyInsufficientBalanceDescription": { - "description": "Description for insufficient balance error" - }, "buyFundYourAccount": "Talleta tilille", - "@buyFundYourAccount": { - "description": "Button to fund exchange account" - }, "buyContinue": "Jatka", - "@buyContinue": { - "description": "Button to continue to next step" - }, "buyYouPay": "Sinä maksat", - "@buyYouPay": { - "description": "Label for amount user pays" - }, "buyYouReceive": "Saat", - "@buyYouReceive": { - "description": "Label for amount user receives" - }, "buyBitcoinPrice": "Bitcoin-kurssi", - "@buyBitcoinPrice": { - "description": "Label for Bitcoin exchange rate" - }, "buyPayoutMethod": "Maksutapa", - "@buyPayoutMethod": { - "description": "Label for payout method" - }, "buyAwaitingConfirmation": "Odotetaan vahvistusta ", - "@buyAwaitingConfirmation": { - "description": "Text shown while waiting for order confirmation" - }, "buyConfirmPurchase": "Vahvista osto", - "@buyConfirmPurchase": { - "description": "Button to confirm purchase" - }, "buyYouBought": "Ostit {amount}", "@buyYouBought": { - "description": "Success message with amount bought", "placeholders": { "amount": { "type": "String" @@ -13161,340 +341,90 @@ } }, "buyPayoutWillBeSentIn": "Maksusi lähetetään ", - "@buyPayoutWillBeSentIn": { - "description": "Text before countdown timer for payout" - }, "buyViewDetails": "Näytä tiedot", - "@buyViewDetails": { - "description": "Button to view order details" - }, "buyAccelerateTransaction": "Kiihdytä transaktiota", - "@buyAccelerateTransaction": { - "description": "Title for transaction acceleration option" - }, "buyGetConfirmedFaster": "Saat vahvistuksen nopeammin", - "@buyGetConfirmedFaster": { - "description": "Subtitle for acceleration option" - }, "buyConfirmExpressWithdrawal": "Vahvista pikanosto", - "@buyConfirmExpressWithdrawal": { - "description": "Title for express withdrawal confirmation screen" - }, "buyNetworkFeeExplanation": "Bitcoin-louhijoille menevät Bitcoin-verkon kulut vähennetään saamastasi summasta.", - "@buyNetworkFeeExplanation": { - "description": "Explanation of network fees for express withdrawal" - }, "buyNetworkFees": "Verkkokulut", - "@buyNetworkFees": { - "description": "Label for network fees amount" - }, "buyEstimatedFeeValue": "Arvioitu kulujen määrä", - "@buyEstimatedFeeValue": { - "description": "Label for estimated fee value in fiat" - }, "buyNetworkFeeRate": "Verkkokulujen määrä", - "@buyNetworkFeeRate": { - "description": "Label for network fee rate" - }, "buyConfirmationTime": "Vahvistusviive", - "@buyConfirmationTime": { - "description": "Label for estimated confirmation time" - }, "buyConfirmationTimeValue": "~10 minuuttia", - "@buyConfirmationTimeValue": { - "description": "Value for estimated confirmation time" - }, "buyWaitForFreeWithdrawal": "Odota ilmaista nostoa", - "@buyWaitForFreeWithdrawal": { - "description": "Button to wait for free (slower) withdrawal" - }, "buyConfirmExpress": "Vahvista pikamaksu", - "@buyConfirmExpress": { - "description": "Button to confirm express withdrawal" - }, "buyBitcoinSent": "Bitcoin lähetetty!", - "@buyBitcoinSent": { - "description": "Success message for accelerated transaction" - }, "buyThatWasFast": "Se oli nopeaa, eikö ollutkin?", - "@buyThatWasFast": { - "description": "Additional success message for accelerated transaction" - }, "sellTitle": "Myy bitcoinia", - "@sellTitle": { - "description": "AppBar title for sell screen" - }, "sellSelectWallet": "Valitse lompakko", - "@sellSelectWallet": { - "description": "Dropdown to choose source wallet" - }, "sellWhichWalletQuestion": "Mistä lompakosta haluat myydä?", - "@sellWhichWalletQuestion": { - "description": "Question prompting user to select wallet" - }, "sellExternalWallet": "Ulkoinen lompakko", - "@sellExternalWallet": { - "description": "Option for external wallet" - }, "sellFromAnotherWallet": "Myy toisesta Bitcoin-lompakosta", - "@sellFromAnotherWallet": { - "description": "Subtitle for external wallet option" - }, "sellAboveMaxAmountError": "Yrität myydä isomman määrän kuin tästä lompakosta on mahdollista.", - "@sellAboveMaxAmountError": { - "description": "Error message for amount above maximum" - }, "sellBelowMinAmountError": "Myyntisi on alle tämän lompakon minimi määrän.", - "@sellBelowMinAmountError": { - "description": "Error message for amount below minimum" - }, "sellInsufficientBalanceError": "Valitun lompakon saldo ei riitä tämän myyntitilauksen suorittamiseen.", - "@sellInsufficientBalanceError": { - "description": "Error message for insufficient balance" - }, "sellUnauthenticatedError": "Et ole kirjautunut sisään. Kirjaudu jatkaaksesi.", - "@sellUnauthenticatedError": { - "description": "Error message for unauthenticated user" - }, "sellOrderNotFoundError": "Myyntitilausta ei löytynyt. Yritä uudelleen.", - "@sellOrderNotFoundError": { - "description": "Error message for order not found" - }, "sellOrderAlreadyConfirmedError": "Tämä myyntitilaus on jo vahvistettu.", - "@sellOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed order" - }, "sellSelectNetwork": "Valitse verkko", - "@sellSelectNetwork": { - "description": "Screen title for network selection" - }, "sellHowToPayInvoice": "Kuinka haluat maksaa tämän laskun?", - "@sellHowToPayInvoice": { - "description": "Question for payment method selection" - }, "sellBitcoinOnChain": "Bitcoin on-chain", - "@sellBitcoinOnChain": { - "description": "Option for Bitcoin on-chain payment" - }, "sellLightningNetwork": "Lightning-verkko", - "@sellLightningNetwork": { - "description": "Option for Lightning Network payment" - }, "sellLiquidNetwork": "Liquid-verkko", - "@sellLiquidNetwork": { - "description": "Option for Liquid Network payment" - }, "sellConfirmPayment": "Vahvista maksu", - "@sellConfirmPayment": { - "description": "Screen title for payment confirmation" - }, "sellPriceWillRefreshIn": "Hinta päivittyy ", - "@sellPriceWillRefreshIn": { - "description": "Text before countdown timer for price refresh" - }, "sellOrderNumber": "Tilausnumero", - "@sellOrderNumber": { - "description": "Label for order number" - }, "sellPayoutRecipient": "Maksun saaja", - "@sellPayoutRecipient": { - "description": "Label for payout recipient" - }, "sellCadBalance": "CAD-saldo", - "@sellCadBalance": { - "description": "Display text for CAD balance payout method" - }, "sellCrcBalance": "CRC-saldo", - "@sellCrcBalance": { - "description": "Display text for CRC balance payout method" - }, "sellEurBalance": "EUR-saldo", - "@sellEurBalance": { - "description": "Display text for EUR balance payout method" - }, "sellUsdBalance": "USD-saldo", - "@sellUsdBalance": { - "description": "Display text for USD balance payout method" - }, "sellMxnBalance": "MXN-saldo", - "@sellMxnBalance": { - "description": "Display text for MXN balance payout method" - }, "sellArsBalance": "ARS-saldo", - "@sellArsBalance": { - "description": "Display text for ARS balance payout method" - }, "sellCopBalance": "COP-saldo", - "@sellCopBalance": { - "description": "Display text for COP balance payout method" - }, "sellPayinAmount": "Maksun määrä", - "@sellPayinAmount": { - "description": "Label for amount user pays in" - }, "sellPayoutAmount": "Saantimäärä", - "@sellPayoutAmount": { - "description": "Label for amount user receives" - }, "sellExchangeRate": "Vaihtokurssi", - "@sellExchangeRate": { - "description": "Label for exchange rate" - }, "sellPayFromWallet": "Maksa lompakosta", - "@sellPayFromWallet": { - "description": "Label for wallet used for payment" - }, "sellInstantPayments": "Välittömät maksut", - "@sellInstantPayments": { - "description": "Display text for instant payment wallet" - }, "sellSecureBitcoinWallet": "Turvallinen Bitcoin-lompakko", - "@sellSecureBitcoinWallet": { - "description": "Display text for secure Bitcoin wallet" - }, "sellFeePriority": "Prioriteetin kulut", - "@sellFeePriority": { - "description": "Label for fee priority selection" - }, "sellFastest": "Nopein", - "@sellFastest": { - "description": "Display text for fastest fee option" - }, "sellCalculating": "Lasketaan...", - "@sellCalculating": { - "description": "Text shown while calculating fees" - }, "sellAdvancedSettings": "Lisäasetukset", - "@sellAdvancedSettings": { - "description": "Button for advanced settings" - }, "sellAdvancedOptions": "Lisäasetukset", - "@sellAdvancedOptions": { - "description": "Title for advanced options bottom sheet" - }, "sellReplaceByFeeActivated": "Replace-by-fee aktivoitu", - "@sellReplaceByFeeActivated": { - "description": "Label for RBF toggle" - }, "sellSelectCoinsManually": "Valitse kolikot manuaalisesti", - "@sellSelectCoinsManually": { - "description": "Option to manually select UTXOs" - }, "sellDone": "Valmis", - "@sellDone": { - "description": "Button to close bottom sheet" - }, "sellPleasePayInvoice": "Maksa tämä lasku", - "@sellPleasePayInvoice": { - "description": "Title for receive payment screen" - }, "sellBitcoinAmount": "Bitcoin-määrä", - "@sellBitcoinAmount": { - "description": "Label for Bitcoin amount" - }, "sellCopyInvoice": "Kopioi lasku", - "@sellCopyInvoice": { - "description": "Button to copy invoice" - }, "sellShowQrCode": "Näytä QR-koodi", - "@sellShowQrCode": { - "description": "Button to show QR code" - }, "sellQrCode": "QR-koodi", - "@sellQrCode": { - "description": "Title for QR code bottom sheet" - }, "sellNoInvoiceData": "Laskutietoja ei saatavilla", - "@sellNoInvoiceData": { - "description": "Message when no invoice data available" - }, "sellInProgress": "Myynti käynnissä...", - "@sellInProgress": { - "description": "Message for sell in progress" - }, "sellGoHome": "Siirry etusivulle", - "@sellGoHome": { - "description": "Button to go to home screen" - }, "sellOrderCompleted": "Tilaus valmis!", - "@sellOrderCompleted": { - "description": "Success message for completed order" - }, "sellBalanceWillBeCredited": "Tilisi saldoa päivittyy, kun transaktio vahvistetaan lohkoketjussa.", - "@sellBalanceWillBeCredited": { - "description": "Information about balance crediting" - }, "payTitle": "Maksa", - "@payTitle": { - "description": "Screen title for pay feature" - }, "paySelectRecipient": "Valitse vastaanottaja", - "@paySelectRecipient": { - "description": "Screen title for recipient selection" - }, "payWhoAreYouPaying": "Kenelle maksat?", - "@payWhoAreYouPaying": { - "description": "Question prompting user to select recipient" - }, "payNewRecipients": "Uudet vastaanottajat", - "@payNewRecipients": { - "description": "Tab label for new recipients" - }, "payMyFiatRecipients": "Fiat-maksujen vastaanottajat", - "@payMyFiatRecipients": { - "description": "Tab label for saved recipients" - }, "payNoRecipientsFound": "Vastaanottajia ei löytynyt.", - "@payNoRecipientsFound": { - "description": "Message when no recipients found" - }, "payLoadingRecipients": "Ladataan vastaanottajia...", - "@payLoadingRecipients": { - "description": "Message while loading recipients" - }, "payNotLoggedIn": "Et ole kirjautunut", - "@payNotLoggedIn": { - "description": "Title for not logged in card" - }, "payNotLoggedInDescription": "Et ole kirjautunut sisään. Kirjaudu jatkaaksesi maksutoiminnon käyttöä.", - "@payNotLoggedInDescription": { - "description": "Description for not logged in state" - }, "paySelectCountry": "Valitse maa", - "@paySelectCountry": { - "description": "Hint for country dropdown" - }, "payPayoutMethod": "Maksutapa", - "@payPayoutMethod": { - "description": "Label for payout method section" - }, "payEmail": "Sähköposti", - "@payEmail": { - "description": "Label for email field" - }, "payEmailHint": "Syötä sähköpostiosoite", - "@payEmailHint": { - "description": "Hint for email input" - }, "payName": "Nimi", - "@payName": { - "description": "Label for name field" - }, "payNameHint": "Syötä vastaanottajan nimi", - "@payNameHint": { - "description": "Hint for name input" - }, "paySecurityQuestion": "Turvakysymys", - "@paySecurityQuestion": { - "description": "Label for security question field" - }, "paySecurityQuestionHint": "Syötä turvakysymys (10–40 merkkiä)", - "@paySecurityQuestionHint": { - "description": "Hint for security question input" - }, "paySecurityQuestionLength": "{count}/40 merkkiä", "@paySecurityQuestionLength": { - "description": "Character count for security question", "placeholders": { "count": { "type": "int" @@ -13502,520 +432,135 @@ } }, "paySecurityQuestionLengthError": "Vaaditaan 10–40 merkkiä", - "@paySecurityQuestionLengthError": { - "description": "Error for invalid security question length" - }, "paySecurityAnswer": "Turvavastaus", - "@paySecurityAnswer": { - "description": "Label for security answer field" - }, "paySecurityAnswerHint": "Syötä turvavastaus", - "@paySecurityAnswerHint": { - "description": "Hint for security answer input" - }, "payLabelOptional": "Tunniste (valinnainen)", - "@payLabelOptional": { - "description": "Label for optional label field" - }, "payLabelHint": "Syötä tunniste tälle vastaanottajalle", - "@payLabelHint": { - "description": "Hint for label input" - }, "payBillerName": "Laskuttajan nimi", - "@payBillerName": { - "description": "Label for biller name field" - }, "payBillerNameValue": "Valittu laskuttajan nimi", - "@payBillerNameValue": { - "description": "Placeholder for biller name" - }, "payBillerSearchHint": "Syötä laskuttajan nimen ensimmäiset 3 kirjainta", - "@payBillerSearchHint": { - "description": "Hint for biller search field" - }, "payPayeeAccountNumber": "Saajan tilinumero", - "@payPayeeAccountNumber": { - "description": "Label for payee account number" - }, "payPayeeAccountNumberHint": "Syötä tilinumero", - "@payPayeeAccountNumberHint": { - "description": "Hint for account number input" - }, "payInstitutionNumber": "Y-tunnus", - "@payInstitutionNumber": { - "description": "Label for institution number" - }, "payInstitutionNumberHint": "Syötä Y-tunnus numero", - "@payInstitutionNumberHint": { - "description": "Hint for institution number input" - }, "payTransitNumber": "Siirtotunnus", - "@payTransitNumber": { - "description": "Label for transit number" - }, "payTransitNumberHint": "Syötä siirtotunnus", - "@payTransitNumberHint": { - "description": "Hint for transit number input" - }, "payAccountNumber": "Tilinumero", - "@payAccountNumber": { - "description": "Label for account number" - }, "payAccountNumberHint": "Syötä tilinumero", - "@payAccountNumberHint": { - "description": "Hint for account number input" - }, "payDefaultCommentOptional": "Oletuskommentti (valinnainen)", - "@payDefaultCommentOptional": { - "description": "Label for default comment field" - }, "payDefaultCommentHint": "Syötä oletuskommentti", - "@payDefaultCommentHint": { - "description": "Hint for default comment input" - }, "payIban": "IBAN", - "@payIban": { - "description": "Label for IBAN field" - }, "payIbanHint": "Syötä IBAN", - "@payIbanHint": { - "description": "Hint for IBAN input" - }, "payCorporate": "Yritys", - "@payCorporate": { - "description": "Label for corporate checkbox" - }, "payIsCorporateAccount": "Onko tämä yritystili?", - "@payIsCorporateAccount": { - "description": "Question for corporate account checkbox" - }, "payFirstName": "Etunimi", - "@payFirstName": { - "description": "Label for first name field" - }, "payFirstNameHint": "Syötä etunimi", - "@payFirstNameHint": { - "description": "Hint for first name input" - }, "payLastName": "Sukunimi", - "@payLastName": { - "description": "Label for last name field" - }, "payLastNameHint": "Syötä sukunimi", - "@payLastNameHint": { - "description": "Hint for last name input" - }, "payCorporateName": "Yrityksen nimi", - "@payCorporateName": { - "description": "Label for corporate name field" - }, "payCorporateNameHint": "Syötä yrityksen nimi", - "@payCorporateNameHint": { - "description": "Hint for corporate name input" - }, "payClabe": "CLABE", - "@payClabe": { - "description": "Label for CLABE field" - }, "payClabeHint": "Syötä CLABE-numero", - "@payClabeHint": { - "description": "Hint for CLABE input" - }, "payInstitutionCode": "Y-tunnus", - "@payInstitutionCode": { - "description": "Label for institution code field" - }, "payInstitutionCodeHint": "Syötä laitoskoodi", - "@payInstitutionCodeHint": { - "description": "Hint for institution code input" - }, "payPhoneNumber": "Puhelinnumero", - "@payPhoneNumber": { - "description": "Label for phone number field" - }, "payPhoneNumberHint": "Syötä puhelinnumero", - "@payPhoneNumberHint": { - "description": "Hint for phone number input" - }, "payDebitCardNumber": "Pankkikortin numero", - "@payDebitCardNumber": { - "description": "Label for debit card number field" - }, "payDebitCardNumberHint": "Syötä pankkikortin numero", - "@payDebitCardNumberHint": { - "description": "Hint for debit card number input" - }, "payOwnerName": "Omistajan nimi", - "@payOwnerName": { - "description": "Label for owner name field" - }, "payOwnerNameHint": "Syötä omistajan nimi", - "@payOwnerNameHint": { - "description": "Hint for owner name input" - }, "payValidating": "Tarkistetaan...", - "@payValidating": { - "description": "Text shown while validating SINPE" - }, "payInvalidSinpe": "Virheellinen SINPE", - "@payInvalidSinpe": { - "description": "Error message for invalid SINPE" - }, "payFilterByType": "Suodata tyypin mukaan", - "@payFilterByType": { - "description": "Label for type filter dropdown" - }, "payAllTypes": "Kaikki tyypit", - "@payAllTypes": { - "description": "Option for all types filter" - }, "payAllCountries": "Kaikki maat", - "@payAllCountries": { - "description": "Option for all countries filter" - }, "payRecipientType": "Vastaanottajan tyyppi", - "@payRecipientType": { - "description": "Label for recipient type" - }, "payRecipientName": "Vastaanottajan nimi", - "@payRecipientName": { - "description": "Label for recipient name" - }, "payRecipientDetails": "Vastaanottajan tiedot", - "@payRecipientDetails": { - "description": "Label for recipient details" - }, "payAccount": "Tili", - "@payAccount": { - "description": "Label for account details" - }, "payPayee": "Saaja", - "@payPayee": { - "description": "Label for payee details" - }, "payCard": "Kortti", - "@payCard": { - "description": "Label for card details" - }, "payPhone": "Puhelin", - "@payPhone": { - "description": "Label for phone details" - }, "payNoDetailsAvailable": "Tietoja ei saatavilla", - "@payNoDetailsAvailable": { - "description": "Message when recipient details not available" - }, "paySelectWallet": "Valitse lompakko", - "@paySelectWallet": { - "description": "Label for wallet selection dropdown in payment" - }, "payWhichWalletQuestion": "Mistä lompakosta haluat maksaa?", - "@payWhichWalletQuestion": { - "description": "Question prompting user to select wallet" - }, "payExternalWallet": "Ulkoinen lompakko", - "@payExternalWallet": { - "description": "Option for external wallet" - }, "payFromAnotherWallet": "Maksa toisesta Bitcoin-lompakosta", - "@payFromAnotherWallet": { - "description": "Subtitle for external wallet option" - }, "payAboveMaxAmountError": "Yrität maksaa yli suurimman summan, jonka tästä lompakosta voi maksaa.", - "@payAboveMaxAmountError": { - "description": "Error message for amount above maximum" - }, "payBelowMinAmountError": "Yrität maksaa alle pienimmän summan, jonka tästä lompakosta voi maksaa.", - "@payBelowMinAmountError": { - "description": "Error message for amount below minimum" - }, "payInsufficientBalanceError": "Valitussa lompakossa ei ole tarpeeksi saldoa tämän maksun suorittamiseen.", - "@payInsufficientBalanceError": { - "description": "Error message for insufficient balance" - }, "payUnauthenticatedError": "Et ole tunnistautunut. Kirjaudu sisään jatkaaksesi.", - "@payUnauthenticatedError": { - "description": "Error message for unauthenticated user" - }, "payOrderNotFoundError": "Maksupyyntöä ei löytynyt. Yritä uudelleen.", - "@payOrderNotFoundError": { - "description": "Error message for order not found" - }, "payOrderAlreadyConfirmedError": "Tämä maksupyyntö on jo vahvistettu.", - "@payOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed order" - }, "paySelectNetwork": "Valitse verkko", - "@paySelectNetwork": { - "description": "Screen title for network selection" - }, "payHowToPayInvoice": "Miten haluat maksaa tämän laskun?", - "@payHowToPayInvoice": { - "description": "Question for payment method selection" - }, "payBitcoinOnChain": "Bitcoin on-chain", - "@payBitcoinOnChain": { - "description": "Option for Bitcoin on-chain payment" - }, "payLightningNetwork": "Lightning-verkko", - "@payLightningNetwork": { - "description": "Option for Lightning Network payment" - }, "payLiquidNetwork": "Liquid-verkko", - "@payLiquidNetwork": { - "description": "Option for Liquid Network payment" - }, "payConfirmPayment": "Vahvista maksu", - "@payConfirmPayment": { - "description": "Button text to confirm and execute payment" - }, "payPriceWillRefreshIn": "Hinta päivittyy ", - "@payPriceWillRefreshIn": { - "description": "Text before countdown timer for price refresh" - }, "payOrderNumber": "Tilausnumero", - "@payOrderNumber": { - "description": "Label for order number" - }, "payPayinAmount": "Maksun määrä", - "@payPayinAmount": { - "description": "Label for amount user pays in" - }, "payPayoutAmount": "Ulosmaksun määrä", - "@payPayoutAmount": { - "description": "Label for amount user receives" - }, "payExchangeRate": "Vaihtokurssi", - "@payExchangeRate": { - "description": "Label for exchange rate" - }, "payPayFromWallet": "Maksa lompakosta", - "@payPayFromWallet": { - "description": "Label for wallet used for payment" - }, "payInstantPayments": "Välittömät maksut", - "@payInstantPayments": { - "description": "Display text for instant payment wallet" - }, "paySecureBitcoinWallet": "Turvallinen Bitcoin-lompakko", - "@paySecureBitcoinWallet": { - "description": "Display text for secure Bitcoin wallet" - }, "payFeePriority": "Kulujen prioriteetti", - "@payFeePriority": { - "description": "Label for fee priority selection" - }, "payFastest": "Nopein", - "@payFastest": { - "description": "Display text for fastest fee option" - }, "payNetworkFees": "Verkkokulut", - "@payNetworkFees": { - "description": "Label for network fees amount" - }, "payCalculating": "Lasketaan...", - "@payCalculating": { - "description": "Text shown while calculating fees" - }, "payAdvancedSettings": "Lisäasetukset", - "@payAdvancedSettings": { - "description": "Button for advanced settings" - }, "payAdvancedOptions": "Lisävalinnat", - "@payAdvancedOptions": { - "description": "Title for advanced options bottom sheet" - }, "payReplaceByFeeActivated": "Replace-by-fee aktivoitu", - "@payReplaceByFeeActivated": { - "description": "Label for RBF toggle" - }, "paySelectCoinsManually": "Valitse kolikot manuaalisesti", - "@paySelectCoinsManually": { - "description": "Option to manually select UTXOs" - }, "payDone": "Valmis", - "@payDone": { - "description": "Button to close bottom sheet" - }, "payContinue": "Jatka", - "@payContinue": { - "description": "Button to continue to next step" - }, "payPleasePayInvoice": "Maksa tämä lasku", - "@payPleasePayInvoice": { - "description": "Title for receive payment screen" - }, "payBitcoinAmount": "Bitcoin-määrä", - "@payBitcoinAmount": { - "description": "Label for Bitcoin amount" - }, "payBitcoinPrice": "Bitcoin-kurssi", - "@payBitcoinPrice": { - "description": "Label for Bitcoin exchange rate" - }, "payCopyInvoice": "Kopioi lasku", - "@payCopyInvoice": { - "description": "Button text to copy invoice to clipboard" - }, "payShowQrCode": "Näytä QR-koodi", - "@payShowQrCode": { - "description": "Button to show QR code" - }, "payQrCode": "QR-koodi", - "@payQrCode": { - "description": "Title for QR code bottom sheet" - }, "payNoInvoiceData": "Laskun tietoja ei ole saatavilla", - "@payNoInvoiceData": { - "description": "Message when no invoice data available" - }, "payInvalidState": "Virheellinen tila", - "@payInvalidState": { - "description": "Error message for invalid state" - }, "payInProgress": "Maksu käynnissä!", - "@payInProgress": { - "description": "Title for payment in progress screen" - }, "payInProgressDescription": "Maksusi on aloitettu ja vastaanottaja saa varat, kun transaktio vahvistuu lohkoketjussa.", - "@payInProgressDescription": { - "description": "Description for payment in progress" - }, "payViewDetails": "Näytä tiedot", - "@payViewDetails": { - "description": "Button to view order details" - }, "payCompleted": "Maksu suoritettu!", - "@payCompleted": { - "description": "Title for payment completed screen" - }, "payCompletedDescription": "Maksusi on suoritettu ja vastaanottaja on saanut varat.", - "@payCompletedDescription": { - "description": "Description for payment completed" - }, "paySinpeEnviado": "SINPE LÄHETETTY!", - "@paySinpeEnviado": { - "description": "Success message for SINPE payment (Spanish, kept as is)" - }, "payOrderDetails": "Tilaustiedot", - "@payOrderDetails": { - "description": "Title for SINPE order details screen" - }, "paySinpeMonto": "Määrä", - "@paySinpeMonto": { - "description": "Label for amount in SINPE order details" - }, "paySinpeNumeroOrden": "Tilausnumero", - "@paySinpeNumeroOrden": { - "description": "Label for order number in SINPE details" - }, "paySinpeNumeroComprobante": "Viitenumero", - "@paySinpeNumeroComprobante": { - "description": "Label for reference number in SINPE details" - }, "paySinpeBeneficiario": "Saaja", - "@paySinpeBeneficiario": { - "description": "Label for beneficiary in SINPE details" - }, "paySinpeOrigen": "Lähde", - "@paySinpeOrigen": { - "description": "Label for origin in SINPE details" - }, "payNotAvailable": "Ei saatavilla", - "@payNotAvailable": { - "description": "Placeholder for unavailable information" - }, "payBitcoinOnchain": "Bitcoin on-chain", - "@payBitcoinOnchain": { - "description": "Option for Bitcoin on-chain payment" - }, "payAboveMaxAmount": "Yrität maksaa yli suurimman summan, jonka tästä lompakosta voi maksaa.", - "@payAboveMaxAmount": { - "description": "Error message when payment amount exceeds maximum" - }, "payBelowMinAmount": "Yrität maksaa alle pienimmän summan, jonka tästä lompakosta voi maksaa.", - "@payBelowMinAmount": { - "description": "Error message when payment amount is below minimum" - }, "payNotAuthenticated": "Et ole tunnistautunut. Kirjaudu sisään jatkaaksesi.", - "@payNotAuthenticated": { - "description": "Error message when user is not authenticated" - }, "payOrderNotFound": "Maksupyyntöä ei löytynyt. Yritä uudelleen.", - "@payOrderNotFound": { - "description": "Error message when pay order is not found" - }, "payOrderAlreadyConfirmed": "Tämä maksupyyntö on jo vahvistettu.", - "@payOrderAlreadyConfirmed": { - "description": "Error message when pay order is already confirmed" - }, "payPaymentInProgress": "Maksu käynnissä!", - "@payPaymentInProgress": { - "description": "Title for payment in progress screen" - }, "payPaymentInProgressDescription": "Maksusi on aloitettu ja vastaanottaja saa varat, kun transaktio vahvistuu lohkoketjussa.", - "@payPaymentInProgressDescription": { - "description": "Description for payment in progress" - }, "payPriceRefreshIn": "Hinta päivittyy ", - "@payPriceRefreshIn": { - "description": "Text before countdown timer" - }, "payFor": "Saaja", - "@payFor": { - "description": "Label for recipient information section" - }, "payRecipient": "Vastaanottaja", - "@payRecipient": { - "description": "Label for recipient" - }, "payAmount": "Määrä", - "@payAmount": { - "description": "Label for amount" - }, "payFee": "Kulu", - "@payFee": { - "description": "Label for fee" - }, "payNetwork": "Verkko", - "@payNetwork": { - "description": "Label for network" - }, "payViewRecipient": "Näytä vastaanottaja", - "@payViewRecipient": { - "description": "Button to view recipient details" - }, "payOpenInvoice": "Avaa lasku", - "@payOpenInvoice": { - "description": "Button to open invoice" - }, "payCopied": "Kopioitu!", - "@payCopied": { - "description": "Success message after copying" - }, "payWhichWallet": "Mistä lompakosta haluat maksaa?", - "@payWhichWallet": { - "description": "Question prompt for wallet selection" - }, "payExternalWalletDescription": "Maksa toisesta Bitcoin-lompakosta", - "@payExternalWalletDescription": { - "description": "Description for external wallet option" - }, "payInsufficientBalance": "Valitussa lompakossa ei ole riittävästi saldoa tämän maksupyynnön suorittamiseen.", - "@payInsufficientBalance": { - "description": "Error message for insufficient balance" - }, "payRbfActivated": "Replace-by-fee aktivoitu", - "@payRbfActivated": { - "description": "Label for RBF toggle" - }, "transactionTitle": "Transaktiot", - "@transactionTitle": { - "description": "Title for the transactions screen" - }, "transactionError": "Virhe - {error}", "@transactionError": { - "description": "Error message displayed when transaction loading fails", "placeholders": { "error": { "type": "String" @@ -14023,20 +568,10 @@ } }, "transactionDetailTitle": "Transaktion tiedot", - "@transactionDetailTitle": { - "description": "Title for transaction details screen" - }, "transactionDetailTransferProgress": "Siirron edistyminen", - "@transactionDetailTransferProgress": { - "description": "Title for ongoing transfer details" - }, "transactionDetailSwapProgress": "Swapin edistyminen", - "@transactionDetailSwapProgress": { - "description": "Title for ongoing swap details" - }, "transactionDetailRetryTransfer": "Yritä siirtoa uudelleen {action}", "@transactionDetailRetryTransfer": { - "description": "Button label to retry a failed transfer action", "placeholders": { "action": { "type": "String" @@ -14045,7 +580,6 @@ }, "transactionDetailRetrySwap": "Yritä uudelleen swappiä {action}", "@transactionDetailRetrySwap": { - "description": "Button label to retry a failed swap action", "placeholders": { "action": { "type": "String" @@ -14053,1404 +587,356 @@ } }, "transactionDetailAddNote": "Lisää kuvaus", - "@transactionDetailAddNote": { - "description": "Button label to add a note to a transaction" - }, "transactionDetailBumpFees": "Aktivoi RFB", - "@transactionDetailBumpFees": { - "description": "Button label to increase transaction fees via RBF" - }, "transactionFilterAll": "Kaikki", - "@transactionFilterAll": { - "description": "Filter option to show all transactions" - }, "transactionFilterSend": "Lähetetty", - "@transactionFilterSend": { - "description": "Filter option to show only sent transactions" - }, "transactionFilterReceive": "Vastaanotettu", - "@transactionFilterReceive": { - "description": "Filter option to show only received transactions" - }, "transactionFilterTransfer": "Siirrot", - "@transactionFilterTransfer": { - "description": "Filter option to show only transfer/swap transactions" - }, "transactionFilterPayjoin": "Payjoin", - "@transactionFilterPayjoin": { - "description": "Filter option to show only payjoin transactions" - }, "transactionFilterSell": "Myynti", - "@transactionFilterSell": { - "description": "Filter option to show only sell orders" - }, "transactionFilterBuy": "Osto", - "@transactionFilterBuy": { - "description": "Filter option to show only buy orders" - }, "transactionNetworkLightning": "Lightning", - "@transactionNetworkLightning": { - "description": "Label for Lightning network transactions" - }, "transactionNetworkBitcoin": "Bitcoin", - "@transactionNetworkBitcoin": { - "description": "Label for Bitcoin network transactions" - }, "transactionNetworkLiquid": "Liquid", - "@transactionNetworkLiquid": { - "description": "Label for Liquid network transactions" - }, "transactionSwapLiquidToBitcoin": "L-BTC → BTC", - "@transactionSwapLiquidToBitcoin": { - "description": "Label for Liquid to Bitcoin swap" - }, "transactionSwapBitcoinToLiquid": "BTC → L-BTC", - "@transactionSwapBitcoinToLiquid": { - "description": "Label for Bitcoin to Liquid swap" - }, "transactionStatusInProgress": "Käynnissä", - "@transactionStatusInProgress": { - "description": "Status label for transactions in progress" - }, "transactionStatusPending": "Odottaa", - "@transactionStatusPending": { - "description": "Status label for pending transactions" - }, "transactionStatusConfirmed": "Vahvistettu", - "@transactionStatusConfirmed": { - "description": "Status label for confirmed transactions" - }, "transactionStatusTransferCompleted": "Siirto suoritettu", - "@transactionStatusTransferCompleted": { - "description": "Status label for completed transfers" - }, "transactionStatusTransferInProgress": "Siirto käynnissä", - "@transactionStatusTransferInProgress": { - "description": "Status label for transfers in progress" - }, "transactionStatusPaymentInProgress": "Maksu käynnissä", - "@transactionStatusPaymentInProgress": { - "description": "Status label for Lightning payments in progress" - }, "transactionStatusPaymentRefunded": "Maksu palautettu", - "@transactionStatusPaymentRefunded": { - "description": "Status label for refunded payments" - }, "transactionStatusTransferFailed": "Siirto epäonnistui", - "@transactionStatusTransferFailed": { - "description": "Status label for failed transfers" - }, "transactionStatusSwapFailed": "Swap epäonnistui", - "@transactionStatusSwapFailed": { - "description": "Status label for failed swaps" - }, "transactionStatusTransferExpired": "Siirto vanhentunut", - "@transactionStatusTransferExpired": { - "description": "Status label for expired transfers" - }, "transactionStatusSwapExpired": "Vanhentunut swap", - "@transactionStatusSwapExpired": { - "description": "Status label for expired swaps" - }, "transactionStatusPayjoinRequested": "Payjoin pyydetty", - "@transactionStatusPayjoinRequested": { - "description": "Status label for payjoin transaction requests" - }, "transactionLabelTransactionId": "Transaktion ID", - "@transactionLabelTransactionId": { - "description": "Label for transaction ID field" - }, "transactionLabelToWallet": "Kohdelompakko", - "@transactionLabelToWallet": { - "description": "Label for destination wallet" - }, "transactionLabelFromWallet": "Lähdelompakko", - "@transactionLabelFromWallet": { - "description": "Label for source wallet" - }, "transactionLabelRecipientAddress": "Vastaanottajan osoite", - "@transactionLabelRecipientAddress": { - "description": "Label for recipient address" - }, "transactionLabelAddress": "Osoite", - "@transactionLabelAddress": { - "description": "Label for transaction address" - }, "transactionLabelAddressNotes": "Osoitteen kuvaus", - "@transactionLabelAddressNotes": { - "description": "Label for address notes/labels" - }, "transactionLabelAmountReceived": "Vastaanotettu määrä", - "@transactionLabelAmountReceived": { - "description": "Label for received amount" - }, "transactionLabelAmountSent": "Lähetetty määrä", - "@transactionLabelAmountSent": { - "description": "Label for sent amount" - }, "transactionLabelTransactionFee": "Transaktiomaksu", - "@transactionLabelTransactionFee": { - "description": "Label for transaction fee" - }, "transactionLabelStatus": "Tila", - "@transactionLabelStatus": { - "description": "Label for transaction status" - }, "transactionLabelConfirmationTime": "Vahvistusaika", - "@transactionLabelConfirmationTime": { - "description": "Label for transaction confirmation timestamp" - }, "transactionLabelTransferId": "Swap-tunnus", - "@transactionLabelTransferId": { - "description": "Label for transfer/swap ID" - }, "transactionLabelSwapId": "Vaihto-ID", - "@transactionLabelSwapId": { - "description": "Label for swap ID" - }, "transactionLabelTransferStatus": "Siirron tila", - "@transactionLabelTransferStatus": { - "description": "Label for transfer status" - }, "transactionLabelSwapStatus": "Swapin tila", - "@transactionLabelSwapStatus": { - "description": "Label for swap status" - }, "transactionLabelSwapStatusRefunded": "Palautettu", - "@transactionLabelSwapStatusRefunded": { - "description": "Status label for refunded swaps" - }, "transactionLabelLiquidTransactionId": "Liquid-transaktion ID", - "@transactionLabelLiquidTransactionId": { - "description": "Label for Liquid network transaction ID" - }, "transactionLabelBitcoinTransactionId": "Bitcoin-transaktion ID", - "@transactionLabelBitcoinTransactionId": { - "description": "Label for Bitcoin network transaction ID" - }, "transactionLabelTotalTransferFees": "Swapin kokonaiskulut", - "@transactionLabelTotalTransferFees": { - "description": "Label for total transfer fees" - }, "transactionLabelTotalSwapFees": "Vaihtojen kokonaiskulut", - "@transactionLabelTotalSwapFees": { - "description": "Label for total swap fees" - }, "transactionLabelNetworkFee": "Verkkokulu", - "@transactionLabelNetworkFee": { - "description": "Label for network fee component" - }, "transactionLabelTransferFee": "Siirtokulu", - "@transactionLabelTransferFee": { - "description": "Label for transfer fee component" - }, "transactionLabelBoltzSwapFee": "Boltz-vaihtokulu", - "@transactionLabelBoltzSwapFee": { - "description": "Label for Boltz swap fee component" - }, "transactionLabelCreatedAt": "Luotu", - "@transactionLabelCreatedAt": { - "description": "Label for creation timestamp" - }, "transactionLabelCompletedAt": "Suoritettu", - "@transactionLabelCompletedAt": { - "description": "Label for completion timestamp" - }, "transactionLabelPayjoinStatus": "Payjoin-tila", - "@transactionLabelPayjoinStatus": { - "description": "Label for payjoin status" - }, "transactionLabelPayjoinCreationTime": "Payjoin luontiaika", - "@transactionLabelPayjoinCreationTime": { - "description": "Label for payjoin creation timestamp" - }, "transactionPayjoinStatusCompleted": "Valmis", - "@transactionPayjoinStatusCompleted": { - "description": "Payjoin status: completed" - }, "transactionPayjoinStatusExpired": "Vanhentunut", - "@transactionPayjoinStatusExpired": { - "description": "Payjoin status: expired" - }, "transactionOrderLabelOrderType": "Tilaustyyppi", - "@transactionOrderLabelOrderType": { - "description": "Label for order type" - }, "transactionOrderLabelOrderNumber": "Tilausnumero", - "@transactionOrderLabelOrderNumber": { - "description": "Label for order number" - }, "transactionOrderLabelPayinAmount": "Maksun määrä", - "@transactionOrderLabelPayinAmount": { - "description": "Label for order payin amount" - }, "transactionOrderLabelPayoutAmount": "Ulosmaksun määrä", - "@transactionOrderLabelPayoutAmount": { - "description": "Label for order payout amount" - }, "transactionOrderLabelExchangeRate": "Vaihtokurssi", - "@transactionOrderLabelExchangeRate": { - "description": "Label for order exchange rate" - }, "transactionOrderLabelPayinMethod": "Sisäänmaksutapa", - "@transactionOrderLabelPayinMethod": { - "description": "Label for order payin method" - }, "transactionOrderLabelPayoutMethod": "Ulosmaksutapa", - "@transactionOrderLabelPayoutMethod": { - "description": "Label for order payout method" - }, "transactionOrderLabelPayinStatus": "Sisäänmaksun tila", - "@transactionOrderLabelPayinStatus": { - "description": "Label for order payin status" - }, "transactionOrderLabelOrderStatus": "Pyynnöntila", - "@transactionOrderLabelOrderStatus": { - "description": "Label for order status" - }, "transactionOrderLabelPayoutStatus": "Ulosmaksun tila", - "@transactionOrderLabelPayoutStatus": { - "description": "Label for order payout status" - }, "transactionNotesLabel": "Transaktion muistiinpanot", - "@transactionNotesLabel": { - "description": "Label for transaction notes section" - }, "transactionNoteAddTitle": "Lisää kuvaus", - "@transactionNoteAddTitle": { - "description": "Title for add note dialog" - }, "transactionNoteEditTitle": "Muokkaa kuvausta", - "@transactionNoteEditTitle": { - "description": "Title for edit note dialog" - }, "transactionNoteHint": "Muistiinpano", - "@transactionNoteHint": { - "description": "Hint text for note input field" - }, "transactionNoteSaveButton": "Tallenna", - "@transactionNoteSaveButton": { - "description": "Button label to save a note" - }, "transactionNoteUpdateButton": "Päivitä", - "@transactionNoteUpdateButton": { - "description": "Button label to update a note" - }, "transactionPayjoinNoProposal": "Etkö saanut payjoin-ehdotusta vastaanottajalta?", - "@transactionPayjoinNoProposal": { - "description": "Message displayed when payjoin proposal is not received" - }, "transactionPayjoinSendWithout": "Lähetä ilman payjoinia", - "@transactionPayjoinSendWithout": { - "description": "Button label to send transaction without payjoin" - }, "transactionSwapProgressInitiated": "Aloitettu", - "@transactionSwapProgressInitiated": { - "description": "Swap progress step: initiated" - }, "transactionSwapProgressPaymentMade": "Maksu\nSuoritettu", - "@transactionSwapProgressPaymentMade": { - "description": "Swap progress step: payment made" - }, "transactionSwapProgressFundsClaimed": "Varat\nLunastettu", - "@transactionSwapProgressFundsClaimed": { - "description": "Swap progress step: funds claimed" - }, "transactionSwapProgressBroadcasted": "Lähetetty", - "@transactionSwapProgressBroadcasted": { - "description": "Swap progress step: transaction broadcasted" - }, "transactionSwapProgressInvoicePaid": "Lasku\nMaksettu", - "@transactionSwapProgressInvoicePaid": { - "description": "Swap progress step: Lightning invoice paid" - }, "transactionSwapProgressConfirmed": "Vahvistettu", - "@transactionSwapProgressConfirmed": { - "description": "Swap progress step: confirmed" - }, "transactionSwapProgressClaim": "Lunastus", - "@transactionSwapProgressClaim": { - "description": "Swap progress step: claim" - }, "transactionSwapProgressCompleted": "Valmis", - "@transactionSwapProgressCompleted": { - "description": "Swap progress step: completed" - }, "transactionSwapProgressInProgress": "Käynnissä", - "@transactionSwapProgressInProgress": { - "description": "Generic swap progress step: in progress" - }, "transactionSwapStatusTransferStatus": "Siirron tila", - "@transactionSwapStatusTransferStatus": { - "description": "Header for transfer status section" - }, "transactionSwapStatusSwapStatus": "Swapin tila", - "@transactionSwapStatusSwapStatus": { - "description": "Header for swap status section" - }, "transactionSwapDescLnReceivePending": "Swap on aloitettu. Odotamme maksun vastaanottamista Lightning-verkossa.", - "@transactionSwapDescLnReceivePending": { - "description": "Description for pending Lightning receive swap" - }, "transactionSwapDescLnReceivePaid": "Swap vastaanotettu! Lähetämme nyt on-chain -transaktion lompakkoosi.", - "@transactionSwapDescLnReceivePaid": { - "description": "Description for paid Lightning receive swap" - }, "transactionSwapDescLnReceiveClaimable": "On-chain -transaktio on vahvistettu. Lunastamme nyt varat ja toteutamme swappisi.", - "@transactionSwapDescLnReceiveClaimable": { - "description": "Description for claimable Lightning receive swap" - }, "transactionSwapDescLnReceiveCompleted": "Swap onnistui! Varat ovat nyt saatavilla lompakossasi.", - "@transactionSwapDescLnReceiveCompleted": { - "description": "Description for completed Lightning receive swap" - }, "transactionSwapDescLnReceiveFailed": "Swapissä ilmeni ongelma. Ota yhteyttä tukeen, jos varoja ei ole palautettu 24 tunnin kuluessa.", - "@transactionSwapDescLnReceiveFailed": { - "description": "Description for failed Lightning receive swap" - }, "transactionSwapDescLnReceiveExpired": "Tämä swap on vanhentunut. Lähetetyt varat palautetaan automaattisesti lähettäjälle.", - "@transactionSwapDescLnReceiveExpired": { - "description": "Description for expired Lightning receive swap" - }, "transactionSwapDescLnReceiveDefault": "Swap on käynnissä. Prosessi on automatisoitu ja voi kestää hetken.", - "@transactionSwapDescLnReceiveDefault": { - "description": "Default description for Lightning receive swap" - }, "transactionSwapDescLnSendPending": "Swap on aloitettu. Lukitsemme varasi lähettämällä on-chain -transaktion.", - "@transactionSwapDescLnSendPending": { - "description": "Description for pending Lightning send swap" - }, "transactionSwapDescLnSendPaid": "On-chain -transaktio on lähetetty verkkoon. Yhden vahvistuksen jälkeen Lightning-maksu lähetetään.", - "@transactionSwapDescLnSendPaid": { - "description": "Description for paid Lightning send swap" - }, "transactionSwapDescLnSendCompleted": "Lightning-maksu on lähetetty onnistuneesti! Swap on nyt valmis.", - "@transactionSwapDescLnSendCompleted": { - "description": "Description for completed Lightning send swap" - }, "transactionSwapDescLnSendFailed": "Swapissa ilmeni ongelma. Varat palautetaan automaattisesti lompakkoosi.", - "@transactionSwapDescLnSendFailed": { - "description": "Description for failed Lightning send swap" - }, "transactionSwapDescLnSendExpired": "Tämä swap on vanhentunut. Varat palautetaan automaattisesti lompakkoosi.", - "@transactionSwapDescLnSendExpired": { - "description": "Description for expired Lightning send swap" - }, "transactionSwapDescLnSendDefault": "Swap on käynnissä. Prosessi on automatisoitu ja voi kestää hetken.", - "@transactionSwapDescLnSendDefault": { - "description": "Default description for Lightning send swap" - }, "transactionSwapDescChainPending": "Swap on luotu, mutta sitä ei ole vielä aloitettu.", - "@transactionSwapDescChainPending": { - "description": "Description for pending chain swap" - }, "transactionSwapDescChainPaid": "Transaktiosi on lähetetty verkkoon. Odotamme nyt lukitustransaktion vahvistusta.", - "@transactionSwapDescChainPaid": { - "description": "Description for paid chain swap" - }, "transactionSwapDescChainClaimable": "Lukitustransaktio on vahvistettu. Voit nyt lunastaa swapin varat.", - "@transactionSwapDescChainClaimable": { - "description": "Description for claimable chain swap" - }, "transactionSwapDescChainRefundable": "Siirto tullaan hyvittämään. Varat palautetaan automaattisesti lompakkoosi.", - "@transactionSwapDescChainRefundable": { - "description": "Description for refundable chain swap" - }, "transactionSwapDescChainCompleted": "Siirtosi on suoritettu onnistuneesti! Varat ovat nyt saatavilla lompakossasi.", - "@transactionSwapDescChainCompleted": { - "description": "Description for completed chain swap" - }, "transactionSwapDescChainFailed": "Siirrossa ilmeni ongelma. Ota yhteyttä tukeen, jos varoja ei ole palautettu 24 tunnin kuluessa.", - "@transactionSwapDescChainFailed": { - "description": "Description for failed chain swap" - }, "transactionSwapDescChainExpired": "Tämä siirto on vanhentunut. Varat palautetaan automaattisesti lompakkoosi.", - "@transactionSwapDescChainExpired": { - "description": "Description for expired chain swap" - }, "transactionSwapDescChainDefault": "Siirtosi on käynnissä. Prosessi on automatisoitu ja voi kestää jonkin aikaa.", - "@transactionSwapDescChainDefault": { - "description": "Default description for chain swap" - }, "transactionSwapInfoFailedExpired": "Jos sinulla on kysyttävää tai huolia, ota yhteyttä tukeen.", - "@transactionSwapInfoFailedExpired": { - "description": "Additional info for failed or expired swaps" - }, "transactionSwapInfoChainDelay": "On-chain -siirrot kestävät jonkin aikaa lohkoketjun vahvistusviiveen vuoksi.", - "@transactionSwapInfoChainDelay": { - "description": "Additional info about chain transfer delays" - }, "transactionSwapInfoClaimableTransfer": "Swappi suoritetaan automaattisesti muutamassa sekunnissa. Jos ei, niin voit yrittää manuaalista lunastusta napsauttamalla \"Yritä uudelleen lunastusta\"-painiketta.", - "@transactionSwapInfoClaimableTransfer": { - "description": "Additional info for claimable transfers" - }, "transactionSwapInfoClaimableSwap": "Vaihto suoritetaan automaattisesti muutamassa sekunnissa. Jos ei, voit yrittää manuaalista noutoa napsauttamalla \"Retry Swap Claim\" -painiketta.", - "@transactionSwapInfoClaimableSwap": { - "description": "Additional info for claimable swaps" - }, "transactionSwapInfoRefundableTransfer": "Tämä siirto hyvitetään automaattisesti muutamassa sekunnissa. Jos ei, voit yrittää manuaalista hyvitystä napsauttamalla \"Retry Transfer Refund\" -painiketta.", - "@transactionSwapInfoRefundableTransfer": { - "description": "Additional info for refundable transfers" - }, "transactionSwapInfoRefundableSwap": "Tämä vaihto hyvitetään automaattisesti muutamassa sekunnissa. Jos ei, voit yrittää manuaalista hyvitystä napsauttamalla \"Retry Swap Refund\" -painiketta.", - "@transactionSwapInfoRefundableSwap": { - "description": "Additional info for refundable swaps" - }, "transactionListOngoingTransfersTitle": "Käynnissä olevat siirrot", - "@transactionListOngoingTransfersTitle": { - "description": "Title for ongoing transfers section" - }, "transactionListOngoingTransfersDescription": "Nämä siirrot ovat parhaillaan käynnissä. Varasi ovat turvassa ja ne tulevat saataville siirron valmistuessa.", - "@transactionListOngoingTransfersDescription": { - "description": "Description for ongoing transfers section" - }, "transactionListLoadingTransactions": "Ladataan transaktioita...", - "@transactionListLoadingTransactions": { - "description": "Message displayed while loading transactions" - }, "transactionListNoTransactions": "Ei transaktioita.", - "@transactionListNoTransactions": { - "description": "Message displayed when there are no transactions" - }, "transactionListToday": "Tänään", - "@transactionListToday": { - "description": "Date label for today's transactions" - }, "transactionListYesterday": "Eilen", - "@transactionListYesterday": { - "description": "Date label for yesterday's transactions" - }, "transactionSwapDoNotUninstall": "Älä poista sovellusta ennen kuin swap on valmis.", - "@transactionSwapDoNotUninstall": { - "description": "Warning message to not uninstall app during swap" - }, "transactionFeesDeductedFrom": "Nämä kulut vähennetään lähetetystä summasta", - "@transactionFeesDeductedFrom": { - "description": "Fee deduction explanation for receiving swaps" - }, "transactionFeesTotalDeducted": "Nämä ovat lähetetystä summasta vähennetyt kokonaiskulut.", - "@transactionFeesTotalDeducted": { - "description": "Fee deduction explanation for sending swaps" - }, "transactionLabelSendAmount": "Lähetettävä määrä", - "@transactionLabelSendAmount": { - "description": "Label for send amount in swap details" - }, "transactionLabelReceiveAmount": "Vastaanotettava määrä", - "@transactionLabelReceiveAmount": { - "description": "Label for receive amount in swap details" - }, "transactionLabelSendNetworkFees": "Transaktion verkkokulut", - "@transactionLabelSendNetworkFees": { - "description": "Label for send network fees in swap details" - }, "transactionLabelReceiveNetworkFee": "Vastaanoton verkkokulu", - "@transactionLabelReceiveNetworkFee": { - "description": "Label for receive network fee in swap details" - }, "transactionLabelServerNetworkFees": "Palvelimen verkkokulut", - "@transactionLabelServerNetworkFees": { - "description": "Label for server network fees in swap details" - }, "transactionLabelPreimage": "Preimage", - "@transactionLabelPreimage": { - "description": "Label for preimage in Lightning swap details" - }, "transactionOrderLabelReferenceNumber": "Viitenumero", - "@transactionOrderLabelReferenceNumber": { - "description": "Label for reference number in order details" - }, "transactionOrderLabelOriginName": "Lähteen nimi", - "@transactionOrderLabelOriginName": { - "description": "Label for origin name in fiat payment order" - }, "transactionOrderLabelOriginCedula": "Lähteen aikataulu", - "@transactionOrderLabelOriginCedula": { - "description": "Label for origin cedula in fiat payment order" - }, "transactionDetailAccelerate": "Kiihdytä", - "@transactionDetailAccelerate": { - "description": "Button label for accelerating (RBF) an unconfirmed transaction" - }, "transactionDetailLabelTransactionId": "Transaktion ID", - "@transactionDetailLabelTransactionId": { - "description": "Label for transaction ID in details" - }, "transactionDetailLabelToWallet": "Kohdelompakko", - "@transactionDetailLabelToWallet": { - "description": "Label for destination wallet" - }, "transactionDetailLabelFromWallet": "Lähdelompakko", - "@transactionDetailLabelFromWallet": { - "description": "Label for source wallet" - }, "transactionDetailLabelRecipientAddress": "Vastaanottajan osoite", - "@transactionDetailLabelRecipientAddress": { - "description": "Label for recipient address" - }, "transactionDetailLabelAddress": "Osoite", - "@transactionDetailLabelAddress": { - "description": "Label for address" - }, "transactionDetailLabelAddressNotes": "Osoitteen kuvaus", - "@transactionDetailLabelAddressNotes": { - "description": "Label for address notes" - }, "transactionDetailLabelAmountReceived": "Vastaanotettu määrä", - "@transactionDetailLabelAmountReceived": { - "description": "Label for amount received" - }, "transactionDetailLabelAmountSent": "Lähetetty määrä", - "@transactionDetailLabelAmountSent": { - "description": "Label for amount sent" - }, "transactionDetailLabelTransactionFee": "Transaktiokulu", - "@transactionDetailLabelTransactionFee": { - "description": "Label for transaction fee" - }, "transactionDetailLabelStatus": "Tila", - "@transactionDetailLabelStatus": { - "description": "Label for status" - }, "transactionDetailLabelConfirmationTime": "Vahvistusaika", - "@transactionDetailLabelConfirmationTime": { - "description": "Label for confirmation time" - }, "transactionDetailLabelOrderType": "Tilaustyyppi", - "@transactionDetailLabelOrderType": { - "description": "Label for order type" - }, "transactionDetailLabelOrderNumber": "Tilausnumero", - "@transactionDetailLabelOrderNumber": { - "description": "Label for order number" - }, "transactionDetailLabelPayinAmount": "Sisäänmaksun määrä", - "@transactionDetailLabelPayinAmount": { - "description": "Label for payin amount" - }, "transactionDetailLabelPayoutAmount": "Ulosmaksun määrä", - "@transactionDetailLabelPayoutAmount": { - "description": "Label for payout amount" - }, "transactionDetailLabelExchangeRate": "Vaihtokurssi", - "@transactionDetailLabelExchangeRate": { - "description": "Label for exchange rate" - }, "transactionDetailLabelPayinMethod": "Sisäänmaksutapa", - "@transactionDetailLabelPayinMethod": { - "description": "Label for payin method" - }, "transactionDetailLabelPayoutMethod": "Ulosmaksutapa", - "@transactionDetailLabelPayoutMethod": { - "description": "Label for payout method" - }, "transactionDetailLabelPayinStatus": "Sisäänmaksun tila", - "@transactionDetailLabelPayinStatus": { - "description": "Label for payin status" - }, "transactionDetailLabelOrderStatus": "Pyynnöntila", - "@transactionDetailLabelOrderStatus": { - "description": "Label for order status" - }, "transactionDetailLabelPayoutStatus": "Ulosmaksun tila", - "@transactionDetailLabelPayoutStatus": { - "description": "Label for payout status" - }, "transactionDetailLabelCreatedAt": "Luotu", - "@transactionDetailLabelCreatedAt": { - "description": "Label for creation time" - }, "transactionDetailLabelCompletedAt": "Suoritettu", - "@transactionDetailLabelCompletedAt": { - "description": "Label for completion time" - }, "transactionDetailLabelTransferId": "Transaktion ID", - "@transactionDetailLabelTransferId": { - "description": "Label for transfer ID" - }, "transactionDetailLabelSwapId": "Swap-ID", - "@transactionDetailLabelSwapId": { - "description": "Label for swap ID" - }, "transactionDetailLabelTransferStatus": "Siirron tila", - "@transactionDetailLabelTransferStatus": { - "description": "Label for transfer status" - }, "transactionDetailLabelSwapStatus": "Swapin tila", - "@transactionDetailLabelSwapStatus": { - "description": "Label for swap status" - }, "transactionDetailLabelRefunded": "Palautettu", - "@transactionDetailLabelRefunded": { - "description": "Label for refunded status" - }, "transactionDetailLabelLiquidTxId": "Liquid-transaktion ID", - "@transactionDetailLabelLiquidTxId": { - "description": "Label for Liquid transaction ID" - }, "transactionDetailLabelBitcoinTxId": "Bitcoin-transaktion ID", - "@transactionDetailLabelBitcoinTxId": { - "description": "Label for Bitcoin transaction ID" - }, "transactionDetailLabelTransferFees": "Siirtokulut", - "@transactionDetailLabelTransferFees": { - "description": "Label for transfer fees" - }, "transactionDetailLabelSwapFees": "Swap-kulut", - "@transactionDetailLabelSwapFees": { - "description": "Label for swap fees" - }, "transactionDetailLabelSendNetworkFee": "Lähetyksen verkkokulu", - "@transactionDetailLabelSendNetworkFee": { - "description": "Label for send network fee" - }, "transactionDetailLabelTransferFee": "Siirtokulu", - "@transactionDetailLabelTransferFee": { - "description": "Label for transfer fee (Boltz fee)" - }, "transactionDetailLabelPayjoinStatus": "Payjoin-tila", - "@transactionDetailLabelPayjoinStatus": { - "description": "Label for payjoin status" - }, "transactionDetailLabelPayjoinCompleted": "Valmis", - "@transactionDetailLabelPayjoinCompleted": { - "description": "Payjoin completed status" - }, "transactionDetailLabelPayjoinExpired": "Vanhentunut", - "@transactionDetailLabelPayjoinExpired": { - "description": "Payjoin expired status" - }, "transactionDetailLabelPayjoinCreationTime": "Payjoin luontiaika", - "@transactionDetailLabelPayjoinCreationTime": { - "description": "Label for payjoin creation time" - }, "globalDefaultBitcoinWalletLabel": "Turvallinen Bitcoin", - "@globalDefaultBitcoinWalletLabel": { - "description": "Oletustunniste Bitcoin-lompakoille, kun niitä käytetään oletuksena" - }, "globalDefaultLiquidWalletLabel": "Pikamaksulompakko", - "@globalDefaultLiquidWalletLabel": { - "description": "Oletustunniste Liquid/pikamaksulompakoille, kun niitä käytetään oletuksena" - }, "walletTypeWatchOnly": "Vain katselu", - "@walletTypeWatchOnly": { - "description": "Wallet type label for watch-only wallets" - }, "walletTypeWatchSigner": "Watch-Signer", - "@walletTypeWatchSigner": { - "description": "Wallet type label for watch-signer wallets" - }, "walletTypeBitcoinNetwork": "Bitcoin-verkko", - "@walletTypeBitcoinNetwork": { - "description": "Wallet type label for Bitcoin network" - }, "walletTypeLiquidLightningNetwork": "Liquid- ja Lightning-verkko", - "@walletTypeLiquidLightningNetwork": { - "description": "Wallet type label for Liquid and Lightning network" - }, "walletNetworkBitcoin": "Bitcoin-verkko", - "@walletNetworkBitcoin": { - "description": "Network label for Bitcoin mainnet" - }, "walletNetworkBitcoinTestnet": "Bitcoin-testnet", - "@walletNetworkBitcoinTestnet": { - "description": "Network label for Bitcoin testnet" - }, "walletNetworkLiquid": "Liquid-verkko", - "@walletNetworkLiquid": { - "description": "Network label for Liquid mainnet" - }, "walletNetworkLiquidTestnet": "Liquid-testnet", - "@walletNetworkLiquidTestnet": { - "description": "Network label for Liquid testnet" - }, "walletAddressTypeConfidentialSegwit": "Luottamuksellinen Segwit", - "@walletAddressTypeConfidentialSegwit": { - "description": "Address type for Liquid wallets" - }, "walletAddressTypeNativeSegwit": "Natiivi Segwit", - "@walletAddressTypeNativeSegwit": { - "description": "Address type for BIP84 wallets" - }, "walletAddressTypeNestedSegwit": "Nested Segwit", - "@walletAddressTypeNestedSegwit": { - "description": "Address type for BIP49 wallets" - }, "walletAddressTypeLegacy": "Perinteinen", - "@walletAddressTypeLegacy": { - "description": "Address type for BIP44 wallets" - }, "walletBalanceUnconfirmedIncoming": "Käynnissä", - "@walletBalanceUnconfirmedIncoming": { - "description": "Label for unconfirmed incoming balance" - }, "walletButtonReceive": "Vastaanota", - "@walletButtonReceive": { - "description": "Button label to receive funds" - }, "walletButtonSend": "Lähetä", - "@walletButtonSend": { - "description": "Button label to send funds" - }, "walletArkInstantPayments": "Välittömät Ark-maksut", - "@walletArkInstantPayments": { - "description": "Title for Ark wallet card" - }, "walletArkExperimental": "Kokeellinen", - "@walletArkExperimental": { - "description": "Description for Ark wallet indicating experimental status" - }, "fundExchangeTitle": "Talleta varoja tilillesi", - "@fundExchangeTitle": { - "description": "AppBar title for funding screen" - }, "fundExchangeAccountTitle": "Talletus", - "@fundExchangeAccountTitle": { - "description": "Main title on the fund exchange account screen" - }, "fundExchangeAccountSubtitle": "Valitse maa ja talletustapa", - "@fundExchangeAccountSubtitle": { - "description": "Subtitle on fund exchange account screen prompting user to select country and payment method" - }, "fundExchangeWarningTitle": "Varo huijareita", - "@fundExchangeWarningTitle": { - "description": "Title of the scammer warning screen" - }, "fundExchangeWarningDescription": "Jos joku pyytää sinua ostamaan Bitcoinia tai \"auttaa\" sinua, ole varovainen — he saattavat yrittää huijata sinua!", - "@fundExchangeWarningDescription": { - "description": "Warning message about potential scammers when funding account" - }, "fundExchangeWarningTacticsTitle": "Yleisimmät huijaritekniikat", - "@fundExchangeWarningTacticsTitle": { - "description": "Title for the list of common scammer tactics" - }, "fundExchangeWarningTactic1": "He lupaavat tuottoja sijoitukselle", - "@fundExchangeWarningTactic1": { - "description": "First scammer tactic warning" - }, "fundExchangeWarningTactic2": "He tarjoavat sinulle lainaa", - "@fundExchangeWarningTactic2": { - "description": "Second scammer tactic warning" - }, "fundExchangeWarningTactic3": "He väittävät työskentelevänsä velkojen tai verojen perinnässä", - "@fundExchangeWarningTactic3": { - "description": "Third scammer tactic warning" - }, "fundExchangeWarningTactic4": "He pyytävät lähettämään Bitcoinia heidän osoitteeseensa", - "@fundExchangeWarningTactic4": { - "description": "Fourth scammer tactic warning" - }, "fundExchangeWarningTactic5": "He pyytävät lähettämään Bitcoinia toisella alustalla", - "@fundExchangeWarningTactic5": { - "description": "Fifth scammer tactic warning" - }, "fundExchangeWarningTactic6": "He haluavat, että jaat näyttösi", - "@fundExchangeWarningTactic6": { - "description": "Sixth scammer tactic warning" - }, "fundExchangeWarningTactic7": "He sanovat, ettet huolehtisi tästä varoituksesta", - "@fundExchangeWarningTactic7": { - "description": "Seventh scammer tactic warning" - }, "fundExchangeWarningTactic8": "He painostavat sinua toimimaan nopeasti", - "@fundExchangeWarningTactic8": { - "description": "Eighth scammer tactic warning" - }, "fundExchangeWarningConfirmation": "Vahvistan, että kukaan ei pakota minua ostamaan Bitcoinia.", - "@fundExchangeWarningConfirmation": { - "description": "Confirmation checkbox text that user is not being coerced to buy Bitcoin" - }, "fundExchangeContinueButton": "Jatka", - "@fundExchangeContinueButton": { - "description": "Button label to continue from warning screen to payment method details" - }, "fundExchangeDoneButton": "Valmis", - "@fundExchangeDoneButton": { - "description": "Button label to finish and exit the funding flow" - }, "fundExchangeJurisdictionCanada": "🇨🇦 Kanada", - "@fundExchangeJurisdictionCanada": { - "description": "Dropdown option for Canada jurisdiction" - }, "fundExchangeJurisdictionEurope": "🇪🇺 Eurooppa (SEPA)", - "@fundExchangeJurisdictionEurope": { - "description": "Dropdown option for Europe SEPA jurisdiction" - }, "fundExchangeJurisdictionMexico": "🇲🇽 Meksiko", - "@fundExchangeJurisdictionMexico": { - "description": "Dropdown option for Mexico jurisdiction" - }, "fundExchangeJurisdictionCostaRica": "🇨🇷 Costa Rica", - "@fundExchangeJurisdictionCostaRica": { - "description": "Dropdown option for Costa Rica jurisdiction" - }, "fundExchangeJurisdictionArgentina": "🇦🇷 Argentiina", - "@fundExchangeJurisdictionArgentina": { - "description": "Dropdown option for Argentina jurisdiction" - }, "fundExchangeMethodEmailETransfer": "Sähköpostin E-siirto", - "@fundExchangeMethodEmailETransfer": { - "description": "Payment method: Email E-Transfer (Canada)" - }, "fundExchangeMethodEmailETransferSubtitle": "Helpoin ja nopein tapa (välitön)", - "@fundExchangeMethodEmailETransferSubtitle": { - "description": "Subtitle for Email E-Transfer payment method" - }, "fundExchangeMethodBankTransferWire": "Pankkisiirto (wire tai EFT)", - "@fundExchangeMethodBankTransferWire": { - "description": "Payment method: Bank Transfer Wire or EFT (Canada)" - }, "fundExchangeMethodBankTransferWireSubtitle": "Paras ja luotettavin vaihtoehto suuremmille summille (samana tai seuraavana päivänä)", - "@fundExchangeMethodBankTransferWireSubtitle": { - "description": "Subtitle for Bank Transfer Wire payment method" - }, "fundExchangeMethodOnlineBillPayment": "Verkkolaskun maksu", - "@fundExchangeMethodOnlineBillPayment": { - "description": "Payment method: Online Bill Payment (Canada)" - }, "fundExchangeMethodOnlineBillPaymentSubtitle": "Hitaimmasta päästä, mutta voidaan tehdä verkkopankissa (3–4 arkipäivää)", - "@fundExchangeMethodOnlineBillPaymentSubtitle": { - "description": "Subtitle for Online Bill Payment method" - }, "fundExchangeMethodCanadaPost": "Käteis- tai korttimaksu Canada Postissa", - "@fundExchangeMethodCanadaPost": { - "description": "Payment method: In-person at Canada Post" - }, "fundExchangeMethodCanadaPostSubtitle": "Paras niille, jotka haluavat maksaa paikan päällä", - "@fundExchangeMethodCanadaPostSubtitle": { - "description": "Subtitle for Canada Post payment method" - }, "fundExchangeMethodInstantSepa": "Instant SEPA", - "@fundExchangeMethodInstantSepa": { - "description": "Payment method: Instant SEPA (Europe)" - }, "fundExchangeMethodInstantSepaSubtitle": "Nopein - vain alle 20 000 euron tapahtumiin", - "@fundExchangeMethodInstantSepaSubtitle": { - "description": "Subtitle for Instant SEPA payment method" - }, "fundExchangeMethodRegularSepa": "Tavallinen SEPA", - "@fundExchangeMethodRegularSepa": { - "description": "Payment method: Regular SEPA (Europe)" - }, "fundExchangeMethodRegularSepaSubtitle": "Käytä vain yli 20 000 euron tapahtumiin", - "@fundExchangeMethodRegularSepaSubtitle": { - "description": "Subtitle for Regular SEPA payment method" - }, "fundExchangeMethodSpeiTransfer": "SPEI-siirto", - "@fundExchangeMethodSpeiTransfer": { - "description": "Payment method: SPEI transfer (Mexico)" - }, "fundExchangeMethodSpeiTransferSubtitle": "Siirrä varoja käyttämällä CLABE-numeroasi", - "@fundExchangeMethodSpeiTransferSubtitle": { - "description": "Subtitle for SPEI transfer payment method" - }, "fundExchangeMethodSinpeTransfer": "SINPE-siirto", - "@fundExchangeMethodSinpeTransfer": { - "description": "Payment method: SINPE Transfer (Costa Rica)" - }, "fundExchangeMethodSinpeTransferSubtitle": "Siirrä koloneita käyttämällä SINPEä", - "@fundExchangeMethodSinpeTransferSubtitle": { - "description": "Subtitle for SINPE Transfer payment method" - }, "fundExchangeMethodCrIbanCrc": "Costa Rica IBAN (CRC)", - "@fundExchangeMethodCrIbanCrc": { - "description": "Payment method: Costa Rica IBAN in Colones" - }, "fundExchangeMethodCrIbanCrcSubtitle": "Siirrä varoja Costa Rican kolóneissa (CRC)", - "@fundExchangeMethodCrIbanCrcSubtitle": { - "description": "Subtitle for Costa Rica IBAN CRC payment method" - }, "fundExchangeMethodCrIbanUsd": "Costa Rica IBAN (USD)", - "@fundExchangeMethodCrIbanUsd": { - "description": "Payment method: Costa Rica IBAN in US Dollars" - }, "fundExchangeMethodCrIbanUsdSubtitle": "Siirrä varoja Yhdysvaltain dollareissa (USD)", - "@fundExchangeMethodCrIbanUsdSubtitle": { - "description": "Subtitle for Costa Rica IBAN USD payment method" - }, "fundExchangeMethodArsBankTransfer": "Pankkisiirto", - "@fundExchangeMethodArsBankTransfer": { - "description": "Payment method: Bank Transfer (Argentina)" - }, "fundExchangeMethodArsBankTransferSubtitle": "Lähetä pankkisiirto pankkitililtäsi", - "@fundExchangeMethodArsBankTransferSubtitle": { - "description": "Subtitle for Argentina bank transfer payment method" - }, "fundExchangeBankTransferWireTitle": "Pankkisiirto (wire)", - "@fundExchangeBankTransferWireTitle": { - "description": "Screen title for bank transfer wire payment details" - }, "fundExchangeBankTransferWireDescription": "Lähetä pankkisiirto pankkitililtäsi käyttäen alla olevia Bull Bitcoinin pankkitietoja. Pankkisi voi vaatia vain osan näistä tiedoista.", - "@fundExchangeBankTransferWireDescription": { - "description": "Description of how to use bank transfer wire method" - }, "fundExchangeBankTransferWireTimeframe": "Lähettämäsi varat lisätään Bull Bitcoin -tilillesi 1–2 arkipäivän kuluessa.", - "@fundExchangeBankTransferWireTimeframe": { - "description": "Timeframe for bank transfer wire funds to be credited" - }, "fundExchangeLabelBeneficiaryName": "Saajan nimi", - "@fundExchangeLabelBeneficiaryName": { - "description": "Label for beneficiary name field" - }, "fundExchangeHelpBeneficiaryName": "Käytä virallista yritysnimeämme. Älä käytä \"Bull Bitcoin\".", - "@fundExchangeHelpBeneficiaryName": { - "description": "Help text for beneficiary name field" - }, "fundExchangeLabelTransferCode": "Siirtokoodi (tilisiirron viestikenttään)", - "@fundExchangeLabelTransferCode": { - "description": "Label for transfer code field" - }, "fundExchangeHelpTransferCode": "Lisää tämä tilisiirron viestiksi", - "@fundExchangeHelpTransferCode": { - "description": "Help text for transfer code field" - }, "fundExchangeInfoTransferCode": "Sinun on lisättävä siirtokoodi tilisiirron \"viestiksi\" tai \"syyksi\".", - "@fundExchangeInfoTransferCode": { - "description": "Info card message about transfer code importance" - }, "fundExchangeLabelBankAccountDetails": "Tilin tiedot", - "@fundExchangeLabelBankAccountDetails": { - "description": "Label for bank account details field" - }, "fundExchangeLabelSwiftCode": "SWIFT-koodi", - "@fundExchangeLabelSwiftCode": { - "description": "Label for SWIFT code field" - }, "fundExchangeLabelInstitutionNumber": "Y-tunnus", - "@fundExchangeLabelInstitutionNumber": { - "description": "Label for institution number field" - }, "fundExchangeLabelTransitNumber": "Siirtotunnus", - "@fundExchangeLabelTransitNumber": { - "description": "Label for transit number field" - }, "fundExchangeLabelRoutingNumber": "Routing-numero", - "@fundExchangeLabelRoutingNumber": { - "description": "Label for routing number field" - }, "fundExchangeLabelBeneficiaryAddress": "Saajan osoite", - "@fundExchangeLabelBeneficiaryAddress": { - "description": "Label for beneficiary address field" - }, "fundExchangeLabelBankName": "Pankin nimi", - "@fundExchangeLabelBankName": { - "description": "Label for bank name field" - }, "fundExchangeLabelBankAddress": "Pankkimme osoite", - "@fundExchangeLabelBankAddress": { - "description": "Label for bank address field" - }, "fundExchangeETransferTitle": "E-siirron tiedot", - "@fundExchangeETransferTitle": { - "description": "Screen title for E-Transfer payment details" - }, "fundExchangeETransferDescription": "Mikä tahansa summa, jonka lähetät pankistasi sähköpostin E-siirrolla alla olevilla tiedoilla, lisätään Bull Bitcoin -tilisi saldolle muutamassa minuutissa.", - "@fundExchangeETransferDescription": { - "description": "Description of how E-Transfer works and timeframe" - }, "fundExchangeETransferLabelBeneficiaryName": "Käytä tätä E-siirron saajan nimenä", - "@fundExchangeETransferLabelBeneficiaryName": { - "description": "Label for E-transfer beneficiary name" - }, "fundExchangeETransferLabelEmail": "Lähetä E-siirto tähän sähköpostiin", - "@fundExchangeETransferLabelEmail": { - "description": "Label for E-transfer recipient email" - }, "fundExchangeETransferLabelSecretQuestion": "Turvakysymys", - "@fundExchangeETransferLabelSecretQuestion": { - "description": "Label for E-transfer security question" - }, "fundExchangeETransferLabelSecretAnswer": "Turvavastaus", - "@fundExchangeETransferLabelSecretAnswer": { - "description": "Label for E-transfer security answer" - }, "fundExchangeOnlineBillPaymentTitle": "Verkkolaskun maksu", - "@fundExchangeOnlineBillPaymentTitle": { - "description": "Screen title for Online Bill Payment details" - }, "fundExchangeOnlineBillPaymentDescription": "Mikä tahansa summa, jonka lähetät pankkisi verkkolaskutoiminnolla alla olevilla tiedoilla, lisätään Bull Bitcoin -tilisi saldolle 3–4 arkipäivän kuluessa.", - "@fundExchangeOnlineBillPaymentDescription": { - "description": "Description of how online bill payment works and timeframe" - }, "fundExchangeOnlineBillPaymentLabelBillerName": "Etsi pankkisi laskuttajaluettelosta tämä nimi", - "@fundExchangeOnlineBillPaymentLabelBillerName": { - "description": "Label for biller name in online bill payment" - }, "fundExchangeOnlineBillPaymentHelpBillerName": "Lisää tämä yritys maksunsaajaksi - se on Bull Bitcoinin maksunvälittäjä", - "@fundExchangeOnlineBillPaymentHelpBillerName": { - "description": "Help text for biller name field" - }, "fundExchangeOnlineBillPaymentLabelAccountNumber": "Lisää tämä tilinumeroksi", - "@fundExchangeOnlineBillPaymentLabelAccountNumber": { - "description": "Label for account number in online bill payment" - }, "fundExchangeOnlineBillPaymentHelpAccountNumber": "Tämä yksilöllinen tilinumero on luotu juuri sinua varten", - "@fundExchangeOnlineBillPaymentHelpAccountNumber": { - "description": "Help text for account number field" - }, "fundExchangeCanadaPostTitle": "Käteis- tai korttimaksu Canada Postissa", - "@fundExchangeCanadaPostTitle": { - "description": "Screen title for Canada Post payment method" - }, "fundExchangeCanadaPostStep1": "1. Mene mihin tahansa Canada Post -toimipisteeseen", - "@fundExchangeCanadaPostStep1": { - "description": "Step 1 for Canada Post payment process" - }, "fundExchangeCanadaPostStep2": "2. Pyydä kassaa skannaamaan \"Loadhub\"-QR-koodi", - "@fundExchangeCanadaPostStep2": { - "description": "Step 2 for Canada Post payment process" - }, "fundExchangeCanadaPostStep3": "3. Kerro kassalle summa, jonka haluat ladata", - "@fundExchangeCanadaPostStep3": { - "description": "Step 3 for Canada Post payment process" - }, "fundExchangeCanadaPostStep4": "4. Kassa pyytää näyttämään viranomaisen myöntämän henkilötodistuksen ja varmistamaan, että nimesi vastaa Bull Bitcoin -tiliäsi", - "@fundExchangeCanadaPostStep4": { - "description": "Step 4 for Canada Post payment process - ID verification" - }, "fundExchangeCanadaPostStep5": "5. Maksa käteisellä tai pankkikortilla", - "@fundExchangeCanadaPostStep5": { - "description": "Step 5 for Canada Post payment process" - }, "fundExchangeCanadaPostStep6": "6. Kassa antaa kuittisi, säilytä se maksutositteena", - "@fundExchangeCanadaPostStep6": { - "description": "Step 6 for Canada Post payment process" - }, "fundExchangeCanadaPostStep7": "7. Varat lisätään Bull Bitcoin -tilillesi 30 minuutin kuluessa", - "@fundExchangeCanadaPostStep7": { - "description": "Step 7 for Canada Post payment process - timeframe" - }, "fundExchangeCanadaPostQrCodeLabel": "Loadhub-QR-koodi", - "@fundExchangeCanadaPostQrCodeLabel": { - "description": "Label for the Loadhub QR code display" - }, "fundExchangeSepaTitle": "SEPA-siirto", - "@fundExchangeSepaTitle": { - "description": "Screen title for SEPA transfer payment details" - }, "fundExchangeSepaDescription": "Lähetä pankista SEPA-tilisiirto, käyttäen alla olevia vastaanottajatietoja ", - "@fundExchangeSepaDescription": { - "description": "Description for SEPA transfer (first part, before 'exactly')" - }, "fundExchangeSepaDescriptionExactly": "sellaisenaan.", - "@fundExchangeSepaDescriptionExactly": { - "description": "Emphasized word 'exactly' in SEPA description" - }, "fundExchangeInstantSepaInfo": "Käytä vain alle 20 000 euron tapahtumiin. Suurempiin tapahtumiin käytä tavallista SEPA-siirtoa.", - "@fundExchangeInstantSepaInfo": { - "description": "Info message for Instant SEPA transaction limits" - }, "fundExchangeRegularSepaInfo": "Käytä vain yli 20 000 euron tapahtumiin. Pienempiin tapahtumiin käytä Instant SEPA-siirtoa.", - "@fundExchangeRegularSepaInfo": { - "description": "Info message for Regular SEPA transaction limits" - }, "fundExchangeLabelIban": "IBAN-tilinumero", - "@fundExchangeLabelIban": { - "description": "Label for IBAN account number field" - }, "fundExchangeLabelBicCode": "BIC-koodi", - "@fundExchangeLabelBicCode": { - "description": "Label for BIC code field" - }, "fundExchangeLabelBankAccountCountry": "Tilin maa", - "@fundExchangeLabelBankAccountCountry": { - "description": "Label for bank account country field" - }, "fundExchangeInfoBankCountryUk": "Pankkimme maa on Yhdistynyt kuningaskunta.", - "@fundExchangeInfoBankCountryUk": { - "description": "Info message that bank country is United Kingdom" - }, "fundExchangeInfoBeneficiaryNameLeonod": "Saajan nimen tulee olla LEONOD. Jos kirjoitat jotain muuta, maksusi hylätään.", - "@fundExchangeInfoBeneficiaryNameLeonod": { - "description": "Critical info about beneficiary name being LEONOD" - }, "fundExchangeInfoPaymentDescription": "Lisää siirtokoodisi tilisiirron viestikenttään.", - "@fundExchangeInfoPaymentDescription": { - "description": "Info about adding transfer code to payment description" - }, "fundExchangeHelpBeneficiaryAddress": "Virallinen osoitteemme, jos pankkisi sitä vaatii", - "@fundExchangeHelpBeneficiaryAddress": { - "description": "Help text for beneficiary address field" - }, "fundExchangeLabelRecipientName": "Vastaanottajan nimi", - "@fundExchangeLabelRecipientName": { - "description": "Label for recipient name field (alternative to beneficiary name)" - }, "fundExchangeLabelBankCountry": "Pankin maa", - "@fundExchangeLabelBankCountry": { - "description": "Label for bank country field" - }, "fundExchangeLabelRecipientAddress": "Vastaanottajan osoite", - "@fundExchangeLabelRecipientAddress": { - "description": "Label for recipient address field" - }, "fundExchangeSpeiTitle": "SPEI-siirto", - "@fundExchangeSpeiTitle": { - "description": "Screen title for SPEI transfer (Mexico)" - }, "fundExchangeSpeiDescription": "Siirrä varoja käyttämällä CLABE-numeroasi", - "@fundExchangeSpeiDescription": { - "description": "Description for SPEI transfer method" - }, "fundExchangeSpeiInfo": "Tee talletus käyttäen SPEI-siirtoa (välitön).", - "@fundExchangeSpeiInfo": { - "description": "Info message about SPEI transfer being instant" - }, "fundExchangeLabelClabe": "CLABE", - "@fundExchangeLabelClabe": { - "description": "Label for CLABE number field (Mexico)" - }, "fundExchangeLabelMemo": "Kuvaus", - "@fundExchangeLabelMemo": { - "description": "Label for memo/reference field" - }, "fundExchangeSinpeTitle": "SINPE-siirto", - "@fundExchangeSinpeTitle": { - "description": "Screen title for SINPE transfer (Costa Rica)" - }, "fundExchangeSinpeDescription": "Siirrä koloneita käyttämällä SINPEä", - "@fundExchangeSinpeDescription": { - "description": "Description for SINPE transfer method" - }, "fundExchangeCrIbanCrcTitle": "Pankkisiirto (CRC)", - "@fundExchangeCrIbanCrcTitle": { - "description": "Screen title for Costa Rica bank transfer in Colones" - }, "fundExchangeCrIbanUsdTitle": "Pankkisiirto (USD)", - "@fundExchangeCrIbanUsdTitle": { - "description": "Screen title for Costa Rica bank transfer in US Dollars" - }, "fundExchangeCrBankTransferDescription1": "Lähetä pankkisiirto pankkitililtäsi käyttäen alla olevia tietoja ", - "@fundExchangeCrBankTransferDescription1": { - "description": "First part of Costa Rica bank transfer description" - }, "fundExchangeCrBankTransferDescriptionExactly": "täsmälleen", - "@fundExchangeCrBankTransferDescriptionExactly": { - "description": "Emphasized word 'exactly' in Costa Rica description" - }, "fundExchangeCrBankTransferDescription2": ". Varat lisätään tilisi saldoon.", - "@fundExchangeCrBankTransferDescription2": { - "description": "Second part of Costa Rica bank transfer description" - }, "fundExchangeLabelIbanCrcOnly": "IBAN-tilinumero (vain koloneille)", - "@fundExchangeLabelIbanCrcOnly": { - "description": "Label for IBAN field - Colones only" - }, "fundExchangeLabelIbanUsdOnly": "IBAN-tilinumero (vain Yhdysvaltain dollareille)", - "@fundExchangeLabelIbanUsdOnly": { - "description": "Label for IBAN field - US Dollars only" - }, "fundExchangeLabelPaymentDescription": "Maksun kuvaus", - "@fundExchangeLabelPaymentDescription": { - "description": "Label for payment description field" - }, "fundExchangeHelpPaymentDescription": "Siirtokoodisi.", - "@fundExchangeHelpPaymentDescription": { - "description": "Help text for payment description field" - }, "fundExchangeInfoTransferCodeRequired": "Sinun on lisättävä siirtokoodi tilisiirron \"viestiksi\", \"syyksi\" tai \"kuvaukseksi\". Jos unohdat lisätä tämän koodin, maksusi voidaan hylätä.", - "@fundExchangeInfoTransferCodeRequired": { - "description": "Important info about transfer code requirement for Costa Rica transfers" - }, "fundExchangeLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (Costa Rica business ID number)" - }, "fundExchangeArsBankTransferTitle": "Pankkisiirto", - "@fundExchangeArsBankTransferTitle": { - "description": "Screen title for Argentina bank transfer" - }, "fundExchangeArsBankTransferDescription": "Lähetä pankkisiirto pankkitililtäsi käyttäen tarkkoja alla olevia Argentiinan pankkitietoja.", - "@fundExchangeArsBankTransferDescription": { - "description": "Description for Argentina bank transfer method" - }, "fundExchangeLabelRecipientNameArs": "Vastaanottajan nimi", - "@fundExchangeLabelRecipientNameArs": { - "description": "Label for recipient name in Argentina transfer" - }, "fundExchangeLabelCvu": "CVU", - "@fundExchangeLabelCvu": { - "description": "Label for CVU (Clave Virtual Uniforme) number in Argentina" - }, "fundExchangeErrorLoadingDetails": "Maksutietoja ei voitu ladata tällä hetkellä. Palaa takaisin ja yritä uudelleen, valitse toinen maksutapa tai tule myöhemmin uudelleen.", - "@fundExchangeErrorLoadingDetails": { - "description": "Error message when funding details fail to load" - }, "fundExchangeSinpeDescriptionBold": "se hylätään.", - "@fundExchangeSinpeDescriptionBold": { - "description": "Bold text warning that payment from wrong number will be rejected" - }, "fundExchangeSinpeAddedToBalance": "Kun maksu on lähetetty, se lisätään tilisi saldoon.", - "@fundExchangeSinpeAddedToBalance": { - "description": "Message explaining that payment will be added to account balance" - }, "fundExchangeSinpeWarningNoBitcoin": "Älä laita", - "@fundExchangeSinpeWarningNoBitcoin": { - "description": "Bold warning text at start of bitcoin warning message" - }, "fundExchangeSinpeWarningNoBitcoinDescription": " sanaa \"Bitcoin\" tai \"Crypto\" maksun kuvaukseen. Tämä estää maksusi.", - "@fundExchangeSinpeWarningNoBitcoinDescription": { - "description": "Warning that including Bitcoin or Crypto in description will block payment" - }, "fundExchangeSinpeLabelPhone": "Lähetä tähän puhelinnumeroon", - "@fundExchangeSinpeLabelPhone": { - "description": "Label for SINPE Móvil phone number field" - }, "fundExchangeSinpeLabelRecipientName": "Vastaanottajan nimi", - "@fundExchangeSinpeLabelRecipientName": { - "description": "Label for recipient name in SINPE transfer" - }, "fundExchangeCrIbanCrcDescription": "Lähetä pankkisiirto pankkitililtäsi käyttäen alla olevia tietoja ", - "@fundExchangeCrIbanCrcDescription": { - "description": "First part of description for CR IBAN CRC transfer" - }, "fundExchangeCrIbanCrcDescriptionBold": "täsmälleen", - "@fundExchangeCrIbanCrcDescriptionBold": { - "description": "Bold emphasis word for CR IBAN transfer instructions" - }, "fundExchangeCrIbanCrcDescriptionEnd": ". Varat lisätään tilisi saldoon.", - "@fundExchangeCrIbanCrcDescriptionEnd": { - "description": "End of description for CR IBAN CRC transfer" - }, "fundExchangeCrIbanCrcLabelIban": "IBAN-tilinumero (vain koloneille)", - "@fundExchangeCrIbanCrcLabelIban": { - "description": "Label for IBAN number field for CRC (Colones) only" - }, "fundExchangeCrIbanCrcLabelPaymentDescription": "Maksun kuvaus", - "@fundExchangeCrIbanCrcLabelPaymentDescription": { - "description": "Label for payment description field in CR IBAN transfer" - }, "fundExchangeCrIbanCrcPaymentDescriptionHelp": "Siirtokoodisi.", - "@fundExchangeCrIbanCrcPaymentDescriptionHelp": { - "description": "Help text explaining payment description is the transfer code" - }, "fundExchangeCrIbanCrcTransferCodeWarning": "Sinun on lisättävä siirtokoodi maksutapahtuman \"viestiksi\", \"syyksi\" tai \"kuvaukseksi\". Jos unohdat lisätä tämän koodin, maksusi voidaan hylätä.", - "@fundExchangeCrIbanCrcTransferCodeWarning": { - "description": "Warning about including transfer code in payment" - }, "fundExchangeCrIbanCrcLabelRecipientName": "Vastaanottajan nimi", - "@fundExchangeCrIbanCrcLabelRecipientName": { - "description": "Label for recipient name in CR IBAN CRC transfer" - }, "fundExchangeCrIbanCrcRecipientNameHelp": "Käytä virallista yritysnimeämme. Älä käytä \"Bull Bitcoin\".", - "@fundExchangeCrIbanCrcRecipientNameHelp": { - "description": "Help text for recipient name field explaining to use corporate name" - }, "fundExchangeCrIbanCrcLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanCrcLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (legal ID number in Costa Rica)" - }, "fundExchangeCrIbanUsdDescription": "Lähetä pankkisiirto pankkitililtäsi käyttäen alla olevia tietoja ", - "@fundExchangeCrIbanUsdDescription": { - "description": "First part of description for CR IBAN USD transfer" - }, "fundExchangeCrIbanUsdDescriptionBold": "täsmälleen", - "@fundExchangeCrIbanUsdDescriptionBold": { - "description": "Bold emphasis word for CR IBAN USD transfer instructions" - }, "fundExchangeCrIbanUsdDescriptionEnd": ". Varat lisätään tilisi saldoon.", - "@fundExchangeCrIbanUsdDescriptionEnd": { - "description": "End of description for CR IBAN USD transfer" - }, "fundExchangeCrIbanUsdLabelIban": "IBAN-tilinumero (vain Yhdysvaltain dollareille)", - "@fundExchangeCrIbanUsdLabelIban": { - "description": "Label for IBAN number field for USD only" - }, "fundExchangeCrIbanUsdLabelPaymentDescription": "Maksun kuvaus", - "@fundExchangeCrIbanUsdLabelPaymentDescription": { - "description": "Label for payment description field in CR IBAN USD transfer" - }, "fundExchangeCrIbanUsdPaymentDescriptionHelp": "Siirtokoodisi.", - "@fundExchangeCrIbanUsdPaymentDescriptionHelp": { - "description": "Help text explaining payment description is the transfer code" - }, "fundExchangeCrIbanUsdTransferCodeWarning": "Sinun on lisättävä siirtokoodi maksutapahtuman \"viestiksi\", \"syyksi\" tai \"kuvaukseksi\". Jos unohdat lisätä tämän koodin, maksusi voidaan hylätä.", - "@fundExchangeCrIbanUsdTransferCodeWarning": { - "description": "Warning about including transfer code in payment for USD transfers" - }, "fundExchangeCrIbanUsdLabelRecipientName": "Vastaanottajan nimi", - "@fundExchangeCrIbanUsdLabelRecipientName": { - "description": "Label for recipient name in CR IBAN USD transfer" - }, "fundExchangeCrIbanUsdRecipientNameHelp": "Käytä virallista yritysnimeämme. Älä käytä \"Bull Bitcoin\".", - "@fundExchangeCrIbanUsdRecipientNameHelp": { - "description": "Help text for recipient name field explaining to use corporate name" - }, "fundExchangeCrIbanUsdLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanUsdLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (legal ID number in Costa Rica) for USD" - }, "fundExchangeCostaRicaMethodSinpeTitle": "SINPE Móvil", - "@fundExchangeCostaRicaMethodSinpeTitle": { - "description": "Payment method title for SINPE Móvil in method list" - }, "fundExchangeCostaRicaMethodSinpeSubtitle": "Siirrä koloneita käyttämällä SINPEä", - "@fundExchangeCostaRicaMethodSinpeSubtitle": { - "description": "Subtitle description for SINPE Móvil payment method" - }, "fundExchangeCostaRicaMethodIbanCrcTitle": "IBAN Costa Rica (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcTitle": { - "description": "Payment method title for IBAN CRC in method list" - }, "fundExchangeCostaRicaMethodIbanCrcSubtitle": "Siirrä varoja Costa Rican kolóneissa (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcSubtitle": { - "description": "Subtitle description for IBAN CRC payment method" - }, "fundExchangeCostaRicaMethodIbanUsdTitle": "IBAN Costa Rica (USD)", - "@fundExchangeCostaRicaMethodIbanUsdTitle": { - "description": "Payment method title for IBAN USD in method list" - }, "fundExchangeCostaRicaMethodIbanUsdSubtitle": "Siirrä varoja Yhdysvaltain dollareissa (USD)", - "@fundExchangeCostaRicaMethodIbanUsdSubtitle": { - "description": "Subtitle description for IBAN USD payment method" - }, "backupWalletTitle": "Varmuuskopioi lompakkosi", - "@backupWalletTitle": { - "description": "AppBar title for main backup options screen" - }, "testBackupTitle": "Testaa lompakkosi varmuuskopio", - "@testBackupTitle": { - "description": "AppBar title for main backup options screen" - }, "backupImportanceMessage": "Ilman varmuuskopiota menetät lopulta pääsyn varoihisi. On äärimmäisen tärkeää tehdä varmuuskopio.", - "@backupImportanceMessage": { - "description": "Critical warning message about the importance of backing up the wallet" - }, "encryptedVaultTitle": "Salattu holvi", - "@encryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, "encryptedVaultDescription": "Anonyymi varmuuskopio vahvalla salauksella pilvipalvelussasi.", - "@encryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, "encryptedVaultTag": "Helppo ja yksinkertainen (1 minuutti)", - "@encryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, "physicalBackupTitle": "Fyysinen varmuuskopio", - "@physicalBackupTitle": { - "description": "Title for physical backup option" - }, "physicalBackupDescription": "Kirjoita 12 sanaa paperille. Säilytä ne turvallisesti äläkä hukkaa niitä.", - "@physicalBackupDescription": { - "description": "Description of physical backup method" - }, "physicalBackupTag": "Luotettava (varaa aikaa)", - "@physicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes time" - }, "howToDecideButton": "Miten valita?", - "@howToDecideButton": { - "description": "Button label to show information about choosing backup methods" - }, "backupBestPracticesTitle": "Varmuuskopion parhaat käytännöt", - "@backupBestPracticesTitle": { - "description": "Title for backup best practices screen" - }, "lastBackupTestLabel": "Viimeisin varmuuskopion testi: {date}", "@lastBackupTestLabel": { - "description": "Label showing the date of the last backup test", "placeholders": { "date": { "type": "String", @@ -15459,120 +945,35 @@ } }, "backupInstruction1": "Jos menetät 12 sanan varmuuskopiosi, et voi palauttaa Bitcoin-lompakkoasi.", - "@backupInstruction1": { - "description": "First backup instruction warning about losing 12 word backup" - }, "backupInstruction2": "Ilman varmuuskopiota, jos menetät tai rikot puhelimesi tai poistat Bull Bitcoin -sovelluksen, bitcoinisi menevät lopullisesti hukkaan.", - "@backupInstruction2": { - "description": "Second backup instruction warning about losing phone or app" - }, "backupInstruction3": "Kuka tahansa, jolla on pääsy 12 sanan varmuuskopioosi, voi varastaa bitcoinisi. Piilota se huolellisesti.", - "@backupInstruction3": { - "description": "Third backup instruction warning about backup security" - }, "backupInstruction4": "Älä tee varmuuskopiostasi digitaalisia kopioita. Kirjoita se paperille tai kaiverra metalliin.", - "@backupInstruction4": { - "description": "Fourth backup instruction about not making digital copies" - }, "backupInstruction5": "Varmuuskopioasi ei ole suojattu salasanalla. Lisää suojasana varmuuskopioosi myöhemmin luomalla uusi lompakko.", - "@backupInstruction5": { - "description": "Fifth backup instruction about passphrase protection" - }, "backupButton": "Varmuuskopioi", - "@backupButton": { - "description": "Button label to start backup process" - }, "backupCompletedTitle": "Varmuuskopio tehty!", - "@backupCompletedTitle": { - "description": "Title shown when backup is completed successfully" - }, "backupCompletedDescription": "Testataan nyt varmuuskopio varmistaaksemme, että kaikki tehtiin oikein.", - "@backupCompletedDescription": { - "description": "Description prompting user to test their backup" - }, "testBackupButton": "Testaa varmuuskopio", - "@testBackupButton": { - "description": "Button label to test backup" - }, "keyServerLabel": "Avainpalvelin ", - "@keyServerLabel": { - "description": "Label for key server status" - }, "physicalBackupStatusLabel": "Fyysinen varmuuskopio", - "@physicalBackupStatusLabel": { - "description": "Status label for physical backup" - }, "encryptedVaultStatusLabel": "Salattu holvi", - "@encryptedVaultStatusLabel": { - "description": "Status label for encrypted vault" - }, "testedStatus": "Testattu", - "@testedStatus": { - "description": "Status text indicating backup has been tested" - }, "notTestedStatus": "Ei testattu", - "@notTestedStatus": { - "description": "Status text indicating backup has not been tested" - }, "startBackupButton": "Aloita varmuuskopiointi", - "@startBackupButton": { - "description": "Button label to start backup process" - }, "exportVaultButton": "Vie holviin", - "@exportVaultButton": { - "description": "Button label to export vault" - }, "exportingVaultButton": "Viedään...", - "@exportingVaultButton": { - "description": "Button label shown while exporting vault" - }, "viewVaultKeyButton": "Näytä holvin avain", - "@viewVaultKeyButton": { - "description": "Button label to view vault key" - }, "revealingVaultKeyButton": "Paljastetaan...", - "@revealingVaultKeyButton": { - "description": "Button label shown while revealing vault key" - }, "errorLabel": "Virhe", - "@errorLabel": { - "description": "Label for error messages" - }, "backupKeyTitle": "Varmuuskopion avain", - "@backupKeyTitle": { - "description": "Title for backup key screen" - }, "failedToDeriveBackupKey": "Varmuuskopioavainta ei voitu johtaa", - "@failedToDeriveBackupKey": { - "description": "Error message when backup key derivation fails" - }, "securityWarningTitle": "Turvallisuusvaroitus", - "@securityWarningTitle": { - "description": "Title for security warning dialog" - }, "backupKeyWarningMessage": "Varoitus: Ole varovainen, mihin tallennat varmuuskopioavaimen.", - "@backupKeyWarningMessage": { - "description": "Warning message about backup key storage" - }, "backupKeySeparationWarning": "On elintärkeää, ettet tallenna varmuuskopioavainta samaan paikkaan kuin varmuuskopiotiedostoa. Säilytä ne aina eri laitteilla tai eri pilvipalveluissa.", - "@backupKeySeparationWarning": { - "description": "Warning about storing backup key and file separately" - }, "backupKeyExampleWarning": "Esimerkiksi jos käytit Google Drivea varmuuskopiotiedostoon, älä käytä Google Drivea varmuuskopioavaimelle.", - "@backupKeyExampleWarning": { - "description": "Example warning about not using same cloud provider" - }, "cancelButton": "Peruuta", - "@cancelButton": { - "description": "Button to cancel logout action" - }, "continueButton": "Jatka", - "@continueButton": { - "description": "Default button text for success state" - }, "testWalletTitle": "Testaa {walletName}", "@testWalletTitle": { - "description": "Title for testing wallet backup", "placeholders": { "walletName": { "type": "String", @@ -15581,48 +982,17 @@ } }, "defaultWalletsLabel": "Oletuslompakot", - "@defaultWalletsLabel": { - "description": "Label for default wallets" - }, "confirmButton": "Vahvista", - "@confirmButton": { - "description": "Button label to confirm action" - }, "recoveryPhraseTitle": "Kirjoita siemenlauseen\nsanat järjestyksessä", - "@recoveryPhraseTitle": { - "description": "Title instructing user to write down recovery phrase" - }, "storeItSafelyMessage": "Säilytä se turvallisessa paikassa.", - "@storeItSafelyMessage": { - "description": "Instruction to store recovery phrase safely" - }, "doNotShareWarning": "ÄLÄ JAA KENENKÄÄN KANSSA", - "@doNotShareWarning": { - "description": "Warning to not share recovery phrase with anyone" - }, "transcribeLabel": "Kirjoita ylös", - "@transcribeLabel": { - "description": "Label indicating user should transcribe the words" - }, "digitalCopyLabel": "Digitaalinen kopio", - "@digitalCopyLabel": { - "description": "Label for digital copy (with X mark)" - }, "screenshotLabel": "Näyttökuva", - "@screenshotLabel": { - "description": "Label for screenshot (with X mark)" - }, "nextButton": "Seuraava", - "@nextButton": { - "description": "Button label to go to next step" - }, "tapWordsInOrderTitle": "Napauta palautussanoja \noikeassa järjestyksessä", - "@tapWordsInOrderTitle": { - "description": "Title instructing user to tap words in order" - }, "whatIsWordNumberPrompt": "Mikä on sana numero {number}?", "@whatIsWordNumberPrompt": { - "description": "Prompt asking for specific word number", "placeholders": { "number": { "type": "int", @@ -15631,96 +1001,29 @@ } }, "allWordsSelectedMessage": "Olet valinnut kaikki sanat", - "@allWordsSelectedMessage": { - "description": "Message shown when all words are selected" - }, "verifyButton": "Vahvista", - "@verifyButton": { - "description": "Button label to verify recovery phrase" - }, "passphraseLabel": "Suojaussana", - "@passphraseLabel": { - "description": "Label for optional passphrase input field" - }, "testYourWalletTitle": "Testaa lompakkosi", - "@testYourWalletTitle": { - "description": "Title for test your wallet screen" - }, "vaultSuccessfullyImported": "Holvisi tuotiin onnistuneesti", - "@vaultSuccessfullyImported": { - "description": "Message shown when vault is imported successfully" - }, "backupIdLabel": "Varmuuskopio-ID:", - "@backupIdLabel": { - "description": "Label for backup ID" - }, "createdAtLabel": "Luotu:", - "@createdAtLabel": { - "description": "Label for creation date" - }, "enterBackupKeyManuallyButton": "Syötä varmuuskopion avain manuaalisesti >>", - "@enterBackupKeyManuallyButton": { - "description": "Button label to enter backup key manually" - }, "decryptVaultButton": "Pura holvi", - "@decryptVaultButton": { - "description": "Button label to decrypt vault" - }, "testCompletedSuccessTitle": "Testi suoritettu onnistuneesti!", - "@testCompletedSuccessTitle": { - "description": "Title shown when backup test is successful" - }, "testCompletedSuccessMessage": "Pystyt palauttamaan pääsyn kadonneeseen Bitcoin-lompakkoon", - "@testCompletedSuccessMessage": { - "description": "Message shown when backup test is successful" - }, "gotItButton": "Selvä", - "@gotItButton": { - "description": "Button label to acknowledge successful test" - }, "legacySeedViewScreenTitle": "Vanhat siemenlauseet", - "@legacySeedViewScreenTitle": { - "description": "AppBar title for legacy seeds screen" - }, "legacySeedViewNoSeedsMessage": "Vanhoja siemenlauseita ei löytynyt.", - "@legacySeedViewNoSeedsMessage": { - "description": "Message shown when no legacy seeds are found" - }, "legacySeedViewMnemonicLabel": "Muistikas", - "@legacySeedViewMnemonicLabel": { - "description": "Label for mnemonic words display" - }, "legacySeedViewPassphrasesLabel": "Salafraasit:", - "@legacySeedViewPassphrasesLabel": { - "description": "Label for passphrases section" - }, "legacySeedViewEmptyPassphrase": "(tyhjä)", - "@legacySeedViewEmptyPassphrase": { - "description": "Text shown for empty passphrase" - }, "enterBackupKeyManuallyTitle": "Syötä varmuuskopion avain manuaalisesti", - "@enterBackupKeyManuallyTitle": { - "description": "Title for enter backup key manually screen" - }, "enterBackupKeyManuallyDescription": "Jos olet vienyt varmuuskopioavaimen ja tallentanut sen erilliseen sijaintiin itse, voit syöttää sen manuaalisesti täällä. Muuten palaa edelliselle näytölle.", - "@enterBackupKeyManuallyDescription": { - "description": "Description for entering backup key manually" - }, "enterBackupKeyLabel": "Syötä varmuuskopion avain", - "@enterBackupKeyLabel": { - "description": "Label for backup key input field" - }, "backupKeyHint": "acc8b7b12daf06412f45a90b7fd2…", - "@backupKeyHint": { - "description": "Hint text for backup key input" - }, "automaticallyFetchKeyButton": "Hae avain automaattisesti >>", - "@automaticallyFetchKeyButton": { - "description": "Button label to automatically fetch key" - }, "enterYourPinTitle": "Syötä {pinOrPassword}", "@enterYourPinTitle": { - "description": "Title for entering PIN or password", "placeholders": { "pinOrPassword": { "type": "String", @@ -15730,7 +1033,6 @@ }, "enterYourBackupPinTitle": "Syötä varmuuskopion {pinOrPassword}", "@enterYourBackupPinTitle": { - "description": "Title for entering backup PIN or password", "placeholders": { "pinOrPassword": { "type": "String", @@ -15740,7 +1042,6 @@ }, "enterPinToContinueMessage": "Syötä {pinOrPassword} jatkaaksesi", "@enterPinToContinueMessage": { - "description": "Message prompting user to enter PIN/password to continue", "placeholders": { "pinOrPassword": { "type": "String", @@ -15750,7 +1051,6 @@ }, "testBackupPinMessage": "Testaa, että muistat varmuuskopion {pinOrPassword}", "@testBackupPinMessage": { - "description": "Message prompting user to test backup PIN/password", "placeholders": { "pinOrPassword": { "type": "String", @@ -15759,104 +1059,31 @@ } }, "passwordLabel": "Salasana", - "@passwordLabel": { - "description": "Label for password input field" - }, "pickPasswordInsteadButton": "Valitse salasana sen sijaan >>", - "@pickPasswordInsteadButton": { - "description": "Button label to switch to password input" - }, "pickPinInsteadButton": "Valitse PIN sen sijaan >>", - "@pickPinInsteadButton": { - "description": "Button label to switch to PIN input" - }, "recoverYourWalletTitle": "Palauta lompakkosi", - "@recoverYourWalletTitle": { - "description": "Title for recover wallet screen" - }, "recoverViaCloudDescription": "Palauta varmuuskopio pilvestä PIN-koodillasi.", - "@recoverViaCloudDescription": { - "description": "Description for recovering via cloud" - }, "recoverVia12WordsDescription": "Palauta lompakkosi 12 sanan avulla.", - "@recoverVia12WordsDescription": { - "description": "Description for recovering via 12 words" - }, "recoverButton": "Palauta", - "@recoverButton": { - "description": "Button label to recover wallet" - }, "recoverWalletButton": "Palauta lompakko", - "@recoverWalletButton": { - "description": "Button label to recover wallet" - }, "importMnemonicTitle": "Tuo muistilauseke", - "@importMnemonicTitle": { - "description": "AppBar title for mnemonic import screen" - }, "howToDecideBackupTitle": "Miten valita", - "@howToDecideBackupTitle": { - "description": "Title for how to decide backup method modal" - }, "howToDecideBackupText1": "Yksi yleisimmistä tavoista, joilla ihmiset menettävät Bitcoininsa, on fyysisen varmuuskopion katoaminen. Kuka tahansa, joka löytää fyysisen varmuuskopiosi, voi ottaa kaikki Bitcoinisi. Jos olet erittäin varma, että osaat piilottaa sen hyvin etkä koskaan menetä sitä, se on hyvä vaihtoehto.", - "@howToDecideBackupText1": { - "description": "First paragraph explaining backup method decision" - }, "howToDecideBackupText2": "Salattu holvi estää varkaita varastamasta varmuuskopioasi. Se myös estää sinua vahingossa menettämästä varmuuskopiota, koska se tallennetaan pilveen. Pilvipalveluntarjoajilla, kuten Googlella tai Applella, ei ole pääsyä Bitcoineihisi, koska salausavain on liian vahva. On kuitenkin pieni mahdollisuus, että palvelin, joka tallentaa varmuuskopion salausavaimen, voi joutua vaarantumaan. Tällöin varmuuskopion turvallisuus pilvitilissäsi voi olla uhattuna.", - "@howToDecideBackupText2": { - "description": "Second paragraph explaining encrypted vault benefits and risks" - }, "physicalBackupRecommendation": "Fyysinen varmuuskopio: ", - "@physicalBackupRecommendation": { - "description": "Bold label for physical backup recommendation" - }, "physicalBackupRecommendationText": "Olet varma, että osaat piilottaa ja säilyttää Bitcoin-siemenlauseen turvallisesti.", - "@physicalBackupRecommendationText": { - "description": "Text explaining when to use physical backup" - }, "encryptedVaultRecommendation": "Salattu holvi: ", - "@encryptedVaultRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, "encryptedVaultRecommendationText": "Et ole varma ja tarvitset enemmän aikaa oppia varmuuskopioinnin turvallisuuskäytännöistä.", - "@encryptedVaultRecommendationText": { - "description": "Text explaining when to use encrypted vault" - }, "visitRecoverBullMessage": "Lisätietoja osoitteessa recoverbull.com.", - "@visitRecoverBullMessage": { - "description": "Message with link to more information" - }, "howToDecideVaultLocationText1": "Pilvipalveluntarjoajilla, kuten Googlella tai Applella, ei ole pääsyä Bitcoineihisi, koska salausavain on liian vahva. He voivat saada pääsyn vain epätodennäköisessä tilanteessa, jossa he tekevät yhteistyötä avainpalvelimen kanssa (verkkopalvelu, joka tallentaa salausavaimen). Jos avainpalvelin koskaan hakkeroidaan, Bitcoinesi voivat olla vaarassa Google- tai Apple-pilvessä.", - "@howToDecideVaultLocationText1": { - "description": "First paragraph explaining vault location decision" - }, "howToDecideVaultLocationText2": "Mukautettu sijainti voi olla paljon turvallisempi valinnasta riippuen. Sinun on myös varmistettava, ettet menetä varmuuskopiotiedostoa tai laitetta, johon se on tallennettu.", - "@howToDecideVaultLocationText2": { - "description": "Second paragraph explaining custom location benefits" - }, "customLocationRecommendation": "Mukautettu sijainti: ", - "@customLocationRecommendation": { - "description": "Bold label for custom location recommendation" - }, "customLocationRecommendationText": "Olet varma, ettet menetä holvitiedostoa ja että se on edelleen saatavilla, jos menetät puhelimesi.", - "@customLocationRecommendationText": { - "description": "Text explaining when to use custom location" - }, "googleAppleCloudRecommendation": "Google tai Apple -pilvi: ", - "@googleAppleCloudRecommendation": { - "description": "Bold label for Google/Apple cloud recommendation" - }, "googleAppleCloudRecommendationText": "Haluat varmistaa, ettet koskaan menetä pääsyä holvitiedostoosi, vaikka menetät laitteesi.", - "@googleAppleCloudRecommendationText": { - "description": "Text explaining when to use Google/Apple cloud" - }, "chooseVaultLocationTitle": "Valitse holvin sijainti", - "@chooseVaultLocationTitle": { - "description": "Title for choose vault location screen" - }, "lastKnownEncryptedVault": "Viimeksi tunnettu salattu holvi: {date}", "@lastKnownEncryptedVault": { - "description": "Label showing last known encrypted vault date", "placeholders": { "date": { "type": "String", @@ -15865,80 +1092,25 @@ } }, "googleDriveSignInMessage": "Sinun täytyy kirjautua Google Driveen", - "@googleDriveSignInMessage": { - "description": "Message about needing to sign in to Google Drive" - }, "googleDrivePrivacyMessage": "Google pyytää jakamaan henkilökohtaisia tietoja tämän sovelluksen kanssa.", - "@googleDrivePrivacyMessage": { - "description": "Message about Google requesting personal information" - }, "informationWillNotLeave": "Tämä tieto ", - "@informationWillNotLeave": { - "description": "First part of privacy assurance message" - }, "willNot": "eivät poistu ", - "@willNot": { - "description": "Bold part of privacy assurance (will not)" - }, "leaveYourPhone": "puhelimestasi eikä niitä ", - "@leaveYourPhone": { - "description": "Middle part of privacy assurance message" - }, "never": "koskaan ", - "@never": { - "description": "Bold part of privacy assurance (never)" - }, "sharedWithBullBitcoin": "jaeta Bull Bitcoinin kanssa.", - "@sharedWithBullBitcoin": { - "description": "End part of privacy assurance message" - }, "savingToDevice": "Tallennetaan laitteellesi.", - "@savingToDevice": { - "description": "Message shown when saving to device" - }, "loadingBackupFile": "Ladataan varmuuskopiotiedostoa...", - "@loadingBackupFile": { - "description": "Message shown while loading backup file" - }, "pleaseWaitFetching": "Odota, kun haemme varmuuskopiotiedostoasi.", - "@pleaseWaitFetching": { - "description": "Message asking user to wait while fetching backup" - }, "googleDriveProvider": "Google Drive", - "@googleDriveProvider": { - "description": "Name of Google Drive provider" - }, "appleICloudProvider": "Apple iCloud", - "@appleICloudProvider": { - "description": "Name of Apple iCloud provider" - }, "customLocationProvider": "Mukautettu sijainti", - "@customLocationProvider": { - "description": "Name of custom location provider" - }, "quickAndEasyTag": "Nopea ja helppo", - "@quickAndEasyTag": { - "description": "Tag for quick and easy options" - }, "takeYourTimeTag": "Ota aikaa", - "@takeYourTimeTag": { - "description": "Tag for options requiring more time" - }, "customLocationTitle": "Mukautettu sijainti", - "@customLocationTitle": { - "description": "Title for custom location screen" - }, "recoverWalletScreenTitle": "Palauta lompakko", - "@recoverWalletScreenTitle": { - "description": "Title for recover wallet screen" - }, "recoverbullVaultRecoveryTitle": "Recoverbull-holvin palautus", - "@recoverbullVaultRecoveryTitle": { - "description": "Title for recoverbull vault recovery screen" - }, "chooseAccessPinTitle": "Valitse käyttö {pinOrPassword}", "@chooseAccessPinTitle": { - "description": "Title for choosing access PIN or password", "placeholders": { "pinOrPassword": { "type": "String", @@ -15948,7 +1120,6 @@ }, "memorizePasswordWarning": "Sinun täytyy muistaa tämä {pinOrPassword} palauttaaksesi pääsyn lompakkoosi. Sen on oltava vähintään 6 numeroa pitkä. Jos menetät tämän {pinOrPassword} et voi palauttaa varmuuskopioasi.", "@memorizePasswordWarning": { - "description": "Warning about memorizing PIN/password", "placeholders": { "pinOrPassword": { "type": "String", @@ -15958,7 +1129,6 @@ }, "passwordTooCommonError": "Tämä {pinOrPassword} on liian yleinen. Valitse toinen.", "@passwordTooCommonError": { - "description": "Error message for common password", "placeholders": { "pinOrPassword": { "type": "String", @@ -15968,7 +1138,6 @@ }, "passwordMinLengthError": "{pinOrPassword} on oltava vähintään 6 numeroa pitkä", "@passwordMinLengthError": { - "description": "Error message for password minimum length", "placeholders": { "pinOrPassword": { "type": "String", @@ -15978,7 +1147,6 @@ }, "pickPasswordOrPinButton": "Valitse {pinOrPassword} sen sijaan >>", "@pickPasswordOrPinButton": { - "description": "Button to switch between PIN and password", "placeholders": { "pinOrPassword": { "type": "String", @@ -15988,7 +1156,6 @@ }, "confirmAccessPinTitle": "Vahvista käyttö {pinOrPassword}", "@confirmAccessPinTitle": { - "description": "Title for confirming access PIN or password", "placeholders": { "pinOrPassword": { "type": "String", @@ -15998,7 +1165,6 @@ }, "enterPinAgainMessage": "Syötä {pinOrPassword} uudelleen jatkaaksesi.", "@enterPinAgainMessage": { - "description": "Message asking to re-enter PIN/password", "placeholders": { "pinOrPassword": { "type": "String", @@ -16008,7 +1174,6 @@ }, "usePasswordInsteadButton": "Käytä {pinOrPassword} sen sijaan >>", "@usePasswordInsteadButton": { - "description": "Button to use password/PIN instead", "placeholders": { "pinOrPassword": { "type": "String", @@ -16017,84 +1182,26 @@ } }, "oopsSomethingWentWrong": "Hups! Jotain meni pieleen", - "@oopsSomethingWentWrong": { - "description": "Error title when something goes wrong" - }, "connectingToKeyServer": "Tor-verkkoyhteys avainpalvelimeen avautuu.\nTämä voi kestää jopa minuutin.", - "@connectingToKeyServer": { - "description": "Message shown while connecting to key server via Tor" - }, "anErrorOccurred": "Tapahtui virhe", - "@anErrorOccurred": { - "description": "Generic error message" - }, "dcaSetRecurringBuyTitle": "Määritä toistuva osto", - "@dcaSetRecurringBuyTitle": { - "description": "AppBar title for the main DCA setup screen" - }, "dcaInsufficientBalanceTitle": "Saldo ei riitä", - "@dcaInsufficientBalanceTitle": { - "description": "InfoCard title when user has insufficient funds" - }, "dcaInsufficientBalanceDescription": "Sinulla ei ole tarpeeksi saldoa luodaksesi tämän pyynnön.", - "@dcaInsufficientBalanceDescription": { - "description": "InfoCard description explaining insufficient balance error" - }, "dcaFundAccountButton": "Talletus", - "@dcaFundAccountButton": { - "description": "Button label to navigate to funding screen" - }, "dcaScheduleDescription": "Bitcoin-ostot tehdään automaattisesti tämän aikataulun mukaan.", - "@dcaScheduleDescription": { - "description": "Explanation text at the top of DCA setup form" - }, "dcaFrequencyValidationError": "Valitse aikataulu", - "@dcaFrequencyValidationError": { - "description": "Form validation error when no frequency is selected" - }, "dcaContinueButton": "Jatka", - "@dcaContinueButton": { - "description": "Button label to proceed to next step in DCA flow" - }, "dcaConfirmRecurringBuyTitle": "Vahvista toistuva osto", - "@dcaConfirmRecurringBuyTitle": { - "description": "AppBar title for confirmation screen" - }, "dcaConfirmationDescription": "Ostot tehdään automaattisesti näiden asetusten mukaan. Voit poistaa ne käytöstä milloin tahansa.", - "@dcaConfirmationDescription": { - "description": "Explanation text at the top of confirmation screen" - }, "dcaFrequencyLabel": "Aikataulu", - "@dcaFrequencyLabel": { - "description": "Label for frequency detail row" - }, "dcaFrequencyHourly": "tunti", - "@dcaFrequencyHourly": { - "description": "Hourly DCA frequency" - }, "dcaFrequencyDaily": "päivä", - "@dcaFrequencyDaily": { - "description": "Daily DCA frequency" - }, "dcaFrequencyWeekly": "viikko", - "@dcaFrequencyWeekly": { - "description": "Weekly DCA frequency" - }, "dcaFrequencyMonthly": "kuukausi", - "@dcaFrequencyMonthly": { - "description": "Monthly DCA frequency" - }, "dcaAmountLabel": "Määrä", - "@dcaAmountLabel": { - "description": "Label for amount detail row" - }, "dcaPaymentMethodLabel": "Maksutapa", - "@dcaPaymentMethodLabel": { - "description": "Label for payment method detail row" - }, "dcaPaymentMethodValue": "{currency} saldo", "@dcaPaymentMethodValue": { - "description": "Value for payment method with currency code placeholder", "placeholders": { "currency": { "type": "String" @@ -16102,36 +1209,14 @@ } }, "dcaOrderTypeLabel": "Tilaustyyppi", - "@dcaOrderTypeLabel": { - "description": "Label for order type detail row" - }, "dcaOrderTypeValue": "Toistuva osto", - "@dcaOrderTypeValue": { - "description": "Value for order type" - }, "dcaNetworkLabel": "Verkko", - "@dcaNetworkLabel": { - "description": "Label for network detail row" - }, "dcaNetworkBitcoin": "Bitcoin-verkko", - "@dcaNetworkBitcoin": { - "description": "Bitcoin network label for DCA" - }, "dcaNetworkLightning": "Lightning-verkko", - "@dcaNetworkLightning": { - "description": "Lightning network label for DCA" - }, "dcaNetworkLiquid": "Liquid-verkko", - "@dcaNetworkLiquid": { - "description": "Liquid network label for DCA" - }, "dcaLightningAddressLabel": "Lightning-osoite", - "@dcaLightningAddressLabel": { - "description": "Label for Lightning address detail row (shown only for Lightning network)" - }, "dcaConfirmationError": "Jotain meni pieleen: {error}", "@dcaConfirmationError": { - "description": "Error message displayed when confirmation fails", "placeholders": { "error": { "type": "String" @@ -16139,16 +1224,9 @@ } }, "dcaConfirmButton": "Jatka", - "@dcaConfirmButton": { - "description": "Button label to confirm and activate DCA" - }, "dcaSuccessTitle": "Toistuva osto on aktiivinen!", - "@dcaSuccessTitle": { - "description": "Success screen title after DCA is activated" - }, "dcaSuccessMessageHourly": "Ostat {amount} joka tunti", "@dcaSuccessMessageHourly": { - "description": "Success message for hourly frequency", "placeholders": { "amount": { "type": "String" @@ -16157,7 +1235,6 @@ }, "dcaSuccessMessageDaily": "Ostat {amount} joka päivä", "@dcaSuccessMessageDaily": { - "description": "Success message for daily frequency", "placeholders": { "amount": { "type": "String" @@ -16166,7 +1243,6 @@ }, "dcaSuccessMessageWeekly": "Ostat {amount} joka viikko", "@dcaSuccessMessageWeekly": { - "description": "Success message for weekly frequency", "placeholders": { "amount": { "type": "String" @@ -16175,7 +1251,6 @@ }, "dcaSuccessMessageMonthly": "Ostat {amount} joka kuukausi", "@dcaSuccessMessageMonthly": { - "description": "Success message for monthly frequency", "placeholders": { "amount": { "type": "String" @@ -16183,172 +1258,48 @@ } }, "dcaBackToHomeButton": "Kotisivulle", - "@dcaBackToHomeButton": { - "description": "Button label to return to exchange home screen" - }, "dcaChooseWalletTitle": "Valitse Bitcoin-lompakko", - "@dcaChooseWalletTitle": { - "description": "AppBar title for wallet selection screen" - }, "dcaWalletSelectionDescription": "Bitcoin-ostot tehdään automaattisesti tämän aikataulun mukaan.", - "@dcaWalletSelectionDescription": { - "description": "Explanation text at the top of wallet selection screen" - }, "dcaNetworkValidationError": "Valitse verkko", - "@dcaNetworkValidationError": { - "description": "Form validation error when no network is selected" - }, "dcaEnterLightningAddressLabel": "Syötä Lightning-osoite", - "@dcaEnterLightningAddressLabel": { - "description": "Label for Lightning address text input field" - }, "dcaLightningAddressEmptyError": "Syötä Lightning-osoite", - "@dcaLightningAddressEmptyError": { - "description": "Validation error when Lightning address field is empty" - }, "dcaLightningAddressInvalidError": "Syötä kelvollinen Lightning-osoite", - "@dcaLightningAddressInvalidError": { - "description": "Validation error when Lightning address format is invalid" - }, "dcaUseDefaultLightningAddress": "Käytä oletus Lightning-osoitettani.", - "@dcaUseDefaultLightningAddress": { - "description": "Checkbox label to use default Lightning address" - }, "dcaWalletSelectionContinueButton": "Jatka", - "@dcaWalletSelectionContinueButton": { - "description": "Button label to proceed to confirmation screen" - }, "dcaSelectFrequencyLabel": "Aikataulu", - "@dcaSelectFrequencyLabel": { - "description": "Label above frequency selection radio buttons" - }, "dcaSelectWalletTypeLabel": "Valitse Bitcoin-lompakon tyyppi", - "@dcaSelectWalletTypeLabel": { - "description": "Label above wallet type selection radio buttons" - }, "dcaWalletTypeBitcoin": "Bitcoin (BTC)", - "@dcaWalletTypeBitcoin": { - "description": "Radio button option for Bitcoin wallet" - }, "dcaWalletTypeLightning": "Lightning-verkko (LN)", - "@dcaWalletTypeLightning": { - "description": "Radio button option for Lightning wallet" - }, "dcaWalletTypeLiquid": "Liquid (LBTC)", - "@dcaWalletTypeLiquid": { - "description": "Radio button option for Liquid wallet" - }, "dcaWalletBitcoinSubtitle": "Vähintään 0.001 BTC", - "@dcaWalletBitcoinSubtitle": { - "description": "Subtitle/description for Bitcoin wallet option" - }, "dcaWalletLightningSubtitle": "Vaatii yhteensopivan lompakon, enintään 0.25 BTC", - "@dcaWalletLightningSubtitle": { - "description": "Subtitle/description for Lightning wallet option" - }, "dcaWalletLiquidSubtitle": "Vaatii yhteensopivan lompakon", - "@dcaWalletLiquidSubtitle": { - "description": "Subtitle/description for Liquid wallet option" - }, "swapInternalTransferTitle": "Sisäinen siirto", - "@swapInternalTransferTitle": { - "description": "AppBar title on the amount entry page" - }, "swapConfirmTransferTitle": "Vahvista siirto", - "@swapConfirmTransferTitle": { - "description": "AppBar title on the confirmation page" - }, "swapInfoDescription": "Siirrä Bitcoin sujuvasti lompakoidesi välillä. Säilytä varoja pikamaksulompakossa vain päivittäistä käyttöä varten.", - "@swapInfoDescription": { - "description": "Information banner text on amount page" - }, "swapTransferFrom": "Siirrä lähteestä", - "@swapTransferFrom": { - "description": "Label for source wallet dropdown" - }, "swapTransferTo": "Siirrä kohteeseen", - "@swapTransferTo": { - "description": "Label for destination wallet dropdown" - }, "swapTransferAmount": "Siirrettävä määrä", - "@swapTransferAmount": { - "description": "Label for amount input field" - }, "swapYouPay": "Maksat", - "@swapYouPay": { - "description": "Label in swap card for payment amount" - }, "swapYouReceive": "Saat", - "@swapYouReceive": { - "description": "Label in swap card for receiving amount" - }, "swapAvailableBalance": "Käytettävissä oleva saldo", - "@swapAvailableBalance": { - "description": "Available balance label" - }, "swapMaxButton": "Maksimi", - "@swapMaxButton": { - "description": "Button to use maximum available balance" - }, "swapTotalFees": "Kokonaiskulut ", - "@swapTotalFees": { - "description": "Total fees label" - }, "swapContinueButton": "Jatka", - "@swapContinueButton": { - "description": "Button to proceed from amount page to confirmation" - }, "swapGoHomeButton": "Palaa kotisivulle", - "@swapGoHomeButton": { - "description": "Button to return home from progress page" - }, "swapTransferPendingTitle": "Siirto vireillä", - "@swapTransferPendingTitle": { - "description": "Title during pending swap status" - }, "swapTransferPendingMessage": "Siirto on käynnissä. Bitcoin-transaktiot voivat kestää hetken vahvistua. Voit palata kotisivulle ja odottaa.", - "@swapTransferPendingMessage": { - "description": "Message shown during pending swap" - }, "swapTransferCompletedTitle": "Siirto suoritettu", - "@swapTransferCompletedTitle": { - "description": "Title when swap completes successfully" - }, "swapTransferCompletedMessage": "Hienoa, siirto on suoritettu onnistuneesti.", - "@swapTransferCompletedMessage": { - "description": "Success message after transfer completion" - }, "swapTransferRefundInProgressTitle": "Siirron hyvitys käynnissä", - "@swapTransferRefundInProgressTitle": { - "description": "Title when swap is being refunded" - }, "swapTransferRefundInProgressMessage": "Swap epäonnistui ja hyvitys on käynnissä.", - "@swapTransferRefundInProgressMessage": { - "description": "Message during refund process" - }, "swapTransferRefundedTitle": "Siirto hyvitetty", - "@swapTransferRefundedTitle": { - "description": "Title when swap has been refunded" - }, "swapTransferRefundedMessage": "Siirto on hyvitetty onnistuneesti.", - "@swapTransferRefundedMessage": { - "description": "Refund completion message" - }, "swapAmountPlaceholder": "0", - "@swapAmountPlaceholder": { - "description": "Placeholder for amount input fields" - }, "swapErrorBalanceTooLow": "Saldo liian pieni minimisiirtoa varten", - "@swapErrorBalanceTooLow": { - "description": "Error when balance is below minimum swap limit" - }, "swapErrorAmountExceedsMaximum": "Määrä ylittää suurimman sallitun siirtomäärän", - "@swapErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum swap limit" - }, "swapErrorAmountBelowMinimum": "Määrä on alle minimisiirtomäärän: {min} sats", "@swapErrorAmountBelowMinimum": { - "description": "Error shown when amount is below minimum", "placeholders": { "min": { "type": "String" @@ -16357,7 +1308,6 @@ }, "swapErrorAmountAboveMaximum": "Määrä ylittää suurimman sallitun siirtomäärän: {max} sats", "@swapErrorAmountAboveMaximum": { - "description": "Error shown when amount is above maximum", "placeholders": { "max": { "type": "String" @@ -16365,56 +1315,19 @@ } }, "swapErrorInsufficientFunds": "Transaktiota ei voitu muodostaa. Todennäköisesti syynä on riittämättömät varat kulujen ja määrän kattamiseen.", - "@swapErrorInsufficientFunds": { - "description": "Error when transaction cannot be built due to insufficient funds" - }, "swapTransferTitle": "Siirto", - "@swapTransferTitle": { - "description": "AppBar title on the main swap page" - }, "swapExternalTransferLabel": "Ulkoinen siirto", - "@swapExternalTransferLabel": { - "description": "Label for external transfer toggle" - }, "swapFromLabel": "Lähteestä", - "@swapFromLabel": { - "description": "Label for source wallet dropdown" - }, "swapToLabel": "Kohteeseen", - "@swapToLabel": { - "description": "Label for destination wallet dropdown or address input" - }, "swapAmountLabel": "Määrä", - "@swapAmountLabel": { - "description": "Label for amount input section" - }, "swapReceiveExactAmountLabel": "Vastaanota tarkka määrä", - "@swapReceiveExactAmountLabel": { - "description": "Label when receive exact amount toggle is on" - }, "swapSubtractFeesLabel": "Vähennä kulut määrästä", - "@swapSubtractFeesLabel": { - "description": "Label when receive exact amount toggle is off" - }, "swapExternalAddressHint": "Syötä ulkoinen lompakon osoite", - "@swapExternalAddressHint": { - "description": "Hint text for external address input" - }, "swapValidationEnterAmount": "Syötä määrä", - "@swapValidationEnterAmount": { - "description": "Validation error when amount is empty" - }, "swapValidationPositiveAmount": "Syötä positiivinen määrä", - "@swapValidationPositiveAmount": { - "description": "Validation error when amount is not positive" - }, "swapValidationInsufficientBalance": "Riittämätön saldo", - "@swapValidationInsufficientBalance": { - "description": "Validation error when amount exceeds wallet balance" - }, "swapValidationMinimumAmount": "Minimimäärä on {amount} {currency}", "@swapValidationMinimumAmount": { - "description": "Validation error when amount is below minimum", "placeholders": { "amount": { "type": "String" @@ -16426,7 +1339,6 @@ }, "swapValidationMaximumAmount": "Maksimimäärä on {amount} {currency}", "@swapValidationMaximumAmount": { - "description": "Validation error when amount exceeds maximum", "placeholders": { "amount": { "type": "String" @@ -16437,56 +1349,19 @@ } }, "swapValidationSelectFromWallet": "Valitse lompakko, josta siirretään", - "@swapValidationSelectFromWallet": { - "description": "Validation error when no source wallet selected" - }, "swapValidationSelectToWallet": "Valitse lompakko, johon siirretään", - "@swapValidationSelectToWallet": { - "description": "Validation error when no destination wallet selected" - }, "swapDoNotUninstallWarning": "Älä poista sovellusta ennen kuin swappi valmistuu!", - "@swapDoNotUninstallWarning": { - "description": "Warning message during pending transfer" - }, "pinSecurityTitle": "PIN-koodi", - "@pinSecurityTitle": { - "description": "AppBar title for PIN settings screen" - }, "pinManageDescription": "PIN-koodiasetukset", - "@pinManageDescription": { - "description": "Headline text on PIN settings screen" - }, "pinProtectionDescription": "PIN suojaa pääsyn lompakkoosi ja asetuksiin. Pidä se muistissa.", - "@pinProtectionDescription": { - "description": "Informational text explaining PIN purpose" - }, "pinButtonChange": "Vaihda PIN-koodi", - "@pinButtonChange": { - "description": "Button label when PIN already exists" - }, "pinButtonCreate": "Luo PIN-koodi", - "@pinButtonCreate": { - "description": "Button label when no PIN exists" - }, "pinButtonRemove": "Poista PIN-koodi käytöstä", - "@pinButtonRemove": { - "description": "Button label to delete existing PIN" - }, "pinAuthenticationTitle": "Tunnistautuminen", - "@pinAuthenticationTitle": { - "description": "AppBar title for create/confirm PIN screens" - }, "appUnlockScreenTitle": "Tunnistautuminen", - "@appUnlockScreenTitle": { - "description": "Title of the app unlock screen" - }, "pinCreateHeadline": "Luo uusi PIN-koodi", - "@pinCreateHeadline": { - "description": "Headline text on PIN creation screen" - }, "pinValidationError": "PIN-koodin vähimmäispituus on {minLength} numeroa", "@pinValidationError": { - "description": "Error message when PIN is too short", "placeholders": { "minLength": { "type": "String" @@ -16494,28 +1369,12 @@ } }, "pinButtonContinue": "Jatka", - "@pinButtonContinue": { - "description": "Button label to proceed after entering new PIN" - }, "pinConfirmHeadline": "Vahvista uusi PIN-koodi", - "@pinConfirmHeadline": { - "description": "Headline text on PIN confirmation screen" - }, "pinConfirmMismatchError": "PIN-koodit eivät täsmää", - "@pinConfirmMismatchError": { - "description": "Error message when confirmation PIN doesn't match original" - }, "pinButtonConfirm": "Vahvista", - "@pinButtonConfirm": { - "description": "Button label to submit confirmed PIN" - }, "appUnlockEnterPinMessage": "Avaaminen vaatii PIN-koodin", - "@appUnlockEnterPinMessage": { - "description": "Message prompting user to enter their PIN code to unlock the app" - }, "appUnlockIncorrectPinError": "Väärä PIN-koodi. Yritä uudelleen. ({failedAttempts} {attemptsWord})", "@appUnlockIncorrectPinError": { - "description": "Error message shown when user enters incorrect PIN", "placeholders": { "failedAttempts": { "type": "int" @@ -16526,100 +1385,30 @@ } }, "appUnlockAttemptSingular": "epäonnistunut yritys", - "@appUnlockAttemptSingular": { - "description": "Singular form of 'attempt' for failed unlock attempts" - }, "appUnlockAttemptPlural": "epäonnistunutta yritystä", - "@appUnlockAttemptPlural": { - "description": "Plural form of 'attempts' for failed unlock attempts" - }, "appUnlockButton": "Avaa", - "@appUnlockButton": { - "description": "Button label to unlock the app" - }, "pinStatusLoading": "Ladataan", - "@pinStatusLoading": { - "description": "Status screen title during initialization" - }, "pinStatusCheckingDescription": "Tarkistetaan PIN-koodia", - "@pinStatusCheckingDescription": { - "description": "Status screen description during initialization" - }, "pinStatusProcessing": "Käsitellään", - "@pinStatusProcessing": { - "description": "Status screen title during PIN save/delete operations" - }, "pinStatusSettingUpDescription": "PIN-koodin määrittäminen", - "@pinStatusSettingUpDescription": { - "description": "Status screen description during PIN save/delete operations" - }, "autoswapSettingsTitle": "Automaattisen swapin asetukset", - "@autoswapSettingsTitle": { - "description": "Main header/title of the auto swap settings bottom sheet" - }, "autoswapEnableToggleLabel": "Ota käyttöön automaattiset swapit", - "@autoswapEnableToggleLabel": { - "description": "Label for the main toggle switch to enable/disable auto transfer feature" - }, "autoswapMaxBalanceLabel": "Pikamaksulompakon enimmäissaldo", - "@autoswapMaxBalanceLabel": { - "description": "Label for amount threshold input field" - }, "autoswapMaxBalanceInfoText": "Kun lompakon saldo ylittää kaksinkertaisen tämän summan, automaattinen swap aktivoituu palauttaakseen saldon tälle tasolle", - "@autoswapMaxBalanceInfoText": { - "description": "Help text explaining how the max balance threshold works" - }, "autoswapMaxFeeLabel": "Suurin siirtokulu", - "@autoswapMaxFeeLabel": { - "description": "Label for fee threshold percentage input field" - }, "autoswapMaxFeeInfoText": "Jos kokonaissiirtokulu on asetettua prosenttiosuutta korkeampi, automaattiset swapit estetään", - "@autoswapMaxFeeInfoText": { - "description": "Help text explaining how the max fee threshold works" - }, "autoswapRecipientWalletLabel": "Vastaanottajan Bitcoin-lompakko", - "@autoswapRecipientWalletLabel": { - "description": "Label for wallet selection dropdown" - }, "autoswapRecipientWalletRequired": "*", - "@autoswapRecipientWalletRequired": { - "description": "Required field indicator asterisk" - }, "autoswapRecipientWalletPlaceholder": "Valitse Bitcoin-lompakko", - "@autoswapRecipientWalletPlaceholder": { - "description": "Dropdown placeholder text when no wallet is selected" - }, "autoswapRecipientWalletPlaceholderRequired": "Valitse Bitcoin-lompakko *", - "@autoswapRecipientWalletPlaceholderRequired": { - "description": "Dropdown placeholder with required indicator when auto transfer is enabled" - }, "autoswapRecipientWalletInfoText": "Valitse, mikä Bitcoin-lompakko vastaanottaa swapatut varat (pakollinen)", - "@autoswapRecipientWalletInfoText": { - "description": "Help text explaining wallet selection" - }, "autoswapRecipientWalletDefaultLabel": "Bitcoin-lompakko", - "@autoswapRecipientWalletDefaultLabel": { - "description": "Default label shown for wallets without a custom label in the dropdown" - }, "autoswapAlwaysBlockLabel": "Älä swappaa korkeilla kuluilla", - "@autoswapAlwaysBlockLabel": { - "description": "Label for toggle to always block high fee transfers" - }, "autoswapAlwaysBlockInfoEnabled": "Kun tämä on käytössä, automaattiset swapit, joiden kulut ylittävät asetetun rajan, estetään aina", - "@autoswapAlwaysBlockInfoEnabled": { - "description": "Help text when always block is enabled" - }, "autoswapAlwaysBlockInfoDisabled": "Kun tämä on pois käytöstä, sinulle tarjotaan mahdollisuus sallia automaattiset swapit, jotka on estetty korkeiden kulujen vuoksi", - "@autoswapAlwaysBlockInfoDisabled": { - "description": "Help text when always block is disabled" - }, "autoswapSaveButton": "Tallenna", - "@autoswapSaveButton": { - "description": "Save button label at bottom of settings sheet" - }, "autoswapSaveErrorMessage": "Asetusten tallennus epäonnistui: {error}", "@autoswapSaveErrorMessage": { - "description": "SnackBar error message when save fails", "placeholders": { "error": { "type": "String" @@ -16627,24 +1416,11 @@ } }, "autoswapLoadSettingsError": "Automaattisen swapin asetusten lataus epäonnistui", - "@autoswapLoadSettingsError": { - "description": "Error message when loading settings fails" - }, "autoswapUpdateSettingsError": "Automaattisen swapin asetusten päivitys epäonnistui", - "@autoswapUpdateSettingsError": { - "description": "Error message when updating settings fails" - }, "autoswapSelectWalletError": "Valitse vastaanottajan Bitcoin-lompakko", - "@autoswapSelectWalletError": { - "description": "Validation error when trying to enable auto transfer without selecting a wallet" - }, "autoswapAutoSaveError": "Asetusten tallennus epäonnistui", - "@autoswapAutoSaveError": { - "description": "Error message when auto-save on disable fails" - }, "autoswapMinimumThresholdErrorBtc": "Minimisaldon raja on {amount} BTC", "@autoswapMinimumThresholdErrorBtc": { - "description": "Validation error shown when amount threshold is below minimum (BTC display)", "placeholders": { "amount": { "type": "String" @@ -16653,7 +1429,6 @@ }, "autoswapMinimumThresholdErrorSats": "Minimisaldon raja on {amount} sat", "@autoswapMinimumThresholdErrorSats": { - "description": "Validation error shown when amount threshold is below minimum (sats display)", "placeholders": { "amount": { "type": "String" @@ -16662,7 +1437,6 @@ }, "autoswapMaximumFeeError": "Suurin kuluraja on {threshold}%", "@autoswapMaximumFeeError": { - "description": "Validation error shown when fee threshold exceeds maximum", "placeholders": { "threshold": { "type": "String" @@ -16670,108 +1444,32 @@ } }, "autoswapTriggerBalanceError": "Aloitussaldon on oltava vähintään saldo x2", - "@autoswapTriggerBalanceError": { - "description": "Validation error shown when trigger balance is less than 2x the base balance" - }, "arkNoTransactionsYet": "Ei vielä transaktioita.", - "@arkNoTransactionsYet": { - "description": "Empty state message shown when user has no transaction history" - }, "arkToday": "Tänään", - "@arkToday": { - "description": "Date label for transactions from today" - }, "arkYesterday": "Eilen", - "@arkYesterday": { - "description": "Date label for transactions from yesterday" - }, "arkSettleTransactions": "Viimeistele transaktiot", - "@arkSettleTransactions": { - "description": "Bottom sheet title for settling pending transactions" - }, "arkSettleDescription": "Viimeistele vireillä olevat transaktiot ja sisällytä tarvittaessa palautettavat vtxot", - "@arkSettleDescription": { - "description": "Description explaining what settling transactions does" - }, "arkIncludeRecoverableVtxos": "Sisällytä palautettavat vtxot", - "@arkIncludeRecoverableVtxos": { - "description": "Label for toggle switch to include recoverable vtxos when settling" - }, "arkCancelButton": "Peruuta", - "@arkCancelButton": { - "description": "Cancel button label in settle bottom sheet" - }, "arkSettleButton": "Vahvista", - "@arkSettleButton": { - "description": "Settle button label" - }, "arkReceiveTitle": "Ark Vastaanotto", - "@arkReceiveTitle": { - "description": "AppBar title for Ark receive screen" - }, "arkUnifiedAddressCopied": "Yhdistetty osoite kopioitu", - "@arkUnifiedAddressCopied": { - "description": "SnackBar message when unified address is copied to clipboard" - }, "arkCopyAddress": "Kopioi osoite", - "@arkCopyAddress": { - "description": "Button label to expand and show address details for copying" - }, "arkUnifiedAddressBip21": "Yhdistetty osoite (BIP21)", - "@arkUnifiedAddressBip21": { - "description": "Label for the BIP21 unified address field" - }, "arkBtcAddress": "BTC-osoite", - "@arkBtcAddress": { - "description": "Label for the Bitcoin address field" - }, "arkArkAddress": "Ark-osoite", - "@arkArkAddress": { - "description": "Label for the Ark address field" - }, "arkSendTitle": "Lähetä", - "@arkSendTitle": { - "description": "AppBar title for Ark send screen" - }, "arkRecipientAddress": "Vastaanottajan osoite", - "@arkRecipientAddress": { - "description": "Label for recipient address input field" - }, "arkAddressPlaceholder": "ark1qp9wsjfpsj5v5ex022v6…", - "@arkAddressPlaceholder": { - "description": "Placeholder text for recipient address input" - }, "arkConfirmedBalance": "Vahvistettu saldo", - "@arkConfirmedBalance": { - "description": "Label for confirmed balance row" - }, "arkPendingBalance": "Vireillä oleva saldo", - "@arkPendingBalance": { - "description": "Label for pending balance row" - }, "arkConfirmButton": "Vahvista", - "@arkConfirmButton": { - "description": "Confirm button to proceed with send transaction" - }, "arkCollaborativeRedeem": "Yhteistyölunastus", - "@arkCollaborativeRedeem": { - "description": "Bottom sheet title for collaborative redeem for BTC address sends" - }, "arkRecoverableVtxos": "Palautettavat vtxot", - "@arkRecoverableVtxos": { - "description": "Label for switch to include recoverable vtxos in redeem" - }, "arkRedeemButton": "Lunasta", - "@arkRedeemButton": { - "description": "Confirm button to execute collaborative redeem" - }, "arkInstantPayments": "Välittömät Ark-maksut", - "@arkInstantPayments": { - "description": "Main page title in top bar" - }, "arkSettleTransactionCount": "Vahvista {count} {transaction}", "@arkSettleTransactionCount": { - "description": "Button label showing number of unsettled transactions", "placeholders": { "count": { "type": "String" @@ -16782,132 +1480,38 @@ } }, "arkTransaction": "transaktio", - "@arkTransaction": { - "description": "Singular form for transaction count" - }, "arkTransactions": "transaktiot", - "@arkTransactions": { - "description": "Plural form for transaction count" - }, "arkReceiveButton": "Vastaanota", - "@arkReceiveButton": { - "description": "Bottom button to navigate to receive page" - }, "arkSendButton": "Lähetä", - "@arkSendButton": { - "description": "Bottom button to navigate to send page" - }, "arkTxTypeBoarding": "Boarding", - "@arkTxTypeBoarding": { - "description": "Transaction type label for boarding transactions" - }, "arkTxTypeCommitment": "Commitment", - "@arkTxTypeCommitment": { - "description": "Transaction type label for commitment transactions" - }, "arkTxTypeRedeem": "Lunastus", - "@arkTxTypeRedeem": { - "description": "Transaction type label for redeem transactions" - }, "arkTransactionDetails": "Transaktion tiedot", - "@arkTransactionDetails": { - "description": "AppBar title for transaction details page" - }, "arkStatusConfirmed": "Vahvistettu", - "@arkStatusConfirmed": { - "description": "Status label for confirmed boarding transactions" - }, "arkStatusPending": "Vireillä", - "@arkStatusPending": { - "description": "Status label for pending transactions" - }, "arkStatusSettled": "Hyvitetty", - "@arkStatusSettled": { - "description": "Status label for settled redeem transactions" - }, "arkTransactionId": "Transaktio-ID", - "@arkTransactionId": { - "description": "Label for transaction ID field in details table" - }, "arkType": "Tyyppi", - "@arkType": { - "description": "Label for transaction type field in details table" - }, "arkStatus": "Tila", - "@arkStatus": { - "description": "Label for transaction status field in details table" - }, "arkAmount": "Määrä", - "@arkAmount": { - "description": "Label for transaction amount field in details table" - }, "arkDate": "Päivämäärä", - "@arkDate": { - "description": "Label for transaction date field in details table" - }, "arkBalanceBreakdown": "Saldon erittely", - "@arkBalanceBreakdown": { - "description": "Title of bottom sheet showing balance breakdown" - }, "arkConfirmed": "Vahvistettu", - "@arkConfirmed": { - "description": "Label for confirmed balance in breakdown" - }, "arkPending": "Vireillä", - "@arkPending": { - "description": "Label for pending balance in breakdown" - }, "arkTotal": "Yhteensä", - "@arkTotal": { - "description": "Label for total balance in breakdown" - }, "arkBalanceBreakdownTooltip": "Saldon erittely", - "@arkBalanceBreakdownTooltip": { - "description": "Tooltip for info button that opens balance breakdown" - }, "arkAboutTitle": "Tietoja", - "@arkAboutTitle": { - "description": "AppBar title for Ark about screen" - }, "arkServerUrl": "Palvelimen URL", - "@arkServerUrl": { - "description": "Label for server URL field" - }, "arkServerPubkey": "Palvelimen julkinen avain", - "@arkServerPubkey": { - "description": "Label for server public key field" - }, "arkForfeitAddress": "Forfeit-osoite", - "@arkForfeitAddress": { - "description": "Label for forfeit address field" - }, "arkNetwork": "Verkko", - "@arkNetwork": { - "description": "Label for network field" - }, "arkDust": "Pieniä jäämiä", - "@arkDust": { - "description": "Label for dust amount field" - }, "arkSessionDuration": "Istunnon kesto", - "@arkSessionDuration": { - "description": "Label for session duration field" - }, "arkBoardingExitDelay": "Boarding-poistumisviive", - "@arkBoardingExitDelay": { - "description": "Label for boarding exit delay field" - }, "arkUnilateralExitDelay": "Yksipuolinen poistumisviive", - "@arkUnilateralExitDelay": { - "description": "Label for unilateral exit delay field" - }, "arkEsploraUrl": "Esplora URL", - "@arkEsploraUrl": { - "description": "Label for Esplora URL field" - }, "arkDurationSeconds": "{seconds} sekuntia", "@arkDurationSeconds": { - "description": "Duration format for seconds", "placeholders": { "seconds": { "type": "String" @@ -16916,7 +1520,6 @@ }, "arkDurationMinute": "{minutes} minuutti", "@arkDurationMinute": { - "description": "Duration format for singular minute", "placeholders": { "minutes": { "type": "String" @@ -16925,7 +1528,6 @@ }, "arkDurationMinutes": "{minutes} minuuttia", "@arkDurationMinutes": { - "description": "Duration format for plural minutes", "placeholders": { "minutes": { "type": "String" @@ -16934,7 +1536,6 @@ }, "arkDurationHour": "{hours} tunti", "@arkDurationHour": { - "description": "Duration format for singular hour", "placeholders": { "hours": { "type": "String" @@ -16943,7 +1544,6 @@ }, "arkDurationHours": "{hours} tuntia", "@arkDurationHours": { - "description": "Duration format for plural hours", "placeholders": { "hours": { "type": "String" @@ -16952,7 +1552,6 @@ }, "arkDurationDay": "{days} päivä", "@arkDurationDay": { - "description": "Duration format for singular day", "placeholders": { "days": { "type": "String" @@ -16961,7 +1560,6 @@ }, "arkDurationDays": "{days} päivää", "@arkDurationDays": { - "description": "Duration format for plural days", "placeholders": { "days": { "type": "String" @@ -16969,12 +1567,8 @@ } }, "arkCopy": "Kopioi", - "@arkCopy": { - "description": "Button label to copy field value to clipboard" - }, "arkCopiedToClipboard": "{label} kopioitu leikepöydälle", "@arkCopiedToClipboard": { - "description": "SnackBar message when field is copied", "placeholders": { "label": { "type": "String" @@ -16982,260 +1576,70 @@ } }, "arkSendSuccessTitle": "Lähetys onnistui", - "@arkSendSuccessTitle": { - "description": "Title shown after successful Ark send transaction" - }, "arkSendSuccessMessage": "Ark-siirtosi onnistui!", - "@arkSendSuccessMessage": { - "description": "Success message shown after Ark send transaction completes" - }, "arkBoardingUnconfirmed": "Boarding vahvistamatta", - "@arkBoardingUnconfirmed": { - "description": "Label for unconfirmed boarding balance in Ark balance breakdown" - }, "arkBoardingConfirmed": "Boarding vahvistettu", - "@arkBoardingConfirmed": { - "description": "Label for confirmed boarding balance in Ark balance breakdown" - }, "arkPreconfirmed": "Ennakkovahvistettu", - "@arkPreconfirmed": { - "description": "Label for preconfirmed balance in Ark balance breakdown" - }, "arkSettled": "Hyvitetty", - "@arkSettled": { - "description": "Label for settled balance in Ark balance breakdown" - }, "arkAvailable": "Käytettävissä", - "@arkAvailable": { - "description": "Label for available balance in Ark balance breakdown" - }, "arkNoBalanceData": "Ei saldotietoja saatavilla", - "@arkNoBalanceData": { - "description": "Message shown when Ark balance data is not available" - }, "arkTxPending": "Vireillä", - "@arkTxPending": { - "description": "Status label for pending Ark transactions" - }, "arkTxBoarding": "Boarding", - "@arkTxBoarding": { - "description": "Transaction type label for Ark boarding transactions" - }, "arkTxSettlement": "Vahvistus", - "@arkTxSettlement": { - "description": "Transaction type label for Ark settlement transactions" - }, "arkTxPayment": "Maksu", - "@arkTxPayment": { - "description": "Transaction type label for Ark payment transactions" - }, "arkSatsUnit": "sat", - "@arkSatsUnit": { - "description": "Unit label for satoshis in Ark transaction details" - }, "bitboxErrorPermissionDenied": "USB-oikeudet vaaditaan BitBox-laitteiden yhdistämiseen.", - "@bitboxErrorPermissionDenied": { - "description": "Error when USB permissions are not granted for BitBox" - }, "bitboxErrorNoDevicesFound": "BitBox-laitteita ei löytynyt. Varmista, että laitteesi on päällä ja liitetty USB:llä.", - "@bitboxErrorNoDevicesFound": { - "description": "Error when no BitBox devices are detected" - }, "bitboxErrorMultipleDevicesFound": "Useita BitBox-laitteita löydetty. Varmista, että vain yksi laite on kytketty.", - "@bitboxErrorMultipleDevicesFound": { - "description": "Error when multiple BitBox devices are connected" - }, "bitboxErrorDeviceNotFound": "BitBox-laitetta ei löydy.", - "@bitboxErrorDeviceNotFound": { - "description": "Error when BitBox device cannot be found" - }, "bitboxErrorConnectionTypeNotInitialized": "Yhteystyyppiä ei ole alustettu.", - "@bitboxErrorConnectionTypeNotInitialized": { - "description": "Error when connection type is not initialized" - }, "bitboxErrorNoActiveConnection": "Ei aktiivista yhteyttä BitBox-laitteeseen.", - "@bitboxErrorNoActiveConnection": { - "description": "Error when there is no active connection to BitBox" - }, "bitboxErrorDeviceMismatch": "Laitteiden vastaavuusvirhe havaittu.", - "@bitboxErrorDeviceMismatch": { - "description": "Error when connected device does not match expected device" - }, "bitboxErrorInvalidMagicBytes": "Virheellinen PSBT-muoto havaittu.", - "@bitboxErrorInvalidMagicBytes": { - "description": "Error when PSBT has invalid magic bytes" - }, "bitboxErrorDeviceNotPaired": "Laite ei ole paritettu. Suorita paritusprosessi ensin.", - "@bitboxErrorDeviceNotPaired": { - "description": "Error when BitBox device is not paired" - }, "bitboxErrorHandshakeFailed": "Turvallisen yhteyden muodostaminen epäonnistui. Yritä uudelleen.", - "@bitboxErrorHandshakeFailed": { - "description": "Error when handshake with BitBox device fails" - }, "bitboxErrorOperationTimeout": "Toiminto aikakatkaistiin. Yritä uudelleen.", - "@bitboxErrorOperationTimeout": { - "description": "Error when BitBox operation times out" - }, "bitboxErrorConnectionFailed": "Yhteyden muodostaminen BitBox-laitteeseen epäonnistui. Tarkista yhteytesi.", - "@bitboxErrorConnectionFailed": { - "description": "Error when connection to BitBox device fails" - }, "bitboxErrorInvalidResponse": "Virheellinen vastaus BitBox-laitteelta. Yritä uudelleen.", - "@bitboxErrorInvalidResponse": { - "description": "Error when BitBox returns an invalid response" - }, "bitboxErrorOperationCancelled": "Toiminto peruutettiin. Yritä uudelleen.", - "@bitboxErrorOperationCancelled": { - "description": "Error when BitBox operation is cancelled" - }, "bitboxActionUnlockDeviceTitle": "Avaa BitBox-laite", - "@bitboxActionUnlockDeviceTitle": { - "description": "Title for unlock device action" - }, "bitboxActionPairDeviceTitle": "Parita BitBox-laite", - "@bitboxActionPairDeviceTitle": { - "description": "Title for pair device action" - }, "bitboxActionImportWalletTitle": "Tuo BitBox-lompakko", - "@bitboxActionImportWalletTitle": { - "description": "Title for import wallet action" - }, "bitboxActionSignTransactionTitle": "Allekirjoita transaktio", - "@bitboxActionSignTransactionTitle": { - "description": "Title for sign transaction action" - }, "bitboxActionVerifyAddressTitle": "Vahvista osoite BitBoxissa", - "@bitboxActionVerifyAddressTitle": { - "description": "Title for verify address action" - }, "bitboxActionUnlockDeviceButton": "Avaa laite", - "@bitboxActionUnlockDeviceButton": { - "description": "Button text for unlock device" - }, "bitboxActionPairDeviceButton": "Aloita paritus", - "@bitboxActionPairDeviceButton": { - "description": "Button text for pair device" - }, "bitboxActionImportWalletButton": "Aloita tuonti", - "@bitboxActionImportWalletButton": { - "description": "Button text for import wallet" - }, "bitboxActionSignTransactionButton": "Aloita allekirjoitus", - "@bitboxActionSignTransactionButton": { - "description": "Button text for sign transaction" - }, "bitboxActionVerifyAddressButton": "Vahvista osoite", - "@bitboxActionVerifyAddressButton": { - "description": "Button text for verify address" - }, "bitboxActionUnlockDeviceProcessing": "Avaetaan laitetta", - "@bitboxActionUnlockDeviceProcessing": { - "description": "Processing text for unlock device" - }, "bitboxActionPairDeviceProcessing": "Paritetaan laitetta", - "@bitboxActionPairDeviceProcessing": { - "description": "Processing text for pair device" - }, "bitboxActionImportWalletProcessing": "Tuodaan lompakkoa", - "@bitboxActionImportWalletProcessing": { - "description": "Processing text for import wallet" - }, "bitboxActionSignTransactionProcessing": "Allekirjoitetaan transaktiota", - "@bitboxActionSignTransactionProcessing": { - "description": "Processing text for sign transaction" - }, "bitboxActionVerifyAddressProcessing": "Näytetään osoitetta BitBoxissa...", - "@bitboxActionVerifyAddressProcessing": { - "description": "Processing text for verify address" - }, "bitboxActionUnlockDeviceSuccess": "Laite avattu onnistuneesti", - "@bitboxActionUnlockDeviceSuccess": { - "description": "Success text for unlock device" - }, "bitboxActionPairDeviceSuccess": "Laite paritettu onnistuneesti", - "@bitboxActionPairDeviceSuccess": { - "description": "Success text for pair device" - }, "bitboxActionImportWalletSuccess": "Lompakko tuotu onnistuneesti", - "@bitboxActionImportWalletSuccess": { - "description": "Success text for import wallet" - }, "bitboxActionSignTransactionSuccess": "Transaktio allekirjoitettu onnistuneesti", - "@bitboxActionSignTransactionSuccess": { - "description": "Success text for sign transaction" - }, "bitboxActionVerifyAddressSuccess": "Osoite vahvistettu onnistuneesti", - "@bitboxActionVerifyAddressSuccess": { - "description": "Success text for verify address" - }, "bitboxActionUnlockDeviceSuccessSubtext": "BitBox-laitteesi on nyt avattu ja käyttövalmis.", - "@bitboxActionUnlockDeviceSuccessSubtext": { - "description": "Success subtext for unlock device" - }, "bitboxActionPairDeviceSuccessSubtext": "BitBox-laitteesi on nyt paritettu ja käyttövalmis.", - "@bitboxActionPairDeviceSuccessSubtext": { - "description": "Success subtext for pair device" - }, "bitboxActionImportWalletSuccessSubtext": "BitBox-lompakkosi on tuotu onnistuneesti.", - "@bitboxActionImportWalletSuccessSubtext": { - "description": "Success subtext for import wallet" - }, "bitboxActionSignTransactionSuccessSubtext": "Transaktiosi on allekirjoitettu onnistuneesti.", - "@bitboxActionSignTransactionSuccessSubtext": { - "description": "Success subtext for sign transaction" - }, "bitboxActionVerifyAddressSuccessSubtext": "Osoite on vahvistettu BitBox-laitteellasi.", - "@bitboxActionVerifyAddressSuccessSubtext": { - "description": "Success subtext for verify address" - }, "bitboxActionUnlockDeviceProcessingSubtext": "Syötä salasanasi BitBox-laitteella...", - "@bitboxActionUnlockDeviceProcessingSubtext": { - "description": "Processing subtext for unlock device" - }, "bitboxActionPairDeviceProcessingSubtext": "Vahvista parituskoodi BitBox-laitteellasi...", - "@bitboxActionPairDeviceProcessingSubtext": { - "description": "Processing subtext for pair device" - }, "bitboxActionImportWalletProcessingSubtext": "Määritetään vain katseltavaa lompakkoa...", - "@bitboxActionImportWalletProcessingSubtext": { - "description": "Processing subtext for import wallet" - }, "bitboxActionSignTransactionProcessingSubtext": "Vahvista transaktio BitBox-laitteellasi...", - "@bitboxActionSignTransactionProcessingSubtext": { - "description": "Processing subtext for sign transaction" - }, "bitboxActionVerifyAddressProcessingSubtext": "Vahvista osoite BitBox-laitteellasi.", - "@bitboxActionVerifyAddressProcessingSubtext": { - "description": "Processing subtext for verify address" - }, "bitboxScreenConnectDevice": "Yhdistä BitBox-laitteesi", - "@bitboxScreenConnectDevice": { - "description": "Main text when in initial state" - }, "bitboxScreenScanning": "Etsitään laitteita", - "@bitboxScreenScanning": { - "description": "Main text when scanning for devices" - }, "bitboxScreenConnecting": "Yhdistetään BitBoxiin", - "@bitboxScreenConnecting": { - "description": "Main text when connecting to device" - }, "bitboxScreenPairingCode": "Parituskoodi", - "@bitboxScreenPairingCode": { - "description": "Main text when showing pairing code" - }, "bitboxScreenEnterPassword": "Syötä salasana", - "@bitboxScreenEnterPassword": { - "description": "Main text when waiting for password" - }, "bitboxScreenVerifyAddress": "Vahvista osoite", - "@bitboxScreenVerifyAddress": { - "description": "Main text when showing address verification" - }, "bitboxScreenActionFailed": "{action} epäonnistui", "@bitboxScreenActionFailed": { - "description": "Main text when action fails", "placeholders": { "action": { "type": "String" @@ -17243,180 +1647,50 @@ } }, "bitboxScreenConnectSubtext": "Varmista, että BitBox02 on avattu ja liitetty USB:llä.", - "@bitboxScreenConnectSubtext": { - "description": "Subtext for initial state" - }, "bitboxScreenScanningSubtext": "Etsitään BitBox-laitettasi...", - "@bitboxScreenScanningSubtext": { - "description": "Subtext when scanning" - }, "bitboxScreenConnectingSubtext": "Luodaan suojattu yhteys...", - "@bitboxScreenConnectingSubtext": { - "description": "Subtext when connecting" - }, "bitboxScreenPairingCodeSubtext": "Varmista, että tämä koodi vastaa BitBox02:n näyttöä, ja vahvista laitteella.", - "@bitboxScreenPairingCodeSubtext": { - "description": "Subtext when showing pairing code" - }, "bitboxScreenEnterPasswordSubtext": "Syötä salasanasi BitBox-laitteelle jatkaaksesi.", - "@bitboxScreenEnterPasswordSubtext": { - "description": "Subtext when waiting for password" - }, "bitboxScreenVerifyAddressSubtext": "Vertaa tätä osoitetta BitBox02:n näyttöön", - "@bitboxScreenVerifyAddressSubtext": { - "description": "Subtext when showing address verification" - }, "bitboxScreenUnknownError": "Tapahtui tuntematon virhe", - "@bitboxScreenUnknownError": { - "description": "Fallback error message" - }, "bitboxScreenWaitingConfirmation": "Odotetaan vahvistusta BitBox02:lta...", - "@bitboxScreenWaitingConfirmation": { - "description": "Message shown while waiting for device confirmation" - }, "bitboxScreenAddressToVerify": "Vahvistettava osoite:", - "@bitboxScreenAddressToVerify": { - "description": "Label for address verification" - }, "bitboxScreenVerifyOnDevice": "Vahvista tämä osoite BitBox-laitteellasi", - "@bitboxScreenVerifyOnDevice": { - "description": "Instruction to verify address on device" - }, "bitboxScreenWalletTypeLabel": "Lompakon tyyppi:", - "@bitboxScreenWalletTypeLabel": { - "description": "Label for wallet type selector" - }, "bitboxScreenSelectWalletType": "Valitse lompakon tyyppi", - "@bitboxScreenSelectWalletType": { - "description": "Title for wallet type selection modal" - }, "bitboxScreenSegwitBip84": "Segwit (BIP84)", - "@bitboxScreenSegwitBip84": { - "description": "Script type display name for BIP84" - }, "bitboxScreenSegwitBip84Subtitle": "Natiivinen SegWit - suositeltu", - "@bitboxScreenSegwitBip84Subtitle": { - "description": "Subtitle for BIP84 option" - }, "bitboxScreenNestedSegwitBip49": "Nested Segwit (BIP49)", - "@bitboxScreenNestedSegwitBip49": { - "description": "Script type display name for BIP49" - }, "bitboxScreenNestedSegwitBip49Subtitle": "P2WPKH upotettuna P2SH:ään", - "@bitboxScreenNestedSegwitBip49Subtitle": { - "description": "Subtitle for BIP49 option" - }, "bitboxScreenTroubleshootingTitle": "BitBox02 -vianmääritys", - "@bitboxScreenTroubleshootingTitle": { - "description": "Title for troubleshooting instructions" - }, "bitboxScreenTroubleshootingSubtitle": "Ensin varmista, että BitBox02 on kytketty puhelimesi USB-porttiin. Jos laite ei silti yhdisty sovellukseen, kokeile seuraavia:", - "@bitboxScreenTroubleshootingSubtitle": { - "description": "Subtitle for troubleshooting instructions" - }, "bitboxScreenTroubleshootingStep1": "Varmista, että BitBoxillasi on uusin laiteohjelmisto asennettuna.", - "@bitboxScreenTroubleshootingStep1": { - "description": "Troubleshooting step 1" - }, "bitboxScreenTroubleshootingStep2": "Varmista, että puhelimessasi on USB-oikeudet käytössä.", - "@bitboxScreenTroubleshootingStep2": { - "description": "Troubleshooting step 2" - }, "bitboxScreenTroubleshootingStep3": "Käynnistä BitBox02 uudelleen irrottamalla ja kytkemällä se takaisin.", - "@bitboxScreenTroubleshootingStep3": { - "description": "Troubleshooting step 3" - }, "bitboxScreenTryAgainButton": "Yritä uudelleen", - "@bitboxScreenTryAgainButton": { - "description": "Button to retry failed action" - }, "bitboxScreenManagePermissionsButton": "Hallitse sovelluksen oikeuksia", - "@bitboxScreenManagePermissionsButton": { - "description": "Button to open app permissions settings" - }, "bitboxScreenNeedHelpButton": "Tarvitsetko apua?", - "@bitboxScreenNeedHelpButton": { - "description": "Button to show help instructions" - }, "bitboxScreenDefaultWalletLabel": "BitBox-lompakko", - "@bitboxScreenDefaultWalletLabel": { - "description": "Default label for imported BitBox wallet" - }, "bitboxCubitPermissionDenied": "USB-oikeudet evätty. Myönnä oikeus käyttää BitBox-laitettasi.", - "@bitboxCubitPermissionDenied": { - "description": "Error interpretation for permission denied" - }, "bitboxCubitDeviceNotFound": "BitBox-laitetta ei löytynyt. Liitä laitteesi ja yritä uudelleen.", - "@bitboxCubitDeviceNotFound": { - "description": "Error interpretation for device not found" - }, "bitboxCubitDeviceNotPaired": "Laite ei ole paritettu. Suorita paritusprosessi ensin.", - "@bitboxCubitDeviceNotPaired": { - "description": "Error interpretation for device not paired" - }, "bitboxCubitHandshakeFailed": "Turvallisen yhteyden muodostaminen epäonnistui. Yritä uudelleen.", - "@bitboxCubitHandshakeFailed": { - "description": "Error interpretation for handshake failure" - }, "bitboxCubitOperationTimeout": "Toiminto aikakatkaistiin. Yritä uudelleen.", - "@bitboxCubitOperationTimeout": { - "description": "Error interpretation for timeout" - }, "bitboxCubitConnectionFailed": "Yhteyden muodostaminen BitBox-laitteeseen epäonnistui. Tarkista yhteytesi.", - "@bitboxCubitConnectionFailed": { - "description": "Error interpretation for connection failure" - }, "bitboxCubitInvalidResponse": "Virheellinen vastaus BitBox-laitteelta. Yritä uudelleen.", - "@bitboxCubitInvalidResponse": { - "description": "Error interpretation for invalid response" - }, "bitboxCubitOperationCancelled": "Toiminto peruutettiin. Yritä uudelleen.", - "@bitboxCubitOperationCancelled": { - "description": "Error interpretation for cancelled operation" - }, "advancedOptionsTitle": "Lisäasetukset", - "@advancedOptionsTitle": { - "description": "Bottom sheet header/title for advanced sending options" - }, "replaceByFeeActivatedLabel": "Replace-by-fee aktivoitu", - "@replaceByFeeActivatedLabel": { - "description": "Label for RBF toggle switch" - }, "replaceByFeeBroadcastButton": "Lähetä", - "@replaceByFeeBroadcastButton": { - "description": "Button to broadcast the replacement transaction" - }, "replaceByFeeCustomFeeTitle": "Mukautettu kulutaso", - "@replaceByFeeCustomFeeTitle": { - "description": "Title for custom fee input section" - }, "replaceByFeeErrorFeeRateTooLow": "Sinun on nostettava kulutasoa vähintään 1 sat/vbyte verrattuna alkuperäiseen transaktioon", - "@replaceByFeeErrorFeeRateTooLow": { - "description": "Error message when new fee rate is not high enough" - }, "replaceByFeeErrorNoFeeRateSelected": "Valitse kulutaso", - "@replaceByFeeErrorNoFeeRateSelected": { - "description": "Error message when no fee rate is selected" - }, "replaceByFeeErrorTransactionConfirmed": "Alkuperäinen transaktio on vahvistettu", - "@replaceByFeeErrorTransactionConfirmed": { - "description": "Error message when original transaction is already confirmed" - }, "replaceByFeeErrorGeneric": "Tapahtui virhe yritettäessä korvata transaktiota", - "@replaceByFeeErrorGeneric": { - "description": "Generic error message for replace-by-fee operation failures" - }, "replaceByFeeFastestDescription": "Arvioitu toimitusaika ~ 10 minuuttia", - "@replaceByFeeFastestDescription": { - "description": "Description for fastest fee option" - }, "replaceByFeeFastestTitle": "Nopein", - "@replaceByFeeFastestTitle": { - "description": "Title for fastest fee option" - }, "replaceByFeeFeeRateDisplay": "Kulutaso: {feeRate} sat/vbyte", "@replaceByFeeFeeRateDisplay": { - "description": "Display text showing the fee rate", "placeholders": { "feeRate": { "type": "String" @@ -17424,68 +1698,22 @@ } }, "replaceByFeeOriginalTransactionTitle": "Alkuperäinen transaktio", - "@replaceByFeeOriginalTransactionTitle": { - "description": "Title for original transaction section" - }, "replaceByFeeSatsVbUnit": "sat/vB", - "@replaceByFeeSatsVbUnit": { - "description": "Unit label for satoshis per virtual byte" - }, "replaceByFeeScreenTitle": "Replace-by-Fee", - "@replaceByFeeScreenTitle": { - "description": "Screen title for replace by fee feature" - }, "selectCoinsManuallyLabel": "Valitse kolikot manuaalisesti", - "@selectCoinsManuallyLabel": { - "description": "List tile option to manually select UTXOs" - }, "doneButton": "Valmis", - "@doneButton": { - "description": "Button to close advanced options bottom sheet" - }, "confirmLogoutTitle": "Vahvista uloskirjautuminen", - "@confirmLogoutTitle": { - "description": "Dialog title for logout confirmation" - }, "confirmLogoutMessage": "Haluatko varmasti kirjautua ulos Bull Bitcoin -tililtäsi? Sinun on kirjauduttava uudelleen käyttääksesi pörssin ominaisuuksia.", - "@confirmLogoutMessage": { - "description": "Confirmation message explaining logout consequences" - }, "logoutButton": "Kirjaudu ulos", - "@logoutButton": { - "description": "Button to confirm logout action" - }, "comingSoonDefaultMessage": "Tätä ominaisuutta kehitetään parhaillaan ja se tulee saataville pian.", - "@comingSoonDefaultMessage": { - "description": "Default message for features under development" - }, "featureComingSoonTitle": "Ominaisuus tulossa pian", - "@featureComingSoonTitle": { - "description": "Title for coming soon bottom sheet" - }, "okButton": "OK", - "@okButton": { - "description": "Button to dismiss coming soon message" - }, "notLoggedInTitle": "Et ole kirjautunut sisään", - "@notLoggedInTitle": { - "description": "Title for not logged in state" - }, "notLoggedInMessage": "Kirjaudu Bull Bitcoin -tilillesi käyttääksesi pörssiasetuksia.", - "@notLoggedInMessage": { - "description": "Message prompting user to log in for exchange features" - }, "loginButton": "KIRJAUDU SISÄÄN", - "@loginButton": { - "description": "Button to navigate to login screen" - }, "selectAmountTitle": "Valitse määrä", - "@selectAmountTitle": { - "description": "Title for manual coin selection bottom sheet" - }, "amountRequestedLabel": "Pyydetty määrä: {amount}", "@amountRequestedLabel": { - "description": "Shows the requested amount to send", "placeholders": { "amount": { "type": "String" @@ -17493,36 +1721,14 @@ } }, "addressLabel": "Osoite: ", - "@addressLabel": { - "description": "Label for UTXO address in coin selection tile" - }, "typeLabel": "Tyyppi: ", - "@typeLabel": { - "description": "Label for address type (Receive/Change)" - }, "addressViewReceiveType": "Vastaanotto", - "@addressViewReceiveType": { - "description": "Address type label for external/receive addresses" - }, "addressViewChangeType": "Vaihtoraha", - "@addressViewChangeType": { - "description": "Address type label for internal/change addresses" - }, "pasteInputDefaultHint": "Liitä maksun osoite tai lasku", - "@pasteInputDefaultHint": { - "description": "Default placeholder hint for paste input field" - }, "copyDialogButton": "Kopioi", - "@copyDialogButton": { - "description": "Button in modal dialog to copy value to clipboard" - }, "closeDialogButton": "Sulje", - "@closeDialogButton": { - "description": "Button to close the value display modal dialog" - }, "scanningProgressLabel": "Skannataan: {percent}%", "@scanningProgressLabel": { - "description": "Progress indicator for UR QR code scanning", "placeholders": { "percent": { "type": "String" @@ -17531,7 +1737,6 @@ }, "urProgressLabel": "UR:n eteneminen: {parts} osaa", "@urProgressLabel": { - "description": "Progress message showing parts processed for multi-part UR codes", "placeholders": { "parts": { "type": "String" @@ -17539,32 +1744,13 @@ } }, "scanningCompletedMessage": "Skannaus valmis", - "@scanningCompletedMessage": { - "description": "Success message when UR scanning completes" - }, "urDecodingFailedMessage": "UR:n dekoodaus epäonnistui", - "@urDecodingFailedMessage": { - "description": "Error message when UR decoding fails" - }, "urProcessingFailedMessage": "UR:n käsittely epäonnistui", - "@urProcessingFailedMessage": { - "description": "Error message when UR processing encounters an exception" - }, "scanNfcButton": "Skannaa NFC", - "@scanNfcButton": { - "description": "Button label to initiate NFC scanning" - }, "shareLogsLabel": "Jaa lokitiedot", - "@shareLogsLabel": { - "description": "List tile label to share application logs" - }, "viewLogsLabel": "Näytä lokitiedot", - "@viewLogsLabel": { - "description": "List tile label to view logs inline or in viewer" - }, "errorSharingLogsMessage": "Lokitietojen jako epäonnistui: {error}", "@errorSharingLogsMessage": { - "description": "Error message when log sharing fails", "placeholders": { "error": { "type": "String" @@ -17572,208 +1758,57 @@ } }, "copiedToClipboardMessage": "Kopioitu leikepöydälle", - "@copiedToClipboardMessage": { - "description": "Snackbar confirmation message after copying to clipboard" - }, "submitButton": "Lähetä", - "@submitButton": { - "description": "Default button label to submit mnemonic" - }, "optionalPassphraseHint": "Valinnainen salafraasi", - "@optionalPassphraseHint": { - "description": "Placeholder hint for passphrase field" - }, "labelInputLabel": "Tunniste", - "@labelInputLabel": { - "description": "Label for wallet label input field" - }, "requiredHint": "Pakollinen", - "@requiredHint": { - "description": "Placeholder hint for required label field" - }, "wordsDropdownSuffix": " sanaa", - "@wordsDropdownSuffix": { - "description": "Suffix for mnemonic length dropdown" - }, "emptyMnemonicWordsError": "Syötä kaikki siemenlauseen sanat", - "@emptyMnemonicWordsError": { - "description": "Error message when not all mnemonic words are filled in" - }, "tryAgainButton": "Yritä uudelleen", - "@tryAgainButton": { - "description": "Default button text for error state" - }, "errorGenericTitle": "Hups! Jotain meni pieleen", - "@errorGenericTitle": { - "description": "Generic error title when hasError is true" - }, "confirmSendTitle": "Vahvista lähetys", - "@confirmSendTitle": { - "description": "Title for send confirmation screen when sending bitcoin" - }, "confirmTransferTitle": "Vahvista siirto", - "@confirmTransferTitle": { - "description": "Title for confirmation screen when transferring between wallets" - }, "fromLabel": "Lähteestä", - "@fromLabel": { - "description": "Label for source wallet in transaction details" - }, "toLabel": "Kohteeseen", - "@toLabel": { - "description": "Label for destination address in transaction details" - }, "amountLabel": "Määrä", - "@amountLabel": { - "description": "Label for transaction amount display" - }, "networkFeesLabel": "Verkkokulut", - "@networkFeesLabel": { - "description": "Label for network transaction fees in onchain send" - }, "feePriorityLabel": "Kulujen prioriteetti", - "@feePriorityLabel": { - "description": "Label for fee selection priority option" - }, "transferIdLabel": "Swapin tunnus", - "@transferIdLabel": { - "description": "Label for swap transfer ID" - }, "totalFeesLabel": "Kokonaiskulut", - "@totalFeesLabel": { - "description": "Label for total fees in lightning swap" - }, "totalFeeLabel": "Kokonaiskulu", - "@totalFeeLabel": { - "description": "Label for expandable total fee breakdown in swap" - }, "networkFeeLabel": "Verkkokulu", - "@networkFeeLabel": { - "description": "Breakdown component showing network fee portion" - }, "transferFeeLabel": "Siirtokulu", - "@transferFeeLabel": { - "description": "Breakdown component showing Boltz transfer fee portion" - }, "sendNetworkFeesLabel": "Lähetyksen verkkokulut", - "@sendNetworkFeesLabel": { - "description": "Label for sending network fees in chain swap" - }, "confirmButtonLabel": "Vahvista", - "@confirmButtonLabel": { - "description": "Button label to confirm and execute the transaction" - }, "satsSuffix": " sats", - "@satsSuffix": { - "description": "Unit suffix for satoshi amounts" - }, "approximateFiatPrefix": "~", - "@approximateFiatPrefix": { - "description": "Prefix indicating approximate fiat equivalent value" - }, "routeErrorMessage": "Sivua ei löytynyt", - "@routeErrorMessage": { - "description": "Error message displayed when user navigates to non-existent route" - }, "logsViewerTitle": "Lokitiedot", - "@logsViewerTitle": { - "description": "AppBar title for logs viewer screen" - }, "payInvoiceTitle": "Maksa lasku", - "@payInvoiceTitle": { - "description": "AppBar title for the pay invoice screen" - }, "payEnterAmountTitle": "Syötä summa", - "@payEnterAmountTitle": { - "description": "Title for amount entry screen in payment flow" - }, "payInvalidInvoice": "Virheellinen lasku", - "@payInvalidInvoice": { - "description": "Error message when invoice format is invalid" - }, "payInvoiceExpired": "Lasku vanhentunut", - "@payInvoiceExpired": { - "description": "Error message when Lightning invoice has expired" - }, "payNetworkError": "Verkkovirhe. Yritä uudelleen", - "@payNetworkError": { - "description": "Error message for network connectivity issues during payment" - }, "payProcessingPayment": "Käsitellään maksua...", - "@payProcessingPayment": { - "description": "Loading message while payment is being processed" - }, "payPaymentSuccessful": "Maksu onnistui", - "@payPaymentSuccessful": { - "description": "Success message after payment completes" - }, "payPaymentFailed": "Maksu epäonnistui", - "@payPaymentFailed": { - "description": "Error message when payment fails" - }, "payRetryPayment": "Yritä maksua uudelleen", - "@payRetryPayment": { - "description": "Button text to retry a failed payment" - }, "payScanQRCode": "Skannaa QR-koodi", - "@payScanQRCode": { - "description": "Button text to open QR code scanner for payment" - }, "payPasteInvoice": "Liitä lasku", - "@payPasteInvoice": { - "description": "Button text to paste invoice from clipboard" - }, "payEnterInvoice": "Syötä lasku", - "@payEnterInvoice": { - "description": "Placeholder text for invoice input field" - }, "payTotal": "Yhteensä", - "@payTotal": { - "description": "Label for total payment amount (amount + fee)" - }, "payDescription": "Kuvaus", - "@payDescription": { - "description": "Label for payment description/memo field" - }, "payCancelPayment": "Peruuta maksu", - "@payCancelPayment": { - "description": "Button text to cancel payment flow" - }, "payLightningInvoice": "Lightning-lasku", - "@payLightningInvoice": { - "description": "Label indicating invoice type is Lightning Network" - }, "payBitcoinAddress": "Bitcoin-osoite", - "@payBitcoinAddress": { - "description": "Label indicating payment destination is on-chain address" - }, "payLiquidAddress": "Liquid-osoite", - "@payLiquidAddress": { - "description": "Label indicating payment destination is Liquid address" - }, "payInvoiceDetails": "Laskun tiedot", - "@payInvoiceDetails": { - "description": "Section header for invoice information" - }, "payAmountTooLow": "Määrä on alle minimirajan", - "@payAmountTooLow": { - "description": "Error when payment amount is below minimum allowed" - }, "payAmountTooHigh": "Määrä ylittää maksimin", - "@payAmountTooHigh": { - "description": "Error when payment amount exceeds maximum allowed" - }, "payInvalidAmount": "Virheellinen määrä", - "@payInvalidAmount": { - "description": "Error when entered amount is invalid" - }, "payFeeTooHigh": "Kulu on poikkeuksellisen korkea", - "@payFeeTooHigh": { - "description": "Warning when calculated fee is higher than expected" - }, "payConfirmHighFee": "Tämän maksun kulu on {percentage}% summasta. Jatketaanko?", "@payConfirmHighFee": { - "description": "Confirmation prompt when fee percentage is high", "placeholders": { "percentage": { "type": "String" @@ -17781,60 +1816,20 @@ } }, "payNoRouteFound": "Reittiä ei löydy tälle maksulle", - "@payNoRouteFound": { - "description": "Error when Lightning routing cannot find a path" - }, "payRoutingFailed": "Reititys epäonnistui", - "@payRoutingFailed": { - "description": "Error when Lightning payment routing fails" - }, "payChannelBalanceLow": "Kanavan saldo liian pieni", - "@payChannelBalanceLow": { - "description": "Error when Lightning channel lacks sufficient outbound liquidity" - }, "payOpenChannelRequired": "Tämän maksun suorittamiseksi on avattava kanava", - "@payOpenChannelRequired": { - "description": "Message indicating a new Lightning channel is needed" - }, "payEstimatedFee": "Arvioitu kulu", - "@payEstimatedFee": { - "description": "Label for estimated network fee" - }, "payActualFee": "Todellinen kulu", - "@payActualFee": { - "description": "Label for actual fee paid after transaction" - }, "payTimeoutError": "Maksun aikakatkaisu. Tarkista tila", - "@payTimeoutError": { - "description": "Error when payment takes too long to complete" - }, "payCheckingStatus": "Tarkistetaan maksun tilaa...", - "@payCheckingStatus": { - "description": "Loading message while verifying payment status" - }, "payPaymentPending": "Maksu vireillä", - "@payPaymentPending": { - "description": "Status message for in-flight payment" - }, "payPaymentConfirmed": "Maksu vahvistettu", - "@payPaymentConfirmed": { - "description": "Status message for confirmed payment" - }, "payViewTransaction": "Näytä transaktio", - "@payViewTransaction": { - "description": "Button text to view transaction details" - }, "payShareInvoice": "Jaa lasku", - "@payShareInvoice": { - "description": "Button text to share payment invoice" - }, "payInvoiceCopied": "Lasku kopioitu leikepöydälle", - "@payInvoiceCopied": { - "description": "Toast message after copying invoice" - }, "payExpiresIn": "Vanhenee {time}", "@payExpiresIn": { - "description": "Label showing invoice expiration time", "placeholders": { "time": { "type": "String" @@ -17842,40 +1837,15 @@ } }, "payExpired": "Vanhentunut", - "@payExpired": { - "description": "Status label for expired invoice" - }, "payLightningFee": "Lightning-kulu", - "@payLightningFee": { - "description": "Label for Lightning Network routing fee" - }, "payOnChainFee": "On-chain-kulu", - "@payOnChainFee": { - "description": "Label for Bitcoin on-chain transaction fee" - }, "payLiquidFee": "Liquid-kulu", - "@payLiquidFee": { - "description": "Label for Liquid Network transaction fee" - }, "paySwapFee": "Swap-kulut", - "@paySwapFee": { - "description": "Label for submarine swap fee" - }, "payServiceFee": "Swap-palvelinkulut", - "@payServiceFee": { - "description": "Label for service provider fee" - }, "payTotalFees": "Kokonaiskulut", - "@payTotalFees": { - "description": "Label for sum of all fees" - }, "payFeeBreakdown": "Kuluerittely", - "@payFeeBreakdown": { - "description": "Section header for detailed fee information" - }, "payMinimumAmount": "Minimi: {amount}", "@payMinimumAmount": { - "description": "Label showing minimum payment amount", "placeholders": { "amount": { "type": "String" @@ -17884,7 +1854,6 @@ }, "payMaximumAmount": "Maksimi: {amount}", "@payMaximumAmount": { - "description": "Label showing maximum payment amount", "placeholders": { "amount": { "type": "String" @@ -17893,7 +1862,6 @@ }, "payAvailableBalance": "Saatavilla: {amount}", "@payAvailableBalance": { - "description": "Label showing available wallet balance", "placeholders": { "amount": { "type": "String" @@ -17901,84 +1869,26 @@ } }, "payRequiresSwap": "Tämä maksu vaatii swapin", - "@payRequiresSwap": { - "description": "Info message when payment needs submarine swap" - }, "paySwapInProgress": "Swap on käynnissä...", - "@paySwapInProgress": { - "description": "Status message during submarine swap" - }, "paySwapCompleted": "Swap on suoritettu", - "@paySwapCompleted": { - "description": "Status message after successful swap" - }, "paySwapFailed": "Swap epäonnistui", - "@paySwapFailed": { - "description": "Error message when swap fails" - }, "payBroadcastingTransaction": "Lähetetään transaktiota...", - "@payBroadcastingTransaction": { - "description": "Status message while broadcasting to network" - }, "payTransactionBroadcast": "Transaktio lähetetty", - "@payTransactionBroadcast": { - "description": "Success message after broadcasting" - }, "payBroadcastFailed": "Lähetys epäonnistui", - "@payBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, "payConfirmationRequired": "Vahvistus vaaditaan", - "@payConfirmationRequired": { - "description": "Message when user confirmation is needed" - }, "payReviewPayment": "Tarkista maksu", - "@payReviewPayment": { - "description": "Title for payment review screen" - }, "payPaymentDetails": "Maksun tiedot", - "@payPaymentDetails": { - "description": "Section header for payment information" - }, "payFromWallet": "Lompakosta", - "@payFromWallet": { - "description": "Label showing source wallet" - }, "payToAddress": "Osoitteeseen", - "@payToAddress": { - "description": "Label showing destination address" - }, "payNetworkType": "Verkko", - "@payNetworkType": { - "description": "Label for network type (Lightning/Bitcoin/Liquid)" - }, "payPriority": "Prioriteetti", - "@payPriority": { - "description": "Label for transaction priority/fee level" - }, "payLowPriority": "Alhainen", - "@payLowPriority": { - "description": "Low fee priority option" - }, "payMediumPriority": "Keskitaso", - "@payMediumPriority": { - "description": "Medium fee priority option" - }, "payHighPriority": "Korkea", - "@payHighPriority": { - "description": "High fee priority option" - }, "payCustomFee": "Mukautettu kulu", - "@payCustomFee": { - "description": "Option to set custom fee amount" - }, "payFeeRate": "Kulutaso", - "@payFeeRate": { - "description": "Label for fee rate (sat/vB)" - }, "paySatsPerByte": "{sats} sat/vB", "@paySatsPerByte": { - "description": "Fee rate format", "placeholders": { "sats": { "type": "String" @@ -17987,7 +1897,6 @@ }, "payEstimatedConfirmation": "Arvioitu vahvistusaika: {time}", "@payEstimatedConfirmation": { - "description": "Estimated time until confirmation", "placeholders": { "time": { "type": "String" @@ -17995,52 +1904,18 @@ } }, "payReplaceByFee": "Replace-by-Fee (RBF)", - "@payReplaceByFee": { - "description": "Label for RBF feature" - }, "payEnableRBF": "Ota RBF käyttöön", - "@payEnableRBF": { - "description": "Checkbox to enable Replace-by-Fee" - }, "payRBFEnabled": "RBF käytössä", - "@payRBFEnabled": { - "description": "Status when RBF is enabled" - }, "payRBFDisabled": "RBF pois käytöstä", - "@payRBFDisabled": { - "description": "Status when RBF is disabled" - }, "payBumpFee": "Nosta kulua", - "@payBumpFee": { - "description": "Button to increase fee of pending transaction" - }, "payCannotBumpFee": "Kulua ei voida nostaa tälle transaktiolle", - "@payCannotBumpFee": { - "description": "Error when RBF is not available" - }, "payFeeBumpSuccessful": "Kulun nosto onnistui", - "@payFeeBumpSuccessful": { - "description": "Success message after fee bump" - }, "payFeeBumpFailed": "Kulun nosto epäonnistui", - "@payFeeBumpFailed": { - "description": "Error when fee bump fails" - }, "payBatchPayment": "Maksu useaan osoitteeseen", - "@payBatchPayment": { - "description": "Option to combine multiple payments" - }, "payAddRecipient": "Lisää vastaanottaja", - "@payAddRecipient": { - "description": "Button to add another payment recipient" - }, "payRemoveRecipient": "Poista vastaanottaja", - "@payRemoveRecipient": { - "description": "Button to remove a recipient from batch" - }, "payRecipientCount": "{count} vastaanottajaa", "@payRecipientCount": { - "description": "Label showing number of recipients", "placeholders": { "count": { "type": "int" @@ -18048,136 +1923,39 @@ } }, "payTotalAmount": "Kokonaismäärä", - "@payTotalAmount": { - "description": "Label for sum of all payment amounts" - }, "paySendAll": "Lähetä kaikki", - "@paySendAll": { - "description": "Button to send entire wallet balance" - }, "paySendMax": "Maksimi", - "@paySendMax": { - "description": "Button to set amount to maximum available" - }, "payInvalidAddress": "Virheellinen osoite", - "@payInvalidAddress": { - "description": "Error for malformed address" - }, "payAddressRequired": "Osoite on pakollinen", - "@payAddressRequired": { - "description": "Validation error for empty address field" - }, "payAmountRequired": "Määrä on pakollinen", - "@payAmountRequired": { - "description": "Validation error for empty amount field" - }, "payEnterValidAmount": "Anna kelvollinen määrä", - "@payEnterValidAmount": { - "description": "Validation error for invalid amount format" - }, "payWalletNotSynced": "Lompakko ei ole synkronoitu. Odota", - "@payWalletNotSynced": { - "description": "Error when wallet sync is incomplete" - }, "paySyncingWallet": "Synkronoidaan lompakkoa...", - "@paySyncingWallet": { - "description": "Status message during wallet sync" - }, "payNoActiveWallet": "Ei aktiivista lompakkoa", - "@payNoActiveWallet": { - "description": "Error when no wallet is selected" - }, "paySelectActiveWallet": "Valitse lompakko", - "@paySelectActiveWallet": { - "description": "Prompt to choose a wallet" - }, "payUnsupportedInvoiceType": "Laskutyyppiä ei tueta", - "@payUnsupportedInvoiceType": { - "description": "Error for unknown invoice format" - }, "payDecodingInvoice": "Puretaan laskua...", - "@payDecodingInvoice": { - "description": "Loading message while parsing invoice" - }, "payInvoiceDecoded": "Lasku purettu onnistuneesti", - "@payInvoiceDecoded": { - "description": "Success message after decoding" - }, "payDecodeFailed": "Laskun purku epäonnistui", - "@payDecodeFailed": { - "description": "Error when invoice parsing fails" - }, "payMemo": "Muistiinpano", - "@payMemo": { - "description": "Label for optional payment note" - }, "payAddMemo": "Lisää kuvaus (valinnainen)", - "@payAddMemo": { - "description": "Placeholder for memo input field" - }, "payPrivatePayment": "Yksityinen maksu", - "@payPrivatePayment": { - "description": "Label for privacy-enhanced payment option" - }, "payUseCoinjoin": "Käytä CoinJoinia", - "@payUseCoinjoin": { - "description": "Option to use CoinJoin for privacy" - }, "payCoinjoinInProgress": "CoinJoin käynnissä...", - "@payCoinjoinInProgress": { - "description": "Status during CoinJoin process" - }, "payCoinjoinCompleted": "CoinJoin suoritettu", - "@payCoinjoinCompleted": { - "description": "Success message after CoinJoin" - }, "payCoinjoinFailed": "CoinJoin epäonnistui", - "@payCoinjoinFailed": { - "description": "Error when CoinJoin fails" - }, "payPaymentHistory": "Maksuhistoria", - "@payPaymentHistory": { - "description": "Title for list of past payments" - }, "payNoPayments": "Ei maksuja vielä", - "@payNoPayments": { - "description": "Empty state message" - }, "payFilterPayments": "Suodata maksuja", - "@payFilterPayments": { - "description": "Button to filter payment list" - }, "paySearchPayments": "Hae maksuja...", - "@paySearchPayments": { - "description": "Search box placeholder" - }, "payAllPayments": "Kaikki maksut", - "@payAllPayments": { - "description": "Filter option to show all" - }, "paySuccessfulPayments": "Onnistuneet", - "@paySuccessfulPayments": { - "description": "Filter for successful payments" - }, "payFailedPayments": "Epäonnistuneet", - "@payFailedPayments": { - "description": "Filter for failed payments" - }, "payPendingPayments": "Vireillä", - "@payPendingPayments": { - "description": "Filter for pending payments" - }, "sendCoinControl": "Kolikkohallinta", - "@sendCoinControl": { - "description": "Feature to manually select UTXOs" - }, "sendSelectCoins": "Valitse kolikot", - "@sendSelectCoins": { - "description": "Button to open UTXO selector" - }, "sendSelectedCoins": "{count} kolikkoa valittu", "@sendSelectedCoins": { - "description": "Label showing number of UTXOs selected", "placeholders": { "count": { "type": "int" @@ -18185,12 +1963,8 @@ } }, "sendClearSelection": "Tyhjennä valinta", - "@sendClearSelection": { - "description": "Button to deselect all UTXOs" - }, "sendCoinAmount": "Määrä: {amount}", "@sendCoinAmount": { - "description": "Label for UTXO amount", "placeholders": { "amount": { "type": "String" @@ -18199,7 +1973,6 @@ }, "sendCoinConfirmations": "{count} vahvistusta", "@sendCoinConfirmations": { - "description": "Label for UTXO confirmation count", "placeholders": { "count": { "type": "int" @@ -18207,40 +1980,15 @@ } }, "sendUnconfirmed": "Vahvistamaton", - "@sendUnconfirmed": { - "description": "Status for 0-conf UTXO" - }, "sendFrozenCoin": "Jäädytetty", - "@sendFrozenCoin": { - "description": "Status for manually frozen UTXO" - }, "sendFreezeCoin": "Jäädytä kolikko", - "@sendFreezeCoin": { - "description": "Action to prevent UTXO from being spent" - }, "sendUnfreezeCoin": "Poista kolikon jäädytys", - "@sendUnfreezeCoin": { - "description": "Action to allow spending frozen UTXO" - }, "sendSubmarineSwap": "Submarine-vaihto", - "@sendSubmarineSwap": { - "description": "Feature to swap on-chain to Lightning" - }, "sendInitiatingSwap": "Käynnistetään vaihtoa...", - "@sendInitiatingSwap": { - "description": "Loading message during swap setup" - }, "sendSwapDetails": "Vaihdon tiedot", - "@sendSwapDetails": { - "description": "Section header for swap information" - }, "sendSwapAmount": "Vaihtomäärä", - "@sendSwapAmount": { - "description": "Label for amount being swapped" - }, "sendSwapFeeEstimate": "Arvioitu vaihtokulu: {amount}", "@sendSwapFeeEstimate": { - "description": "Estimated cost of swap", "placeholders": { "amount": { "type": "String" @@ -18249,7 +1997,6 @@ }, "sendSwapTimeEstimate": "Arvioitu aika: {time}", "@sendSwapTimeEstimate": { - "description": "Expected swap duration", "placeholders": { "time": { "type": "String" @@ -18257,32 +2004,13 @@ } }, "sendConfirmSwap": "Vahvista vaihto", - "@sendConfirmSwap": { - "description": "Button to proceed with swap" - }, "sendSwapCancelled": "Vaihto peruutettu", - "@sendSwapCancelled": { - "description": "Message when user cancels swap" - }, "sendSwapTimeout": "Vaihto aikakatkaistiin", - "@sendSwapTimeout": { - "description": "Error when swap expires" - }, "sendCustomFeeRate": "Mukautettu kulutaso", - "@sendCustomFeeRate": { - "description": "Option to manually set fee" - }, "sendFeeRateTooLow": "Kulutaso liian alhainen", - "@sendFeeRateTooLow": { - "description": "Error for insufficient fee" - }, "sendFeeRateTooHigh": "Kulutaso vaikuttaa erittäin korkealta", - "@sendFeeRateTooHigh": { - "description": "Warning for excessive fee" - }, "sendRecommendedFee": "Suositus: {rate} sat/vB", "@sendRecommendedFee": { - "description": "Suggested fee rate", "placeholders": { "rate": { "type": "String" @@ -18290,84 +2018,26 @@ } }, "sendEconomyFee": "Taloudinen", - "@sendEconomyFee": { - "description": "Lowest fee tier" - }, "sendNormalFee": "Normaali", - "@sendNormalFee": { - "description": "Standard fee tier" - }, "sendFastFee": "Nopea", - "@sendFastFee": { - "description": "Highest fee tier" - }, "sendHardwareWallet": "Laitteistolompakko", - "@sendHardwareWallet": { - "description": "Option to sign with hardware device" - }, "sendConnectDevice": "Yhdistä laite", - "@sendConnectDevice": { - "description": "Prompt to plug in hardware wallet" - }, "sendDeviceConnected": "Laite yhdistetty", - "@sendDeviceConnected": { - "description": "Status when hardware wallet is detected" - }, "sendDeviceDisconnected": "Laite irrotettu", - "@sendDeviceDisconnected": { - "description": "Error when hardware wallet unplugged" - }, "sendVerifyOnDevice": "Vahvista laitteella", - "@sendVerifyOnDevice": { - "description": "Instruction to check hardware wallet screen" - }, "sendSigningTransaction": "Allekirjoitetaan transaktiota...", - "@sendSigningTransaction": { - "description": "Status while hardware wallet signs" - }, "sendSignatureReceived": "Allekirjoitus vastaanotettu", - "@sendSignatureReceived": { - "description": "Success after hardware wallet signs" - }, "sendSigningFailed": "Allekirjoitus epäonnistui", - "@sendSigningFailed": { - "description": "Error during hardware wallet signing" - }, "sendUserRejected": "Käyttäjä hylkäsi laitteella", - "@sendUserRejected": { - "description": "Error when user declines on hardware wallet" - }, "sendBuildingTransaction": "Rakennetaan transaktiota...", - "@sendBuildingTransaction": { - "description": "Status while constructing transaction" - }, "sendTransactionBuilt": "Transaktio valmis", - "@sendTransactionBuilt": { - "description": "Success after transaction constructed" - }, "sendBuildFailed": "Transaktion muodostaminen epäonnistui", - "@sendBuildFailed": { - "description": "Error during transaction construction" - }, "sendInsufficientFunds": "Riittämättömät varat", - "@sendInsufficientFunds": { - "description": "Error when balance too low" - }, "sendDustAmount": "Määrä liian pieni (dust)", - "@sendDustAmount": { - "description": "Error for uneconomical amount" - }, "sendOutputTooSmall": "Ulostulo alle dust-rajan", - "@sendOutputTooSmall": { - "description": "Error for tiny output amount" - }, "sendScheduledPayment": "Ajastettu maksu", - "@sendScheduledPayment": { - "description": "Feature to delay transaction" - }, "sendScheduleFor": "Ajastettu ajalle {date}", "@sendScheduleFor": { - "description": "Label for scheduled date", "placeholders": { "date": { "type": "String" @@ -18375,120 +2045,35 @@ } }, "sendSwapId": "Swap-ID", - "@sendSwapId": { - "description": "Label for swap identifier in transaction details" - }, "sendSendAmount": "Lähetettävä määrä", - "@sendSendAmount": { - "description": "Label for amount being sent in swap" - }, "sendReceiveAmount": "Vastaanotettava määrä", - "@sendReceiveAmount": { - "description": "Label for amount being received in swap" - }, "sendSendNetworkFee": "Lähetyksen verkkokulu", - "@sendSendNetworkFee": { - "description": "Label for network fee on send side of swap" - }, "sendTransferFee": "Swap-kulut", - "@sendTransferFee": { - "description": "Label for total swap transfer fee" - }, "sendTransferFeeDescription": "Tämä on lähetetystä summasta vähennetty kokonaiskulu", - "@sendTransferFeeDescription": { - "description": "Explanation of what the transfer fee represents" - }, "sendReceiveNetworkFee": "Vastaanoton verkkokulu", - "@sendReceiveNetworkFee": { - "description": "Label for network fee on receive side" - }, "sendServerNetworkFees": "Palvelimen verkkokulut", - "@sendServerNetworkFees": { - "description": "Label for Boltz server fees" - }, "sendConfirmSend": "Vahvista lähetys", - "@sendConfirmSend": { - "description": "Title for send confirmation screen" - }, "sendSending": "Lähetetään", - "@sendSending": { - "description": "Title shown while transaction is being sent" - }, "sendBroadcastingTransaction": "Lähetetään transaktiota.", - "@sendBroadcastingTransaction": { - "description": "Message shown while broadcasting transaction to network" - }, "sendSwapInProgressInvoice": "Swap on käynnissä. Lasku maksetaan muutamassa sekunnissa.", - "@sendSwapInProgressInvoice": { - "description": "Message for Liquid swap in progress" - }, "sendSwapInProgressBitcoin": "Swap on käynnissä. Bitcoin-transaktion vahvistuminen voi kestää hetken. Voit palata kotiin ja odottaa.", - "@sendSwapInProgressBitcoin": { - "description": "Message for Bitcoin swap in progress" - }, "sendSwapRefundInProgress": "Swapin hyvitys on käynnissä", - "@sendSwapRefundInProgress": { - "description": "Title when swap failed and refund is processing" - }, "sendSwapFailed": "Swap epäonnistui. Hyvityksesi käsitellään pian.", - "@sendSwapFailed": { - "description": "Message explaining swap failure and refund" - }, "sendSwapRefundCompleted": "Swap hyvitys on suoritettu", - "@sendSwapRefundCompleted": { - "description": "Title when refund has completed" - }, "sendRefundProcessed": "Hyvityksesi on käsitelty.", - "@sendRefundProcessed": { - "description": "Message confirming refund completion" - }, "sendInvoicePaid": "Lasku maksettu", - "@sendInvoicePaid": { - "description": "Title when Lightning invoice payment succeeds" - }, "sendPaymentProcessing": "Maksu käsitellään. Se voi kestää jopa minuutin", - "@sendPaymentProcessing": { - "description": "Message while payment processes" - }, "sendPaymentWillTakeTime": "Maksu vie aikaa", - "@sendPaymentWillTakeTime": { - "description": "Title warning of delayed payment" - }, "sendSwapInitiated": "Swap on aloitettu", - "@sendSwapInitiated": { - "description": "Title when chain swap begins" - }, "sendSwapWillTakeTime": "Vahvistuminen vie jonkin aikaa", - "@sendSwapWillTakeTime": { - "description": "Message warning swap confirmation takes time" - }, "sendSuccessfullySent": "Lähetys onnistui", - "@sendSuccessfullySent": { - "description": "Title for successful send completion" - }, "sendViewDetails": "Näytä tiedot", - "@sendViewDetails": { - "description": "Button to view transaction details" - }, "sendShowPsbt": "Näytä PSBT", - "@sendShowPsbt": { - "description": "Button to display PSBT for external signing" - }, "sendSignWithLedger": "Allekirjoita Ledgerillä", - "@sendSignWithLedger": { - "description": "Button to sign transaction with Ledger hardware wallet" - }, "sendSignWithBitBox": "Allekirjoita BitBoxilla", - "@sendSignWithBitBox": { - "description": "Button to sign transaction with BitBox hardware wallet" - }, "sendTransactionSignedLedger": "Transaktio allekirjoitettu onnistuneesti Ledgerillä", - "@sendTransactionSignedLedger": { - "description": "Success message after Ledger signing" - }, "sendHighFeeWarningDescription": "Kokonaiskulu on {feePercent}% lähettämästäsi määrästä", "@sendHighFeeWarningDescription": { - "description": "Warning message showing fee as percentage of send amount", "placeholders": { "feePercent": { "type": "String" @@ -18496,52 +2081,18 @@ } }, "sendEnterAbsoluteFee": "Anna absoluuttinen kulu satoshissa", - "@sendEnterAbsoluteFee": { - "description": "Placeholder for absolute fee input field" - }, "sendEnterRelativeFee": "Anna suhteellinen kulu sat/vB", - "@sendEnterRelativeFee": { - "description": "Placeholder for relative fee rate input field" - }, "sendErrorArkExperimentalOnly": "ARK-maksupyyntöjä on saatavilla vain kokeellisesta Ark-ominaisuudesta.", - "@sendErrorArkExperimentalOnly": { - "description": "Error when ARK payment is attempted without experimental feature enabled" - }, "sendErrorSwapCreationFailed": "Vaihdon luominen epäonnistui.", - "@sendErrorSwapCreationFailed": { - "description": "Error when swap creation fails" - }, "sendErrorInsufficientBalanceForPayment": "Saldo ei riitä tämän maksun kattamiseen", - "@sendErrorInsufficientBalanceForPayment": { - "description": "Error when wallet balance is insufficient for payment" - }, "sendErrorInvalidAddressOrInvoice": "Virheellinen Bitcoin-maksuosoite tai lasku", - "@sendErrorInvalidAddressOrInvoice": { - "description": "Error when payment request is invalid" - }, "sendErrorBuildFailed": "Rakentaminen epäonnistui", - "@sendErrorBuildFailed": { - "description": "Error title when transaction build fails" - }, "sendErrorConfirmationFailed": "Vahvistus epäonnistui", - "@sendErrorConfirmationFailed": { - "description": "Error title when transaction confirmation fails" - }, "sendErrorInsufficientBalanceForSwap": "Saldo ei riitä maksamaan tätä vaihtoa Liquidin kautta eikä se ole swap-rajoissa maksamiseen Bitcoinin kautta.", - "@sendErrorInsufficientBalanceForSwap": { - "description": "Error when balance insufficient for swap through either network" - }, "sendErrorAmountBelowSwapLimits": "Määrä on swap-rajojen alapuolella", - "@sendErrorAmountBelowSwapLimits": { - "description": "Error when amount is below minimum swap limit" - }, "sendErrorAmountAboveSwapLimits": "Määrä ylittää swap-rajat", - "@sendErrorAmountAboveSwapLimits": { - "description": "Error when amount exceeds maximum swap limit" - }, "sendErrorAmountBelowMinimum": "Määrä alle minimirajan: {minLimit} sat", "@sendErrorAmountBelowMinimum": { - "description": "Error with specific minimum swap amount", "placeholders": { "minLimit": { "type": "String" @@ -18550,7 +2101,6 @@ }, "sendErrorAmountAboveMaximum": "Määrä ylittää suurimman swap-rajan: {maxLimit} sat", "@sendErrorAmountAboveMaximum": { - "description": "Error with specific maximum swap amount", "placeholders": { "maxLimit": { "type": "String" @@ -18558,56 +2108,19 @@ } }, "sendErrorSwapFeesNotLoaded": "Swap-kuluja ei ole ladattu", - "@sendErrorSwapFeesNotLoaded": { - "description": "Error when swap fee information is unavailable" - }, "sendErrorInsufficientFundsForFees": "Ei riittävästi varoja summan ja kulujen kattamiseen", - "@sendErrorInsufficientFundsForFees": { - "description": "Error when wallet cannot cover transaction amount plus fees" - }, "sendErrorBroadcastFailed": "Transaktion lähetys epäonnistui. Tarkista verkkoyhteytesi ja yritä uudelleen.", - "@sendErrorBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, "sendErrorBalanceTooLowForMinimum": "Saldo liian pieni minimiswappia varten", - "@sendErrorBalanceTooLowForMinimum": { - "description": "Error when balance is below minimum required for swap" - }, "sendErrorAmountExceedsMaximum": "Määrä ylittää suurimman swap-määrän", - "@sendErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum allowed for swap" - }, "sendErrorLiquidWalletRequired": "Liquid-lompakkoa on käytettävä Liquid→Lightning-vaihtoon", - "@sendErrorLiquidWalletRequired": { - "description": "Error when wrong wallet type used for Liquid to Lightning swap" - }, "sendErrorBitcoinWalletRequired": "Bitcoin-lompakkoa on käytettävä Bitcoin→Lightning-vaihtoon", - "@sendErrorBitcoinWalletRequired": { - "description": "Error when wrong wallet type used for Bitcoin to Lightning swap" - }, "sendErrorInsufficientFundsForPayment": "Ei riittävästi varoja maksun suorittamiseen.", - "@sendErrorInsufficientFundsForPayment": { - "description": "Error when insufficient funds available" - }, "sendTypeSend": "Lähetä", - "@sendTypeSend": { - "description": "Send type name for Bitcoin/Liquid transactions" - }, "sendTypeSwap": "Swap", - "@sendTypeSwap": { - "description": "Send type name for Lightning swap transactions" - }, "sellAmount": "Määrä myytäväksi", - "@sellAmount": { - "description": "Label for Bitcoin amount input" - }, "sellReceiveAmount": "Saat", - "@sellReceiveAmount": { - "description": "Label showing fiat amount to receive" - }, "sellWalletBalance": "Saldo: {amount}", "@sellWalletBalance": { - "description": "Shows available balance", "placeholders": { "amount": { "type": "String" @@ -18615,80 +2128,25 @@ } }, "sellPaymentMethod": "Maksutapa", - "@sellPaymentMethod": { - "description": "Section for selecting how to receive fiat" - }, "sellBankTransfer": "Pankkisiirto", - "@sellBankTransfer": { - "description": "Option for bank deposit" - }, "sellInteracTransfer": "Interac e-Transfer", - "@sellInteracTransfer": { - "description": "Option for Interac payment (Canada)" - }, "sellCashPickup": "Käteisnouto", - "@sellCashPickup": { - "description": "Option for in-person cash" - }, "sellBankDetails": "Pankkitiedot", - "@sellBankDetails": { - "description": "Section header for bank account info" - }, "sellAccountName": "Tilin nimi", - "@sellAccountName": { - "description": "Label for bank account holder name" - }, "sellAccountNumber": "Tilinumero", - "@sellAccountNumber": { - "description": "Label for bank account number" - }, "sellRoutingNumber": "Routing-numero", - "@sellRoutingNumber": { - "description": "Label for bank routing/transit number" - }, "sellInstitutionNumber": "Y-tunnus", - "@sellInstitutionNumber": { - "description": "Label for bank institution code" - }, "sellSwiftCode": "SWIFT/BIC-koodi", - "@sellSwiftCode": { - "description": "Label for international bank code" - }, "sellIBAN": "IBAN", - "@sellIBAN": { - "description": "Label for International Bank Account Number" - }, "sellInteracEmail": "Interac-sähköposti", - "@sellInteracEmail": { - "description": "Label for email to receive Interac payment" - }, "sellReviewOrder": "Tarkista myyntitilaus", - "@sellReviewOrder": { - "description": "Title for order confirmation screen" - }, "sellConfirmOrder": "Vahvista myyntipyyntö", - "@sellConfirmOrder": { - "description": "Button to submit sell order" - }, "sellProcessingOrder": "Käsitellään tilausta...", - "@sellProcessingOrder": { - "description": "Loading message during order submission" - }, "sellOrderPlaced": "Myyntitilaus lähetetty onnistuneesti", - "@sellOrderPlaced": { - "description": "Success message after order submission" - }, "sellOrderFailed": "Myyntitilauksen lähetys epäonnistui", - "@sellOrderFailed": { - "description": "Error message when order fails" - }, "sellInsufficientBalance": "Lompakon saldo ei riitä", - "@sellInsufficientBalance": { - "description": "Error when wallet lacks funds" - }, "sellMinimumAmount": "Minimimyyntimäärä: {amount}", "@sellMinimumAmount": { - "description": "Error for amount below minimum", "placeholders": { "amount": { "type": "String" @@ -18697,7 +2155,6 @@ }, "sellMaximumAmount": "Maksimi myyntimäärä: {amount}", "@sellMaximumAmount": { - "description": "Error for amount above maximum", "placeholders": { "amount": { "type": "String" @@ -18705,24 +2162,11 @@ } }, "sellNetworkError": "Verkkovirhe. Yritä uudelleen", - "@sellNetworkError": { - "description": "Error for connectivity issues" - }, "sellRateExpired": "Vaihtokurssi vanhentunut. Päivitän...", - "@sellRateExpired": { - "description": "Message when rate quote times out" - }, "sellUpdatingRate": "Päivitetään vaihtokurssia...", - "@sellUpdatingRate": { - "description": "Loading message while fetching new rate" - }, "sellCurrentRate": "Nykyinen kurssi", - "@sellCurrentRate": { - "description": "Label for BTC/fiat exchange rate" - }, "sellRateValidFor": "Kurssi voimassa {seconds}s", "@sellRateValidFor": { - "description": "Shows rate expiration countdown", "placeholders": { "seconds": { "type": "int" @@ -18731,7 +2175,6 @@ }, "sellEstimatedArrival": "Arvioitu saapuminen: {time}", "@sellEstimatedArrival": { - "description": "Expected time to receive fiat", "placeholders": { "time": { "type": "String" @@ -18739,48 +2182,17 @@ } }, "sellTransactionFee": "Transaktiokulu", - "@sellTransactionFee": { - "description": "Label for Bitcoin network fee" - }, "sellServiceFee": "Palvelumaksu", - "@sellServiceFee": { - "description": "Label for Bull Bitcoin service fee" - }, "sellTotalFees": "Kokonaiskulut", - "@sellTotalFees": { - "description": "Label for sum of all fees" - }, "sellNetAmount": "Nettomäärä", - "@sellNetAmount": { - "description": "Label for amount after fees" - }, "sellKYCRequired": "KYC-vahvistus vaaditaan", - "@sellKYCRequired": { - "description": "Error when identity verification needed" - }, "sellKYCPending": "KYC-vahvistus vireillä", - "@sellKYCPending": { - "description": "Message when verification in progress" - }, "sellKYCApproved": "KYC hyväksytty", - "@sellKYCApproved": { - "description": "Status when verification complete" - }, "sellKYCRejected": "KYC-vahvistus hylättiin", - "@sellKYCRejected": { - "description": "Error when verification fails" - }, "sellCompleteKYC": "Suorita KYC", - "@sellCompleteKYC": { - "description": "Button to start verification process" - }, "sellDailyLimitReached": "Päivittäinen myyntiraja saavutettu", - "@sellDailyLimitReached": { - "description": "Error when hitting daily maximum" - }, "sellDailyLimit": "Päivittäinen raja: {amount}", "@sellDailyLimit": { - "description": "Shows maximum daily sell amount", "placeholders": { "amount": { "type": "String" @@ -18789,7 +2201,6 @@ }, "sellRemainingLimit": "Jäljellä tänään: {amount}", "@sellRemainingLimit": { - "description": "Shows remaining daily limit", "placeholders": { "amount": { "type": "String" @@ -18797,16 +2208,9 @@ } }, "buyExpressWithdrawal": "Pikasiirto", - "@buyExpressWithdrawal": { - "description": "Fast withdrawal option" - }, "buyExpressWithdrawalDesc": "Vastaanota Bitcoin välittömästi maksun jälkeen", - "@buyExpressWithdrawalDesc": { - "description": "Explanation of express withdrawal feature" - }, "buyExpressWithdrawalFee": "Pikakulu: {amount}", "@buyExpressWithdrawalFee": { - "description": "Additional fee for instant withdrawal", "placeholders": { "amount": { "type": "String" @@ -18814,36 +2218,14 @@ } }, "buyStandardWithdrawal": "Tavallinen nosto", - "@buyStandardWithdrawal": { - "description": "Regular withdrawal option" - }, "buyStandardWithdrawalDesc": "Vastaanota Bitcoin maksun selvityttyä (1–3 päivää)", - "@buyStandardWithdrawalDesc": { - "description": "Explanation of standard withdrawal timing" - }, "buyKYCLevel": "KYC-taso", - "@buyKYCLevel": { - "description": "Label for verification tier" - }, "buyKYCLevel1": "Taso 1 - Perus", - "@buyKYCLevel1": { - "description": "Basic verification tier" - }, "buyKYCLevel2": "Taso 2 - Laajennettu", - "@buyKYCLevel2": { - "description": "Enhanced verification tier" - }, "buyKYCLevel3": "Taso 3 - Täysi", - "@buyKYCLevel3": { - "description": "Full verification tier" - }, "buyUpgradeKYC": "Nosta KYC-tasoa", - "@buyUpgradeKYC": { - "description": "Button to increase verification tier" - }, "buyLevel1Limit": "Taso 1 raja: {amount}", "@buyLevel1Limit": { - "description": "Purchase limit for basic KYC", "placeholders": { "amount": { "type": "String" @@ -18852,7 +2234,6 @@ }, "buyLevel2Limit": "Taso 2 raja: {amount}", "@buyLevel2Limit": { - "description": "Purchase limit for enhanced KYC", "placeholders": { "amount": { "type": "String" @@ -18861,7 +2242,6 @@ }, "buyLevel3Limit": "Taso 3 raja: {amount}", "@buyLevel3Limit": { - "description": "Purchase limit for full KYC", "placeholders": { "amount": { "type": "String" @@ -18869,24 +2249,11 @@ } }, "buyVerificationRequired": "Vahvistus vaaditaan tätä summaa varten", - "@buyVerificationRequired": { - "description": "Error when KYC needed for purchase size" - }, "buyVerifyIdentity": "Vahvista henkilöllisyys", - "@buyVerifyIdentity": { - "description": "Button to start KYC process" - }, "buyVerificationInProgress": "Vahvistus käynnissä...", - "@buyVerificationInProgress": { - "description": "Status during KYC review" - }, "buyVerificationComplete": "Vahvistus valmis", - "@buyVerificationComplete": { - "description": "Success message after KYC approval" - }, "buyVerificationFailed": "Vahvistus epäonnistui: {reason}", "@buyVerificationFailed": { - "description": "Error message with failure reason", "placeholders": { "reason": { "type": "String" @@ -18894,92 +2261,28 @@ } }, "buyDocumentUpload": "Lataa asiakirjat", - "@buyDocumentUpload": { - "description": "Section for ID document submission" - }, "buyPhotoID": "Kuvallinen henkilötodistus", - "@buyPhotoID": { - "description": "Type of document required" - }, "buyProofOfAddress": "Osoitteen todistus", - "@buyProofOfAddress": { - "description": "Type of document required" - }, "buySelfie": "Selfie henkilöllisyystodistuksen kanssa", - "@buySelfie": { - "description": "Type of document required" - }, "receiveSelectNetwork": "Valitse verkko", - "@receiveSelectNetwork": { - "description": "Dropdown to choose receiving network" - }, "receiveBitcoinNetwork": "Bitcoin", - "@receiveBitcoinNetwork": { - "description": "Bitcoin on-chain network option" - }, "receiveLightningNetwork": "Lightning", - "@receiveLightningNetwork": { - "description": "Lightning Network option" - }, "receiveLiquidNetwork": "Liquid", - "@receiveLiquidNetwork": { - "description": "Liquid Network option" - }, "receiveArkNetwork": "Ark", - "@receiveArkNetwork": { - "description": "Ark Instant Payments option" - }, "receiveInvoice": "Lightning-lasku", - "@receiveInvoice": { - "description": "Label for Lightning invoice" - }, "receiveFixedAmount": "Määrä", - "@receiveFixedAmount": { - "description": "Required amount field" - }, "receiveDescription": "Kuvaus (valinnainen)", - "@receiveDescription": { - "description": "Optional memo field" - }, "receiveGenerateInvoice": "Luo lasku", - "@receiveGenerateInvoice": { - "description": "Button to create Lightning invoice" - }, "receiveGenerateAddress": "Luo uusi osoite", - "@receiveGenerateAddress": { - "description": "Button to create new on-chain address" - }, "receiveQRCode": "QR-koodi", - "@receiveQRCode": { - "description": "Section header for QR code display" - }, "receiveCopyAddress": "Kopioi osoite", - "@receiveCopyAddress": { - "description": "Button to copy address to clipboard" - }, "receiveCopyInvoice": "Kopioi lasku", - "@receiveCopyInvoice": { - "description": "Button to copy invoice to clipboard" - }, "receiveAddressCopied": "Osoite kopioitu leikepöydälle", - "@receiveAddressCopied": { - "description": "Toast message after copying address" - }, "receiveInvoiceCopied": "Lasku kopioitu leikepöydälle", - "@receiveInvoiceCopied": { - "description": "Toast message after copying invoice" - }, "receiveShareAddress": "Jaa osoite", - "@receiveShareAddress": { - "description": "Button to share via system share sheet" - }, "receiveShareInvoice": "Jaa lasku", - "@receiveShareInvoice": { - "description": "Button to share invoice" - }, "receiveInvoiceExpiry": "Lasku vanhenee {time}", "@receiveInvoiceExpiry": { - "description": "Shows expiration countdown", "placeholders": { "time": { "type": "String" @@ -18987,16 +2290,9 @@ } }, "receiveInvoiceExpired": "Lasku vanhentunut", - "@receiveInvoiceExpired": { - "description": "Status when invoice is no longer valid" - }, "receiveAwaitingPayment": "Odotetaan maksua...", - "@receiveAwaitingPayment": { - "description": "Status while waiting for payment" - }, "receiveConfirming": "Vahvistetaan... ({count}/{required})", "@receiveConfirming": { - "description": "Shows confirmation progress", "placeholders": { "count": { "type": "int" @@ -19007,12 +2303,8 @@ } }, "receiveConfirmed": "Vahvistettu", - "@receiveConfirmed": { - "description": "Status when fully confirmed" - }, "receiveGenerationFailed": "Generointi epäonnistui: {type}", "@receiveGenerationFailed": { - "description": "Error when address/invoice generation fails", "placeholders": { "type": { "type": "String" @@ -19021,7 +2313,6 @@ }, "receiveNetworkUnavailable": "{network} ei ole tällä hetkellä käytettävissä", "@receiveNetworkUnavailable": { - "description": "Error when network is down", "placeholders": { "network": { "type": "String" @@ -19029,312 +2320,83 @@ } }, "receiveInsufficientInboundLiquidity": "Lightning-vastaanottokapasiteetti ei riitä", - "@receiveInsufficientInboundLiquidity": { - "description": "Error when Lightning channels lack inbound capacity" - }, "receiveRequestInboundLiquidity": "Pyydä vastaanottokapasiteettia", - "@receiveRequestInboundLiquidity": { - "description": "Button to open channel for receiving" - }, "backupSettingsPhysicalBackup": "Fyysinen varmuuskopio", - "@backupSettingsPhysicalBackup": { - "description": "Label for physical backup status row" - }, "backupSettingsEncryptedVault": "Salattu holvi", - "@backupSettingsEncryptedVault": { - "description": "Label for encrypted vault backup status row" - }, "backupSettingsTested": "Testattu", - "@backupSettingsTested": { - "description": "Status text shown when backup has been tested" - }, "backupSettingsNotTested": "Ei testattu", - "@backupSettingsNotTested": { - "description": "Status text shown when backup has not been tested" - }, "backupSettingsTestBackup": "Testaa varmuuskopio", - "@backupSettingsTestBackup": { - "description": "Button text to test existing backup" - }, "backupSettingsStartBackup": "Aloita varmuuskopiointi", - "@backupSettingsStartBackup": { - "description": "Button text to start new backup process" - }, "backupSettingsExportVault": "Vie holvi", - "@backupSettingsExportVault": { - "description": "Button text to export encrypted vault file" - }, "backupSettingsExporting": "Viedään...", - "@backupSettingsExporting": { - "description": "Button text while vault export is in progress" - }, "backupSettingsViewVaultKey": "Näytä holviavain", - "@backupSettingsViewVaultKey": { - "description": "Button text to view vault decryption key" - }, "backupSettingsRevealing": "Näytetään...", - "@backupSettingsRevealing": { - "description": "Button text while revealing vault key" - }, "backupSettingsKeyServer": "Avainpalvelin ", - "@backupSettingsKeyServer": { - "description": "Label for key server connection status indicator" - }, "backupSettingsError": "Virhe", - "@backupSettingsError": { - "description": "Header text for error message display" - }, "backupSettingsBackupKey": "Varmuuskopioavain", - "@backupSettingsBackupKey": { - "description": "AppBar title for view backup key screen" - }, "backupSettingsFailedToDeriveKey": "Varmuuskopioavaimen johtaminen epäonnistui", - "@backupSettingsFailedToDeriveKey": { - "description": "Error message when backup key derivation fails" - }, "backupSettingsSecurityWarning": "Turvallisuusvaroitus", - "@backupSettingsSecurityWarning": { - "description": "Title for backup key security warning modal" - }, "backupSettingsKeyWarningBold": "Varoitus: Ole varovainen, mihin tallennat varmuuskopioavaimen.", - "@backupSettingsKeyWarningBold": { - "description": "Bold warning message in backup key warning modal" - }, "backupSettingsKeyWarningMessage": "On elintärkeää, ettet tallenna varmuuskopioavainta samaan paikkaan kuin varmuuskopiotiedostoa. Säilytä ne aina eri laitteilla tai eri pilvipalveluissa.", - "@backupSettingsKeyWarningMessage": { - "description": "Detailed warning about storing backup key separately" - }, "backupSettingsKeyWarningExample": "Esimerkiksi, jos käytit Google Drivea varmuuskopiotiedostoon, älä käytä Google Drivea varmuuskopioavaimelle.", - "@backupSettingsKeyWarningExample": { - "description": "Example explaining backup key storage separation" - }, "backupSettingsLabelsButton": "Tunnisteet", - "@backupSettingsLabelsButton": { - "description": "Button text to manage transaction labels" - }, "backupSettingsRecoverBullSettings": "Recoverbull", - "@backupSettingsRecoverBullSettings": { - "description": "Button text for Recoverbull" - }, "backupWalletImportanceWarning": "Ilman varmuuskopiota menetät lopulta pääsyn varoihisi. Varmuuskopiointi on ehdottoman tärkeää.", - "@backupWalletImportanceWarning": { - "description": "Warning message emphasizing the importance of creating a backup" - }, "backupWalletEncryptedVaultTitle": "Salattu holvi", - "@backupWalletEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, "backupWalletEncryptedVaultDescription": "Anonyymi varmuuskopio vahvalla salauksella pilvessä.", - "@backupWalletEncryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, "backupWalletEncryptedVaultTag": "Helppo ja nopea (1 minuutti)", - "@backupWalletEncryptedVaultTag": { - "description": "Tag indicating difficulty and time for encrypted vault backup" - }, "backupWalletPhysicalBackupTitle": "Fyysinen varmuuskopio", - "@backupWalletPhysicalBackupTitle": { - "description": "Title for physical backup option" - }, "backupWalletPhysicalBackupDescription": "Kirjoita 12 sanaa paperille. Säilytä ne turvallisesti äläkä menetä niitä.", - "@backupWalletPhysicalBackupDescription": { - "description": "Description of physical backup method" - }, "backupWalletPhysicalBackupTag": "Luottamukseton (ota aikaa)", - "@backupWalletPhysicalBackupTag": { - "description": "Tag indicating difficulty and trust model for physical backup" - }, "backupWalletHowToDecide": "Miten valita?", - "@backupWalletHowToDecide": { - "description": "Link text to open modal explaining how to choose backup method" - }, "backupWalletChooseVaultLocationTitle": "Valitse holvin sijainti", - "@backupWalletChooseVaultLocationTitle": { - "description": "AppBar title for choosing encrypted vault provider screen" - }, "backupWalletLastKnownEncryptedVault": "Viimeksi tunnettu salattu holvi: ", - "@backupWalletLastKnownEncryptedVault": { - "description": "Label prefix for displaying timestamp of last encrypted vault backup" - }, "backupWalletGoogleDriveSignInTitle": "Sinun täytyy kirjautua Google Driveen", - "@backupWalletGoogleDriveSignInTitle": { - "description": "Loading screen title when initiating Google Drive backup" - }, "backupWalletGoogleDrivePermissionWarning": "Google pyytää jakamaan henkilökohtaisia tietoja tämän sovelluksen kanssa.", - "@backupWalletGoogleDrivePermissionWarning": { - "description": "Warning message about Google Drive permission request" - }, "backupWalletGoogleDrivePrivacyMessage1": "Tämä tieto ", - "@backupWalletGoogleDrivePrivacyMessage1": { - "description": "First part of privacy message about Google Drive data" - }, "backupWalletGoogleDrivePrivacyMessage2": "ei poistu ", - "@backupWalletGoogleDrivePrivacyMessage2": { - "description": "Second part of privacy message (bold)" - }, "backupWalletGoogleDrivePrivacyMessage3": "puhelimestasi eikä ", - "@backupWalletGoogleDrivePrivacyMessage3": { - "description": "Third part of privacy message" - }, "backupWalletGoogleDrivePrivacyMessage4": "koskaan ", - "@backupWalletGoogleDrivePrivacyMessage4": { - "description": "Fourth part of privacy message (bold)" - }, "backupWalletGoogleDrivePrivacyMessage5": "jaeta Bull Bitcoinin kanssa.", - "@backupWalletGoogleDrivePrivacyMessage5": { - "description": "Fifth part of privacy message" - }, "backupWalletSavingToDeviceTitle": "Tallennetaan laitteellesi.", - "@backupWalletSavingToDeviceTitle": { - "description": "Loading screen title when saving to custom location" - }, "backupWalletBestPracticesTitle": "Varmuuskopioinnin parhaat käytännöt", - "@backupWalletBestPracticesTitle": { - "description": "AppBar title for physical backup checklist screen" - }, "backupWalletLastBackupTest": "Viimeisin varmuuskopiointitesti: ", - "@backupWalletLastBackupTest": { - "description": "Label prefix for displaying timestamp of last physical backup test" - }, "backupWalletInstructionLoseBackup": "Jos menetät 12 sanan varmuuskopion, et voi palauttaa pääsyä Bitcoin-lompakkoon.", - "@backupWalletInstructionLoseBackup": { - "description": "Warning instruction about losing backup" - }, "backupWalletInstructionLosePhone": "Ilman varmuuskopiota, jos menetät tai rikot puhelimesi, tai jos poistat Bull Bitcoin -sovelluksen, bitcoinisi menetetään ikuisesti.", - "@backupWalletInstructionLosePhone": { - "description": "Warning instruction about consequences without backup" - }, "backupWalletInstructionSecurityRisk": "Kuka tahansa, jolla on pääsy 12 sanan varmuuskopioosi, voi varastaa bitcoinisi. Piilota se hyvin.", - "@backupWalletInstructionSecurityRisk": { - "description": "Security warning about protecting backup from theft" - }, "backupWalletInstructionNoDigitalCopies": "Älä tee digitaalisia kopioita varmuuskopiostasi. Kirjoita se paperille, tai kaiverra metalliin.", - "@backupWalletInstructionNoDigitalCopies": { - "description": "Instruction to avoid digital copies and use physical medium" - }, "backupWalletInstructionNoPassphrase": "Varmuuskopiosi ei ole suojattu salasanalauseella. Lisää salasanalause myöhemmin luomalla uusi lompakko.", - "@backupWalletInstructionNoPassphrase": { - "description": "Information about passphrase protection option" - }, "backupWalletBackupButton": "Varmuuskopioi", - "@backupWalletBackupButton": { - "description": "Button text to proceed with physical backup" - }, "backupWalletSuccessTitle": "Varmuuskopio valmis!", - "@backupWalletSuccessTitle": { - "description": "Success screen title after backup is completed" - }, "backupWalletSuccessDescription": "Testataan nyt varmuuskopio varmistaaksemme, että kaikki on tehty oikein.", - "@backupWalletSuccessDescription": { - "description": "Success screen description prompting user to test backup" - }, "backupWalletSuccessTestButton": "Testaa varmuuskopio", - "@backupWalletSuccessTestButton": { - "description": "Button text to proceed to backup testing" - }, "backupWalletHowToDecideBackupModalTitle": "Miten valita", - "@backupWalletHowToDecideBackupModalTitle": { - "description": "Modal title for backup method comparison help" - }, "backupWalletHowToDecideBackupLosePhysical": "Yksi yleisimmistä tavoista, joilla ihmiset menettävät Bitcoininsa, on fyysisen varmuuskopion katoaminen. Kuka tahansa, joka löytää fyysisen varmuuskopiosi, voi ottaa kaikki Bitcoinisi. Jos olet erittäin varma, että osaat piilottaa sen hyvin etkä koskaan menetä sitä, se on hyvä vaihtoehto.", - "@backupWalletHowToDecideBackupLosePhysical": { - "description": "Explanation of physical backup risks in decision help modal" - }, "backupWalletHowToDecideBackupEncryptedVault": "Salattu holvi estää varkaita varastamasta varmuuskopioasi. Se myös estää sinua vahingossa menettämästä varmuuskopiota, koska se tallennetaan pilveen. Pilvipalveluntarjoajilla, kuten Googlella tai Applella, ei ole pääsyä Bitcoineihisi, koska salausavain on liian vahva. On kuitenkin pieni mahdollisuus, että palvelin, joka tallentaa varmuuskopion salausavaimen, voi joutua vaarantumaan. Tällöin varmuuskopion turvallisuus pilvitilissäsi voi olla uhattuna.", - "@backupWalletHowToDecideBackupEncryptedVault": { - "description": "Explanation of encrypted vault benefits and risks in decision help modal" - }, "backupWalletHowToDecideBackupPhysicalRecommendation": "Fyysinen varmuuskopio: ", - "@backupWalletHowToDecideBackupPhysicalRecommendation": { - "description": "Bold label for physical backup recommendation" - }, "backupWalletHowToDecideBackupPhysicalRecommendationText": "Olet varma, että osaat piilottaa ja säilyttää Bitcoin-siementekstisi turvallisesti.", - "@backupWalletHowToDecideBackupPhysicalRecommendationText": { - "description": "Recommendation text for when to use physical backup" - }, "backupWalletHowToDecideBackupEncryptedRecommendation": "Salattu holvi: ", - "@backupWalletHowToDecideBackupEncryptedRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, "backupWalletHowToDecideBackupEncryptedRecommendationText": "Et ole varma ja tarvitset enemmän aikaa oppia varmuuskopioinnin turvallisuuskäytännöistä.", - "@backupWalletHowToDecideBackupEncryptedRecommendationText": { - "description": "Recommendation text for when to use encrypted vault" - }, "backupWalletHowToDecideBackupMoreInfo": "Lisätietoja osoitteessa recoverbull.com.", - "@backupWalletHowToDecideBackupMoreInfo": { - "description": "Link text to external resource" - }, "backupWalletHowToDecideVaultModalTitle": "Miten valita", - "@backupWalletHowToDecideVaultModalTitle": { - "description": "Modal title for vault location comparison help" - }, "backupWalletHowToDecideVaultCloudSecurity": "Pilvipalveluntarjoajilla, kuten Googlella tai Applella, ei ole pääsyä Bitcoineihisi, koska salausavain on liian vahva. He voivat saada pääsyn vain epätodennäköisessä tilanteessa, jossa he tekevät yhteistyötä avainpalvelimen kanssa (verkkopalvelu, joka tallentaa salausavaimen). Jos avainpalvelin koskaan hakkeroidaan, Bitcoinesi voivat olla vaarassa Google- tai Apple-pilvessä.", - "@backupWalletHowToDecideVaultCloudSecurity": { - "description": "Explanation of cloud storage security in vault location decision help modal" - }, "backupWalletHowToDecideVaultCustomLocation": "Mukautettu sijainti voi olla paljon turvallisempi valinnasta riippuen. Sinun on myös varmistettava, ettet menetä varmuuskopiotiedostoa tai laitetta, johon se on tallennettu.", - "@backupWalletHowToDecideVaultCustomLocation": { - "description": "Explanation of custom location benefits and risks" - }, "backupWalletHowToDecideVaultCustomRecommendation": "Mukautettu sijainti: ", - "@backupWalletHowToDecideVaultCustomRecommendation": { - "description": "Bold label for custom location recommendation" - }, "backupWalletHowToDecideVaultCustomRecommendationText": "Olet varma, ettet menetä holvitiedostoa ja että se on edelleen saatavilla, jos menetät puhelimesi.", - "@backupWalletHowToDecideVaultCustomRecommendationText": { - "description": "Recommendation text for when to use custom location" - }, "backupWalletHowToDecideVaultCloudRecommendation": "Google tai Apple -pilvi: ", - "@backupWalletHowToDecideVaultCloudRecommendation": { - "description": "Bold label for cloud storage recommendation" - }, "backupWalletHowToDecideVaultCloudRecommendationText": "Haluat varmistaa, ettet koskaan menetä pääsyä holvitiedostoosi, vaikka menettäisit laitteesi.", - "@backupWalletHowToDecideVaultCloudRecommendationText": { - "description": "Recommendation text for when to use cloud storage" - }, "backupWalletHowToDecideVaultMoreInfo": "Lisätietoja osoitteessa recoverbull.com.", - "@backupWalletHowToDecideVaultMoreInfo": { - "description": "Link text to external resource about vault locations" - }, "backupWalletVaultProviderGoogleDrive": "Google Drive", - "@backupWalletVaultProviderGoogleDrive": { - "description": "Name of Google Drive vault provider option" - }, "backupWalletVaultProviderAppleICloud": "Apple iCloud", - "@backupWalletVaultProviderAppleICloud": { - "description": "Name of Apple iCloud vault provider option" - }, "backupWalletVaultProviderCustomLocation": "Mukautettu sijainti", - "@backupWalletVaultProviderCustomLocation": { - "description": "Name of custom location vault provider option" - }, "backupWalletVaultProviderQuickEasy": "Nopea ja helppo", - "@backupWalletVaultProviderQuickEasy": { - "description": "Tag for Google Drive and iCloud providers" - }, "backupWalletVaultProviderTakeYourTime": "Ota aikaa", - "@backupWalletVaultProviderTakeYourTime": { - "description": "Tag for custom location provider" - }, "backupWalletErrorFileSystemPath": "Tiedostopolun valinta epäonnistui", - "@backupWalletErrorFileSystemPath": { - "description": "Error when file system path selection fails" - }, "backupWalletErrorGoogleDriveConnection": "Yhteys Google Driveen epäonnistui", - "@backupWalletErrorGoogleDriveConnection": { - "description": "Error when Google Drive connection fails" - }, "backupWalletErrorSaveBackup": "Varmuuskopion tallennus epäonnistui", - "@backupWalletErrorSaveBackup": { - "description": "Error when backup save operation fails" - }, "backupWalletErrorGoogleDriveSave": "Tallennus Google Driveen epäonnistui", - "@backupWalletErrorGoogleDriveSave": { - "description": "Error when saving to Google Drive fails" - }, "testBackupWalletTitle": "Testaa {walletName}", "@testBackupWalletTitle": { - "description": "Dynamic AppBar title showing which wallet is being tested", "placeholders": { "walletName": { "type": "String" @@ -19342,24 +2404,11 @@ } }, "testBackupDefaultWallets": "Oletuslompakot", - "@testBackupDefaultWallets": { - "description": "Label shown when testing the default wallets" - }, "testBackupConfirm": "Vahvista", - "@testBackupConfirm": { - "description": "Button text to confirm wallet selection" - }, "testBackupWriteDownPhrase": "Kirjoita palautuslausekkeesi\noikeassa järjestyksessä", - "@testBackupWriteDownPhrase": { - "description": "Main instruction header for physical backup screen" - }, "testBackupStoreItSafe": "Säilytä se turvallisessa paikassa.", - "@testBackupStoreItSafe": { - "description": "Sub-instruction telling users to store recovery phrase safely" - }, "testBackupLastBackupTest": "Viimeisin varmuuskopiointitesti: {timestamp}", "@testBackupLastBackupTest": { - "description": "Shows timestamp of last physical backup test", "placeholders": { "timestamp": { "type": "String" @@ -19367,32 +2416,13 @@ } }, "testBackupDoNotShare": "ÄLÄ JAA KENENKÄÄN KANSSA", - "@testBackupDoNotShare": { - "description": "Warning header about keeping recovery phrase secret" - }, "testBackupTranscribe": "Kirjoita ylös", - "@testBackupTranscribe": { - "description": "Label with checkmark indicating users should transcribe the phrase" - }, "testBackupDigitalCopy": "Digitaalinen kopio", - "@testBackupDigitalCopy": { - "description": "Label with X mark warning against making digital copies" - }, "testBackupScreenshot": "Näyttökuva", - "@testBackupScreenshot": { - "description": "Label with X mark warning against taking screenshots" - }, "testBackupNext": "Seuraava", - "@testBackupNext": { - "description": "Button to proceed to verification quiz" - }, "testBackupTapWordsInOrder": "Napauta palautussanoja \noikeassa järjestyksessä", - "@testBackupTapWordsInOrder": { - "description": "Instruction header for word selection quiz" - }, "testBackupWhatIsWordNumber": "Mikä on sana numero {number}?", "@testBackupWhatIsWordNumber": { - "description": "Quiz prompt asking for specific word number", "placeholders": { "number": { "type": "int" @@ -19400,64 +2430,21 @@ } }, "testBackupAllWordsSelected": "Olet valinnut kaikki sanat", - "@testBackupAllWordsSelected": { - "description": "Message shown when user has selected all 12 words" - }, "testBackupVerify": "Vahvista", - "@testBackupVerify": { - "description": "Button text to verify the selected word order" - }, "testBackupPassphrase": "Suojaussana", - "@testBackupPassphrase": { - "description": "Label for optional passphrase field" - }, "testBackupSuccessTitle": "Testi suoritettu onnistuneesti!", - "@testBackupSuccessTitle": { - "description": "Success screen title after completing backup verification" - }, "testBackupSuccessMessage": "Pystyt palauttamaan pääsyn kadonneeseen Bitcoin-lompakkoon", - "@testBackupSuccessMessage": { - "description": "Success screen message confirming recovery capability" - }, "testBackupSuccessButton": "Selvä", - "@testBackupSuccessButton": { - "description": "Button to dismiss success screen" - }, "testBackupWarningMessage": "Ilman varmuuskopiota menetät lopulta pääsyn varoihisi. Varmuuskopiointi on ehdottoman tärkeää.", - "@testBackupWarningMessage": { - "description": "Warning message emphasizing importance of backups" - }, "testBackupEncryptedVaultTitle": "Salattu holvi", - "@testBackupEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option card" - }, "testBackupEncryptedVaultDescription": "Anonyymi varmuuskopio vahvalla salauksella pilvessä.", - "@testBackupEncryptedVaultDescription": { - "description": "Description for encrypted vault backup option" - }, "testBackupEncryptedVaultTag": "Helppo ja nopea (1 minuutti)", - "@testBackupEncryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, "testBackupPhysicalBackupTitle": "Fyysinen varmuuskopio", - "@testBackupPhysicalBackupTitle": { - "description": "Title for physical backup option card" - }, "testBackupPhysicalBackupDescription": "Kirjoita 12 sanaa paperille. Säilytä ne turvallisesti äläkä menetä niitä.", - "@testBackupPhysicalBackupDescription": { - "description": "Description for physical backup option" - }, "testBackupPhysicalBackupTag": "Luotettava (varaa aikaa)", - "@testBackupPhysicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes longer" - }, "testBackupChooseVaultLocation": "Valitse holvin sijainti", - "@testBackupChooseVaultLocation": { - "description": "AppBar title for encrypted vault provider selection screen" - }, "testBackupLastKnownVault": "Viimeksi tunnettu salattu holvi: {timestamp}", "@testBackupLastKnownVault": { - "description": "Shows timestamp of last encrypted vault backup", "placeholders": { "timestamp": { "type": "String" @@ -19465,80 +2452,25 @@ } }, "testBackupRetrieveVaultDescription": "Testaa, että voit hakea salatun holvisi.", - "@testBackupRetrieveVaultDescription": { - "description": "Description explaining purpose of vault location selection" - }, "testBackupGoogleDriveSignIn": "Sinun täytyy kirjautua Google Driveen", - "@testBackupGoogleDriveSignIn": { - "description": "Progress screen title when fetching from Google Drive" - }, "testBackupGoogleDrivePermission": "Google pyytää jakamaan henkilökohtaisia tietoja tämän sovelluksen kanssa.", - "@testBackupGoogleDrivePermission": { - "description": "Progress screen description explaining Google Drive permission request" - }, "testBackupGoogleDrivePrivacyPart1": "Tämä tieto ", - "@testBackupGoogleDrivePrivacyPart1": { - "description": "First part of privacy message" - }, "testBackupGoogleDrivePrivacyPart2": "ei poistu ", - "@testBackupGoogleDrivePrivacyPart2": { - "description": "Second part (emphasized) of privacy message" - }, "testBackupGoogleDrivePrivacyPart3": "puhelimestasi eikä ", - "@testBackupGoogleDrivePrivacyPart3": { - "description": "Third part of privacy message" - }, "testBackupGoogleDrivePrivacyPart4": "koskaan ", - "@testBackupGoogleDrivePrivacyPart4": { - "description": "Fourth part (emphasized) of privacy message" - }, "testBackupGoogleDrivePrivacyPart5": "jaeta Bull Bitcoinin kanssa.", - "@testBackupGoogleDrivePrivacyPart5": { - "description": "Fifth part of privacy message" - }, "testBackupFetchingFromDevice": "Haetaan laitteestasi.", - "@testBackupFetchingFromDevice": { - "description": "Progress screen title when fetching from local device" - }, "testBackupRecoverWallet": "Palauta lompakko", - "@testBackupRecoverWallet": { - "description": "AppBar title for fetched backup info screen" - }, "testBackupVaultSuccessMessage": "Holvisi tuotiin onnistuneesti", - "@testBackupVaultSuccessMessage": { - "description": "Success message after vault is imported" - }, "testBackupBackupId": "Varmuuskopio-ID:", - "@testBackupBackupId": { - "description": "Label for backup ID field" - }, "testBackupCreatedAt": "Luotu:", - "@testBackupCreatedAt": { - "description": "Label for vault creation timestamp field" - }, "testBackupEnterKeyManually": "Syötä varmuuskopioavain manuaalisesti >>", - "@testBackupEnterKeyManually": { - "description": "Button text to manually enter backup key" - }, "testBackupDecryptVault": "Pura holvi", - "@testBackupDecryptVault": { - "description": "Button text to decrypt the vault" - }, "testBackupErrorNoMnemonic": "Siemenlausetta ei ole ladattu", - "@testBackupErrorNoMnemonic": { - "description": "Error when mnemonic is not loaded" - }, "testBackupErrorSelectAllWords": "Valitse kaikki sanat", - "@testBackupErrorSelectAllWords": { - "description": "Error when not all words are selected" - }, "testBackupErrorIncorrectOrder": "Sanat väärässä järjestyksessä. Yritä uudelleen.", - "@testBackupErrorIncorrectOrder": { - "description": "Error when words are selected in wrong order" - }, "testBackupErrorVerificationFailed": "Vahvistus epäonnistui: {error}", "@testBackupErrorVerificationFailed": { - "description": "Generic error message for verification failure", "placeholders": { "error": { "type": "String" @@ -19547,7 +2479,6 @@ }, "testBackupErrorFailedToFetch": "Varmuuskopion hakeminen epäonnistui: {error}", "@testBackupErrorFailedToFetch": { - "description": "Error when backup fetch fails", "placeholders": { "error": { "type": "String" @@ -19555,20 +2486,10 @@ } }, "testBackupErrorInvalidFile": "Virheellinen tiedoston sisältö", - "@testBackupErrorInvalidFile": { - "description": "Error when selected file has invalid content" - }, "testBackupErrorUnexpectedSuccess": "Odottamaton onnistuminen: varmuuskopion pitäisi vastata olemassa olevaa lompakkoa", - "@testBackupErrorUnexpectedSuccess": { - "description": "Error for unexpected successful vault restoration" - }, "testBackupErrorWalletMismatch": "Varmuuskopio ei vastaa olemassa olevaa lompakkoa", - "@testBackupErrorWalletMismatch": { - "description": "Error when backup doesn't match current wallet" - }, "testBackupErrorWriteFailed": "Tallennus epäonnistui: {error}", "@testBackupErrorWriteFailed": { - "description": "Error when writing verification status to storage fails", "placeholders": { "error": { "type": "String" @@ -19577,7 +2498,6 @@ }, "testBackupErrorTestFailed": "Varmuuskopion testaus epäonnistui: {error}", "@testBackupErrorTestFailed": { - "description": "Generic error message for backup test failure", "placeholders": { "error": { "type": "String" @@ -19586,7 +2506,6 @@ }, "testBackupErrorLoadWallets": "Lompakoiden lataus epäonnistui: {error}", "@testBackupErrorLoadWallets": { - "description": "Error when loading wallets fails", "placeholders": { "error": { "type": "String" @@ -19595,7 +2514,6 @@ }, "testBackupErrorLoadMnemonic": "Siemenlauseen lataus epäonnistui: {error}", "@testBackupErrorLoadMnemonic": { - "description": "Error when loading mnemonic fails", "placeholders": { "error": { "type": "String" @@ -19603,24 +2521,11 @@ } }, "recoverbullGoogleDriveCancelButton": "Peruuta", - "@recoverbullGoogleDriveCancelButton": { - "description": "Cancel button text for delete confirmation dialog" - }, "recoverbullGoogleDriveDeleteButton": "Poista", - "@recoverbullGoogleDriveDeleteButton": { - "description": "Delete button text for vault backup" - }, "recoverbullGoogleDriveDeleteConfirmation": "Haluatko varmasti poistaa tämän holvin varmuuskopion? Tätä toimintoa ei voi peruuttaa.", - "@recoverbullGoogleDriveDeleteConfirmation": { - "description": "Confirmation message for deleting a vault backup" - }, "recoverbullGoogleDriveDeleteVaultTitle": "Poista holvi", - "@recoverbullGoogleDriveDeleteVaultTitle": { - "description": "Title for delete vault confirmation dialog" - }, "recoverbullGoogleDriveErrorDisplay": "Virhe: {error}", "@recoverbullGoogleDriveErrorDisplay": { - "description": "Error message display format", "placeholders": { "error": { "type": "String" @@ -19629,7 +2534,6 @@ }, "recoverbullBalance": "Saldo: {balance}", "@recoverbullBalance": { - "description": "Label showing wallet balance during vault recovery", "placeholders": { "balance": { "type": "String" @@ -19637,16 +2541,9 @@ } }, "recoverbullCheckingConnection": "Tarkistetaan yhteyttä RecoverBull-palveluun", - "@recoverbullCheckingConnection": { - "description": "Screen title while checking connection status" - }, "recoverbullConfirm": "Vahvista", - "@recoverbullConfirm": { - "description": "Button text to confirm an action" - }, "recoverbullConfirmInput": "Vahvista {inputType}", "@recoverbullConfirmInput": { - "description": "Label to confirm input (PIN or password)", "placeholders": { "inputType": { "type": "String" @@ -19654,40 +2551,15 @@ } }, "recoverbullConnected": "Yhdistetty", - "@recoverbullConnected": { - "description": "Status label indicating successful connection" - }, "recoverbullConnecting": "Yhdistetään", - "@recoverbullConnecting": { - "description": "Status label indicating connection in progress" - }, "recoverbullConnectingTor": "Tor-verkkoyhteys avainpalvelimeen avautuu.\nTämä voi kestää jopa minuutin.", - "@recoverbullConnectingTor": { - "description": "Message shown while establishing Tor connection" - }, "recoverbullConnectionFailed": "Yhteys epäonnistui", - "@recoverbullConnectionFailed": { - "description": "Status label indicating connection failure" - }, "recoverbullContinue": "Jatka", - "@recoverbullContinue": { - "description": "Button text to proceed to next step" - }, "recoverbullCreatingVault": "Luodaan salattua holvia", - "@recoverbullCreatingVault": { - "description": "Screen title while vault is being created" - }, "recoverbullDecryptVault": "Pura holvi", - "@recoverbullDecryptVault": { - "description": "Button text to decrypt the selected vault" - }, "recoverbullEncryptedVaultCreated": "Salattu holvi luotu!", - "@recoverbullEncryptedVaultCreated": { - "description": "Success message title after vault creation" - }, "recoverbullEnterInput": "Syötä {inputType}", "@recoverbullEnterInput": { - "description": "Input field label prompting for PIN or password", "placeholders": { "inputType": { "type": "String" @@ -19696,7 +2568,6 @@ }, "recoverbullEnterToDecrypt": "Syötä {inputType} purkaaksesi holvisi.", "@recoverbullEnterToDecrypt": { - "description": "Instruction to enter PIN or password for vault decryption", "placeholders": { "inputType": { "type": "String" @@ -19705,7 +2576,6 @@ }, "recoverbullEnterToTest": "Syötä {inputType} testataksesi holviasi.", "@recoverbullEnterToTest": { - "description": "Instruction to enter PIN or password to test vault recovery", "placeholders": { "inputType": { "type": "String" @@ -19714,7 +2584,6 @@ }, "recoverbullEnterToView": "Syötä {inputType} nähdäksesi holviavaimesi.", "@recoverbullEnterToView": { - "description": "Instruction to enter PIN or password to view vault key", "placeholders": { "inputType": { "type": "String" @@ -19722,56 +2591,19 @@ } }, "recoverbullEnterVaultKeyInstead": "Syötä sen sijaan holviavain", - "@recoverbullEnterVaultKeyInstead": { - "description": "Button text to switch to manual vault key entry" - }, "recoverbullErrorCheckStatusFailed": "Holvin tilan tarkistus epäonnistui", - "@recoverbullErrorCheckStatusFailed": { - "description": "Error message when vault status check fails" - }, "recoverbullErrorConnectionFailed": "Yhteyden muodostaminen kohdeavainpalvelimeen epäonnistui. Yritä myöhemmin uudelleen!", - "@recoverbullErrorConnectionFailed": { - "description": "Error message when server connection fails" - }, "recoverbullErrorDecryptedVaultNotSet": "Purettua holvia ei ole asetettu", - "@recoverbullErrorDecryptedVaultNotSet": { - "description": "Error when attempting operation without decrypted vault" - }, "recoverbullErrorDecryptFailed": "Holvin purku epäonnistui", - "@recoverbullErrorDecryptFailed": { - "description": "Error message when vault decryption fails" - }, "recoverbullErrorFetchKeyFailed": "Holviavaimen hakeminen palvelimelta epäonnistui", - "@recoverbullErrorFetchKeyFailed": { - "description": "Error message when server key fetch fails" - }, "recoverbullErrorInvalidCredentials": "Väärä salasana tälle varmuuskopiolle", - "@recoverbullErrorInvalidCredentials": { - "description": "Error message when wrong password is entered for vault" - }, "recoverbullErrorInvalidFlow": "Virheellinen työnkulku", - "@recoverbullErrorInvalidFlow": { - "description": "Error message for invalid operation flow" - }, "recoverbullErrorMissingBytes": "Puuttuvia bittejä Tor-vastauksesta. Yritä uudelleen, mutta jos ongelma jatkuu, se on joillain laitteilla tunnettu Tor-ongelma.", - "@recoverbullErrorMissingBytes": { - "description": "Error message when Tor response is incomplete" - }, "recoverbullErrorPasswordNotSet": "Salasanaa ei ole asetettu", - "@recoverbullErrorPasswordNotSet": { - "description": "Error when attempting operation without setting password" - }, "recoverbullErrorRecoveryFailed": "Holvin palautus epäonnistui", - "@recoverbullErrorRecoveryFailed": { - "description": "Error message when vault recovery fails" - }, "recoverbullTorNotStarted": "Tor ei ole käynnissä", - "@recoverbullTorNotStarted": { - "description": "Error message when Tor is not started" - }, "recoverbullErrorRateLimited": "Kutsuja rajoitettu. Yritä uudelleen {retryIn} kuluttua", "@recoverbullErrorRateLimited": { - "description": "Error message when rate limited by the server", "placeholders": { "retryIn": { "type": "String" @@ -19779,60 +2611,20 @@ } }, "recoverbullErrorUnexpected": "Odottamaton virhe, katso lokit", - "@recoverbullErrorUnexpected": { - "description": "Error message for unexpected errors" - }, "recoverbullUnexpectedError": "Odottamaton virhe", - "@recoverbullUnexpectedError": { - "description": "Short unexpected error message" - }, "recoverbullErrorSelectVault": "Holvin valinta epäonnistui", - "@recoverbullErrorSelectVault": { - "description": "Error message when vault selection fails" - }, "recoverbullErrorVaultCreatedKeyNotStored": "Epäonnistui: Holvitiedosto luotu mutta avainta ei tallennettu palvelimelle", - "@recoverbullErrorVaultCreatedKeyNotStored": { - "description": "Error when vault file created but server key storage failed" - }, "recoverbullErrorVaultCreationFailed": "Holvin luominen epäonnistui, ongelma voi olla tiedostossa tai avaimessa", - "@recoverbullErrorVaultCreationFailed": { - "description": "Error message when overall vault creation fails" - }, "recoverbullErrorVaultNotSet": "Holvi ei ole asetettu", - "@recoverbullErrorVaultNotSet": { - "description": "Error when attempting operation without selected vault" - }, "recoverbullFailed": "Epäonnistui", - "@recoverbullFailed": { - "description": "Status label indicating operation failure" - }, "recoverbullFetchingVaultKey": "Haetaan holviavainta", - "@recoverbullFetchingVaultKey": { - "description": "Screen title while fetching vault key from server" - }, "recoverbullFetchVaultKey": "Hae holviavain", - "@recoverbullFetchVaultKey": { - "description": "Screen title for vault key fetch screen" - }, "recoverbullGoBackEdit": "<< Palaa takaisin ja muokkaa", - "@recoverbullGoBackEdit": { - "description": "Button text to return to previous screen for editing" - }, "recoverbullGotIt": "Selvä", - "@recoverbullGotIt": { - "description": "Button text to acknowledge and dismiss message" - }, "recoverbullKeyServer": "Avainpalvelin ", - "@recoverbullKeyServer": { - "description": "Label for key server connection status" - }, "recoverbullLookingForBalance": "Etsitään saldoa ja transaktioita…", - "@recoverbullLookingForBalance": { - "description": "Loading message while scanning wallet" - }, "recoverbullMemorizeWarning": "Sinun on muistettava tämä {inputType} palauttaaksesi pääsyn lompakkoosi. Sen on oltava vähintään 6 numeroa. Jos menetät tämän {inputType}, et voi palauttaa varmuuskopioasi.", "@recoverbullMemorizeWarning": { - "description": "Warning message about memorizing PIN or password", "placeholders": { "inputType": { "type": "String" @@ -19840,36 +2632,14 @@ } }, "recoverbullPassword": "Salasana", - "@recoverbullPassword": { - "description": "Label for password input type" - }, "recoverbullPasswordMismatch": "Salasanat eivät täsmää", - "@recoverbullPasswordMismatch": { - "description": "Validation error when passwords don't match" - }, "recoverbullPasswordRequired": "Salasana on pakollinen", - "@recoverbullPasswordRequired": { - "description": "Validation error when password field is empty" - }, "recoverbullPasswordTooCommon": "Tämä salasana on liian yleinen. Valitse toinen.", - "@recoverbullPasswordTooCommon": { - "description": "Validation error for commonly used passwords" - }, "recoverbullPasswordTooShort": "Salasanan on oltava vähintään 6 merkkiä pitkä", - "@recoverbullPasswordTooShort": { - "description": "Validation error for passwords under minimum length" - }, "recoverbullPIN": "PIN", - "@recoverbullPIN": { - "description": "Label for PIN input type" - }, "recoverbullPleaseWait": "Odota hetki, kun luomme suojattua yhteyttä...", - "@recoverbullPleaseWait": { - "description": "Message shown during connection establishment" - }, "recoverbullReenterConfirm": "Syötä {inputType} uudelleen vahvistaaksesi.", "@recoverbullReenterConfirm": { - "description": "Instruction to re-enter PIN or password for confirmation", "placeholders": { "inputType": { "type": "String" @@ -19878,7 +2648,6 @@ }, "recoverbullReenterRequired": "Syötä {inputType} uudelleen", "@recoverbullReenterRequired": { - "description": "Label for confirmation input field", "placeholders": { "inputType": { "type": "String" @@ -19886,160 +2655,45 @@ } }, "recoverbullGoogleDriveErrorDeleteFailed": "Holvin poistaminen Google Drivesta epäonnistui", - "@recoverbullGoogleDriveErrorDeleteFailed": { - "description": "Error message when deleting a drive backup fails" - }, "recoverbullGoogleDriveErrorExportFailed": "Holvin vienti Google Drivesta epäonnistui", - "@recoverbullGoogleDriveErrorExportFailed": { - "description": "Error message when exporting a drive backup fails" - }, "recoverbullGoogleDriveErrorFetchFailed": "Holvien hakeminen Google Drivesta epäonnistui", - "@recoverbullGoogleDriveErrorFetchFailed": { - "description": "Error message when fetching drive backups fails" - }, "recoverbullGoogleDriveErrorGeneric": "Tapahtui virhe. Yritä uudelleen.", - "@recoverbullGoogleDriveErrorGeneric": { - "description": "Generic error message for unknown errors" - }, "recoverbullGoogleDriveErrorSelectFailed": "Holvin valinta Google Drivesta epäonnistui", - "@recoverbullGoogleDriveErrorSelectFailed": { - "description": "Error message when selecting/loading a drive backup fails" - }, "recoverbullGoogleDriveExportButton": "Vie", - "@recoverbullGoogleDriveExportButton": { - "description": "Export button text for vault backup" - }, "recoverbullGoogleDriveNoBackupsFound": "Varmuuskopioita ei löytynyt", - "@recoverbullGoogleDriveNoBackupsFound": { - "description": "Message displayed when no backups are found in Google Drive" - }, "recoverbullGoogleDriveScreenTitle": "Google Drive -holvit", - "@recoverbullGoogleDriveScreenTitle": { - "description": "Screen title for Google Drive vaults management" - }, "recoverbullRecoverBullServer": "RecoverBull-palvelin", - "@recoverbullRecoverBullServer": { - "description": "Label for RecoverBull server connection status" - }, "recoverbullRetry": "Yritä uudelleen", - "@recoverbullRetry": { - "description": "Button text to retry failed operation" - }, "recoverbullSecureBackup": "Suojaa varmuuskopio", - "@recoverbullSecureBackup": { - "description": "Screen title for backup security setup" - }, "recoverbullSeeMoreVaults": "Näytä lisää holveja", - "@recoverbullSeeMoreVaults": { - "description": "Button text to view additional vault options" - }, "recoverbullSelectRecoverWallet": "Palauta lompakko", - "@recoverbullSelectRecoverWallet": { - "description": "AppBar title for initial provider selection screen" - }, "recoverbullSelectVaultSelected": "Holvi valittu", - "@recoverbullSelectVaultSelected": { - "description": "AppBar title shown after vault has been selected" - }, "recoverbullSelectCustomLocation": "Mukautettu sijainti", - "@recoverbullSelectCustomLocation": { - "description": "AppBar title for custom location file picker screen" - }, "recoverbullSelectDriveBackups": "Drive-varmuuskopiot", - "@recoverbullSelectDriveBackups": { - "description": "AppBar title for screen showing list of Google Drive backups" - }, "recoverbullSelectGoogleDrive": "Google Drive", - "@recoverbullSelectGoogleDrive": { - "description": "Name label for Google Drive backup provider option" - }, "recoverbullSelectAppleIcloud": "Apple iCloud", - "@recoverbullSelectAppleIcloud": { - "description": "Name label for Apple iCloud backup provider option" - }, "recoverbullSelectCustomLocationProvider": "Mukautettu sijainti", - "@recoverbullSelectCustomLocationProvider": { - "description": "Name label for custom location backup provider option" - }, "recoverbullSelectQuickAndEasy": "Nopea ja helppo", - "@recoverbullSelectQuickAndEasy": { - "description": "Description tag for Google Drive and iCloud provider options" - }, "recoverbullSelectTakeYourTime": "Varaa aikaa", - "@recoverbullSelectTakeYourTime": { - "description": "Description tag for custom location provider option" - }, "recoverbullSelectVaultImportSuccess": "Holvisi tuotiin onnistuneesti", - "@recoverbullSelectVaultImportSuccess": { - "description": "Success message shown on vault selected page" - }, "recoverbullSelectEnterBackupKeyManually": "Syötä varmuuskopioavain manuaalisesti >>", - "@recoverbullSelectEnterBackupKeyManually": { - "description": "Button text to manually enter backup key" - }, "recoverbullSelectDecryptVault": "Pura holvi", - "@recoverbullSelectDecryptVault": { - "description": "Primary button text to proceed with vault decryption" - }, "recoverbullSelectNoBackupsFound": "Varmuuskopioita ei löytynyt", - "@recoverbullSelectNoBackupsFound": { - "description": "Empty state message when no backup files found in Google Drive" - }, "recoverbullSelectErrorPrefix": "Virhe:", - "@recoverbullSelectErrorPrefix": { - "description": "Prefix text shown before error messages" - }, "recoverbullSelectFetchDriveFilesError": "Kaikkien Drive-varmuuskopioiden haku epäonnistui", - "@recoverbullSelectFetchDriveFilesError": { - "description": "Error when unable to retrieve backup list from Google Drive" - }, "recoverbullSelectFileNotSelectedError": "Tiedostoa ei valittu", - "@recoverbullSelectFileNotSelectedError": { - "description": "Error when user cancels file selection" - }, "recoverbullSelectCustomLocationError": "Tiedoston valinta mukautetusta sijainnista epäonnistui", - "@recoverbullSelectCustomLocationError": { - "description": "Error when file selection from custom location fails" - }, "recoverbullSelectBackupFileNotValidError": "RecoverBull-varmuuskopiotiedosto ei ole kelvollinen", - "@recoverbullSelectBackupFileNotValidError": { - "description": "Error when selected file is not a valid RecoverBull backup format" - }, "recoverbullSelectVaultProvider": "Valitse holvin tarjoaja", - "@recoverbullSelectVaultProvider": { - "description": "Screen title for vault provider selection" - }, "recoverbullSwitchToPassword": "Valitse salasana sen sijaan", - "@recoverbullSwitchToPassword": { - "description": "Button text to switch from PIN to password input" - }, "recoverbullSwitchToPIN": "Valitse PIN sen sijaan", - "@recoverbullSwitchToPIN": { - "description": "Button text to switch from password to PIN input" - }, "recoverbullTestBackupDescription": "Testataan nyt varmuuskopiosi varmistaaksemme, että kaikki tehtiin oikein.", - "@recoverbullTestBackupDescription": { - "description": "Description message before testing backup" - }, "recoverbullTestCompletedTitle": "Testi suoritettu onnistuneesti!", - "@recoverbullTestCompletedTitle": { - "description": "Success title after completing backup test" - }, "recoverbullTestRecovery": "Testaa palautus", - "@recoverbullTestRecovery": { - "description": "Button text to initiate recovery test" - }, "recoverbullTestSuccessDescription": "Pystyt palauttamaan pääsyn kadonneeseen Bitcoin-lompakkoon", - "@recoverbullTestSuccessDescription": { - "description": "Description shown after successful recovery test" - }, "recoverbullTorNetwork": "Tor-verkko", - "@recoverbullTorNetwork": { - "description": "Label for Tor network connection status" - }, "recoverbullTransactions": "Transaktioita: {count}", "@recoverbullTransactions": { - "description": "Label showing transaction count during vault recovery", "placeholders": { "count": { "type": "int" @@ -20047,44 +2701,16 @@ } }, "recoverbullVaultCreatedSuccess": "Holvi luotu onnistuneesti", - "@recoverbullVaultCreatedSuccess": { - "description": "Success message after vault creation" - }, "recoverbullVaultImportedSuccess": "Holvisi tuotiin onnistuneesti", - "@recoverbullVaultImportedSuccess": { - "description": "Success message after vault import" - }, "recoverbullVaultKey": "Holviavain", - "@recoverbullVaultKey": { - "description": "Screen title and label for vault key" - }, "recoverbullVaultKeyInput": "Holviavain", - "@recoverbullVaultKeyInput": { - "description": "Input field label for vault key entry" - }, "recoverbullVaultRecovery": "Holvin palautus", - "@recoverbullVaultRecovery": { - "description": "Screen title for vault recovery process" - }, "recoverbullVaultSelected": "Holvi valittu", - "@recoverbullVaultSelected": { - "description": "Screen title after vault has been selected" - }, "recoverbullWaiting": "Odotetaan", - "@recoverbullWaiting": { - "description": "Status label indicating waiting state" - }, "recoverbullRecoveryTitle": "Recoverbull-holvin palautus", - "@recoverbullRecoveryTitle": { - "description": "AppBar title for vault recovery screen" - }, "recoverbullRecoveryLoadingMessage": "Etsitään saldoa ja transaktioita…", - "@recoverbullRecoveryLoadingMessage": { - "description": "Loading message while checking wallet balance and transactions" - }, "recoverbullRecoveryBalanceLabel": "Saldo: {amount}", "@recoverbullRecoveryBalanceLabel": { - "description": "Label showing total wallet balance found", "placeholders": { "amount": { "type": "String" @@ -20093,7 +2719,6 @@ }, "recoverbullRecoveryTransactionsLabel": "Transaktiot: {count}", "@recoverbullRecoveryTransactionsLabel": { - "description": "Label showing total number of transactions found", "placeholders": { "count": { "type": "int" @@ -20101,52 +2726,18 @@ } }, "recoverbullRecoveryContinueButton": "Jatka", - "@recoverbullRecoveryContinueButton": { - "description": "Button text to proceed with importing the wallet" - }, "recoverbullRecoveryErrorWalletExists": "Tämä lompakko on jo olemassa.", - "@recoverbullRecoveryErrorWalletExists": { - "description": "Error when attempting to restore vault that already exists" - }, "recoverbullRecoveryErrorWalletMismatch": "Toinen oletuslompakko on jo olemassa. Voit asettaa vain yhden oletuslompakon.", - "@recoverbullRecoveryErrorWalletMismatch": { - "description": "Error when different default wallet already exists" - }, "recoverbullRecoveryErrorKeyDerivationFailed": "Paikallisen varmuuskopioavaimen johtaminen epäonnistui.", - "@recoverbullRecoveryErrorKeyDerivationFailed": { - "description": "Error when app fails to derive backup encryption key" - }, "recoverbullRecoveryErrorVaultCorrupted": "Valittu varmuuskopiotiedosto on vioittunut.", - "@recoverbullRecoveryErrorVaultCorrupted": { - "description": "Error when vault backup file cannot be decrypted or is invalid" - }, "recoverbullRecoveryErrorMissingDerivationPath": "Varmuuskopiotiedostosta puuttuu derivointipolku.", - "@recoverbullRecoveryErrorMissingDerivationPath": { - "description": "Error when vault backup file is missing required derivation path" - }, "rbfTitle": "Replace-by-Fee", - "@rbfTitle": { - "description": "AppBar title for Replace-by-Fee screen" - }, "rbfOriginalTransaction": "Alkuperäinen transaktio", - "@rbfOriginalTransaction": { - "description": "Header label for original transaction details" - }, "rbfBroadcast": "Lähetä", - "@rbfBroadcast": { - "description": "Button text to broadcast the bumped transaction" - }, "rbfFastest": "Nopein", - "@rbfFastest": { - "description": "Label for fastest fee option" - }, "rbfEstimatedDelivery": "Arvioitu vahvistusviive ~ 10 minuuttia", - "@rbfEstimatedDelivery": { - "description": "Estimated confirmation time for fastest fee" - }, "rbfFeeRate": "Kulutaso: {rate} sat/vbyte", "@rbfFeeRate": { - "description": "Label showing fee rate", "placeholders": { "rate": { "type": "String" @@ -20154,52 +2745,18 @@ } }, "rbfCustomFee": "Mukautettu kulu", - "@rbfCustomFee": { - "description": "Label for custom fee option" - }, "rbfSatsPerVbyte": "sats/vB", - "@rbfSatsPerVbyte": { - "description": "Unit label for fee rate input" - }, "rbfErrorNoFeeRate": "Valitse kulutaso", - "@rbfErrorNoFeeRate": { - "description": "Error when no fee rate is selected" - }, "rbfErrorAlreadyConfirmed": "Alkuperäinen transaktio on vahvistettu", - "@rbfErrorAlreadyConfirmed": { - "description": "Error when trying to RBF a confirmed transaction" - }, "rbfErrorFeeTooLow": "Sinun on nostettava kulutasoa vähintään 1 sat/vbyte verrattuna alkuperäiseen transaktioon", - "@rbfErrorFeeTooLow": { - "description": "Error when new fee rate is not high enough" - }, "psbtSignTransaction": "Allekirjoita transaktio", - "@psbtSignTransaction": { - "description": "AppBar title for PSBT signing screen" - }, "psbtInstructions": "Ohjeet", - "@psbtInstructions": { - "description": "Button text to show device-specific signing instructions" - }, "psbtImDone": "Valmis", - "@psbtImDone": { - "description": "Button text to proceed after signing transaction on hardware device" - }, "psbtFlowSignTransaction": "Allekirjoita transaktio", - "@psbtFlowSignTransaction": { - "description": "Title for psbt flow signing screen" - }, "psbtFlowInstructions": "Ohjeet", - "@psbtFlowInstructions": { - "description": "Instructions section header in psbt flow" - }, "psbtFlowDone": "Valmis", - "@psbtFlowDone": { - "description": "Button to complete psbt flow signing process" - }, "psbtFlowError": "Virhe: {error}", "@psbtFlowError": { - "description": "Error message in psbt flow", "placeholders": { "error": { "type": "String" @@ -20207,12 +2764,8 @@ } }, "psbtFlowNoPartsToDisplay": "Ei osia näytettäväksi", - "@psbtFlowNoPartsToDisplay": { - "description": "Message when there are no QR code parts to show" - }, "psbtFlowPartProgress": "Osa {current}/{total}", "@psbtFlowPartProgress": { - "description": "Progress indicator for animated QR code parts", "placeholders": { "current": { "type": "String" @@ -20223,36 +2776,14 @@ } }, "psbtFlowKruxTitle": "Krux-ohjeet", - "@psbtFlowKruxTitle": { - "description": "Title for Krux device signing instructions" - }, "psbtFlowKeystoneTitle": "Keystone-ohjeet", - "@psbtFlowKeystoneTitle": { - "description": "Title for Keystone device signing instructions" - }, "psbtFlowPassportTitle": "Foundation Passport -ohjeet", - "@psbtFlowPassportTitle": { - "description": "Title for Foundation Passport device signing instructions" - }, "psbtFlowSeedSignerTitle": "SeedSigner-ohjeet", - "@psbtFlowSeedSignerTitle": { - "description": "Title for SeedSigner device signing instructions" - }, "psbtFlowSpecterTitle": "Specter-ohjeet", - "@psbtFlowSpecterTitle": { - "description": "Title for Specter device signing instructions" - }, "psbtFlowColdcardTitle": "Coldcard Q -ohjeet", - "@psbtFlowColdcardTitle": { - "description": "Title for Coldcard Q device signing instructions" - }, "psbtFlowJadeTitle": "Blockstream Jade PSBT -ohjeet", - "@psbtFlowJadeTitle": { - "description": "Title for Blockstream Jade PSBT signing instructions" - }, "psbtFlowLoginToDevice": "Kirjaudu {device}-laitteeseesi", "@psbtFlowLoginToDevice": { - "description": "Instruction to login to hardware device", "placeholders": { "device": { "type": "String" @@ -20261,7 +2792,6 @@ }, "psbtFlowTurnOnDevice": "Käynnistä {device}-laitteesi", "@psbtFlowTurnOnDevice": { - "description": "Instruction to power on hardware device", "placeholders": { "device": { "type": "String" @@ -20269,68 +2799,22 @@ } }, "psbtFlowAddPassphrase": "Lisää salasanalause, jos sinulla on (valinnainen)", - "@psbtFlowAddPassphrase": { - "description": "Optional instruction to add BIP39 passphrase" - }, "psbtFlowClickScan": "Valitse Skannaa", - "@psbtFlowClickScan": { - "description": "Instruction to click scan button on device" - }, "psbtFlowClickSign": "Valitse Allekirjoita", - "@psbtFlowClickSign": { - "description": "Instruction to click sign button on device" - }, "psbtFlowClickPsbt": "Valitse PSBT", - "@psbtFlowClickPsbt": { - "description": "Instruction to click PSBT option on device" - }, "psbtFlowLoadFromCamera": "Valitse Lataa kamerasta", - "@psbtFlowLoadFromCamera": { - "description": "Instruction to select camera load option on device" - }, "psbtFlowScanQrOption": "Valitse \"Skannaa QR\" -vaihtoehto", - "@psbtFlowScanQrOption": { - "description": "Instruction to select scan QR menu option" - }, "psbtFlowScanAnyQr": "Valitse \"Skannaa mikä tahansa QR-koodi\" -vaihtoehto", - "@psbtFlowScanAnyQr": { - "description": "Instruction to select scan any QR code option" - }, "psbtFlowSignWithQr": "Valitse Allekirjoita QR-koodilla", - "@psbtFlowSignWithQr": { - "description": "Instruction to select QR code signing method" - }, "psbtFlowScanQrShown": "Skannaa Bull-lompakossa näytetty QR-koodi", - "@psbtFlowScanQrShown": { - "description": "Instruction to scan QR code displayed in app" - }, "psbtFlowTroubleScanningTitle": "Jos sinulla on ongelmia skannauksen kanssa:", - "@psbtFlowTroubleScanningTitle": { - "description": "Header for troubleshooting scanning issues" - }, "psbtFlowIncreaseBrightness": "Lisää laitteen näytön kirkkautta", - "@psbtFlowIncreaseBrightness": { - "description": "Troubleshooting tip to increase brightness" - }, "psbtFlowMoveLaser": "Siirrä punaista lasersädettä QR-koodin yli ylös ja alas", - "@psbtFlowMoveLaser": { - "description": "Troubleshooting tip for devices with laser scanners" - }, "psbtFlowMoveBack": "Kokeile siirtää laitetta hieman taaksepäin", - "@psbtFlowMoveBack": { - "description": "Troubleshooting tip to adjust scanning distance" - }, "psbtFlowHoldSteady": "Pidä QR-koodi vakaana ja keskellä", - "@psbtFlowHoldSteady": { - "description": "Troubleshooting tip to hold QR code still" - }, "psbtFlowMoveCloserFurther": "Kokeile siirtää laitetta lähemmäs tai kauemmas", - "@psbtFlowMoveCloserFurther": { - "description": "Troubleshooting tip to adjust distance" - }, "psbtFlowReviewTransaction": "Kun transaktio on tuotu {device}-laitteeseesi, tarkista vastaanottajan osoite ja määrä.", "@psbtFlowReviewTransaction": { - "description": "Instruction to review transaction details on device", "placeholders": { "device": { "type": "String" @@ -20339,7 +2823,6 @@ }, "psbtFlowSelectSeed": "Kun transaktio on tuotu {device}-laitteeseesi, valitse siemen, jolla haluat allekirjoittaa.", "@psbtFlowSelectSeed": { - "description": "Instruction to select seed on device for signing", "placeholders": { "device": { "type": "String" @@ -20348,7 +2831,6 @@ }, "psbtFlowSignTransactionOnDevice": "Paina painikkeita allekirjoittaaksesi transaktion {device}-laitteellasi.", "@psbtFlowSignTransactionOnDevice": { - "description": "Instruction to sign transaction on hardware device", "placeholders": { "device": { "type": "String" @@ -20357,7 +2839,6 @@ }, "psbtFlowDeviceShowsQr": "{device} näyttää sitten oman QR-koodinsa.", "@psbtFlowDeviceShowsQr": { - "description": "Information that device will display QR code after signing", "placeholders": { "device": { "type": "String" @@ -20365,12 +2846,8 @@ } }, "psbtFlowClickDone": "Valitse \"Valmis\" Bull Bitcoin -lompakossa.", - "@psbtFlowClickDone": { - "description": "Instruction to click done button in app" - }, "psbtFlowScanDeviceQr": "Bull Bitcoin -lompakko pyytää sinua skannaamaan {device}-laitteen QR-koodin. Skannaa se.", "@psbtFlowScanDeviceQr": { - "description": "Instruction to scan QR code from hardware device", "placeholders": { "device": { "type": "String" @@ -20378,556 +2855,144 @@ } }, "psbtFlowTransactionImported": "Transaktio tuodaan Bull Bitcoin -lompakkoon.", - "@psbtFlowTransactionImported": { - "description": "Confirmation that transaction was imported successfully" - }, "psbtFlowReadyToBroadcast": "Se on nyt valmis lähetettäväksi! Kun valitset Lähetä, transaktio julkaistaan Bitcoin-verkossa ja varat lähetetään.", - "@psbtFlowReadyToBroadcast": { - "description": "Final message that transaction is ready to broadcast" - }, "hwConnectTitle": "Yhdistä laitteistolompakko", - "@hwConnectTitle": { - "description": "AppBar title for hardware wallet selection screen" - }, "hwChooseDevice": "Valitse laitteistolompakko, johon haluat yhdistää", - "@hwChooseDevice": { - "description": "Instruction text for hardware wallet selection" - }, "hwColdcardQ": "Coldcard Q", - "@hwColdcardQ": { - "description": "Name of Coldcard Q hardware wallet" - }, "hwLedger": "Ledger", - "@hwLedger": { - "description": "Name of Ledger hardware wallet" - }, "hwJade": "Blockstream Jade", - "@hwJade": { - "description": "Name of Blockstream Jade hardware wallet" - }, "hwKeystone": "Keystone", - "@hwKeystone": { - "description": "Name of Keystone hardware wallet" - }, "hwKrux": "Krux", - "@hwKrux": { - "description": "Name of Krux hardware wallet" - }, "hwPassport": "Foundation Passport", - "@hwPassport": { - "description": "Name of Foundation Passport hardware wallet" - }, "hwSeedSigner": "SeedSigner", - "@hwSeedSigner": { - "description": "Name of SeedSigner hardware wallet" - }, "kruxInstructionsTitle": "Krux-ohjeet", - "@kruxInstructionsTitle": { - "description": "Title for Krux signing instructions modal" - }, "kruxStep1": "Kirjaudu Krux-laitteeseesi", - "@kruxStep1": { - "description": "Krux instruction step 1" - }, "kruxStep2": "Valitse Allekirjoita", - "@kruxStep2": { - "description": "Krux instruction step 2" - }, "kruxStep3": "Valitse PSBT", - "@kruxStep3": { - "description": "Krux instruction step 3" - }, "kruxStep4": "Valitse Lataa kamerasta", - "@kruxStep4": { - "description": "Krux instruction step 4" - }, "kruxStep5": "Skannaa Bull-lompakossa näytetty QR-koodi", - "@kruxStep5": { - "description": "Krux instruction step 5" - }, "kruxStep6": "Jos sinulla on ongelmia skannauksen kanssa:", - "@kruxStep6": { - "description": "Krux troubleshooting header" - }, "kruxStep7": " - Lisää laitteen näytön kirkkautta", - "@kruxStep7": { - "description": "Krux troubleshooting tip 1" - }, "kruxStep8": " - Siirrä punaista lasersädettä QR-koodin yli", - "@kruxStep8": { - "description": "Krux troubleshooting tip 2" - }, "kruxStep9": " - Kokeile siirtää laitetta hieman taaksepäin", - "@kruxStep9": { - "description": "Krux troubleshooting tip 3" - }, "kruxStep10": "Kun transaktio on tuotu Kruxiin, tarkista vastaanottajan osoite ja määrä.", - "@kruxStep10": { - "description": "Krux instruction for reviewing transaction" - }, "kruxStep11": "Paina painikkeita allekirjoittaaksesi transaktion Kruxilla.", - "@kruxStep11": { - "description": "Krux instruction for signing" - }, "kruxStep12": "Krux näyttää sitten oman QR-koodinsa.", - "@kruxStep12": { - "description": "Krux instruction about signed PSBT QR" - }, "kruxStep13": "Valitse \"Valmis\" Bull Bitcoin -lompakossa.", - "@kruxStep13": { - "description": "Krux instruction to return to app" - }, "kruxStep14": "Bull Bitcoin -lompakko pyytää sinua skannaamaan Kruxin QR-koodin. Skannaa se.", - "@kruxStep14": { - "description": "Krux instruction for scanning signed PSBT" - }, "kruxStep15": "Transaktio tuodaan Bull Bitcoin -lompakkoon.", - "@kruxStep15": { - "description": "Krux instruction about import completion" - }, "kruxStep16": "Se on nyt valmis lähetettäväksi! Kun valitset Lähetä, transaktio julkaistaan Bitcoin-verkossa ja varat lähetetään.", - "@kruxStep16": { - "description": "Krux final instruction about broadcasting" - }, "keystoneInstructionsTitle": "Keystone-ohjeet", - "@keystoneInstructionsTitle": { - "description": "Title for Keystone signing instructions modal" - }, "keystoneStep1": "Kirjaudu Keystone-laitteeseesi", - "@keystoneStep1": { - "description": "Keystone instruction step 1" - }, "keystoneStep2": "Valitse Skannaa", - "@keystoneStep2": { - "description": "Keystone instruction step 2" - }, "keystoneStep3": "Skannaa Bull-lompakossa näytetty QR-koodi", - "@keystoneStep3": { - "description": "Keystone instruction step 3" - }, "keystoneStep4": "Jos sinulla on ongelmia skannauksen kanssa:", - "@keystoneStep4": { - "description": "Keystone troubleshooting header" - }, "keystoneStep5": " - Lisää laitteen näytön kirkkautta", - "@keystoneStep5": { - "description": "Keystone troubleshooting tip 1" - }, "keystoneStep6": " - Siirrä punaista lasersädettä QR-koodin yli", - "@keystoneStep6": { - "description": "Keystone troubleshooting tip 2" - }, "keystoneStep7": " - Kokeile siirtää laitetta hieman taaksepäin", - "@keystoneStep7": { - "description": "Keystone troubleshooting tip 3" - }, "keystoneStep8": "Kun transaktio on tuotu Keystonelle, tarkista vastaanottajan osoite ja määrä.", - "@keystoneStep8": { - "description": "Keystone instruction for reviewing transaction" - }, "keystoneStep9": "Paina painikkeita allekirjoittaaksesi transaktion Keystone-laitteellasi.", - "@keystoneStep9": { - "description": "Keystone instruction for signing" - }, "keystoneStep10": "Keystone näyttää sitten oman QR-koodinsa.", - "@keystoneStep10": { - "description": "Keystone instruction about signed PSBT QR" - }, "keystoneStep11": "Valitse \"Valmis\" Bull Bitcoin -lompakossa.", - "@keystoneStep11": { - "description": "Keystone instruction to return to app" - }, "keystoneStep12": "Bull Bitcoin -lompakko pyytää sinua skannaamaan Keystone-laitteen QR-koodin. Skannaa se.", - "@keystoneStep12": { - "description": "Keystone instruction for scanning signed PSBT" - }, "keystoneStep13": "Transaktio tuodaan Bull Bitcoin -lompakkoon.", - "@keystoneStep13": { - "description": "Keystone instruction about import completion" - }, "keystoneStep14": "Se on nyt valmis lähetettäväksi! Kun valitset Lähetä, transaktio julkaistaan Bitcoin-verkossa ja varat lähetetään.", - "@keystoneStep14": { - "description": "Keystone final instruction about broadcasting" - }, "passportInstructionsTitle": "Foundation Passport -ohjeet", - "@passportInstructionsTitle": { - "description": "Title for Passport signing instructions modal" - }, "passportStep1": "Kirjaudu Passport-laitteeseesi", - "@passportStep1": { - "description": "Passport instruction step 1" - }, "passportStep2": "Valitse Sign with QR Code", - "@passportStep2": { - "description": "Passport instruction step 2" - }, "passportStep3": "Skannaa Bull-lompakossa näkyvä QR-koodi", - "@passportStep3": { - "description": "Passport instruction step 3" - }, "passportStep4": "Jos sinulla on ongelmia skannauksessa:", - "@passportStep4": { - "description": "Passport troubleshooting header" - }, "passportStep5": " - Lisää laitteesi näytön kirkkautta", - "@passportStep5": { - "description": "Passport troubleshooting tip 1" - }, "passportStep6": " - Liikuta punaista laseria ylös ja alas QR-koodin päällä", - "@passportStep6": { - "description": "Passport troubleshooting tip 2" - }, "passportStep7": " - Kokeile siirtää laitettasi hieman kauemmas", - "@passportStep7": { - "description": "Passport troubleshooting tip 3" - }, "passportStep8": "Kun transaktio on tuotu Passportiin, tarkista vastaanottava osoite ja määrä.", - "@passportStep8": { - "description": "Passport instruction for reviewing transaction" - }, "passportStep9": "Paina painikkeita allekirjoittaaksesi transaktion Passport-laitteella.", - "@passportStep9": { - "description": "Passport instruction for signing" - }, "passportStep10": "Passport näyttää tämän jälkeen oman QR-koodinsa.", - "@passportStep10": { - "description": "Passport instruction about signed PSBT QR" - }, "passportStep11": "Napsauta ”Valmis” Bull Bitcoin -lompakossa.", - "@passportStep11": { - "description": "Passport instruction to return to app" - }, "passportStep12": "Bull-lompakko pyytää sinua skannaamaan Passportin QR-koodin. Skannaa se.", - "@passportStep12": { - "description": "Passport instruction for scanning signed PSBT" - }, "passportStep13": "Transaktio tuodaan Bull Bitcoin -lompakkoon.", - "@passportStep13": { - "description": "Passport instruction about import completion" - }, "passportStep14": "Se on nyt valmis lähetettäväksi! Kun napsautat Lähetä, transaktio julkaistaan Bitcoin-verkkoon ja varat lähetetään.", - "@passportStep14": { - "description": "Passport final instruction about broadcasting" - }, "seedsignerInstructionsTitle": "SeedSigner-ohjeet", - "@seedsignerInstructionsTitle": { - "description": "Title for SeedSigner signing instructions modal" - }, "seedsignerStep1": "Kytke SeedSigner-laite päälle", - "@seedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, "seedsignerStep2": "Valitse Scan", - "@seedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, "seedsignerStep3": "Skannaa Bull-lompakossa näkyvä QR-koodi", - "@seedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, "seedsignerStep4": "Jos sinulla on ongelmia skannauksessa:", - "@seedsignerStep4": { - "description": "SeedSigner troubleshooting header" - }, "seedsignerStep5": " - Lisää laitteesi näytön kirkkautta", - "@seedsignerStep5": { - "description": "SeedSigner troubleshooting tip 1" - }, "seedsignerStep6": " - Liikuta punaista laseria ylös ja alas QR-koodin päällä", - "@seedsignerStep6": { - "description": "SeedSigner troubleshooting tip 2" - }, "seedsignerStep7": " - Kokeile siirtää laitettasi hieman kauemmas", - "@seedsignerStep7": { - "description": "SeedSigner troubleshooting tip 3" - }, "seedsignerStep8": "Kun transaktio on tuotu SeedSigneriin, valitse siemen, jolla haluat allekirjoittaa.", - "@seedsignerStep8": { - "description": "SeedSigner instruction for seed selection" - }, "seedsignerStep9": "Tarkista vastaanottava osoite ja määrä, ja vahvista allekirjoitus SeedSignerilla.", - "@seedsignerStep9": { - "description": "SeedSigner instruction for reviewing and signing" - }, "seedsignerStep10": "SeedSigner näyttää tämän jälkeen oman QR-koodinsa.", - "@seedsignerStep10": { - "description": "SeedSigner instruction about signed PSBT QR" - }, "seedsignerStep11": "Napsauta ”Valmis” Bull Bitcoin -lompakossa.", - "@seedsignerStep11": { - "description": "SeedSigner instruction to return to app" - }, "seedsignerStep12": "Bull-lompakko pyytää sinua skannaamaan SeedSignerissa näkyvän QR-koodin. Skannaa se.", - "@seedsignerStep12": { - "description": "SeedSigner instruction for scanning signed PSBT" - }, "seedsignerStep13": "Transaktio tuodaan Bull Bitcoin -lompakkoon.", - "@seedsignerStep13": { - "description": "SeedSigner instruction about import completion" - }, "seedsignerStep14": "Se on nyt valmis lähetettäväksi! Kun napsautat Lähetä, transaktio julkaistaan Bitcoin-verkkoon ja varat lähetetään.", - "@seedsignerStep14": { - "description": "SeedSigner final instruction about broadcasting" - }, "connectHardwareWalletTitle": "Yhdistä laitteistolompakko", - "@connectHardwareWalletTitle": { - "description": "Title for connect hardware wallet page" - }, "connectHardwareWalletDescription": "Valitse laitteistolompakko, jonka haluat yhdistää", - "@connectHardwareWalletDescription": { - "description": "Description text on connect hardware wallet page" - }, "connectHardwareWalletColdcardQ": "Coldcard Q", - "@connectHardwareWalletColdcardQ": { - "description": "Coldcard Q hardware wallet option" - }, "connectHardwareWalletLedger": "Ledger", - "@connectHardwareWalletLedger": { - "description": "Ledger hardware wallet option" - }, "connectHardwareWalletJade": "Blockstream Jade", - "@connectHardwareWalletJade": { - "description": "Blockstream Jade hardware wallet option" - }, "connectHardwareWalletKeystone": "Keystone", - "@connectHardwareWalletKeystone": { - "description": "Keystone hardware wallet option" - }, "connectHardwareWalletKrux": "Krux", - "@connectHardwareWalletKrux": { - "description": "Krux hardware wallet option" - }, "connectHardwareWalletPassport": "Foundation Passport", - "@connectHardwareWalletPassport": { - "description": "Foundation Passport hardware wallet option" - }, "connectHardwareWalletSeedSigner": "SeedSigner", - "@connectHardwareWalletSeedSigner": { - "description": "SeedSigner hardware wallet option" - }, "coldcardInstructionsTitle": "Coldcard Q -ohjeet", - "@coldcardInstructionsTitle": { - "description": "Title for Coldcard Q signing instructions modal" - }, "coldcardStep1": "Kirjaudu Coldcard Q -laitteeseesi", - "@coldcardStep1": { - "description": "Coldcard instruction step 1" - }, "coldcardStep2": "Lisää salasana, jos käytät sellaista (valinnainen)", - "@coldcardStep2": { - "description": "Coldcard instruction step 2" - }, "coldcardStep3": "Valitse \"Scan any QR code\"", - "@coldcardStep3": { - "description": "Coldcard instruction step 3" - }, "coldcardStep4": "Skannaa Bull-lompakossa näkyvä QR-koodi", - "@coldcardStep4": { - "description": "Coldcard instruction step 4" - }, "coldcardStep5": "Jos sinulla on ongelmia skannauksessa:", - "@coldcardStep5": { - "description": "Coldcard troubleshooting header" - }, "coldcardStep6": " - Lisää laitteesi näytön kirkkautta", - "@coldcardStep6": { - "description": "Coldcard troubleshooting tip 1" - }, "coldcardStep7": " - Liikuta punaista laseria ylös ja alas QR-koodin päällä", - "@coldcardStep7": { - "description": "Coldcard troubleshooting tip 2" - }, "coldcardStep8": " - Kokeile siirtää laitettasi hieman kauemmas", - "@coldcardStep8": { - "description": "Coldcard troubleshooting tip 3" - }, "coldcardStep9": "Kun transaktio on tuotu Coldcardiin, tarkista vastaanottava osoite ja määrä.", - "@coldcardStep9": { - "description": "Coldcard instruction for reviewing transaction" - }, "coldcardStep10": "Paina painikkeita allekirjoittaaksesi transaktion Coldcardilla.", - "@coldcardStep10": { - "description": "Coldcard instruction for signing" - }, "coldcardStep11": "Coldcard Q näyttää tämän jälkeen oman QR-koodinsa.", - "@coldcardStep11": { - "description": "Coldcard instruction about signed PSBT QR" - }, "coldcardStep12": "Napsauta ”Valmis” Bull Bitcoin -lompakossa.", - "@coldcardStep12": { - "description": "Coldcard instruction to return to app" - }, "coldcardStep13": "Bull-lompakko pyytää sinua skannaamaan Coldcardissa näkyvän QR-koodin. Skannaa se.", - "@coldcardStep13": { - "description": "Coldcard instruction for scanning signed PSBT" - }, "coldcardStep14": "Transaktio tuodaan Bull Bitcoin -lompakkoon.", - "@coldcardStep14": { - "description": "Coldcard instruction about import completion" - }, "coldcardStep15": "Se on nyt valmis lähetettäväksi! Kun napsautat Lähetä, transaktio julkaistaan Bitcoin-verkkoon ja varat lähetetään.", - "@coldcardStep15": { - "description": "Coldcard final instruction about broadcasting" - }, "jadeInstructionsTitle": "Blockstream Jade -ohjeet", - "@jadeInstructionsTitle": { - "description": "Title for Jade signing instructions modal" - }, "jadeStep1": "Kirjaudu Jade-laitteeseesi", - "@jadeStep1": { - "description": "Jade instruction step 1" - }, "jadeStep2": "Lisää salasana, jos käytät sellaista (valinnainen)", - "@jadeStep2": { - "description": "Jade instruction step 2" - }, "jadeStep3": "Valitse \"Scan QR\"", - "@jadeStep3": { - "description": "Jade instruction step 3" - }, "jadeStep4": "Skannaa Bull-lompakossa näkyvä QR-koodi", - "@jadeStep4": { - "description": "Jade instruction step 4" - }, "jadeStep5": "Jos sinulla on ongelmia skannauksessa:", - "@jadeStep5": { - "description": "Jade troubleshooting header" - }, "jadeStep6": " - Lisää laitteesi näytön kirkkautta", - "@jadeStep6": { - "description": "Jade troubleshooting tip 1" - }, "jadeStep7": " - Pidä QR-koodi vakaana ja keskitettynä", - "@jadeStep7": { - "description": "Jade troubleshooting tip 2" - }, "jadeStep8": " - Kokeile siirtää laitetta lähemmäs tai kauemmas", - "@jadeStep8": { - "description": "Jade troubleshooting tip 3" - }, "jadeStep9": "Kun transaktio on tuotu Jadeen, tarkista vastaanottava osoite ja määrä.", - "@jadeStep9": { - "description": "Jade instruction for reviewing transaction" - }, "jadeStep10": "Paina painikkeita allekirjoittaaksesi transaktion Jadella.", - "@jadeStep10": { - "description": "Jade instruction for signing" - }, "jadeStep11": "Jade näyttää tämän jälkeen oman QR-koodinsa.", - "@jadeStep11": { - "description": "Jade instruction about signed PSBT QR" - }, "jadeStep12": "Napsauta ”Valmis” Bull Bitcoin -lompakossa.", - "@jadeStep12": { - "description": "Jade instruction to return to app" - }, "jadeStep13": "Bull-lompakko pyytää sinua skannaamaan Jadessa näkyvän QR-koodin. Skannaa se.", - "@jadeStep13": { - "description": "Jade instruction for scanning signed PSBT" - }, "jadeStep14": "Transaktio tuodaan Bull Bitcoin -lompakkoon.", - "@jadeStep14": { - "description": "Jade instruction about import completion" - }, "jadeStep15": "Se on nyt valmis lähetettäväksi! Kun napsautat Lähetä, transaktio julkaistaan Bitcoin-verkkoon ja varat lähetetään.", - "@jadeStep15": { - "description": "Jade final instruction about broadcasting" - }, "importWalletTitle": "Lisää uusi lompakko", - "@importWalletTitle": { - "description": "AppBar title for wallet import selection screen" - }, "importWalletConnectHardware": "Yhdistä laitteistolompakko", - "@importWalletConnectHardware": { - "description": "Button to connect hardware wallet" - }, "importWalletImportMnemonic": "Tuo siemenlause", - "@importWalletImportMnemonic": { - "description": "Button to import wallet from seed phrase" - }, "importWalletImportWatchOnly": "Tuo watch-only", - "@importWalletImportWatchOnly": { - "description": "Button to import watch-only wallet" - }, "importWalletSectionGeneric": "Yleiset lompakot", - "@importWalletSectionGeneric": { - "description": "Section header for generic wallet types" - }, "importWalletSectionHardware": "Laitteistolompakot", - "@importWalletSectionHardware": { - "description": "Section header for hardware wallet types" - }, "importWalletColdcardQ": "Coldcard Q", - "@importWalletColdcardQ": { - "description": "Button label for Coldcard Q hardware wallet" - }, "importWalletLedger": "Ledger", - "@importWalletLedger": { - "description": "Button label for Ledger hardware wallet" - }, "importWalletJade": "Blockstream Jade", - "@importWalletJade": { - "description": "Button label for Blockstream Jade hardware wallet" - }, "importWalletKeystone": "Keystone", - "@importWalletKeystone": { - "description": "Button label for Keystone hardware wallet" - }, "importWalletPassport": "Foundation Passport", - "@importWalletPassport": { - "description": "Button label for Foundation Passport hardware wallet" - }, "importWalletSeedSigner": "SeedSigner", - "@importWalletSeedSigner": { - "description": "Button label for SeedSigner hardware wallet" - }, "importWalletSpecter": "Specter", - "@importWalletSpecter": { - "description": "Button label for Specter hardware wallet" - }, "importWalletKrux": "Krux", - "@importWalletKrux": { - "description": "Button label for Krux hardware wallet" - }, "importMnemonicContinue": "Jatka", - "@importMnemonicContinue": { - "description": "Button text to proceed after entering mnemonic" - }, "importMnemonicSelectScriptType": "Tuo siemenlause", - "@importMnemonicSelectScriptType": { - "description": "AppBar title for script type selection" - }, "importMnemonicSyncMessage": "Kaikki kolme lompakkotyyppiä synkronoidaan, ja niiden saldot ja transaktiot näkyvät pian. Voit odottaa synkronoinnin valmistumista tai jatkaa tuontia, jos tiedät minkä lompakkotyypin haluat tuoda.", - "@importMnemonicSyncMessage": { - "description": "Message explaining wallet type syncing process" - }, "importMnemonicSegwit": "Segwit", - "@importMnemonicSegwit": { - "description": "Label for Segwit (BIP84) wallet type" - }, "importMnemonicNestedSegwit": "Nested Segwit", - "@importMnemonicNestedSegwit": { - "description": "Label for Nested Segwit (BIP49) wallet type" - }, "importMnemonicLegacy": "Legacy", - "@importMnemonicLegacy": { - "description": "Label for Legacy (BIP44) wallet type" - }, "importMnemonicChecking": "Tarkistetaan...", - "@importMnemonicChecking": { - "description": "Status while checking wallet type" - }, "importMnemonicEmpty": "Tyhjä", - "@importMnemonicEmpty": { - "description": "Status for wallet type with no transactions" - }, "importMnemonicHasBalance": "Sisältää saldoa", - "@importMnemonicHasBalance": { - "description": "Status for wallet type with balance" - }, "importMnemonicTransactions": "{count} transaktiota", "@importMnemonicTransactions": { - "description": "Shows number of transactions for wallet type", "placeholders": { "count": { "type": "int" @@ -20936,7 +3001,6 @@ }, "importMnemonicBalance": "Saldo: {amount}", "@importMnemonicBalance": { - "description": "Shows balance for wallet type", "placeholders": { "amount": { "type": "String" @@ -20944,20 +3008,10 @@ } }, "importMnemonicImport": "Tuo", - "@importMnemonicImport": { - "description": "Button to import selected wallet type" - }, "importMnemonicImporting": "Tuodaan...", - "@importMnemonicImporting": { - "description": "Loading message while importing wallet" - }, "importMnemonicSelectType": "Valitse tuotava lompakkotyyppi", - "@importMnemonicSelectType": { - "description": "Instruction to select wallet type" - }, "importMnemonicBalanceLabel": "Saldo: {amount}", "@importMnemonicBalanceLabel": { - "description": "ImportMnemonic: Balance label with amount in wallet type card", "placeholders": { "amount": { "type": "String" @@ -20966,7 +3020,6 @@ }, "importMnemonicTransactionsLabel": "Transaktioita: {count}", "@importMnemonicTransactionsLabel": { - "description": "ImportMnemonic: Transactions label with count in wallet type card", "placeholders": { "count": { "type": "String" @@ -20974,132 +3027,38 @@ } }, "importWatchOnlyTitle": "Tuo watch-only -lompakko", - "@importWatchOnlyTitle": { - "description": "AppBar title for watch-only import screen" - }, "importWatchOnlyPasteHint": "Liitä xpub, ypub, zpub tai descriptor", - "@importWatchOnlyPasteHint": { - "description": "Placeholder hint for paste input field" - }, "importWatchOnlyXpub": "xpub", - "@importWatchOnlyXpub": { - "description": "Label for xpub import method" - }, "importWatchOnlyYpub": "ypub", - "@importWatchOnlyYpub": { - "description": "Label for ypub import method" - }, "importWatchOnlyZpub": "zpub", - "@importWatchOnlyZpub": { - "description": "Label for zpub import method" - }, "importWatchOnlyDescriptor": "Descriptor", - "@importWatchOnlyDescriptor": { - "description": "Label for descriptor import method" - }, "importWatchOnlyScanQR": "Skannaa QR", - "@importWatchOnlyScanQR": { - "description": "Button to scan QR code for watch-only import" - }, "importWatchOnlyScriptType": "Skriptityyppi", - "@importWatchOnlyScriptType": { - "description": "Label for script type field" - }, "importWatchOnlyFingerprint": "Sormenjälki", - "@importWatchOnlyFingerprint": { - "description": "Label for wallet fingerprint field" - }, "importWatchOnlyDerivationPath": "Derivointipolku", - "@importWatchOnlyDerivationPath": { - "description": "Label for derivation path field" - }, "importWatchOnlyImportButton": "Tuo watch-only -lompakko", - "@importWatchOnlyImportButton": { - "description": "Button to confirm watch-only import" - }, "importWatchOnlyCancel": "Peruuta", - "@importWatchOnlyCancel": { - "description": "Button to cancel watch-only import" - }, "importWatchOnlyBuyDevice": "Osta laite", - "@importWatchOnlyBuyDevice": { - "description": "Button label to purchase a hardware wallet device" - }, "importWatchOnlyWalletGuides": "Oppaat", - "@importWatchOnlyWalletGuides": { - "description": "Button label for wallet documentation and guides" - }, "importWatchOnlyCopiedToClipboard": "Kopioitu leikepöydälle", - "@importWatchOnlyCopiedToClipboard": { - "description": "Snackbar message shown when QR code content is copied" - }, "importWatchOnlySelectDerivation": "Valitse derivointitapa", - "@importWatchOnlySelectDerivation": { - "description": "Title for bottom sheet to select wallet derivation type" - }, "importWatchOnlyType": "Tyyppi", - "@importWatchOnlyType": { - "description": "Label for wallet script type field" - }, "importWatchOnlySigningDevice": "Allekirjoituslaite", - "@importWatchOnlySigningDevice": { - "description": "Label for signing device selection field" - }, "importWatchOnlyUnknown": "Tuntematon", - "@importWatchOnlyUnknown": { - "description": "Default value when signing device is unknown" - }, "importWatchOnlyLabel": "Tunniste", - "@importWatchOnlyLabel": { - "description": "Label for wallet name/label input field" - }, "importWatchOnlyRequired": "Pakollinen", - "@importWatchOnlyRequired": { - "description": "Placeholder hint for required input fields" - }, "importWatchOnlyImport": "Tuo", - "@importWatchOnlyImport": { - "description": "Button label to import watch-only wallet" - }, "importWatchOnlyExtendedPublicKey": "Laajennettu julkinen avain", - "@importWatchOnlyExtendedPublicKey": { - "description": "Label for extended public key (xpub/ypub/zpub) display" - }, "importWatchOnlyDisclaimerTitle": "Derivointipolkuvaroitus", - "@importWatchOnlyDisclaimerTitle": { - "description": "Title for derivation path warning disclaimer" - }, "importWatchOnlyDisclaimerDescription": "Varmista, että valitsemasi derivointipolku vastaa sitä, jolla annettu xpub on tuotettu. Tarkista ennen käyttöä ensimmäinen lompakosta johdettu osoite. Väärän polun käyttäminen voi johtaa varojen menetykseen.", - "@importWatchOnlyDisclaimerDescription": { - "description": "Description explaining derivation path matching requirement" - }, "bip85Title": "BIP85-deterministiset entropiat", - "@bip85Title": { - "description": "AppBar title for BIP85 entropy derivation screen" - }, "bip85ExperimentalWarning": "Kokeellinen\nVarmuuskopioi derivointipolut käsin", - "@bip85ExperimentalWarning": { - "description": "Warning message about experimental feature" - }, "bip85NextMnemonic": "Seuraava siemenlause", - "@bip85NextMnemonic": { - "description": "Button to derive next mnemonic entropy" - }, "bip85NextHex": "Seuraava HEX", - "@bip85NextHex": { - "description": "Button to derive next hex entropy" - }, "bip85Mnemonic": "Siemenlause", - "@bip85Mnemonic": { - "description": "Label for mnemonic type entropy" - }, "bip85Hex": "HEX", - "@bip85Hex": { - "description": "Label for hex type entropy" - }, "bip85Index": "Indeksi: {index}", "@bip85Index": { - "description": "Shows derivation index", "placeholders": { "index": { "type": "int" @@ -21107,37 +3066,22 @@ } }, "bip329LabelsTitle": "BIP329-tunnisteet", - "@bip329LabelsTitle": { - "description": "Title for BIP329 labels page" - }, "bip329LabelsHeading": "BIP329-tunnisteiden tuonti/vienti", - "@bip329LabelsHeading": { - "description": "Main heading on BIP329 labels page" - }, "bip329LabelsDescription": "Tuo tai vie lompakon tunnisteet BIP329-standardin mukaisesti.", - "@bip329LabelsDescription": { - "description": "Description of BIP329 labels functionality" - }, "bip329LabelsImportButton": "Tuo tunnisteet", - "@bip329LabelsImportButton": { - "description": "Button text to import labels" - }, "bip329LabelsExportButton": "Vie tunnisteet", - "@bip329LabelsExportButton": { - "description": "Button text to export labels" - }, - "bip329LabelsExportSuccess": "{count, plural, =1{1 tunniste viety} other{{count} tunnistetta viety}}", - "@bip329LabelsExportSuccess": { - "description": "Success message after exporting labels", + "bip329LabelsExportSuccessSingular": "1 tunniste viety", + "bip329LabelsExportSuccessPlural": "{count} tunnistetta viety", + "@bip329LabelsExportSuccessPlural": { "placeholders": { "count": { "type": "int" } } }, - "bip329LabelsImportSuccess": "{count, plural, =1{1 tunniste tuotu} other{{count} tunnistetta tuotu}}", - "@bip329LabelsImportSuccess": { - "description": "Success message after importing labels", + "bip329LabelsImportSuccessSingular": "1 tunniste tuotu", + "bip329LabelsImportSuccessPlural": "{count} tunnistetta tuotu", + "@bip329LabelsImportSuccessPlural": { "placeholders": { "count": { "type": "int" @@ -21145,88 +3089,27 @@ } }, "broadcastSignedTxTitle": "Lähetä transaktio", - "@broadcastSignedTxTitle": { - "description": "AppBar title for broadcast signed transaction screen" - }, "broadcastSignedTxScanQR": "Skannaa laitteistolompakon QR-koodi", - "@broadcastSignedTxScanQR": { - "description": "Instruction to scan signed PSBT QR code" - }, "broadcastSignedTxReviewTransaction": "Tarkista transaktio", - "@broadcastSignedTxReviewTransaction": { - "description": "Section header for transaction review" - }, "broadcastSignedTxAmount": "Määrä", - "@broadcastSignedTxAmount": { - "description": "Label for transaction amount" - }, "broadcastSignedTxFee": "Kulu", - "@broadcastSignedTxFee": { - "description": "Label for transaction fee" - }, "broadcastSignedTxTo": "Vastaanottaja", - "@broadcastSignedTxTo": { - "description": "Label for destination address" - }, "broadcastSignedTxBroadcast": "Lähetä", - "@broadcastSignedTxBroadcast": { - "description": "Button to broadcast signed transaction" - }, "broadcastSignedTxBroadcasting": "Lähetetään...", - "@broadcastSignedTxBroadcasting": { - "description": "Loading message while broadcasting" - }, "broadcastSignedTxPageTitle": "Lähetä allekirjoitettu transaktio", - "@broadcastSignedTxPageTitle": { - "description": "Page title for broadcast signed transaction screen" - }, "broadcastSignedTxPasteHint": "Liitä PSBT tai transaktion HEX", - "@broadcastSignedTxPasteHint": { - "description": "Hint text for paste input field" - }, "broadcastSignedTxCameraButton": "Kamera", - "@broadcastSignedTxCameraButton": { - "description": "Button to open camera QR scanner" - }, "broadcastSignedTxPushTxButton": "PushTx", - "@broadcastSignedTxPushTxButton": { - "description": "Button to use PushTx NFC device" - }, "broadcastSignedTxDoneButton": "Valmis", - "@broadcastSignedTxDoneButton": { - "description": "Button to finish after successful broadcast" - }, "broadcastSignedTxNfcTitle": "NFC", - "@broadcastSignedTxNfcTitle": { - "description": "Title for NFC scanning page" - }, "addressViewTitle": "Osoitteen tiedot", - "@addressViewTitle": { - "description": "AppBar title for address details screen" - }, "addressViewAddress": "Osoite", - "@addressViewAddress": { - "description": "Label for address field" - }, "addressViewBalance": "Saldo", - "@addressViewBalance": { - "description": "Label for address balance" - }, "addressViewTransactions": "Transaktiot", - "@addressViewTransactions": { - "description": "Label for number of transactions" - }, "addressViewCopyAddress": "Kopioi osoite", - "@addressViewCopyAddress": { - "description": "Button to copy address to clipboard" - }, "addressViewShowQR": "Näytä QR-koodi", - "@addressViewShowQR": { - "description": "Button to display address as QR code" - }, "importQrDeviceTitle": "Yhdistä {deviceName}", "@importQrDeviceTitle": { - "description": "AppBar title for QR device import", "placeholders": { "deviceName": { "type": "String" @@ -21235,7 +3118,6 @@ }, "importQrDeviceScanPrompt": "Skannaa QR-koodi laitteestasi ({deviceName})", "@importQrDeviceScanPrompt": { - "description": "Instruction to scan QR from device", "placeholders": { "deviceName": { "type": "String" @@ -21243,524 +3125,136 @@ } }, "importQrDeviceScanning": "Skannataan...", - "@importQrDeviceScanning": { - "description": "Status while scanning QR code" - }, "importQrDeviceImporting": "Tuodaan lompakkoa...", - "@importQrDeviceImporting": { - "description": "Status while importing from QR device" - }, "importQrDeviceSuccess": "Lompakko tuotu onnistuneesti", - "@importQrDeviceSuccess": { - "description": "Success message after import" - }, "importQrDeviceError": "Lompakon tuonti epäonnistui", - "@importQrDeviceError": { - "description": "Error message when import fails" - }, "importQrDeviceInvalidQR": "Virheellinen QR-koodi", - "@importQrDeviceInvalidQR": { - "description": "Error for invalid QR code format" - }, "importQrDeviceWalletName": "Lompakon nimi", - "@importQrDeviceWalletName": { - "description": "Label for wallet name field" - }, "importQrDeviceFingerprint": "Sormenjälki", - "@importQrDeviceFingerprint": { - "description": "Label for device fingerprint" - }, "importQrDeviceImport": "Tuo", - "@importQrDeviceImport": { - "description": "Button to confirm import from QR device" - }, "importQrDeviceButtonOpenCamera": "Avaa kamera", - "@importQrDeviceButtonOpenCamera": { - "description": "ImportQrDevice: Button to open camera for QR scanning" - }, "importQrDeviceButtonInstructions": "Ohjeet", - "@importQrDeviceButtonInstructions": { - "description": "ImportQrDevice: Button to show setup instructions" - }, "importQrDeviceJadeName": "Blockstream Jade", - "@importQrDeviceJadeName": { - "description": "Name of Blockstream Jade device" - }, "importQrDeviceJadeInstructionsTitle": "Blockstream Jade -ohjeet", - "@importQrDeviceJadeInstructionsTitle": { - "description": "Title for Jade setup instructions" - }, "importQrDeviceJadeStep1": "Kytke Jade-laite päälle", - "@importQrDeviceJadeStep1": { - "description": "Jade instruction step 1" - }, "importQrDeviceJadeStep2": "Valitse päävalikosta \"QR Mode\"", - "@importQrDeviceJadeStep2": { - "description": "Jade instruction step 2" - }, "importQrDeviceJadeStep3": "Noudata laitteen ohjeita avataksesi Jaden", - "@importQrDeviceJadeStep3": { - "description": "Jade instruction step 3" - }, "importQrDeviceJadeStep4": "Valitse päävalikosta \"Options\"", - "@importQrDeviceJadeStep4": { - "description": "Jade instruction step 4" - }, "importQrDeviceJadeStep5": "Valitse \"Wallet\"", - "@importQrDeviceJadeStep5": { - "description": "Jade instruction step 5" - }, "importQrDeviceJadeStep6": "Valitse \"Export Xpub\"", - "@importQrDeviceJadeStep6": { - "description": "Jade instruction step 6" - }, "importQrDeviceJadeStep7": "Tarvittaessa vaihda osoitetyyppi valitsemalla \"Options\"", - "@importQrDeviceJadeStep7": { - "description": "Jade instruction step 7" - }, "importQrDeviceJadeStep8": "Napauta sovelluksessa \"Avaa kamera\"", - "@importQrDeviceJadeStep8": { - "description": "Jade instruction step 8" - }, "importQrDeviceJadeStep9": "Skannaa Jade-laitteessa näkyvä QR-koodi", - "@importQrDeviceJadeStep9": { - "description": "Jade instruction step 9" - }, "importQrDeviceJadeStep10": "Valmista!", - "@importQrDeviceJadeStep10": { - "description": "Jade instruction step 10" - }, "importQrDeviceJadeFirmwareWarning": "Varmista, että laitteesi on päivitetty uusimpaan laiteohjelmistoon", - "@importQrDeviceJadeFirmwareWarning": { - "description": "Warning message to update Jade firmware" - }, "importQrDeviceKruxName": "Krux", - "@importQrDeviceKruxName": { - "description": "Name of Krux device" - }, "importQrDeviceKruxInstructionsTitle": "Krux-ohjeet", - "@importQrDeviceKruxInstructionsTitle": { - "description": "Title for Krux setup instructions" - }, "importQrDeviceKruxStep1": "Kytke Krux-laite päälle", - "@importQrDeviceKruxStep1": { - "description": "Krux instruction step 1" - }, "importQrDeviceKruxStep2": "Valitse \"Extended Public Key\"", - "@importQrDeviceKruxStep2": { - "description": "Krux instruction step 2" - }, "importQrDeviceKruxStep3": "Valitse \"XPUB - QR Code\"", - "@importQrDeviceKruxStep3": { - "description": "Krux instruction step 3" - }, "importQrDeviceKruxStep4": "Napauta \"Avaa kamera\"", - "@importQrDeviceKruxStep4": { - "description": "Krux instruction step 4" - }, "importQrDeviceKruxStep5": "Skannaa laitteessa näkyvä QR-koodi", - "@importQrDeviceKruxStep5": { - "description": "Krux instruction step 5" - }, "importQrDeviceKruxStep6": "Valmista!", - "@importQrDeviceKruxStep6": { - "description": "Krux instruction step 6" - }, "importQrDeviceKeystoneName": "Keystone", - "@importQrDeviceKeystoneName": { - "description": "Name of Keystone device" - }, "importQrDeviceKeystoneInstructionsTitle": "Keystone-ohjeet", - "@importQrDeviceKeystoneInstructionsTitle": { - "description": "Title for Keystone setup instructions" - }, "importQrDeviceKeystoneStep1": "Kytke Keystone-laite päälle", - "@importQrDeviceKeystoneStep1": { - "description": "Keystone instruction step 1" - }, "importQrDeviceKeystoneStep2": "Napauta kolmea pistettä oikeassa yläkulmassa", - "@importQrDeviceKeystoneStep2": { - "description": "Keystone instruction step 2" - }, "importQrDeviceKeystoneStep3": "Valitse \"Connect Software Wallet\"", - "@importQrDeviceKeystoneStep3": { - "description": "Keystone instruction step 3" - }, "importQrDeviceKeystoneStep4": "Napauta \"Avaa kamera\"", - "@importQrDeviceKeystoneStep4": { - "description": "Keystone instruction step 4" - }, "importQrDeviceKeystoneStep5": "Skannaa laitteessa näkyvä QR-koodi", - "@importQrDeviceKeystoneStep5": { - "description": "Keystone instruction step 5" - }, "importQrDeviceKeystoneStep6": "Valmista!", - "@importQrDeviceKeystoneStep6": { - "description": "Keystone instruction step 6" - }, "importQrDevicePassportName": "Foundation Passport", - "@importQrDevicePassportName": { - "description": "Name of Foundation Passport device" - }, "importQrDevicePassportInstructionsTitle": "Foundation Passport -ohjeet", - "@importQrDevicePassportInstructionsTitle": { - "description": "Title for Passport setup instructions" - }, "importQrDevicePassportStep1": "Kytke Passport-laite päälle", - "@importQrDevicePassportStep1": { - "description": "Passport instruction step 1" - }, "importQrDevicePassportStep2": "Syötä PIN-koodi", - "@importQrDevicePassportStep2": { - "description": "Passport instruction step 2" - }, "importQrDevicePassportStep3": "Valitse \"Manage Account\"", - "@importQrDevicePassportStep3": { - "description": "Passport instruction step 3" - }, "importQrDevicePassportStep4": "Valitse \"Connect Wallet\"", - "@importQrDevicePassportStep4": { - "description": "Passport instruction step 4" - }, "importQrDevicePassportStep5": "Valitse \"Sparrow\"", - "@importQrDevicePassportStep5": { - "description": "Passport instruction step 5" - }, "importQrDevicePassportStep6": "Valitse \"Single-sig\"", - "@importQrDevicePassportStep6": { - "description": "Passport instruction step 6" - }, "importQrDevicePassportStep7": "Valitse \"QR Code\"", - "@importQrDevicePassportStep7": { - "description": "Passport instruction step 7" - }, "importQrDevicePassportStep8": "Napauta mobiililaitteessasi \"Avaa kamera\"", - "@importQrDevicePassportStep8": { - "description": "Passport instruction step 8" - }, "importQrDevicePassportStep9": "Skannaa Passport-laitteessa näkyvä QR-koodi", - "@importQrDevicePassportStep9": { - "description": "Passport instruction step 9" - }, "importQrDevicePassportStep10": "Valitse BULL-lompakossa \"Segwit (BIP84)\"", - "@importQrDevicePassportStep10": { - "description": "Passport instruction step 10" - }, "importQrDevicePassportStep11": "Anna lompakolle tunniste ja valitse \"Tuo\"", - "@importQrDevicePassportStep11": { - "description": "Passport instruction step 11" - }, "importQrDevicePassportStep12": "Määritys valmis.", - "@importQrDevicePassportStep12": { - "description": "Passport instruction step 12" - }, "importQrDeviceSeedsignerName": "SeedSigner", - "@importQrDeviceSeedsignerName": { - "description": "Name of SeedSigner device" - }, "importQrDeviceSeedsignerInstructionsTitle": "SeedSigner-ohjeet", - "@importQrDeviceSeedsignerInstructionsTitle": { - "description": "Title for SeedSigner setup instructions" - }, "importQrDeviceSeedsignerStep1": "Kytke SeedSigner-laite päälle", - "@importQrDeviceSeedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, "importQrDeviceSeedsignerStep2": "Avaa \"Seeds\"-valikko", - "@importQrDeviceSeedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, "importQrDeviceSeedsignerStep3": "Skannaa SeedQR tai syötä 12–24 sanan siemenlause", - "@importQrDeviceSeedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, "importQrDeviceSeedsignerStep4": "Valitse \"Export Xpub\"", - "@importQrDeviceSeedsignerStep4": { - "description": "SeedSigner instruction step 4" - }, "importQrDeviceSeedsignerStep5": "Valitse \"Single Sig\" ja skriptityyppi (valitse Native Segwit, jos et ole varma)", - "@importQrDeviceSeedsignerStep5": { - "description": "SeedSigner instruction step 5" - }, "importQrDeviceSeedsignerStep6": "Valitse vientitavaksi \"Sparrow\"", - "@importQrDeviceSeedsignerStep6": { - "description": "SeedSigner instruction step 6" - }, "importQrDeviceSeedsignerStep7": "Napauta mobiililaitteessa \"Avaa kamera\"", - "@importQrDeviceSeedsignerStep7": { - "description": "SeedSigner instruction step 7" - }, "importQrDeviceSeedsignerStep8": "Skannaa SeedSigner-laitteessa näkyvä QR-koodi", - "@importQrDeviceSeedsignerStep8": { - "description": "SeedSigner instruction step 8" - }, "importQrDeviceSeedsignerStep9": "Anna lompakolle tunniste ja napauta \"Tuo\"", - "@importQrDeviceSeedsignerStep9": { - "description": "SeedSigner instruction step 9" - }, "importQrDeviceSeedsignerStep10": "Määritys valmis", - "@importQrDeviceSeedsignerStep10": { - "description": "SeedSigner instruction step 10" - }, "importQrDeviceSpecterName": "Specter", - "@importQrDeviceSpecterName": { - "description": "Name of Specter device" - }, "importQrDeviceSpecterInstructionsTitle": "Specter-ohjeet", - "@importQrDeviceSpecterInstructionsTitle": { - "description": "Title for Specter setup instructions" - }, "importQrDeviceSpecterStep1": "Kytke Specter-laite päälle", - "@importQrDeviceSpecterStep1": { - "description": "Specter instruction step 1" - }, "importQrDeviceSpecterStep2": "Syötä PIN-koodi", - "@importQrDeviceSpecterStep2": { - "description": "Specter instruction step 2" - }, "importQrDeviceSpecterStep3": "Syötä siemen tai avain (valitse sinulle sopiva menetelmä)", - "@importQrDeviceSpecterStep3": { - "description": "Specter instruction step 3" - }, "importQrDeviceSpecterStep4": "Noudata näytön ohjeita", - "@importQrDeviceSpecterStep4": { - "description": "Specter instruction step 4" - }, "importQrDeviceSpecterStep5": "Valitse \"Master public keys\"", - "@importQrDeviceSpecterStep5": { - "description": "Specter instruction step 5" - }, "importQrDeviceSpecterStep6": "Valitse \"Single key\"", - "@importQrDeviceSpecterStep6": { - "description": "Specter instruction step 6" - }, "importQrDeviceSpecterStep7": "Poista \"Use SLIP-132\" käytöstä", - "@importQrDeviceSpecterStep7": { - "description": "Specter instruction step 7" - }, "importQrDeviceSpecterStep8": "Napauta mobiililaitteessa \"Avaa kamera\"", - "@importQrDeviceSpecterStep8": { - "description": "Specter instruction step 8" - }, "importQrDeviceSpecterStep9": "Skannaa Specter-laitteessa näkyvä QR-koodi", - "@importQrDeviceSpecterStep9": { - "description": "Specter instruction step 9" - }, "importQrDeviceSpecterStep10": "Anna lompakolle tunniste ja napauta \"Tuo\"", - "@importQrDeviceSpecterStep10": { - "description": "Specter instruction step 10" - }, "importQrDeviceSpecterStep11": "Määritys valmis", - "@importQrDeviceSpecterStep11": { - "description": "Specter instruction step 11" - }, "importColdcardTitle": "Yhdistä Coldcard Q", - "@importColdcardTitle": { - "description": "AppBar title for Coldcard Q import" - }, "importColdcardScanPrompt": "Skannaa Coldcard Q -laitteesi QR-koodi", - "@importColdcardScanPrompt": { - "description": "Instruction to scan Coldcard QR" - }, "importColdcardMultisigPrompt": "Moniallekirjoituslompakoissa skannaa lompakon kuvaus (descriptor) -QR-koodi", - "@importColdcardMultisigPrompt": { - "description": "Additional instruction for multisig" - }, "importColdcardScanning": "Skannataan...", - "@importColdcardScanning": { - "description": "Status while scanning" - }, "importColdcardImporting": "Tuodaan Coldcard-lompakkoa...", - "@importColdcardImporting": { - "description": "Status while importing" - }, "importColdcardSuccess": "Coldcard-lompakko tuotu", - "@importColdcardSuccess": { - "description": "Success message" - }, "importColdcardError": "Coldcard-lompakon tuonti epäonnistui", - "@importColdcardError": { - "description": "Error message" - }, "importColdcardInvalidQR": "Virheellinen Coldcard QR-koodi", - "@importColdcardInvalidQR": { - "description": "Error for invalid QR format" - }, "importColdcardDescription": "Tuo Coldcard Q -laitteesi lompakon kuvaus (descriptor) -QR-koodi", - "@importColdcardDescription": { - "description": "ImportColdcardQ: Main instruction text on import page" - }, "importColdcardButtonOpenCamera": "Avaa kamera", - "@importColdcardButtonOpenCamera": { - "description": "ImportColdcardQ: Button to open camera for QR scanning" - }, "importColdcardButtonInstructions": "Ohjeet", - "@importColdcardButtonInstructions": { - "description": "ImportColdcardQ: Button to show setup instructions" - }, "importColdcardButtonPurchase": "Osta laite", - "@importColdcardButtonPurchase": { - "description": "ImportColdcardQ: Button to navigate to Coinkite store" - }, "importColdcardInstructionsTitle": "Coldcard Q -ohjeet", - "@importColdcardInstructionsTitle": { - "description": "ImportColdcardQ: Title of instructions bottom sheet" - }, "importColdcardInstructionsStep1": "Kirjaudu Coldcard Q -laitteeseesi", - "@importColdcardInstructionsStep1": { - "description": "ImportColdcardQ: First instruction step" - }, "importColdcardInstructionsStep2": "Syötä salasana, jos käytät sellaista", - "@importColdcardInstructionsStep2": { - "description": "ImportColdcardQ: Second instruction step" - }, "importColdcardInstructionsStep3": "Siirry kohtaan \"Advanced/Tools\"", - "@importColdcardInstructionsStep3": { - "description": "ImportColdcardQ: Third instruction step" - }, "importColdcardInstructionsStep4": "Varmista, että laiteohjelmistosi on versiota 1.3.4Q", - "@importColdcardInstructionsStep4": { - "description": "ImportColdcardQ: Fourth instruction step" - }, "importColdcardInstructionsStep5": "Valitse \"Export Wallet\"", - "@importColdcardInstructionsStep5": { - "description": "ImportColdcardQ: Fifth instruction step" - }, "importColdcardInstructionsStep6": "Valitse vientivaihtoehdoksi \"Bull Bitcoin\"", - "@importColdcardInstructionsStep6": { - "description": "ImportColdcardQ: Sixth instruction step" - }, "importColdcardInstructionsStep7": "Napauta mobiililaitteessasi \"Avaa kamera\"", - "@importColdcardInstructionsStep7": { - "description": "ImportColdcardQ: Seventh instruction step" - }, "importColdcardInstructionsStep8": "Skannaa Coldcard Q -laitteessa näkyvä QR-koodi", - "@importColdcardInstructionsStep8": { - "description": "ImportColdcardQ: Eighth instruction step" - }, "importColdcardInstructionsStep9": "Anna Coldcard Q -lompakollesi tunniste ja napauta \"Tuo\"", - "@importColdcardInstructionsStep9": { - "description": "ImportColdcardQ: Ninth instruction step" - }, "importColdcardInstructionsStep10": "Määritys valmis", - "@importColdcardInstructionsStep10": { - "description": "ImportColdcardQ: Final instruction step" - }, "exchangeLandingTitle": "BULL BITCOIN", - "@exchangeLandingTitle": { - "description": "Main title on exchange landing screen" - }, "exchangeLandingConnect": "Yhdistä Bull Bitcoin -pörssiin", - "@exchangeLandingConnect": { - "description": "Subtitle on exchange landing screen" - }, "exchangeLandingFeature1": "Osta Bitcoinia omaan säilytykseen", - "@exchangeLandingFeature1": { - "description": "First feature bullet point" - }, "exchangeLandingFeature2": "DCA, limiittitoimeksiannot ja automaattiostot", - "@exchangeLandingFeature2": { - "description": "Second feature bullet point" - }, "exchangeLandingFeature3": "Myy Bitcoinia, vastaanota maksu Bitcoinilla", - "@exchangeLandingFeature3": { - "description": "Third feature bullet point" - }, "exchangeLandingFeature4": "Lähetä pankkisiirtoja ja maksa laskuja", - "@exchangeLandingFeature4": { - "description": "Fourth feature bullet point" - }, "exchangeLandingFeature5": "Keskustele asiakastuen kanssa", - "@exchangeLandingFeature5": { - "description": "Fifth feature bullet point" - }, "exchangeLandingFeature6": "Yhdistetty tapahtumahistoria", - "@exchangeLandingFeature6": { - "description": "Sixth feature bullet point" - }, "exchangeLandingRestriction": "Pörssipalvelujen käyttö on rajoitettua maihin, joissa Bull Bitcoin voi toimia laillisesti, ja se voi edellyttää KYC-tunnistusta.", - "@exchangeLandingRestriction": { - "description": "Legal restriction notice" - }, "exchangeLandingLoginButton": "Kirjaudu tai rekisteröidy", - "@exchangeLandingLoginButton": { - "description": "Button to proceed to login/signup" - }, "exchangeHomeDeposit": "Talleta", - "@exchangeHomeDeposit": { - "description": "Deposit button label" - }, "exchangeHomeWithdraw": "Nosta", - "@exchangeHomeWithdraw": { - "description": "Withdraw button label" - }, "exchangeKycLight": "Kevyt", - "@exchangeKycLight": { - "description": "Light KYC level label" - }, "exchangeKycLimited": "Rajoitettu", - "@exchangeKycLimited": { - "description": "Limited KYC level label" - }, "exchangeKycComplete": "Suorita KYC", - "@exchangeKycComplete": { - "description": "KYC card title" - }, "exchangeKycRemoveLimits": "Poista tapahtumien rajoitukset", - "@exchangeKycRemoveLimits": { - "description": "KYC card subtitle" - }, "dcaActivate": "Aktivoi toistuva osto", - "@dcaActivate": { - "description": "Label to activate DCA" - }, "dcaDeactivate": "Poista toistuva osto käytöstä", - "@dcaDeactivate": { - "description": "Label to deactivate DCA" - }, "dcaViewSettings": "Näytä asetukset", - "@dcaViewSettings": { - "description": "Link to view DCA settings" - }, "dcaHideSettings": "Piilota asetukset", - "@dcaHideSettings": { - "description": "Link to hide DCA settings" - }, "dcaCancelTitle": "Peruutetaanko Bitcoin-toistuva osto?", - "@dcaCancelTitle": { - "description": "Dialog title for DCA cancellation" - }, "dcaCancelMessage": "Bitcoinin toistuva ostosuunnitelmasi lopetetaan, ja tulevat toimeksiannot perutaan. Käynnistääksesi sen uudelleen sinun tulee luoda uusi suunnitelma.", - "@dcaCancelMessage": { - "description": "Dialog message for DCA cancellation" - }, "dcaCancelButton": "Peruuta", - "@dcaCancelButton": { - "description": "Cancel button in DCA dialog" - }, "dcaConfirmDeactivate": "Kyllä, poista käytöstä", - "@dcaConfirmDeactivate": { - "description": "Confirm deactivation button" - }, "dcaUnableToGetConfig": "DCA-asetuksia ei voitu hakea", - "@dcaUnableToGetConfig": { - "description": "Error message when DCA config unavailable" - }, "dcaAddressBitcoin": "Bitcoin-osoite", - "@dcaAddressBitcoin": { - "description": "Bitcoin address label" - }, "dcaAddressLightning": "Lightning-osoite", - "@dcaAddressLightning": { - "description": "Lightning address label" - }, "dcaAddressLiquid": "Liquid-osoite", - "@dcaAddressLiquid": { - "description": "Liquid address label" - }, "dcaBuyingMessage": "Ostat {amount} joka {frequency} verkossa {network}, niin kauan kuin tililläsi on varoja.", "@dcaBuyingMessage": { - "description": "DCA status message", "placeholders": { "amount": { "type": "String" @@ -21774,104 +3268,30 @@ } }, "exchangeAuthLoginFailed": "Kirjautuminen epäonnistui", - "@exchangeAuthLoginFailed": { - "description": "Login failure dialog title" - }, "exchangeAuthErrorMessage": "Tapahtui virhe. Yritä kirjautua uudelleen.", - "@exchangeAuthErrorMessage": { - "description": "Login error message" - }, "exchangeAuthOk": "OK", - "@exchangeAuthOk": { - "description": "OK button in error dialog" - }, - "recipientsSearchHint": "Etsi vastaanottajia nimen tai tunnisteen mukaan", - "@recipientsSearchHint": { - "description": "Hint text for recipients search field" - }, "withdrawAmountTitle": "Nosta varoja tililtäsi", - "@withdrawAmountTitle": { - "description": "AppBar title for withdraw amount screen" - }, "withdrawAmountContinue": "Jatka", - "@withdrawAmountContinue": { - "description": "Continue button on amount screen" - }, "withdrawRecipientsTitle": "Valitse vastaanottaja", - "@withdrawRecipientsTitle": { - "description": "AppBar title for recipients screen" - }, "withdrawRecipientsPrompt": "Minne ja miten haluat meidän lähettävän rahat?", - "@withdrawRecipientsPrompt": { - "description": "Instructions on recipients screen" - }, "withdrawRecipientsNewTab": "Uusi vastaanottaja", - "@withdrawRecipientsNewTab": { - "description": "Tab label for new recipient" - }, "withdrawRecipientsMyTab": "Omat fiat-vastaanottajat", - "@withdrawRecipientsMyTab": { - "description": "Tab label for existing recipients" - }, "withdrawRecipientsFilterAll": "Kaikki tyypit", - "@withdrawRecipientsFilterAll": { - "description": "Filter option for all recipient types" - }, "withdrawRecipientsNoRecipients": "Ei vastaanottajia nostoa varten.", - "@withdrawRecipientsNoRecipients": { - "description": "Empty state message" - }, "withdrawRecipientsContinue": "Jatka", - "@withdrawRecipientsContinue": { - "description": "Continue button on recipients screen" - }, "withdrawConfirmTitle": "Vahvista nosto", - "@withdrawConfirmTitle": { - "description": "Title on confirmation screen" - }, "withdrawConfirmRecipientName": "Vastaanottajan nimi", - "@withdrawConfirmRecipientName": { - "description": "Field label for recipient name" - }, "withdrawConfirmAmount": "Määrä", - "@withdrawConfirmAmount": { - "description": "Field label for withdrawal amount" - }, "withdrawConfirmEmail": "Sähköposti", - "@withdrawConfirmEmail": { - "description": "Field label for email (Interac)" - }, "withdrawConfirmPayee": "Saaja", - "@withdrawConfirmPayee": { - "description": "Field label for payee (Bill Payment)" - }, "withdrawConfirmAccount": "Tili", - "@withdrawConfirmAccount": { - "description": "Field label for bank account" - }, "withdrawConfirmIban": "IBAN", - "@withdrawConfirmIban": { - "description": "Field label for IBAN" - }, "withdrawConfirmClabe": "CLABE", - "@withdrawConfirmClabe": { - "description": "Field label for CLABE (Mexico)" - }, "withdrawConfirmPhone": "Puhelin", - "@withdrawConfirmPhone": { - "description": "Field label for phone number" - }, "withdrawConfirmCard": "Kortti", - "@withdrawConfirmCard": { - "description": "Field label for debit card" - }, "withdrawConfirmButton": "Vahvista nosto", - "@withdrawConfirmButton": { - "description": "Button to confirm withdrawal" - }, "withdrawConfirmError": "Virhe: {error}", "@withdrawConfirmError": { - "description": "Error message on confirmation screen", "placeholders": { "error": { "type": "String" @@ -21879,96 +3299,29 @@ } }, "fundExchangeFundAccount": "Talletus", - "@fundExchangeFundAccount": { - "description": "Main heading on funding screen" - }, "fundExchangeSelectCountry": "Valitse maa ja maksutapa", - "@fundExchangeSelectCountry": { - "description": "Instruction text" - }, "fundExchangeSpeiTransfer": "SPEI-siirto", - "@fundExchangeSpeiTransfer": { - "description": "SPEI transfer method title (Mexico)" - }, "fundExchangeSpeiSubtitle": "Siirrä varoja CLABE-tunnuksesi avulla", - "@fundExchangeSpeiSubtitle": { - "description": "SPEI transfer subtitle" - }, "fundExchangeBankTransfer": "Pankkisiirto", - "@fundExchangeBankTransfer": { - "description": "Bank transfer method title" - }, "fundExchangeBankTransferSubtitle": "Lähetä pankkisiirto pankkitililtäsi", - "@fundExchangeBankTransferSubtitle": { - "description": "Bank transfer subtitle" - }, "dcaSetupTitle": "Aseta toistuva osto", - "@dcaSetupTitle": { - "description": "AppBar title for DCA setup screen" - }, "dcaSetupInsufficientBalance": "Riittämätön saldo", - "@dcaSetupInsufficientBalance": { - "description": "Insufficient balance error title" - }, "dcaSetupInsufficientBalanceMessage": "Tililläsi ei ole tarpeeksi saldoa tämän toimeksiannon luomiseen.", - "@dcaSetupInsufficientBalanceMessage": { - "description": "Insufficient balance error message" - }, "dcaSetupFundAccount": "Talletus", - "@dcaSetupFundAccount": { - "description": "Button to fund account" - }, "dcaSetupScheduleMessage": "Bitcoin-ostot tehdään automaattisesti tämän aikataulun mukaan.", - "@dcaSetupScheduleMessage": { - "description": "DCA schedule explanation" - }, "dcaSetupFrequencyError": "Valitse aikataulu", - "@dcaSetupFrequencyError": { - "description": "Frequency validation error" - }, "dcaSetupContinue": "Jatka", - "@dcaSetupContinue": { - "description": "Continue button on DCA setup" - }, "dcaConfirmTitle": "Vahvista toistuva osto", - "@dcaConfirmTitle": { - "description": "AppBar title for DCA confirmation screen" - }, "dcaConfirmAutoMessage": "Ostotoimeksiannot suoritetaan automaattisesti näiden asetusten mukaan. Voit poistaa ne käytöstä milloin tahansa.", - "@dcaConfirmAutoMessage": { - "description": "DCA auto-placement message" - }, "dcaConfirmFrequency": "Aikataulu", - "@dcaConfirmFrequency": { - "description": "Field label for frequency" - }, "dcaConfirmFrequencyHourly": "Joka tunti", - "@dcaConfirmFrequencyHourly": { - "description": "Hourly frequency label" - }, "dcaConfirmFrequencyDaily": "Joka päivä", - "@dcaConfirmFrequencyDaily": { - "description": "Daily frequency label" - }, "dcaConfirmFrequencyWeekly": "Joka viikko", - "@dcaConfirmFrequencyWeekly": { - "description": "Weekly frequency label" - }, "dcaConfirmFrequencyMonthly": "Joka kuukausi", - "@dcaConfirmFrequencyMonthly": { - "description": "Monthly frequency label" - }, "dcaConfirmAmount": "Määrä", - "@dcaConfirmAmount": { - "description": "Field label for amount" - }, "dcaConfirmPaymentMethod": "Maksutapa", - "@dcaConfirmPaymentMethod": { - "description": "Field label for payment method" - }, "dcaConfirmPaymentBalance": "{currency}-saldo", "@dcaConfirmPaymentBalance": { - "description": "Payment method balance format", "placeholders": { "currency": { "type": "String" @@ -21976,36 +3329,14 @@ } }, "dcaConfirmOrderType": "Toimeksiantotyyppi", - "@dcaConfirmOrderType": { - "description": "Field label for order type" - }, "dcaConfirmOrderTypeValue": "Toistuva osto", - "@dcaConfirmOrderTypeValue": { - "description": "Order type value" - }, "dcaConfirmNetwork": "Verkko", - "@dcaConfirmNetwork": { - "description": "Field label for network" - }, "dcaConfirmNetworkBitcoin": "Bitcoin", - "@dcaConfirmNetworkBitcoin": { - "description": "Bitcoin network label" - }, "dcaConfirmNetworkLightning": "Lightning", - "@dcaConfirmNetworkLightning": { - "description": "Lightning network label" - }, "dcaConfirmNetworkLiquid": "Liquid", - "@dcaConfirmNetworkLiquid": { - "description": "Liquid network label" - }, "dcaConfirmLightningAddress": "Lightning-osoite", - "@dcaConfirmLightningAddress": { - "description": "Field label for Lightning address" - }, "dcaConfirmError": "Jokin meni pieleen: {error}", "@dcaConfirmError": { - "description": "DCA confirmation error message", "placeholders": { "error": { "type": "String" @@ -22013,312 +3344,83 @@ } }, "dcaConfirmContinue": "Jatka", - "@dcaConfirmContinue": { - "description": "Continue button on DCA confirmation" - }, "buyInputTitle": "Osta Bitcoinia", - "@buyInputTitle": { - "description": "AppBar title for buy input screen" - }, "buyInputMinAmountError": "Sinun tulee ostaa vähintään", - "@buyInputMinAmountError": { - "description": "Minimum amount error message" - }, "buyInputMaxAmountError": "Et voi ostaa enempää kuin", - "@buyInputMaxAmountError": { - "description": "Maximum amount error message" - }, "buyInputKycPending": "KYC-vahvistus odottaa", - "@buyInputKycPending": { - "description": "KYC pending info card title" - }, "buyInputKycMessage": "Sinun täytyy suorittaa henkilöllisyyden vahvistus ensin", - "@buyInputKycMessage": { - "description": "KYC pending info card message" - }, "buyInputCompleteKyc": "Suorita KYC", - "@buyInputCompleteKyc": { - "description": "Button to complete KYC" - }, "buyInputInsufficientBalance": "Riittämätön saldo", - "@buyInputInsufficientBalance": { - "description": "Insufficient balance info card title" - }, "buyInputInsufficientBalanceMessage": "Tililläsi ei ole tarpeeksi saldoa tämän toimeksiannon luomiseen.", - "@buyInputInsufficientBalanceMessage": { - "description": "Insufficient balance message" - }, "buyInputFundAccount": "Talletus", - "@buyInputFundAccount": { - "description": "Button to fund account" - }, "buyInputContinue": "Jatka", - "@buyInputContinue": { - "description": "Continue button on buy input" - }, "buyConfirmTitle": "Osta Bitcoinia", - "@buyConfirmTitle": { - "description": "AppBar title for buy confirmation screen" - }, "buyConfirmYouPay": "Maksat", - "@buyConfirmYouPay": { - "description": "Field label for payment amount" - }, "buyConfirmYouReceive": "Saat", - "@buyConfirmYouReceive": { - "description": "Field label for receive amount" - }, "buyConfirmBitcoinPrice": "Bitcoinin hinta", - "@buyConfirmBitcoinPrice": { - "description": "Label for displayed Bitcoin price" - }, "buyConfirmPayoutMethod": "Maksutapa", - "@buyConfirmPayoutMethod": { - "description": "Field label for payout method" - }, "buyConfirmExternalWallet": "Ulkoinen Bitcoin-lompakko", - "@buyConfirmExternalWallet": { - "description": "External wallet payout method" - }, "buyConfirmAwaitingConfirmation": "Odottaa vahvistusta ", - "@buyConfirmAwaitingConfirmation": { - "description": "Awaiting confirmation label" - }, "sellSendPaymentTitle": "Vahvista maksu", - "@sellSendPaymentTitle": { - "description": "Title on sell payment screen" - }, "sellSendPaymentPriceRefresh": "Hinta päivittyy ", - "@sellSendPaymentPriceRefresh": { - "description": "Price refresh countdown prefix" - }, "sellSendPaymentOrderNumber": "Tilausnumero", - "@sellSendPaymentOrderNumber": { - "description": "Field label for order number" - }, "sellSendPaymentPayoutRecipient": "Maksun saaja", - "@sellSendPaymentPayoutRecipient": { - "description": "Field label for payout recipient" - }, "sellSendPaymentCadBalance": "CAD-saldo", - "@sellSendPaymentCadBalance": { - "description": "CAD balance payout method" - }, "sellSendPaymentCrcBalance": "CRC-saldo", - "@sellSendPaymentCrcBalance": { - "description": "CRC balance payout method" - }, "sellSendPaymentEurBalance": "EUR-saldo", - "@sellSendPaymentEurBalance": { - "description": "EUR balance payout method" - }, "sellSendPaymentUsdBalance": "USD-saldo", - "@sellSendPaymentUsdBalance": { - "description": "USD balance payout method" - }, "sellSendPaymentMxnBalance": "MXN-saldo", - "@sellSendPaymentMxnBalance": { - "description": "MXN balance payout method" - }, "sellSendPaymentPayinAmount": "Maksun määrä", - "@sellSendPaymentPayinAmount": { - "description": "Field label for payin amount" - }, "sellSendPaymentPayoutAmount": "Maksun lähtevä määrä", - "@sellSendPaymentPayoutAmount": { - "description": "Field label for payout amount" - }, "sellSendPaymentExchangeRate": "Vaihtokurssi", - "@sellSendPaymentExchangeRate": { - "description": "Field label for exchange rate" - }, "sellSendPaymentPayFromWallet": "Maksa lompakosta", - "@sellSendPaymentPayFromWallet": { - "description": "Field label for source wallet" - }, "sellSendPaymentInstantPayments": "Pikamaksulompakko", - "@sellSendPaymentInstantPayments": { - "description": "Instant payments wallet label" - }, "sellSendPaymentSecureWallet": "Suojattu Bitcoin-lompakko", - "@sellSendPaymentSecureWallet": { - "description": "Secure wallet label" - }, "sellSendPaymentFeePriority": "Maksun prioriteetti", - "@sellSendPaymentFeePriority": { - "description": "Field label for fee priority" - }, "sellSendPaymentFastest": "Nopein", - "@sellSendPaymentFastest": { - "description": "Fastest fee priority option" - }, "sellSendPaymentNetworkFees": "Verkkomaksut", - "@sellSendPaymentNetworkFees": { - "description": "Field label for network fees" - }, "sellSendPaymentCalculating": "Lasketaan...", - "@sellSendPaymentCalculating": { - "description": "Calculating fees message" - }, "sellSendPaymentAdvanced": "Lisäasetukset", - "@sellSendPaymentAdvanced": { - "description": "Advanced settings button" - }, "sellSendPaymentContinue": "Jatka", - "@sellSendPaymentContinue": { - "description": "Continue button on sell payment" - }, "sellSendPaymentAboveMax": "Yrität myydä yli enimmäismäärän, jonka tästä lompakosta voi myydä.", - "@sellSendPaymentAboveMax": { - "description": "Above max amount error" - }, "sellSendPaymentBelowMin": "Yrität myydä alle vähimmäismäärän, jonka tästä lompakosta voi myydä.", - "@sellSendPaymentBelowMin": { - "description": "Below min amount error" - }, "sellSendPaymentInsufficientBalance": "Valitussa lompakossa ei ole riittävää saldoa tämän myyntitilauksen suorittamiseen.", - "@sellSendPaymentInsufficientBalance": { - "description": "Insufficient balance error" - }, "arkSetupTitle": "Ark-asetukset", - "@arkSetupTitle": { - "description": "AppBar title for Ark setup screen" - }, "arkSetupExperimentalWarning": "Ark on vielä kokeellinen teknologia.\n\nArk-lompakkosi johdetaan päälompakkosi siemenlauseesta. Erillistä varmuuskopiota ei tarvita, koska nykyisen lompakon varmuuskopio palauttaa myös Ark-varasi.\n\nJatkamalla hyväksyt Arkin kokeellisen luonteen ja riskin varojen menettämisestä.\n\nKehittäjähuomautus: Ark-salasana johdetaan päälompakon siemenestä mielivaltaisella BIP-85-derivaatiolla (indeksi 11811).", - "@arkSetupExperimentalWarning": { - "description": "Ark experimental warning text" - }, "arkSetupEnable": "Ota Ark käyttöön", - "@arkSetupEnable": { - "description": "Button to enable Ark" - }, "swapTitle": "Sisäinen siirto", - "@swapTitle": { - "description": "AppBar title for swap/internal transfer screen" - }, "swapInfoBanner": "Siirrä Bitcoinia saumattomasti lompakoidesi välillä. Pidä varoja Pikamaksulompakossa vain päivittäistä kulutusta varten.", - "@swapInfoBanner": { - "description": "Info banner on swap amount screen" - }, "swapMax": "MAX", - "@swapMax": { - "description": "MAX button label" - }, "swapContinue": "Jatka", - "@swapContinue": { - "description": "Continue button on swap amount screen" - }, "swapConfirmTitle": "Vahvista siirto", - "@swapConfirmTitle": { - "description": "AppBar title for swap confirmation screen" - }, "swapProgressTitle": "Sisäinen siirto", - "@swapProgressTitle": { - "description": "AppBar title for swap progress screen" - }, "swapProgressPending": "Siirto kesken", - "@swapProgressPending": { - "description": "Pending transfer status" - }, "swapProgressPendingMessage": "Siirto on käynnissä. Bitcoin-siirtojen vahvistuminen voi kestää. Voit palata etusivulle ja odottaa.", - "@swapProgressPendingMessage": { - "description": "Pending transfer message" - }, "swapProgressCompleted": "Siirto valmis", - "@swapProgressCompleted": { - "description": "Completed transfer status" - }, "swapProgressCompletedMessage": "Vau, odotit! Siirto on suoritettu onnistuneesti.", - "@swapProgressCompletedMessage": { - "description": "Completed transfer message" - }, "swapProgressRefundInProgress": "Siirron palautus käynnissä", - "@swapProgressRefundInProgress": { - "description": "Refund in progress status" - }, "swapProgressRefundMessage": "Siirrossa tapahtui virhe. Palautuksesi on käynnissä.", - "@swapProgressRefundMessage": { - "description": "Refund in progress message" - }, "swapProgressRefunded": "Siirto palautettu", - "@swapProgressRefunded": { - "description": "Refunded transfer status" - }, "swapProgressRefundedMessage": "Siirto on palautettu onnistuneesti.", - "@swapProgressRefundedMessage": { - "description": "Refunded transfer message" - }, "swapProgressGoHome": "Palaa etusivulle", - "@swapProgressGoHome": { - "description": "Go home button on progress screen" - }, "autoswapTitle": "Automaattisen swapin asetukset", - "@autoswapTitle": { - "description": "Header title for auto transfer settings bottom sheet" - }, "autoswapEnable": "Ota automaattinen siirto käyttöön", - "@autoswapEnable": { - "description": "Toggle label to enable auto transfer" - }, "autoswapMaxBalance": "Pikamaksulompakon enimmäissaldo", - "@autoswapMaxBalance": { - "description": "Field label for max balance threshold" - }, "autoswapMaxBalanceInfo": "Kun lompakon saldo ylittää tämän summan kaksinkertaisena, automaattinen siirto käynnistyy ja pienentää saldon tähän tasoon", - "@autoswapMaxBalanceInfo": { - "description": "Info tooltip for max balance field" - }, "autoswapMaxFee": "Swapin enimmäiskulut", - "@autoswapMaxFee": { - "description": "Field label for max fee threshold" - }, "autoswapMaxFeeInfo": "Jos kokonaiskulut ylittävät asetetun prosenttiosuuden, automaattinen siirto estetään", - "@autoswapMaxFeeInfo": { - "description": "Info tooltip for max fee field" - }, "autoswapAlwaysBlock": "Estä aina korkeat kulut", - "@autoswapAlwaysBlock": { - "description": "Toggle label for always block high fees" - }, "autoswapAlwaysBlockEnabledInfo": "Kun tämä on käytössä, maksukynnyksen ylittävät automaattiset siirrot estetään aina", - "@autoswapAlwaysBlockEnabledInfo": { - "description": "Info text when always block is enabled" - }, "autoswapAlwaysBlockDisabledInfo": "Kun tämä ei ole käytössä, sinulle annetaan mahdollisuus sallia automaattinen siirto, joka on estetty korkeiden kulujen vuoksi", - "@autoswapAlwaysBlockDisabledInfo": { - "description": "Info text when always block is disabled" - }, "autoswapRecipientWallet": "Vastaanottava Bitcoin-lompakko", - "@autoswapRecipientWallet": { - "description": "Field label for recipient wallet dropdown" - }, "autoswapRecipientRequired": "*", - "@autoswapRecipientRequired": { - "description": "Required field indicator" - }, "autoswapSelectWallet": "Valitse Bitcoin-lompakko", - "@autoswapSelectWallet": { - "description": "Placeholder for wallet dropdown" - }, "autoswapSelectWalletRequired": "Valitse Bitcoin-lompakko *", - "@autoswapSelectWalletRequired": { - "description": "Placeholder for wallet dropdown when required" - }, "autoswapRecipientWalletInfo": "Valitse, mihin Bitcoin-lompakkoon siirretyt varat vastaanotetaan (pakollinen)", - "@autoswapRecipientWalletInfo": { - "description": "Info tooltip for recipient wallet field" - }, "autoswapDefaultWalletLabel": "Bitcoin-lompakko", - "@autoswapDefaultWalletLabel": { - "description": "Default label for unnamed Bitcoin wallet" - }, "autoswapSave": "Tallenna", - "@autoswapSave": { - "description": "Save button label" - }, "autoswapSaveError": "Asetusten tallennus epäonnistui: {error}", "@autoswapSaveError": { - "description": "Error message when save fails", "placeholders": { "error": { "type": "String" @@ -22326,32 +3428,13 @@ } }, "electrumTitle": "Electrum-palvelinasetukset", - "@electrumTitle": { - "description": "AppBar title for Electrum settings screen" - }, "electrumNetworkBitcoin": "Bitcoin", - "@electrumNetworkBitcoin": { - "description": "Bitcoin network tab label" - }, "electrumNetworkLiquid": "Liquid", - "@electrumNetworkLiquid": { - "description": "Liquid network tab label" - }, "electrumAdvancedOptions": "Lisäasetukset", - "@electrumAdvancedOptions": { - "description": "Advanced options button label" - }, "electrumAddCustomServer": "Lisää oma palvelin", - "@electrumAddCustomServer": { - "description": "Add custom server bottom sheet title" - }, "electrumCloseTooltip": "Sulje", - "@electrumCloseTooltip": { - "description": "Close button tooltip" - }, "electrumServerUrlHint": "{network} {environment} -palvelimen URL", "@electrumServerUrlHint": { - "description": "Hint text for server URL input", "placeholders": { "network": { "type": "String" @@ -22362,76 +3445,24 @@ } }, "electrumMainnet": "Mainnet", - "@electrumMainnet": { - "description": "Mainnet environment label" - }, "electrumTestnet": "Testnet", - "@electrumTestnet": { - "description": "Testnet environment label" - }, "electrumEmptyFieldError": "Tämä kenttä ei voi olla tyhjä", - "@electrumEmptyFieldError": { - "description": "Validation error for empty field" - }, "electrumBitcoinSslInfo": "Jos protokollaa ei ole määritetty, ssl käytetään oletuksena.", - "@electrumBitcoinSslInfo": { - "description": "Info text for Bitcoin server protocol" - }, "electrumLiquidSslInfo": "Protokollaa ei tule määrittää, SSL otetaan käyttöön automaattisesti.", - "@electrumLiquidSslInfo": { - "description": "Info text for Liquid server protocol" - }, "electrumAddServer": "Lisää palvelin", - "@electrumAddServer": { - "description": "Add server button label" - }, "electrumEnableSsl": "Ota SSL käyttöön", - "@electrumEnableSsl": { - "description": "SSL toggle label in add custom server sheet" - }, "electrumProtocolError": "Älä sisällytä protokollaa (ssl:// tai tcp://).", - "@electrumProtocolError": { - "description": "Validation error when protocol is included in server URL" - }, "electrumFormatError": "Käytä muotoa host:port (esim. example.com:50001)", - "@electrumFormatError": { - "description": "Validation error for incorrect server URL format" - }, "electrumBitcoinServerInfo": "Anna palvelinosoite muodossa host:port (esim. example.com:50001)", - "@electrumBitcoinServerInfo": { - "description": "Info text for Bitcoin server URL format" - }, "electrumStopGap": "Stop Gap", - "@electrumStopGap": { - "description": "Stop Gap field label and hint in advanced options" - }, "electrumTimeout": "Aikakatkaisu (sekuntia)", - "@electrumTimeout": { - "description": "Timeout field label and hint in advanced options" - }, "electrumRetryCount": "Uusintayritysten määrä", - "@electrumRetryCount": { - "description": "Retry Count field label and hint in advanced options" - }, "electrumValidateDomain": "Tarkista verkkotunnus", - "@electrumValidateDomain": { - "description": "Validate Domain switch label in advanced options" - }, "electrumStopGapEmptyError": "Stop Gap ei voi olla tyhjä", - "@electrumStopGapEmptyError": { - "description": "Validation error for empty Stop Gap field" - }, "electrumInvalidNumberError": "Anna kelvollinen numero", - "@electrumInvalidNumberError": { - "description": "Validation error for non-numeric input" - }, "electrumStopGapNegativeError": "Stop Gap ei voi olla negatiivinen", - "@electrumStopGapNegativeError": { - "description": "Validation error for negative Stop Gap value" - }, "electrumStopGapTooHighError": "Stop Gap vaikuttaa liian suurelta. (Enintään {maxStopGap})", "@electrumStopGapTooHighError": { - "description": "Validation error for Stop Gap exceeding maximum", "placeholders": { "maxStopGap": { "type": "String" @@ -22439,16 +3470,9 @@ } }, "electrumTimeoutEmptyError": "Aikakatkaisu ei voi olla tyhjä", - "@electrumTimeoutEmptyError": { - "description": "Validation error for empty Timeout field" - }, "electrumTimeoutPositiveError": "Aikakatkaisun on oltava positiivinen", - "@electrumTimeoutPositiveError": { - "description": "Validation error for non-positive Timeout value" - }, "electrumTimeoutTooHighError": "Aikakatkaisu vaikuttaa liian suurelta. (Enintään {maxTimeout} sekuntia)", "@electrumTimeoutTooHighError": { - "description": "Validation error for Timeout exceeding maximum", "placeholders": { "maxTimeout": { "type": "String" @@ -22456,16 +3480,9 @@ } }, "electrumRetryCountEmptyError": "Uusintayritysten määrä ei voi olla tyhjä", - "@electrumRetryCountEmptyError": { - "description": "Validation error for empty Retry Count field" - }, "electrumRetryCountNegativeError": "Uusintayritysten määrä ei voi olla negatiivinen", - "@electrumRetryCountNegativeError": { - "description": "Validation error for negative Retry Count value" - }, "electrumTimeoutWarning": "Aikakatkaisusi ({timeoutValue} sekuntia) on alempi kuin suositus ({recommended} sekuntia) tälle Stop Gap -arvolle.", "@electrumTimeoutWarning": { - "description": "Warning message when timeout is too low for the configured Stop Gap", "placeholders": { "timeoutValue": { "type": "String" @@ -22477,7 +3494,6 @@ }, "electrumInvalidStopGapError": "Virheellinen Stop Gap -arvo: {value}", "@electrumInvalidStopGapError": { - "description": "Error message for invalid Stop Gap value from backend", "placeholders": { "value": { "type": "String" @@ -22486,7 +3502,6 @@ }, "electrumInvalidTimeoutError": "Virheellinen aikakatkaisu: {value}", "@electrumInvalidTimeoutError": { - "description": "Error message for invalid Timeout value from backend", "placeholders": { "value": { "type": "String" @@ -22495,7 +3510,6 @@ }, "electrumInvalidRetryError": "Virheellinen uusintayritysten määrä: {value}", "@electrumInvalidRetryError": { - "description": "Error message for invalid Retry Count value from backend", "placeholders": { "value": { "type": "String" @@ -22503,32 +3517,13 @@ } }, "electrumSaveFailedError": "Lisäasetusten tallennus epäonnistui", - "@electrumSaveFailedError": { - "description": "Error message when saving advanced options fails" - }, "electrumUnknownError": "Tapahtui virhe", - "@electrumUnknownError": { - "description": "Generic error message for unknown errors" - }, "electrumReset": "Palauta oletukset", - "@electrumReset": { - "description": "Reset button label in advanced options" - }, "electrumConfirm": "Vahvista", - "@electrumConfirm": { - "description": "Confirm button label in advanced options" - }, "electrumDeleteServerTitle": "Poista oma palvelin", - "@electrumDeleteServerTitle": { - "description": "Delete server dialog title" - }, "electrumDeletePrivacyNotice": "Tietosuoja-ilmoitus:\n\nOman solmun käyttäminen varmistaa, ettei kolmas osapuoli voi yhdistää IP-osoitettasi transaktioihisi. Poistamalla viimeisen oman palvelimesi muodostat yhteyden BullBitcoin-palvelimeen.\n", - "@electrumDeletePrivacyNotice": { - "description": "Privacy notice shown when deleting last custom server" - }, "electrumDeleteConfirmation": "Haluatko varmasti poistaa tämän palvelimen?\n\n{serverUrl}", "@electrumDeleteConfirmation": { - "description": "Confirmation message for server deletion", "placeholders": { "serverUrl": { "type": "String" @@ -22536,32 +3531,13 @@ } }, "electrumCancel": "Peruuta", - "@electrumCancel": { - "description": "Cancel button label in delete dialog" - }, "electrumDelete": "Poista", - "@electrumDelete": { - "description": "Delete button label in delete dialog" - }, "electrumDefaultServers": "Oletuspalvelimet", - "@electrumDefaultServers": { - "description": "Section header for default servers list" - }, "electrumDefaultServersInfo": "Yksityisyytesi suojaamiseksi oletuspalvelimia ei käytetä, kun omia palvelimia on määritetty.", - "@electrumDefaultServersInfo": { - "description": "Info message explaining default servers behavior" - }, "electrumCustomServers": "Omat palvelimet", - "@electrumCustomServers": { - "description": "Section header for custom servers list" - }, "electrumDragToReorder": "(Pitkä painallus, raahaa ja muuta prioriteettia)", - "@electrumDragToReorder": { - "description": "Instruction text for reordering servers" - }, "electrumLoadFailedError": "Palvelinten lataus epäonnistui{reason}", "@electrumLoadFailedError": { - "description": "Error message when loading servers fails", "placeholders": { "reason": { "type": "String" @@ -22570,7 +3546,6 @@ }, "electrumSavePriorityFailedError": "Palvelinten prioriteetin tallennus epäonnistui{reason}", "@electrumSavePriorityFailedError": { - "description": "Error message when saving server priority fails", "placeholders": { "reason": { "type": "String" @@ -22579,7 +3554,6 @@ }, "electrumAddFailedError": "Oman palvelimen lisääminen epäonnistui{reason}", "@electrumAddFailedError": { - "description": "Error message when adding custom server fails", "placeholders": { "reason": { "type": "String" @@ -22588,7 +3562,6 @@ }, "electrumDeleteFailedError": "Oman palvelimen poistaminen epäonnistui{reason}", "@electrumDeleteFailedError": { - "description": "Error message when deleting custom server fails", "placeholders": { "reason": { "type": "String" @@ -22596,120 +3569,35 @@ } }, "electrumServerAlreadyExists": "Tämä palvelin on jo olemassa", - "@electrumServerAlreadyExists": { - "description": "Error message when trying to add a duplicate server" - }, "electrumPrivacyNoticeTitle": "Tietosuoja-ilmoitus", - "@electrumPrivacyNoticeTitle": { - "description": "Title for privacy notice bottom sheet" - }, "electrumPrivacyNoticeContent1": "Tietosuoja-ilmoitus: Oman solmun käyttäminen varmistaa, ettei kolmas osapuoli voi yhdistää IP-osoitettasi transaktioihisi.", - "@electrumPrivacyNoticeContent1": { - "description": "First paragraph of privacy notice" - }, "electrumPrivacyNoticeContent2": "Jos kuitenkin tarkastelet transaktioita mempoolin kautta napsauttamalla transaktio-ID tai vastaanottajan tietoja, tämä tieto tulee BullBitcoinin tietoon.", - "@electrumPrivacyNoticeContent2": { - "description": "Second paragraph of privacy notice" - }, "electrumPrivacyNoticeCancel": "Peruuta", - "@electrumPrivacyNoticeCancel": { - "description": "Cancel button in privacy notice dialog" - }, "electrumPrivacyNoticeSave": "Tallenna", - "@electrumPrivacyNoticeSave": { - "description": "Save button in privacy notice dialog" - }, "electrumServerNotUsed": "Ei käytössä", - "@electrumServerNotUsed": { - "description": "Status text for disabled servers" - }, "electrumServerOnline": "Käytössä", - "@electrumServerOnline": { - "description": "Status text for online servers" - }, "electrumServerOffline": "Poissa käytöstä", - "@electrumServerOffline": { - "description": "Status text for offline servers" - }, "arkSendRecipientLabel": "Vastaanottajan osoite", - "@arkSendRecipientLabel": { - "description": "Label for recipient address field" - }, "arkSendRecipientHint": "ark1qp9wsjfpsj5v5ex022v6…", - "@arkSendRecipientHint": { - "description": "Hint text for recipient address field" - }, "arkSendConfirmedBalance": "Vahvistettu saldo", - "@arkSendConfirmedBalance": { - "description": "Confirmed balance label" - }, "arkSendPendingBalance": "Odottava saldo ", - "@arkSendPendingBalance": { - "description": "Pending balance label" - }, "arkSendConfirm": "Vahvista", - "@arkSendConfirm": { - "description": "Confirm button on send screen" - }, "arkReceiveCopyAddress": "Kopioi osoite", - "@arkReceiveCopyAddress": { - "description": "Copy address button label" - }, "arkReceiveUnifiedAddress": "Yhdistetty osoite (BIP21)", - "@arkReceiveUnifiedAddress": { - "description": "Label for unified BIP21 address" - }, "arkReceiveBtcAddress": "BTC-osoite", - "@arkReceiveBtcAddress": { - "description": "Label for Bitcoin address" - }, "arkReceiveArkAddress": "Ark-osoite", - "@arkReceiveArkAddress": { - "description": "Label for Ark address" - }, "arkReceiveUnifiedCopied": "Yhdistetty osoite kopioitu", - "@arkReceiveUnifiedCopied": { - "description": "Snackbar message when unified address copied" - }, "arkSettleTitle": "Sovita tapahtumat", - "@arkSettleTitle": { - "description": "Settle bottom sheet title" - }, "arkSettleMessage": "Viimeistele odottavat transaktiot ja sisällytä tarvittaessa palautettavat vtxot", - "@arkSettleMessage": { - "description": "Settle bottom sheet explanation" - }, "arkSettleIncludeRecoverable": "Sisällytä palautettavat vtxot", - "@arkSettleIncludeRecoverable": { - "description": "Toggle label for including recoverable vtxos" - }, "arkSettleCancel": "Peruuta", - "@arkSettleCancel": { - "description": "Cancel button on settle bottom sheet" - }, "arkAboutServerUrl": "Palvelimen URL", - "@arkAboutServerUrl": { - "description": "Field label for server URL" - }, "arkAboutServerPubkey": "Palvelimen julkinen avain", - "@arkAboutServerPubkey": { - "description": "Field label for server pubkey" - }, "arkAboutForfeitAddress": "Luovutusosoite", - "@arkAboutForfeitAddress": { - "description": "Field label for forfeit address" - }, "arkAboutNetwork": "Verkko", - "@arkAboutNetwork": { - "description": "Field label for network" - }, "arkAboutDust": "Dust", - "@arkAboutDust": { - "description": "Field label for dust amount" - }, "arkAboutDustValue": "{dust} SATS", "@arkAboutDustValue": { - "description": "Dust value format", "placeholders": { "dust": { "type": "int" @@ -22717,28 +3605,12 @@ } }, "arkAboutSessionDuration": "Istunnon kesto", - "@arkAboutSessionDuration": { - "description": "Field label for session duration" - }, "arkAboutBoardingExitDelay": "Boarding-exit-viive", - "@arkAboutBoardingExitDelay": { - "description": "Field label for boarding exit delay" - }, "arkAboutUnilateralExitDelay": "Yksipuolinen exit-viive", - "@arkAboutUnilateralExitDelay": { - "description": "Field label for unilateral exit delay" - }, "arkAboutEsploraUrl": "Esplora-URL", - "@arkAboutEsploraUrl": { - "description": "Field label for Esplora URL" - }, "arkAboutCopy": "Kopioi", - "@arkAboutCopy": { - "description": "Copy button label" - }, "arkAboutCopiedMessage": "{label} kopioitu leikepöydälle", "@arkAboutCopiedMessage": { - "description": "Snackbar message when field copied", "placeholders": { "label": { "type": "String" @@ -22747,7 +3619,6 @@ }, "arkAboutDurationSeconds": "{seconds} sekuntia", "@arkAboutDurationSeconds": { - "description": "Duration format for seconds", "placeholders": { "seconds": { "type": "int" @@ -22756,7 +3627,6 @@ }, "arkAboutDurationMinute": "{minutes} minuutti", "@arkAboutDurationMinute": { - "description": "Duration format for singular minute", "placeholders": { "minutes": { "type": "int" @@ -22765,7 +3635,6 @@ }, "arkAboutDurationMinutes": "{minutes} minuuttia", "@arkAboutDurationMinutes": { - "description": "Duration format for plural minutes", "placeholders": { "minutes": { "type": "int" @@ -22774,7 +3643,6 @@ }, "arkAboutDurationHour": "{hours} tunti", "@arkAboutDurationHour": { - "description": "Duration format for singular hour", "placeholders": { "hours": { "type": "int" @@ -22783,7 +3651,6 @@ }, "arkAboutDurationHours": "{hours} tuntia", "@arkAboutDurationHours": { - "description": "Duration format for plural hours", "placeholders": { "hours": { "type": "int" @@ -22792,7 +3659,6 @@ }, "arkAboutDurationDay": "{days} päivä", "@arkAboutDurationDay": { - "description": "Duration format for singular day", "placeholders": { "days": { "type": "int" @@ -22801,7 +3667,6 @@ }, "arkAboutDurationDays": "{days} päivää", "@arkAboutDurationDays": { - "description": "Duration format for plural days", "placeholders": { "days": { "type": "int" @@ -22809,56 +3674,19 @@ } }, "arkSendRecipientTitle": "Lähetä vastaanottajalle", - "@arkSendRecipientTitle": { - "description": "Title for the ark send recipient page" - }, "arkSendRecipientError": "Anna vastaanottaja", - "@arkSendRecipientError": { - "description": "Error message when recipient field is empty" - }, "arkSendAmountTitle": "Syötä määrä", - "@arkSendAmountTitle": { - "description": "Title for the ark send amount page" - }, "arkSendConfirmTitle": "Vahvista lähetys", - "@arkSendConfirmTitle": { - "description": "Title for the ark send confirmation page" - }, "arkSendConfirmMessage": "Tarkista transaktion tiedot ennen lähettämistä.", - "@arkSendConfirmMessage": { - "description": "Message displayed on send confirmation page" - }, "arkReceiveSegmentArk": "Ark", - "@arkReceiveSegmentArk": { - "description": "Segment option for Ark address type" - }, "arkReceiveSegmentBoarding": "Boarding", - "@arkReceiveSegmentBoarding": { - "description": "Segment option for Boarding (BTC) address type" - }, "arkReceiveBoardingAddress": "BTC Boarding -osoite", - "@arkReceiveBoardingAddress": { - "description": "Label for BTC boarding address" - }, "arkAboutSecretKey": "Salainen avain", - "@arkAboutSecretKey": { - "description": "Label for secret key field in about page" - }, "arkAboutShow": "Näytä", - "@arkAboutShow": { - "description": "Button text to show hidden secret key" - }, "arkAboutHide": "Piilota", - "@arkAboutHide": { - "description": "Button text to hide visible secret key" - }, "arkContinueButton": "Jatka", - "@arkContinueButton": { - "description": "Continue button text used in ark send flow" - }, "addressViewErrorLoadingAddresses": "Osoitteiden lataus epäonnistui: {error}", "@addressViewErrorLoadingAddresses": { - "description": "Error message displayed when addresses fail to load", "placeholders": { "error": { "type": "String" @@ -22866,12 +3694,8 @@ } }, "addressViewNoAddressesFound": "Osoitteita ei löytynyt", - "@addressViewNoAddressesFound": { - "description": "Empty state message when no addresses are available" - }, "addressViewErrorLoadingMoreAddresses": "Lisää osoitteita ladattaessa tapahtui virhe: {error}", "@addressViewErrorLoadingMoreAddresses": { - "description": "Error message displayed when pagination of addresses fails", "placeholders": { "error": { "type": "String" @@ -22879,112 +3703,33 @@ } }, "addressViewChangeAddressesComingSoon": "Vaihtoraha-osoitteet tulossa pian", - "@addressViewChangeAddressesComingSoon": { - "description": "Empty state message for change addresses feature that is coming soon" - }, "addressViewChangeAddressesDescription": "Näytä lompakon vaihtoraha-osoitteet", - "@addressViewChangeAddressesDescription": { - "description": "Description for the coming soon dialog when trying to view change addresses" - }, "appStartupErrorTitle": "Käynnistysvirhe", - "@appStartupErrorTitle": { - "description": "Title shown when the app fails to start up properly" - }, "appStartupErrorMessageWithBackup": "Versiossa v5.4.0 havaittiin kriittinen virhe yhdessä riippuvuuksistamme, joka vaikuttaa yksityisten avainten tallennukseen. Tämä sovellus on kärsinyt virheestä. Sinun on poistettava tämä sovellus ja asennettava se uudelleen varmuuskopioimallasi siemenellä.", - "@appStartupErrorMessageWithBackup": { - "description": "Error message shown when app startup fails due to seed storage issue and user has a backup" - }, "appStartupErrorMessageNoBackup": "Versiossa v5.4.0 havaittiin kriittinen virhe yhdessä riippuvuuksistamme, joka vaikuttaa yksityisten avainten tallennukseen. Tämä sovellus on kärsinyt virheestä. Ota yhteyttä tukitiimiimme.", - "@appStartupErrorMessageNoBackup": { - "description": "Error message shown when app startup fails due to seed storage issue and user has no backup" - }, "appStartupContactSupportButton": "Ota yhteyttä tukeen", - "@appStartupContactSupportButton": { - "description": "Button label to contact support when app startup fails" - }, "ledgerImportTitle": "Tuo Ledger-lompakko", - "@ledgerImportTitle": { - "description": "Title for importing a Ledger hardware wallet" - }, "ledgerSignTitle": "Transaktion allekirjoitus", - "@ledgerSignTitle": { - "description": "Title for signing a transaction with Ledger" - }, "ledgerVerifyTitle": "Vahvista osoite Ledgerissä", - "@ledgerVerifyTitle": { - "description": "Title for verifying an address on Ledger device" - }, "ledgerImportButton": "Aloita tuonti", - "@ledgerImportButton": { - "description": "Button label to start importing Ledger wallet" - }, "ledgerSignButton": "Aloita allekirjoitus", - "@ledgerSignButton": { - "description": "Button label to start signing transaction with Ledger" - }, "ledgerVerifyButton": "Vahvista osoite", - "@ledgerVerifyButton": { - "description": "Button label to start address verification on Ledger" - }, "ledgerProcessingImport": "Tuodaan lompakkoa", - "@ledgerProcessingImport": { - "description": "Status message shown while importing Ledger wallet" - }, "ledgerProcessingSign": "Transaktiota allekirjoitetaan", - "@ledgerProcessingSign": { - "description": "Status message shown while signing transaction with Ledger" - }, "ledgerProcessingVerify": "Näytetään osoite Ledgerissä...", - "@ledgerProcessingVerify": { - "description": "Status message shown while verifying address on Ledger" - }, "ledgerSuccessImportTitle": "Lompakko tuotu onnistuneesti", - "@ledgerSuccessImportTitle": { - "description": "Success message title after importing Ledger wallet" - }, "ledgerSuccessSignTitle": "Transaktio allekirjoitetiin", - "@ledgerSuccessSignTitle": { - "description": "Success message title after signing transaction with Ledger" - }, "ledgerSuccessVerifyTitle": "Vahvistetaan osoitetta Ledgerissä...", - "@ledgerSuccessVerifyTitle": { - "description": "Success message title for address verification on Ledger" - }, "ledgerSuccessImportDescription": "Ledger-lompakkosi on tuotu onnistuneesti.", - "@ledgerSuccessImportDescription": { - "description": "Success message description after importing Ledger wallet" - }, "ledgerSuccessSignDescription": "Transaktio on allekirjoitettu onnistuneesti.", - "@ledgerSuccessSignDescription": { - "description": "Success message description after signing transaction with Ledger" - }, "ledgerSuccessVerifyDescription": "Osoite on vahvistettu Ledger-laitteellasi.", - "@ledgerSuccessVerifyDescription": { - "description": "Success message description after verifying address on Ledger" - }, "ledgerProcessingImportSubtext": "Määritetään watch-only-lompakkoasi...", - "@ledgerProcessingImportSubtext": { - "description": "Processing subtext shown while importing Ledger wallet" - }, "ledgerProcessingSignSubtext": "Vahvista transaktio Ledger-laitteellasi...", - "@ledgerProcessingSignSubtext": { - "description": "Processing subtext shown while signing transaction" - }, "ledgerProcessingVerifySubtext": "Vahvista osoite Ledger-laitteellasi.", - "@ledgerProcessingVerifySubtext": { - "description": "Processing subtext shown while verifying address" - }, "ledgerConnectTitle": "Yhdistä Ledger-laitteesi", - "@ledgerConnectTitle": { - "description": "Title for initial Ledger connection screen" - }, "ledgerScanningTitle": "Etsitään laitteita", - "@ledgerScanningTitle": { - "description": "Title shown while scanning for Ledger devices" - }, "ledgerConnectingMessage": "Yhdistetään laitteeseen {deviceName}", "@ledgerConnectingMessage": { - "description": "Message shown while connecting to a specific Ledger device", "placeholders": { "deviceName": { "type": "String" @@ -22993,7 +3738,6 @@ }, "ledgerActionFailedMessage": "{action} epäonnistui", "@ledgerActionFailedMessage": { - "description": "Error message when a Ledger action fails", "placeholders": { "action": { "type": "String" @@ -23001,340 +3745,90 @@ } }, "ledgerInstructionsIos": "Varmista, että Ledger on avattu, Bitcoin-sovellus on käynnissä ja Bluetooth on käytössä.", - "@ledgerInstructionsIos": { - "description": "Connection instructions for iOS devices (Bluetooth only)" - }, "ledgerInstructionsAndroidUsb": "Varmista, että Ledger on avattu, Bitcoin-sovellus on käynnissä ja liitä laite USB-kaapelilla.", - "@ledgerInstructionsAndroidUsb": { - "description": "Connection instructions for Android devices (USB only)" - }, "ledgerInstructionsAndroidDual": "Varmista, että Ledger on avattu, Bitcoin-sovellus on käynnissä ja Bluetooth on käytössä tai liitä laite USB-kaapelilla.", - "@ledgerInstructionsAndroidDual": { - "description": "Connection instructions for Android devices (Bluetooth or USB)" - }, "ledgerScanningMessage": "Etsitään lähellä olevia Ledger-laitteita...", - "@ledgerScanningMessage": { - "description": "Message shown while scanning for Ledger devices" - }, "ledgerConnectingSubtext": "Muodostetaan suojattua yhteyttä...", - "@ledgerConnectingSubtext": { - "description": "Subtext shown while connecting to Ledger" - }, "ledgerErrorUnknown": "Tuntematon virhe", - "@ledgerErrorUnknown": { - "description": "Generic error message for unknown Ledger errors" - }, "ledgerErrorUnknownOccurred": "Tapahtui tuntematon virhe", - "@ledgerErrorUnknownOccurred": { - "description": "Error message when an unknown error occurs during Ledger operation" - }, "ledgerErrorNoConnection": "Ledger-yhteyttä ei ole saatavilla", - "@ledgerErrorNoConnection": { - "description": "Error message when no Ledger connection is available" - }, "ledgerErrorRejectedByUser": "Käyttäjä hylkäsi transaktion Ledger-laitteella.", - "@ledgerErrorRejectedByUser": { - "description": "Error message when user rejects transaction on Ledger (error code 6985)" - }, "ledgerErrorDeviceLocked": "Ledger-laite on lukittu. Avaa laite ja yritä uudelleen.", - "@ledgerErrorDeviceLocked": { - "description": "Error message when Ledger device is locked (error code 5515)" - }, "ledgerErrorBitcoinAppNotOpen": "Avaa Bitcoin-sovellus Ledger-laitteellasi ja yritä uudelleen.", - "@ledgerErrorBitcoinAppNotOpen": { - "description": "Error message when Bitcoin app is not open on Ledger (error codes 6e01, 6a87, 6d02, 6511, 6e00)" - }, "ledgerErrorMissingPsbt": "PSBT vaaditaan allekirjoitusta varten", - "@ledgerErrorMissingPsbt": { - "description": "Error message when PSBT parameter is missing for signing" - }, "ledgerErrorMissingDerivationPathSign": "Derivointipolku vaaditaan allekirjoitusta varten", - "@ledgerErrorMissingDerivationPathSign": { - "description": "Error message when derivation path is missing for signing" - }, "ledgerErrorMissingScriptTypeSign": "Skriptityyppi vaaditaan allekirjoitusta varten", - "@ledgerErrorMissingScriptTypeSign": { - "description": "Error message when script type is missing for signing" - }, "ledgerErrorMissingAddress": "Osoite vaaditaan vahvistusta varten", - "@ledgerErrorMissingAddress": { - "description": "Error message when address is missing for verification" - }, "ledgerErrorMissingDerivationPathVerify": "Derivointipolku vaaditaan vahvistusta varten", - "@ledgerErrorMissingDerivationPathVerify": { - "description": "Error message when derivation path is missing for verification" - }, "ledgerErrorMissingScriptTypeVerify": "Skriptityyppi vaaditaan vahvistusta varten", - "@ledgerErrorMissingScriptTypeVerify": { - "description": "Error message when script type is missing for verification" - }, "ledgerButtonTryAgain": "Yritä uudelleen", - "@ledgerButtonTryAgain": { - "description": "Button label to retry a failed Ledger operation" - }, "ledgerButtonManagePermissions": "Hallinnoi sovellusoikeuksia", - "@ledgerButtonManagePermissions": { - "description": "Button label to open app permissions settings" - }, "ledgerButtonNeedHelp": "Tarvitsetko apua?", - "@ledgerButtonNeedHelp": { - "description": "Button label to show help/troubleshooting instructions" - }, "ledgerVerifyAddressLabel": "Vahvistettava osoite:", - "@ledgerVerifyAddressLabel": { - "description": "Label for the address being verified on Ledger" - }, "ledgerWalletTypeLabel": "Lompakkotyyppi:", - "@ledgerWalletTypeLabel": { - "description": "Label for wallet type/script type selection" - }, "ledgerWalletTypeSegwit": "Segwit (BIP84)", - "@ledgerWalletTypeSegwit": { - "description": "Display name for Segwit wallet type (BIP84)" - }, "ledgerWalletTypeSegwitDescription": "Native SegWit – suositeltu", - "@ledgerWalletTypeSegwitDescription": { - "description": "Description for Segwit wallet type" - }, "ledgerWalletTypeNestedSegwit": "Nested Segwit (BIP49)", - "@ledgerWalletTypeNestedSegwit": { - "description": "Display name for Nested Segwit wallet type (BIP49)" - }, "ledgerWalletTypeNestedSegwitDescription": "P2WPKH-nested-in-P2SH", - "@ledgerWalletTypeNestedSegwitDescription": { - "description": "Technical description for Nested Segwit wallet type" - }, "ledgerWalletTypeLegacy": "Legacy (BIP44)", - "@ledgerWalletTypeLegacy": { - "description": "Display name for Legacy wallet type (BIP44)" - }, "ledgerWalletTypeLegacyDescription": "P2PKH - vanhempi formaatti", - "@ledgerWalletTypeLegacyDescription": { - "description": "Description for Legacy wallet type" - }, "ledgerWalletTypeSelectTitle": "Valitse lompakkotyyppi", - "@ledgerWalletTypeSelectTitle": { - "description": "Title for wallet type selection modal" - }, "ledgerSuccessAddressVerified": "Osoite vahvistettu onnistuneesti!", - "@ledgerSuccessAddressVerified": { - "description": "Success snackbar message after address verification" - }, "ledgerHelpTitle": "Ledger-vianmääritys", - "@ledgerHelpTitle": { - "description": "Title for Ledger troubleshooting help modal" - }, "ledgerHelpSubtitle": "Varmista ensin, että Ledger-laitteesi on avattu ja Bitcoin-sovellus on käynnissä. Jos laitteesi ei edelleenkään yhdistä sovellukseen, kokeile seuraavaa:", - "@ledgerHelpSubtitle": { - "description": "Subtitle/introduction for Ledger troubleshooting help" - }, "ledgerHelpStep1": "Käynnistä Ledger-laitteesi uudelleen.", - "@ledgerHelpStep1": { - "description": "First troubleshooting step for Ledger connection issues" - }, "ledgerHelpStep2": "Varmista, että puhelimesi Bluetooth on päällä ja sallittu.", - "@ledgerHelpStep2": { - "description": "Second troubleshooting step for Ledger connection issues" - }, "ledgerHelpStep3": "Varmista, että Ledger-laitteessasi on Bluetooth päällä.", - "@ledgerHelpStep3": { - "description": "Third troubleshooting step for Ledger connection issues" - }, "ledgerHelpStep4": "Varmista, että olet asentanut Bitcoin-sovelluksen uusimman version Ledger Livestä.", - "@ledgerHelpStep4": { - "description": "Fourth troubleshooting step for Ledger connection issues" - }, "ledgerHelpStep5": "Varmista, että Ledger-laitteessasi on uusin laiteohjelmisto. Voit päivittää laiteohjelmiston Ledger Live -työpöytäsovelluksella.", - "@ledgerHelpStep5": { - "description": "Fifth troubleshooting step for Ledger connection issues" - }, "ledgerDefaultWalletLabel": "Ledger-lompakko", - "@ledgerDefaultWalletLabel": { - "description": "Default label for imported Ledger wallet" - }, "exchangeBrandName": "BULL BITCOIN", - "@exchangeBrandName": { - "description": "The Bull Bitcoin brand name displayed on exchange screens" - }, "exchangeLandingConnectAccount": "Yhdistä Bull Bitcoin -pörssitiliisi", - "@exchangeLandingConnectAccount": { - "description": "Subtitle text on the exchange landing screen encouraging users to connect" - }, "exchangeLandingRecommendedExchange": "Suositeltu Bitcoin-pörssi", - "@exchangeLandingRecommendedExchange": { - "description": "Subtitle on landing screen v2 describing Bull Bitcoin as recommended" - }, "exchangeFeatureSelfCustody": "• Osta Bitcoinia omaan säilytykseen", - "@exchangeFeatureSelfCustody": { - "description": "Feature bullet point describing self-custody Bitcoin purchases" - }, "exchangeFeatureDcaOrders": "• DCA-, Limit Order- ja automaattiostot", - "@exchangeFeatureDcaOrders": { - "description": "Feature bullet point describing DCA and automated buying features" - }, "exchangeFeatureSellBitcoin": "• Myy tai vastaanota Bitcoinia", - "@exchangeFeatureSellBitcoin": { - "description": "Feature bullet point describing selling Bitcoin functionality" - }, "exchangeFeatureBankTransfers": "• Lähetä pankkisiirtoja ja maksa laskuja", - "@exchangeFeatureBankTransfers": { - "description": "Feature bullet point describing bank transfer and bill payment features" - }, "exchangeFeatureCustomerSupport": "• Keskustele asiakastuen kanssa", - "@exchangeFeatureCustomerSupport": { - "description": "Feature bullet point describing customer support chat feature" - }, "exchangeFeatureUnifiedHistory": "• Yhdistetty tapahtumahistoria", - "@exchangeFeatureUnifiedHistory": { - "description": "Feature bullet point describing unified transaction history feature" - }, "priceChartFetchingHistory": "Haetaan kurssihistoriaa...", - "@priceChartFetchingHistory": { - "description": "Message shown while fetching price history when no local data is available" - }, "exchangeLandingDisclaimerLegal": "Pääsy pörssipalveluihin rajoitetaan maihin, joissa Bull Bitcoin voi toimia laillisesti. Käyttö voi edellyttää KYC-tunnistautumista.", - "@exchangeLandingDisclaimerLegal": { - "description": "Legal disclaimer about exchange service availability and KYC requirements" - }, "exchangeLandingDisclaimerNotAvailable": "Kryptovaluuttapörssin palvelut eivät ole käytettävissä Bull Bitcoin -mobiilisovelluksessa.", - "@exchangeLandingDisclaimerNotAvailable": { - "description": "Disclaimer informing users that exchange services are not available in the mobile app" - }, "exchangeLoginButton": "Kirjaudu tai rekisteröidy", - "@exchangeLoginButton": { - "description": "Button label for logging in or signing up to the exchange" - }, "exchangeGoToWebsiteButton": "Siirry Bull Bitcoin -pörssin verkkosivulle", - "@exchangeGoToWebsiteButton": { - "description": "Button label for navigating to the Bull Bitcoin exchange website" - }, "exchangeAuthLoginFailedTitle": "Kirjautuminen epäonnistui", - "@exchangeAuthLoginFailedTitle": { - "description": "Title of the dialog shown when exchange login fails" - }, "exchangeAuthLoginFailedMessage": "Tapahtui virhe, yritä kirjautua uudelleen.", - "@exchangeAuthLoginFailedMessage": { - "description": "Message shown when exchange login fails" - }, "exchangeAuthLoginFailedOkButton": "OK", - "@exchangeAuthLoginFailedOkButton": { - "description": "OK button label in the login failed dialog" - }, "exchangeHomeDepositButton": "Talleta", - "@exchangeHomeDepositButton": { - "description": "Button label for depositing funds to the exchange" - }, "exchangeHomeWithdrawButton": "Nosta", - "@exchangeHomeWithdrawButton": { - "description": "Button label for withdrawing funds from the exchange" - }, "exchangeSupportChatTitle": "Tukichatti", - "@exchangeSupportChatTitle": { - "description": "Title for the support chat screen" - }, "exchangeSupportChatEmptyState": "Ei viestejä vielä. Aloita keskustelu!", - "@exchangeSupportChatEmptyState": { - "description": "Message shown when there are no chat messages" - }, "exchangeSupportChatInputHint": "Kirjoita viesti...", - "@exchangeSupportChatInputHint": { - "description": "Placeholder text for the message input field" - }, "exchangeSupportChatMessageRequired": "Liite vaatii viestiin sisältöä", - "@exchangeSupportChatMessageRequired": { - "description": "Placeholder text when attachments are present but no message text" - }, "exchangeSupportChatMessageEmptyError": "Viesti ei voi olla tyhjä", - "@exchangeSupportChatMessageEmptyError": { - "description": "Error message when trying to send an empty message" - }, "exchangeSupportChatYesterday": "Eilen", - "@exchangeSupportChatYesterday": { - "description": "Label for yesterday in date formatting" - }, "exchangeSupportChatWalletIssuesInfo": "Tämä chatti on vain pörssiin liittyviä talletus/osto/myynti/nosto/maksu -ongelmia varten.\nLompakkotukea tarjoavaan Telegram-ryhmään pääset tästä.", - "@exchangeSupportChatWalletIssuesInfo": { - "description": "Info message about wallet issues and telegram group link" - }, "exchangeDcaUnableToGetConfig": "DCA-asetuksia ei saatu haettua", - "@exchangeDcaUnableToGetConfig": { - "description": "Error message when DCA configuration cannot be retrieved" - }, "exchangeDcaDeactivateTitle": "Poista toistuva osto käytöstä", - "@exchangeDcaDeactivateTitle": { - "description": "Title shown when DCA is active and can be deactivated" - }, "exchangeDcaActivateTitle": "Ota käyttöön toistuvat ostot", - "@exchangeDcaActivateTitle": { - "description": "Title shown when DCA is inactive and can be activated" - }, "exchangeDcaHideSettings": "Piilota asetukset", - "@exchangeDcaHideSettings": { - "description": "Link text to hide DCA settings details" - }, "exchangeDcaViewSettings": "Näytä asetukset", - "@exchangeDcaViewSettings": { - "description": "Link text to view DCA settings details" - }, "exchangeDcaCancelDialogTitle": "Peruutetaanko Bitcoinin toistuva osto?", - "@exchangeDcaCancelDialogTitle": { - "description": "Title of the dialog confirming DCA cancellation" - }, "exchangeDcaCancelDialogMessage": "Toistuva Bitcoin-ostosuunnitelmasi pysähtyy ja ajastetut ostot päättyvät. Käynnistääksesi sen uudelleen sinun täytyy luoda uusi suunnitelma.", - "@exchangeDcaCancelDialogMessage": { - "description": "Message explaining the consequences of canceling DCA" - }, "exchangeDcaCancelDialogCancelButton": "Peruuta", - "@exchangeDcaCancelDialogCancelButton": { - "description": "Button label to cancel the DCA cancellation dialog" - }, "exchangeDcaCancelDialogConfirmButton": "Kyllä, poista käytöstä", - "@exchangeDcaCancelDialogConfirmButton": { - "description": "Button label to confirm DCA deactivation" - }, "exchangeDcaFrequencyHour": "tunti", - "@exchangeDcaFrequencyHour": { - "description": "DCA frequency unit: hour" - }, "exchangeDcaFrequencyDay": "päivä", - "@exchangeDcaFrequencyDay": { - "description": "DCA frequency unit: day" - }, "exchangeDcaFrequencyWeek": "viikko", - "@exchangeDcaFrequencyWeek": { - "description": "DCA frequency unit: week" - }, "exchangeDcaFrequencyMonth": "kuukausi", - "@exchangeDcaFrequencyMonth": { - "description": "DCA frequency unit: month" - }, "exchangeDcaNetworkBitcoin": "Bitcoin-verkko", - "@exchangeDcaNetworkBitcoin": { - "description": "DCA network option: Bitcoin" - }, "exchangeDcaNetworkLightning": "Lightning-verkko", - "@exchangeDcaNetworkLightning": { - "description": "DCA network option: Lightning" - }, "exchangeDcaNetworkLiquid": "Liquid-verkko", - "@exchangeDcaNetworkLiquid": { - "description": "DCA network option: Liquid" - }, "exchangeDcaAddressLabelBitcoin": "Bitcoin-osoite", - "@exchangeDcaAddressLabelBitcoin": { - "description": "Label for Bitcoin address in DCA settings" - }, "exchangeDcaAddressLabelLightning": "Lightning-osoite", - "@exchangeDcaAddressLabelLightning": { - "description": "Label for Lightning address in DCA settings" - }, "exchangeDcaAddressLabelLiquid": "Liquid-osoite", - "@exchangeDcaAddressLabelLiquid": { - "description": "Label for Liquid address in DCA settings" - }, "exchangeDcaSummaryMessage": "Ostat {amount} joka {frequency} verkossa {network} niin kauan kuin tililläsi on varoja.", "@exchangeDcaSummaryMessage": { - "description": "Summary message describing the DCA configuration", "placeholders": { "amount": { "type": "String", @@ -23350,7 +3844,6 @@ }, "exchangeDcaAddressDisplay": "{addressLabel}: {address}", "@exchangeDcaAddressDisplay": { - "description": "Format for displaying address label and address", "placeholders": { "addressLabel": { "type": "String", @@ -23363,68 +3856,22 @@ } }, "exchangeCurrencyDropdownTitle": "Valitse valuutta", - "@exchangeCurrencyDropdownTitle": { - "description": "Title for the currency selection dropdown" - }, "exchangeCurrencyDropdownValidation": "Valitse valuutta", - "@exchangeCurrencyDropdownValidation": { - "description": "Validation message when no currency is selected" - }, "exchangeKycLevelLight": "Kevyt", - "@exchangeKycLevelLight": { - "description": "KYC verification level: Light" - }, "exchangeKycLevelLimited": "Rajoitettu", - "@exchangeKycLevelLimited": { - "description": "KYC verification level: Limited" - }, "exchangeKycCardTitle": "Suorita KYC-tunnistautuminen", - "@exchangeKycCardTitle": { - "description": "Title of the KYC completion card" - }, "exchangeKycCardSubtitle": "Poistaaksesi tapahtumarajat", - "@exchangeKycCardSubtitle": { - "description": "Subtitle explaining why to complete KYC" - }, "exchangeAmountInputTitle": "Syötä määrä", - "@exchangeAmountInputTitle": { - "description": "Title for the amount input field" - }, "exchangeAmountInputValidationEmpty": "Anna määrä", - "@exchangeAmountInputValidationEmpty": { - "description": "Validation message when amount field is empty" - }, "exchangeAmountInputValidationInvalid": "Virheellinen määrä", - "@exchangeAmountInputValidationInvalid": { - "description": "Validation message when amount is invalid" - }, "exchangeAmountInputValidationZero": "Määrän on oltava suurempi kuin nolla", - "@exchangeAmountInputValidationZero": { - "description": "Validation message when amount is zero or negative" - }, "exchangeAmountInputValidationInsufficient": "Saldo ei riitä", - "@exchangeAmountInputValidationInsufficient": { - "description": "Validation message when amount exceeds available balance" - }, "sellBitcoinPriceLabel": "Bitcoinin hinta", - "@sellBitcoinPriceLabel": { - "description": "Label for Bitcoin price display" - }, "sellViewDetailsButton": "Näytä tiedot", - "@sellViewDetailsButton": { - "description": "Button text to view order details" - }, "sellKycPendingTitle": "KYC-vahvistus kesken", - "@sellKycPendingTitle": { - "description": "Title shown when KYC verification is pending" - }, "sellKycPendingDescription": "Sinun on ensin suoritettava henkilöllisyyden varmistus", - "@sellKycPendingDescription": { - "description": "Description explaining user must complete KYC before proceeding" - }, "sellErrorPrepareTransaction": "Tapahtuman valmistelu epäonnistui: {error}", "@sellErrorPrepareTransaction": { - "description": "Error message when transaction preparation fails", "placeholders": { "error": { "type": "String", @@ -23433,20 +3880,10 @@ } }, "sellErrorNoWalletSelected": "Maksuun ei ole valittu lompakkoa", - "@sellErrorNoWalletSelected": { - "description": "Error message when no wallet is selected for payment" - }, "sellErrorFeesNotCalculated": "Transaktio kuluja ei laskettu. Yritä uudelleen.", - "@sellErrorFeesNotCalculated": { - "description": "Error message when transaction fees calculation failed" - }, "sellErrorUnexpectedOrderType": "Odotettiin SellOrder-pyyntöä, mutta vastaanotettiin eri tyyppinen pyyntö", - "@sellErrorUnexpectedOrderType": { - "description": "Error message when wrong order type is received" - }, "sellErrorLoadUtxos": "UTXOjen lataus epäonnistui: {error}", "@sellErrorLoadUtxos": { - "description": "Error message when loading UTXOs fails", "placeholders": { "error": { "type": "String", @@ -23456,7 +3893,6 @@ }, "sellErrorRecalculateFees": "Kulujen uudelleenlaskenta epäonnistui: {error}", "@sellErrorRecalculateFees": { - "description": "Error message when fee recalculation fails", "placeholders": { "error": { "type": "String", @@ -23465,28 +3901,12 @@ } }, "sellLoadingGeneric": "Ladataan...", - "@sellLoadingGeneric": { - "description": "Generic loading message" - }, "allSeedViewTitle": "Näytä siemenlauseet", - "@allSeedViewTitle": { - "description": "Title for the seed viewer screen" - }, "allSeedViewLoadingMessage": "Tämä voi kestää hetken, jos käytössä on paljon siemenlauseita.", - "@allSeedViewLoadingMessage": { - "description": "Loading message shown while fetching seeds" - }, "allSeedViewNoSeedsFound": "Siemenlauseita ei löytynyt.", - "@allSeedViewNoSeedsFound": { - "description": "Message shown when no seeds are found" - }, "allSeedViewShowSeedsButton": "Näytä siemenlauseet", - "@allSeedViewShowSeedsButton": { - "description": "Button label to show seed phrases" - }, "allSeedViewExistingWallets": "Nykyiset lompakot ({count})", "@allSeedViewExistingWallets": { - "description": "Section header for existing wallets with count", "placeholders": { "count": { "type": "int", @@ -23496,7 +3916,6 @@ }, "allSeedViewOldWallets": "Vanhat lompakot ({count})", "@allSeedViewOldWallets": { - "description": "Section header for old wallets with count", "placeholders": { "count": { "type": "int", @@ -23505,44 +3924,16 @@ } }, "allSeedViewSecurityWarningTitle": "Turvavaroitus", - "@allSeedViewSecurityWarningTitle": { - "description": "Title for security warning dialog" - }, "allSeedViewSecurityWarningMessage": "Siemenlauseiden näyttäminen on turvallisuusriski. Kuka tahansa, joka näkee siemenlauseesi, voi käyttää varojasi. Varmista, että olet yksityisessä tilassa eikä kukaan näe näyttöäsi.", - "@allSeedViewSecurityWarningMessage": { - "description": "Security warning message about displaying seed phrases" - }, "allSeedViewIUnderstandButton": "Ymmärrän", - "@allSeedViewIUnderstandButton": { - "description": "Button label to acknowledge security warning" - }, "allSeedViewDeleteWarningTitle": "VAROITUS!", - "@allSeedViewDeleteWarningTitle": { - "description": "Title for delete seed warning dialog" - }, "allSeedViewDeleteWarningMessage": "Siemenen poistaminen on peruuttamaton toimenpide. Tee tämä vain, jos sinulla on tämän siemenen turvalliset varmuuskopiot tai siihen liittyvät lompakot on tyhjennetty kokonaan.", - "@allSeedViewDeleteWarningMessage": { - "description": "Warning message about deleting a seed" - }, "allSeedViewPassphraseLabel": "Salafraasi:", - "@allSeedViewPassphraseLabel": { - "description": "Label for passphrase display" - }, "cancel": "Peruuta", - "@cancel": { - "description": "Generic cancel button label" - }, "delete": "Poista", - "@delete": { - "description": "Generic delete button label" - }, "statusCheckTitle": "Palvelun tila", - "@statusCheckTitle": { - "description": "Title for the service status screen" - }, "statusCheckLastChecked": "Viimeksi tarkistettu: {time}", "@statusCheckLastChecked": { - "description": "Label showing when services were last checked", "placeholders": { "time": { "type": "String" @@ -23550,32 +3941,13 @@ } }, "statusCheckOnline": "Käytössä", - "@statusCheckOnline": { - "description": "Status text when a service is online" - }, "statusCheckOffline": "Poissa käytöstä", - "@statusCheckOffline": { - "description": "Status text when a service is offline" - }, "statusCheckUnknown": "Tuntematon", - "@statusCheckUnknown": { - "description": "Status text when service status is unknown" - }, "torSettingsTitle": "Tor-asetukset", - "@torSettingsTitle": { - "description": "AppBar title for the Tor settings screen" - }, "torSettingsEnableProxy": "Ota Tor-välityspalvelin käyttöön", - "@torSettingsEnableProxy": { - "description": "Label for the toggle to enable/disable Tor proxy" - }, "torSettingsProxyPort": "Tor-välityspalvelimen portti", - "@torSettingsProxyPort": { - "description": "Title for Tor proxy port settings" - }, "torSettingsPortDisplay": "Portti: {port}", "@torSettingsPortDisplay": { - "description": "Display text showing current port number", "placeholders": { "port": { "type": "int" @@ -23583,108 +3955,32 @@ } }, "torSettingsPortNumber": "Porttinumero", - "@torSettingsPortNumber": { - "description": "Label for port number input field" - }, "torSettingsPortHint": "9050", - "@torSettingsPortHint": { - "description": "Hint text for port input showing default value" - }, "torSettingsPortHelper": "Orbotin oletusportti: 9050", - "@torSettingsPortHelper": { - "description": "Helper text explaining default Orbot port" - }, "torSettingsPortValidationEmpty": "Anna porttinumero", - "@torSettingsPortValidationEmpty": { - "description": "Validation error when port is empty" - }, "torSettingsPortValidationInvalid": "Anna kelvollinen numero", - "@torSettingsPortValidationInvalid": { - "description": "Validation error when port is not a valid number" - }, "torSettingsPortValidationRange": "Portin on oltava välillä 1 ja 65535", - "@torSettingsPortValidationRange": { - "description": "Validation error when port is out of valid range" - }, "torSettingsSaveButton": "Tallenna", - "@torSettingsSaveButton": { - "description": "Save button label for Tor port settings" - }, "torSettingsConnectionStatus": "Yhteyden tila", - "@torSettingsConnectionStatus": { - "description": "Title for connection status card" - }, "torSettingsStatusConnected": "Yhdistetty", - "@torSettingsStatusConnected": { - "description": "Status title when Tor is connected" - }, "torSettingsStatusConnecting": "Yhdistetään...", - "@torSettingsStatusConnecting": { - "description": "Status title when Tor is connecting" - }, "torSettingsStatusDisconnected": "Ei yhteyttä", - "@torSettingsStatusDisconnected": { - "description": "Status title when Tor is disconnected" - }, "torSettingsStatusUnknown": "Tila tuntematon", - "@torSettingsStatusUnknown": { - "description": "Status title when Tor status is unknown" - }, "torSettingsDescConnected": "Tor-välityspalvelin on käynnissä ja valmiina", - "@torSettingsDescConnected": { - "description": "Description when Tor is connected" - }, "torSettingsDescConnecting": "Muodostetaan Tor-yhteyttä", - "@torSettingsDescConnecting": { - "description": "Description when Tor is connecting" - }, "torSettingsDescDisconnected": "Tor-välityspalvelin ei ole käynnissä", - "@torSettingsDescDisconnected": { - "description": "Description when Tor is disconnected" - }, "torSettingsDescUnknown": "Tor-tilaa ei voida määrittää. Varmista, että Orbot on asennettu ja käynnissä.", - "@torSettingsDescUnknown": { - "description": "Description when Tor status is unknown" - }, "torSettingsInfoTitle": "Tärkeää tietoa", - "@torSettingsInfoTitle": { - "description": "Title for the Tor information card" - }, "torSettingsInfoDescription": "• Tor-välityspalvelin koskee vain Bitcoinia (ei Liquidia)\n• Orbotin oletusportti on 9050\n• Varmista, että Orbot on käynnissä ennen käyttöönottoa\n• Yhteys saattaa olla hitaampi Torin kautta", - "@torSettingsInfoDescription": { - "description": "Information about Tor proxy usage" - }, "withdrawSuccessTitle": "Nosto aloitettu", - "@withdrawSuccessTitle": { - "description": "Title shown when withdrawal is successfully initiated" - }, "withdrawSuccessOrderDetails": "Tilaustiedot", - "@withdrawSuccessOrderDetails": { - "description": "Button label to view order details after withdrawal" - }, "withdrawConfirmBankAccount": "Pankkitili", - "@withdrawConfirmBankAccount": { - "description": "Default label for bank account in confirmation screen" - }, "withdrawOwnershipQuestion": "Kenen tili tämä on?", - "@withdrawOwnershipQuestion": { - "description": "Question asking about account ownership" - }, "withdrawOwnershipMyAccount": "Tämä on minun tilini", - "@withdrawOwnershipMyAccount": { - "description": "Option indicating the account belongs to the user" - }, "withdrawOwnershipOtherAccount": "Tämä on jonkun toisen tili", - "@withdrawOwnershipOtherAccount": { - "description": "Option indicating the account belongs to someone else" - }, "walletAutoTransferBlockedTitle": "Automaattinen siirto estetty", - "@walletAutoTransferBlockedTitle": { - "description": "Title for auto-swap fee warning when fees exceed threshold" - }, "walletAutoTransferBlockedMessage": "Yritetään siirtää {amount} BTC. Nykyinen kulu olisi {currentFee}% siirtosummasta ja maksukynnys on asetettu arvoon {thresholdFee}%", "@walletAutoTransferBlockedMessage": { - "description": "Message explaining why auto-transfer was blocked", "placeholders": { "amount": { "type": "String" @@ -23698,188 +3994,52 @@ } }, "walletAutoTransferBlockButton": "Estä", - "@walletAutoTransferBlockButton": { - "description": "Button to block auto-transfer until next execution" - }, "walletAutoTransferAllowButton": "Salli", - "@walletAutoTransferAllowButton": { - "description": "Button to allow auto-transfer despite high fees" - }, "navigationTabWallet": "Lompakko", - "@navigationTabWallet": { - "description": "Label for the Wallet tab in bottom navigation" - }, "navigationTabExchange": "Pörssi", - "@navigationTabExchange": { - "description": "Label for the Exchange tab in bottom navigation" - }, "buyUnauthenticatedError": "Et ole kirjautunut sisään. Kirjaudu jatkaaksesi.", - "@buyUnauthenticatedError": { - "description": "Error message for unauthenticated user during buy" - }, "buyBelowMinAmountError": "Yrität ostaa alle vähimmäismäärän.", - "@buyBelowMinAmountError": { - "description": "Error message for amount below minimum during buy" - }, "buyAboveMaxAmountError": "Yrität ostaa yli enimmäismäärän.", - "@buyAboveMaxAmountError": { - "description": "Error message for amount above maximum during buy" - }, "buyInsufficientFundsError": "Bull Bitcoin -tililläsi ei ole riittävästi varoja tämän oston suorittamiseen.", - "@buyInsufficientFundsError": { - "description": "Error message for insufficient funds during buy" - }, "buyOrderNotFoundError": "Ostopyyntöä ei löytynyt. Yritä uudelleen.", - "@buyOrderNotFoundError": { - "description": "Error message for order not found during buy" - }, "buyOrderAlreadyConfirmedError": "Tämä ostopyyntö on jo vahvistettu.", - "@buyOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed buy order" - }, "withdrawUnauthenticatedError": "Et ole kirjautunut sisään. Kirjaudu jatkaaksesi.", - "@withdrawUnauthenticatedError": { - "description": "Error message for unauthenticated user during withdraw" - }, "withdrawBelowMinAmountError": "Yrität nostaa alle vähimmäismäärän.", - "@withdrawBelowMinAmountError": { - "description": "Error message for amount below minimum during withdraw" - }, "withdrawAboveMaxAmountError": "Yrität nostaa yli enimmäismäärän.", - "@withdrawAboveMaxAmountError": { - "description": "Error message for amount above maximum during withdraw" - }, "withdrawOrderNotFoundError": "Nostopyyntöä ei löytynyt. Yritä uudelleen.", - "@withdrawOrderNotFoundError": { - "description": "Error message for order not found during withdraw" - }, "withdrawOrderAlreadyConfirmedError": "Tämä nostopyyntö on jo vahvistettu.", - "@withdrawOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed withdrawal order" - }, "coreScreensPageNotFound": "Sivua ei löytynyt", - "@coreScreensPageNotFound": { - "description": "Error message shown when a page/route is not found" - }, "coreScreensLogsTitle": "Lokitiedot", - "@coreScreensLogsTitle": { - "description": "AppBar title for logs viewer screen" - }, "coreScreensConfirmSend": "Vahvista lähetys", - "@coreScreensConfirmSend": { - "description": "Title for confirm send action" - }, "coreScreensExternalTransfer": "Ulkoinen siirto", - "@coreScreensExternalTransfer": { - "description": "Title for external transfer action" - }, "coreScreensInternalTransfer": "Sisäinen siirto", - "@coreScreensInternalTransfer": { - "description": "Title for internal transfer action" - }, "coreScreensConfirmTransfer": "Vahvista siirto", - "@coreScreensConfirmTransfer": { - "description": "Title for confirm transfer action" - }, "coreScreensFromLabel": "Lähde", - "@coreScreensFromLabel": { - "description": "Label for source/sender field" - }, "coreScreensToLabel": "Kohde", - "@coreScreensToLabel": { - "description": "Label for destination/receiver field" - }, "coreScreensAmountLabel": "Määrä", - "@coreScreensAmountLabel": { - "description": "Label for amount field" - }, "coreScreensNetworkFeesLabel": "Verkkomaksut", - "@coreScreensNetworkFeesLabel": { - "description": "Label for network fees field" - }, "coreScreensFeePriorityLabel": "Maksun prioriteetti", - "@coreScreensFeePriorityLabel": { - "description": "Label for fee priority field" - }, "coreScreensTransferIdLabel": "Siirron tunnus", - "@coreScreensTransferIdLabel": { - "description": "Label for transfer ID field" - }, "coreScreensTotalFeesLabel": "Kokonaiskulut", - "@coreScreensTotalFeesLabel": { - "description": "Label for total fees field" - }, "coreScreensTransferFeeLabel": "Siirtokulut", - "@coreScreensTransferFeeLabel": { - "description": "Label for transfer fee field" - }, "coreScreensFeeDeductionExplanation": "Tämä on kokonaismaksu, joka vähennetään lähetetystä summasta", - "@coreScreensFeeDeductionExplanation": { - "description": "Explanation text for fee deduction" - }, "coreScreensReceiveNetworkFeeLabel": "Vastaanoton verkkomaksu", - "@coreScreensReceiveNetworkFeeLabel": { - "description": "Label for receive network fee field" - }, "coreScreensServerNetworkFeesLabel": "Palvelimen verkkomaksut", - "@coreScreensServerNetworkFeesLabel": { - "description": "Label for server network fees field" - }, "coreScreensSendAmountLabel": "Lähetettävä määrä", - "@coreScreensSendAmountLabel": { - "description": "Label for send amount field" - }, "coreScreensReceiveAmountLabel": "Vastaanotettava määrä", - "@coreScreensReceiveAmountLabel": { - "description": "Label for receive amount field" - }, "coreScreensSendNetworkFeeLabel": "Lähetyksen verkkokulut", - "@coreScreensSendNetworkFeeLabel": { - "description": "Label for send network fee field" - }, "coreScreensConfirmButton": "Vahvista", - "@coreScreensConfirmButton": { - "description": "Text for confirm button" - }, "recoverbullErrorRejected": "Avainpalvelin hylkäsi pyynnön", - "@recoverbullErrorRejected": { - "description": "Error message when request is rejected by the key server" - }, "recoverbullErrorServiceUnavailable": "Palvelu ei ole käytettävissä. Tarkista yhteytesi.", - "@recoverbullErrorServiceUnavailable": { - "description": "Error message when key server service is unavailable" - }, "recoverbullErrorInvalidVaultFile": "Virheellinen holvitiedosto.", - "@recoverbullErrorInvalidVaultFile": { - "description": "Error message when vault file format is invalid" - }, "systemLabelSwaps": "Swapit", - "@systemLabelSwaps": { - "description": "System label for swap transactions" - }, "systemLabelAutoSwap": "Automaattinen swap", - "@systemLabelAutoSwap": { - "description": "System label for automatic swap transactions" - }, "systemLabelPayjoin": "Payjoin", - "@systemLabelPayjoin": { - "description": "System label for payjoin transactions" - }, "systemLabelSelfSpend": "Oma siirto", - "@systemLabelSelfSpend": { - "description": "System label for self-spend transactions" - }, "systemLabelExchangeBuy": "Osta", - "@systemLabelExchangeBuy": { - "description": "System label for exchange buy transactions" - }, "systemLabelExchangeSell": "Myy", - "@systemLabelExchangeSell": { - "description": "System label for exchange sell transactions" - }, "labelErrorNotFound": "Tunnistetta \"{label}\" ei löytynyt.", "@labelErrorNotFound": { - "description": "Error message when a label is not found", "placeholders": { "label": { "type": "String" @@ -23888,7 +4048,6 @@ }, "labelErrorUnsupportedType": "Tunnistetyyppiä {type} ei tueta", "@labelErrorUnsupportedType": { - "description": "Error message when label type is not supported", "placeholders": { "type": { "type": "String" @@ -23897,7 +4056,6 @@ }, "labelErrorUnexpected": "Odottamaton virhe: {message}", "@labelErrorUnexpected": { - "description": "Error message for unexpected label errors", "placeholders": { "message": { "type": "String" @@ -23905,16 +4063,67 @@ } }, "labelErrorSystemCannotDelete": "Järjestelmätunnisteita ei voi poistaa.", - "@labelErrorSystemCannotDelete": { - "description": "Error message when trying to delete a system label" - }, "labelDeleteFailed": "Tunnisteen \"{label}\" poistaminen epäonnistui. Yritä uudelleen.", "@labelDeleteFailed": { - "description": "Error message when label deletion fails", "placeholders": { "label": { "type": "String" } } - } -} + }, + "coreSwapsStatusPending": "Odottaa", + "coreSwapsStatusInProgress": "Käynnissä", + "coreSwapsStatusCompleted": "Valmis", + "coreSwapsStatusExpired": "Vanhentunut", + "coreSwapsStatusFailed": "Epäonnistui", + "coreSwapsActionClaim": "Lunastus", + "coreSwapsActionClose": "Sulje", + "coreSwapsLnReceiveExpired": "Vanhentunut swap", + "coreSwapsLnReceiveFailed": "Swap epäonnistui", + "coreSwapsLnSendExpired": "Vanhentunut swap", + "coreSwapsLnSendFailed": "Swap epäonnistui", + "coreSwapsChainExpired": "Siirto vanhentunut", + "coreSwapsChainFailed": "Siirto epäonnistui", + "coreWalletTransactionStatusPending": "Vireillä", + "coreWalletTransactionStatusConfirmed": "Vahvistettu", + "autoswapWarningOkButton": "OK", + "importQrDeviceKeystoneStep9": "Määritys valmis", + "save": "Tallenna", + "coreSwapsActionRefund": "Palautus", + "coreSwapsLnReceivePending": "Swap ei ole vielä aloitettu.", + "coreSwapsLnReceivePaid": "Lähettäjä on maksanut laskun.", + "coreSwapsLnReceiveClaimable": "Swap on valmis väittämään.", + "coreSwapsLnReceiveRefundable": "Swap on valmis hyvitettäväksi.", + "coreSwapsLnReceiveCanCoop": "Swap valmistuu hetkellisesti.", + "coreSwapsLnReceiveCompleted": "Swap on valmis.", + "coreSwapsLnSendPending": "Swap ei ole vielä aloitettu.", + "coreSwapsLnSendPaid": "Lasku maksetaan, kun maksusi saa vahvistuksen.", + "coreSwapsLnSendClaimable": "Swap on valmis väittämään.", + "coreSwapsLnSendRefundable": "Swap on valmis hyvitettäväksi.", + "coreSwapsLnSendCanCoop": "Swap valmistuu hetkellisesti.", + "coreSwapsLnSendCompletedRefunded": "Swap on palautettu.", + "coreSwapsLnSendCompletedSuccess": "Swap valmistuu onnistuneesti.", + "coreSwapsLnSendFailedRefunding": "Swap palautetaan pian.", + "coreSwapsChainPending": "Siirto ei ole vielä aloitettu.", + "coreSwapsChainPaid": "Odottaa siirron tarjoajan maksua saada vahvistus. Tämä saattaa kestää jonkin aikaa valmistua.", + "coreSwapsChainClaimable": "Siirto on valmis vaatimaan.", + "coreSwapsChainRefundable": "Siirto on valmis hyvitettäväksi.", + "coreSwapsChainCanCoop": "Siirto tapahtuu hetkellisesti.", + "coreSwapsChainCompletedRefunded": "Siirto on palautettu.", + "coreSwapsChainCompletedSuccess": "Siirto on suoritettu onnistuneesti.", + "coreSwapsChainFailedRefunding": "Siirto palautetaan pian.", + "autoswapBaseBalanceInfoText": "Pikalompakon saldo palaa tähän saldoon autoswapin jälkeen.", + "autoswapWarningDescription": "Autoswap varmistaa, että välittömien maksujen ja turvallisen Bitcoin-lompakon välillä on hyvä tasapaino.", + "autoswapWarningTitle": "Autoswap on käytössä seuraavilla asetuksilla:", + "autoswapWarningBaseBalance": "Tasapaino 0,01 BTC", + "autoswapWarningTriggerAmount": "0,02 BTC", + "autoswapWarningExplanation": "Kun saldo ylittää laukaisumäärän, vaihdetaan. Perussumma säilytetään Instant Payments -lompakossasi ja jäljellä oleva summa vaihdetaan Bitcoin-lompakkoosi.", + "autoswapWarningDontShowAgain": "Älä näytä tätä varoitusta uudelleen.", + "autoswapWarningSettingsLink": "Vie minut autoswap-asetuksiin", + "importQrDeviceKeystoneStep7": "Skannaa QR-koodi, joka näkyy Keystonessa", + "importQrDeviceKeystoneStep8": "Kirjoita Keystone-lompakkosi ja napauta Tuonti", + "bitcoinSettingsMempoolServerTitle": "Mempool-palvelimen asetukset", + "autoswapTriggerAtBalanceInfoText": "Autoswap käynnistyy, kun saldo ylittää tämän summan.", + "autoswapWarningCardTitle": "Autoswap on käytössä.", + "autoswapWarningCardSubtitle": "Swap käynnistyy, jos välittömien maksujen saldo ylittää 0,02 BTC." +} \ No newline at end of file diff --git a/localization/app_fr.arb b/localization/app_fr.arb index 00744aa3d..abbfcd319 100644 --- a/localization/app_fr.arb +++ b/localization/app_fr.arb @@ -1,12187 +1,19 @@ { - "@@locale": "fr", - "durationSeconds": "{seconds} secondes", - "@durationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "String" - } - } - }, - "durationMinute": "{minutes} minute", - "@durationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "durationMinutes": "{minutes} minutes", - "@durationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "coreSwapsStatusPending": "En attente", - "@coreSwapsStatusPending": { - "description": "Display name for pending swap status" - }, - "coreSwapsStatusInProgress": "En cours", - "@coreSwapsStatusInProgress": { - "description": "Display name for in-progress swap status (paid, claimable, refundable, canCoop)" - }, - "coreSwapsStatusCompleted": "Terminé", - "@coreSwapsStatusCompleted": { - "description": "Display name for completed swap status" - }, - "coreSwapsStatusExpired": "Expiré", - "@coreSwapsStatusExpired": { - "description": "Display name for expired swap status" - }, - "coreSwapsStatusFailed": "Échoué", - "@coreSwapsStatusFailed": { - "description": "Display name for failed swap status" - }, - "coreSwapsActionClaim": "Réclamer", - "@coreSwapsActionClaim": { - "description": "Action label for claiming a swap" - }, - "coreSwapsActionClose": "Fermer", - "@coreSwapsActionClose": { - "description": "Action label for closing a swap cooperatively" - }, - "coreSwapsActionRefund": "Rembourser", - "@coreSwapsActionRefund": { - "description": "Action label for refunding a swap" - }, - "coreSwapsLnReceivePending": "L'échange n'est pas encore initialisé.", - "@coreSwapsLnReceivePending": { - "description": "Status message for pending Lightning receive swap" - }, - "coreSwapsLnReceivePaid": "L'expéditeur a payé la facture.", - "@coreSwapsLnReceivePaid": { - "description": "Status message for paid Lightning receive swap" - }, - "coreSwapsLnReceiveClaimable": "L'échange est prêt à être réclamé.", - "@coreSwapsLnReceiveClaimable": { - "description": "Status message for claimable Lightning receive swap" - }, - "coreSwapsLnReceiveRefundable": "L'échange est prêt à être remboursé.", - "@coreSwapsLnReceiveRefundable": { - "description": "Status message for refundable Lightning receive swap" - }, - "coreSwapsLnReceiveCanCoop": "L'échange sera complété sous peu.", - "@coreSwapsLnReceiveCanCoop": { - "description": "Status message for Lightning receive swap that can complete cooperatively" - }, - "coreSwapsLnReceiveCompleted": "L'échange est terminé.", - "@coreSwapsLnReceiveCompleted": { - "description": "Status message for completed Lightning receive swap" - }, - "coreSwapsLnReceiveExpired": "Échange expiré.", - "@coreSwapsLnReceiveExpired": { - "description": "Status message for expired Lightning receive swap" - }, - "coreSwapsLnReceiveFailed": "Échange échoué.", - "@coreSwapsLnReceiveFailed": { - "description": "Status message for failed Lightning receive swap" - }, - "coreSwapsLnSendPending": "L'échange n'est pas encore initialisé.", - "@coreSwapsLnSendPending": { - "description": "Status message for pending Lightning send swap" - }, - "coreSwapsLnSendPaid": "La facture sera payée après confirmation de votre paiement.", - "@coreSwapsLnSendPaid": { - "description": "Status message for paid Lightning send swap" - }, - "coreSwapsLnSendClaimable": "L'échange est prêt à être réclamé.", - "@coreSwapsLnSendClaimable": { - "description": "Status message for claimable Lightning send swap" - }, - "coreSwapsLnSendRefundable": "L'échange est prêt à être remboursé.", - "@coreSwapsLnSendRefundable": { - "description": "Status message for refundable Lightning send swap" - }, - "coreSwapsLnSendCanCoop": "L'échange sera complété sous peu.", - "@coreSwapsLnSendCanCoop": { - "description": "Status message for Lightning send swap that can complete cooperatively" - }, - "coreSwapsLnSendCompletedRefunded": "L'échange a été remboursé.", - "@coreSwapsLnSendCompletedRefunded": { - "description": "Status message for Lightning send swap completed via refund" - }, - "coreSwapsLnSendCompletedSuccess": "L'échange est terminé avec succès.", - "@coreSwapsLnSendCompletedSuccess": { - "description": "Status message for successfully completed Lightning send swap" - }, - "coreSwapsLnSendExpired": "Échange expiré", - "@coreSwapsLnSendExpired": { - "description": "Status message for expired Lightning send swap" - }, - "coreSwapsLnSendFailedRefunding": "L'échange sera remboursé sous peu.", - "@coreSwapsLnSendFailedRefunding": { - "description": "Status message for failed Lightning send swap that will be refunded" - }, - "coreSwapsLnSendFailed": "Échange échoué.", - "@coreSwapsLnSendFailed": { - "description": "Status message for failed Lightning send swap" - }, - "coreSwapsChainPending": "Le transfert n'est pas encore initialisé.", - "@coreSwapsChainPending": { - "description": "Status message for pending chain swap" - }, - "coreSwapsChainPaid": "En attente de la confirmation du paiement du fournisseur de transfert. Cela peut prendre un certain temps.", - "@coreSwapsChainPaid": { - "description": "Status message for paid chain swap" - }, - "coreSwapsChainClaimable": "Le transfert est prêt à être réclamé.", - "@coreSwapsChainClaimable": { - "description": "Status message for claimable chain swap" - }, - "coreSwapsChainRefundable": "Le transfert est prêt à être remboursé.", - "@coreSwapsChainRefundable": { - "description": "Status message for refundable chain swap" - }, - "coreSwapsChainCanCoop": "Le transfert sera complété sous peu.", - "@coreSwapsChainCanCoop": { - "description": "Status message for chain swap that can complete cooperatively" - }, - "coreSwapsChainCompletedRefunded": "Le transfert a été remboursé.", - "@coreSwapsChainCompletedRefunded": { - "description": "Status message for chain swap completed via refund" - }, - "coreSwapsChainCompletedSuccess": "Le transfert est terminé avec succès.", - "@coreSwapsChainCompletedSuccess": { - "description": "Status message for successfully completed chain swap" - }, - "coreSwapsChainExpired": "Transfert expiré", - "@coreSwapsChainExpired": { - "description": "Status message for expired chain swap" - }, - "coreSwapsChainFailedRefunding": "Le transfert sera remboursé sous peu.", - "@coreSwapsChainFailedRefunding": { - "description": "Status message for failed chain swap that will be refunded" - }, - "coreSwapsChainFailed": "Transfert échoué.", - "@coreSwapsChainFailed": { - "description": "Status message for failed chain swap" - }, - "coreWalletTransactionStatusPending": "En attente", - "@coreWalletTransactionStatusPending": { - "description": "Display name for pending wallet transaction status" - }, - "coreWalletTransactionStatusConfirmed": "Confirmé", - "@coreWalletTransactionStatusConfirmed": { - "description": "Display name for confirmed wallet transaction status" - }, - "onboardingScreenTitle": "Bienvenue", - "@onboardingScreenTitle": { - "description": "Le titre de l'écran d'intégration" - }, - "onboardingCreateWalletButtonLabel": "Créer un portefeuille", - "@onboardingCreateWalletButtonLabel": { - "description": "Le libellé du bouton pour créer un portefeuille depuis l'écran d'intégration" - }, - "onboardingRecoverWalletButtonLabel": "Restaurer un portefeuille", - "@onboardingRecoverWalletButtonLabel": { - "description": "Le libellé du bouton pour restaurer un portefeuille depuis l'écran d'intégration" - }, - "settingsScreenTitle": "Paramètres", - "@settingsScreenTitle": { - "description": "Le titre de l'écran des paramètres" - }, - "testnetModeSettingsLabel": "Mode Testnet", - "@testnetModeSettingsLabel": { - "description": "Le libellé des paramètres du mode Testnet" - }, - "satsBitcoinUnitSettingsLabel": "Afficher l'unité en sats", - "@satsBitcoinUnitSettingsLabel": { - "description": "Le libellé pour basculer l'unité Bitcoin en sats dans les paramètres" - }, - "pinCodeSettingsLabel": "Code PIN", - "@pinCodeSettingsLabel": { - "description": "Le libellé du bouton pour accéder aux paramètres du code PIN" - }, - "languageSettingsLabel": "Langue", - "@languageSettingsLabel": { - "description": "Le libellé du bouton pour accéder aux paramètres de langue" - }, - "backupSettingsLabel": "Sauvegarde du portefeuille", - "@backupSettingsLabel": { - "description": "Le libellé du bouton pour accéder aux paramètres de sauvegarde" - }, - "electrumServerSettingsLabel": "Serveur Electrum (nœud Bitcoin)", - "@electrumServerSettingsLabel": { - "description": "Le libellé du bouton pour accéder aux paramètres du serveur Electrum" - }, - "fiatCurrencySettingsLabel": "Devise fiduciaire", - "@fiatCurrencySettingsLabel": { - "description": "Le libellé du bouton pour accéder aux paramètres de devise fiduciaire" - }, - "languageSettingsScreenTitle": "Langue", - "@languageSettingsScreenTitle": { - "description": "Le titre de l'écran des paramètres de langue" - }, - "backupSettingsScreenTitle": "Paramètres de sauvegarde", - "@backupSettingsScreenTitle": { - "description": "AppBar title for backup settings screen" - }, - "settingsExchangeSettingsTitle": "Paramètres d'échange", - "@settingsExchangeSettingsTitle": { - "description": "Titre de la section des paramètres d'échange dans le menu des paramètres" - }, - "settingsWalletBackupTitle": "Sauvegarde du portefeuille", - "@settingsWalletBackupTitle": { - "description": "Titre de la section de sauvegarde du portefeuille dans le menu des paramètres" - }, - "settingsBitcoinSettingsTitle": "Paramètres Bitcoin", - "@settingsBitcoinSettingsTitle": { - "description": "Titre de la section des paramètres Bitcoin dans le menu des paramètres" - }, - "settingsSecurityPinTitle": "Code PIN de sécurité", - "@settingsSecurityPinTitle": { - "description": "Titre de la section du code PIN de sécurité dans le menu des paramètres" - }, - "pinCodeAuthentication": "Authentification", - "@pinCodeAuthentication": { - "description": "Titre de la barre d'application pour les écrans d'authentification par code PIN" - }, - "pinCodeCreateTitle": "Créer un nouveau code PIN", - "@pinCodeCreateTitle": { - "description": "Titre pour la création d'un nouveau code PIN" - }, - "pinCodeCreateDescription": "Votre code PIN protège l'accès à votre portefeuille et à vos paramètres. Gardez-le mémorisable.", - "@pinCodeCreateDescription": { - "description": "Description expliquant le but du code PIN" - }, - "pinCodeMinLengthError": "Le code PIN doit contenir au moins {minLength} chiffres", - "@pinCodeMinLengthError": { - "description": "Message d'erreur lorsque le code PIN est trop court", - "placeholders": { - "minLength": { - "type": "String" - } - } - }, - "pinCodeConfirmTitle": "Confirmer le nouveau code PIN", - "@pinCodeConfirmTitle": { - "description": "Titre pour confirmer le nouveau code PIN" - }, - "pinCodeMismatchError": "Les codes PIN ne correspondent pas", - "@pinCodeMismatchError": { - "description": "Message d'erreur lorsque la confirmation du code PIN ne correspond pas" - }, - "pinCodeSecurityPinTitle": "Code PIN de sécurité", - "@pinCodeSecurityPinTitle": { - "description": "Titre de la barre d'application pour l'écran des paramètres du code PIN" - }, - "pinCodeManageTitle": "Gérer votre code PIN de sécurité", - "@pinCodeManageTitle": { - "description": "Titre d'en-tête pour la section de gestion du code PIN" - }, - "pinCodeChangeButton": "Modifier le code PIN", - "@pinCodeChangeButton": { - "description": "Libellé du bouton pour modifier le code PIN existant" - }, - "pinCodeCreateButton": "Créer un code PIN", - "@pinCodeCreateButton": { - "description": "Libellé du bouton pour créer un nouveau code PIN" - }, - "pinCodeRemoveButton": "Supprimer le code PIN de sécurité", - "@pinCodeRemoveButton": { - "description": "Libellé du bouton pour supprimer le code PIN de sécurité" - }, - "pinCodeContinue": "Continuer", - "@pinCodeContinue": { - "description": "Libellé du bouton pour continuer avec la saisie du code PIN" - }, - "pinCodeConfirm": "Confirmer", - "@pinCodeConfirm": { - "description": "Libellé du bouton pour confirmer la saisie du code PIN" - }, - "pinCodeLoading": "Chargement", - "@pinCodeLoading": { - "description": "Titre de l'écran d'état lors du chargement des paramètres du code PIN" - }, - "pinCodeCheckingStatus": "Vérification du statut du code PIN", - "@pinCodeCheckingStatus": { - "description": "Description de l'écran d'état lors de la vérification du statut du code PIN" - }, - "pinCodeProcessing": "Traitement", - "@pinCodeProcessing": { - "description": "Titre de l'écran d'état lors du traitement des modifications du code PIN" - }, - "pinCodeSettingUp": "Configuration de votre code PIN", - "@pinCodeSettingUp": { - "description": "Description de l'écran d'état lors de la configuration du code PIN" - }, - "settingsCurrencyTitle": "Devise", - "@settingsCurrencyTitle": { - "description": "Titre de la section des paramètres de devise dans le menu des paramètres" - }, - "settingsAppSettingsTitle": "Paramètres de l'application", - "@settingsAppSettingsTitle": { - "description": "Titre de la section des paramètres de l'application dans le menu des paramètres" - }, - "settingsTermsOfServiceTitle": "Conditions d'utilisation", - "@settingsTermsOfServiceTitle": { - "description": "Titre de la section des conditions d'utilisation dans le menu des paramètres" - }, - "settingsAppVersionLabel": "Version de l'application : ", - "@settingsAppVersionLabel": { - "description": "Libellé affiché avant le numéro de version de l'application dans les paramètres" - }, - "settingsTelegramLabel": "Telegram", - "@settingsTelegramLabel": { - "description": "Libellé du lien Telegram dans les paramètres" - }, - "settingsGithubLabel": "Github", - "@settingsGithubLabel": { - "description": "Libellé du lien Github dans les paramètres" - }, - "settingsServicesStatusTitle": "État des services", - "@settingsServicesStatusTitle": { - "description": "Title for the services status section in the settings menu" - }, - "settingsTorSettingsTitle": "Paramètres Tor", - "@settingsTorSettingsTitle": { - "description": "Title for the Tor settings section in app settings" - }, - "settingsRecoverbullTitle": "Recoverbull", - "@settingsRecoverbullTitle": { - "description": "Title for the Recoverbull backup section in app settings" - }, - "settingsLanguageTitle": "Langue", - "@settingsLanguageTitle": { - "description": "Title for the language selection in app settings" - }, - "settingsThemeTitle": "Thème", - "@settingsThemeTitle": { - "description": "Title for the theme selection in app settings" - }, - "settingsArkTitle": "Ark", - "@settingsArkTitle": { - "description": "Title for the Ark protocol section in Bitcoin settings" - }, - "settingsDevModeWarningTitle": "Mode développeur", - "@settingsDevModeWarningTitle": { - "description": "Title for the developer mode warning dialog" - }, - "settingsDevModeWarningMessage": "Ce mode est risqué. En l'activant, vous reconnaissez que vous pourriez perdre de l'argent", - "@settingsDevModeWarningMessage": { - "description": "Warning message displayed when enabling developer mode" - }, - "settingsDevModeUnderstandButton": "Je comprends", - "@settingsDevModeUnderstandButton": { - "description": "Button label to acknowledge developer mode warning" - }, - "settingsSuperuserModeDisabledMessage": "Mode superutilisateur désactivé.", - "@settingsSuperuserModeDisabledMessage": { - "description": "Message shown when superuser mode is disabled" - }, - "settingsSuperuserModeUnlockedMessage": "Mode superutilisateur déverrouillé !", - "@settingsSuperuserModeUnlockedMessage": { - "description": "Message shown when superuser mode is enabled" - }, - "walletOptionsUnnamedWalletFallback": "Portefeuille sans nom", - "@walletOptionsUnnamedWalletFallback": { - "description": "Nom de secours affiché pour les portefeuilles sans nom spécifié" - }, - "walletOptionsNotFoundMessage": "Portefeuille introuvable", - "@walletOptionsNotFoundMessage": { - "description": "Message d'erreur affiché lorsqu'un portefeuille ne peut pas être trouvé" - }, - "walletOptionsWalletDetailsTitle": "Détails du portefeuille", - "@walletOptionsWalletDetailsTitle": { - "description": "Titre de l'écran des détails du portefeuille" - }, - "addressViewAddressesTitle": "Adresses", - "@addressViewAddressesTitle": { - "description": "Titre de la section des adresses dans les options du portefeuille" - }, - "walletDetailsDeletingMessage": "Suppression du portefeuille...", - "@walletDetailsDeletingMessage": { - "description": "Message affiché pendant la suppression d'un portefeuille" - }, - "walletDetailsWalletFingerprintLabel": "Empreinte du portefeuille", - "@walletDetailsWalletFingerprintLabel": { - "description": "Libellé du champ d'empreinte du portefeuille dans les détails du portefeuille" - }, - "walletDetailsPubkeyLabel": "Clé publique", - "@walletDetailsPubkeyLabel": { - "description": "Libellé du champ de clé publique dans les détails du portefeuille" - }, - "walletDetailsDescriptorLabel": "Descripteur", - "@walletDetailsDescriptorLabel": { - "description": "Libellé du champ de descripteur du portefeuille dans les détails du portefeuille" - }, - "walletDetailsAddressTypeLabel": "Type d'adresse", - "@walletDetailsAddressTypeLabel": { - "description": "Libellé du champ de type d'adresse dans les détails du portefeuille" - }, - "walletDetailsNetworkLabel": "Réseau", - "@walletDetailsNetworkLabel": { - "description": "Libellé du champ de réseau dans les détails du portefeuille" - }, - "walletDetailsDerivationPathLabel": "Chemin de dérivation", - "@walletDetailsDerivationPathLabel": { - "description": "Libellé du champ de chemin de dérivation dans les détails du portefeuille" - }, - "walletDetailsSignerLabel": "Signataire", - "@walletDetailsSignerLabel": { - "description": "Libellé du champ de signataire dans les détails du portefeuille" - }, - "walletDetailsSignerDeviceLabel": "Dispositif signataire", - "@walletDetailsSignerDeviceLabel": { - "description": "Libellé du champ de dispositif signataire dans les détails du portefeuille" - }, - "walletDetailsSignerDeviceNotSupported": "Non pris en charge", - "@walletDetailsSignerDeviceNotSupported": { - "description": "Message affiché lorsqu'un dispositif signataire n'est pas pris en charge" - }, - "walletDetailsCopyButton": "Copier", - "@walletDetailsCopyButton": { - "description": "Libellé du bouton pour copier les détails du portefeuille dans le presse-papiers" - }, - "bitcoinSettingsWalletsTitle": "Portefeuilles", - "@bitcoinSettingsWalletsTitle": { - "description": "Titre de la section des portefeuilles dans les paramètres Bitcoin" - }, - "bitcoinSettingsElectrumServerTitle": "Paramètres du serveur Electrum", - "@bitcoinSettingsElectrumServerTitle": { - "description": "Titre de la section des paramètres du serveur Electrum dans les paramètres Bitcoin" - }, - "mempoolSettingsTitle": "Mempool Server", - "@mempoolSettingsTitle": { - "description": "Title for mempool settings screen" - }, - "mempoolSettingsDescription": "Configure custom mempool servers for different networks. Each network can use its own server for block explorer and fee estimation.", - "@mempoolSettingsDescription": { - "description": "Description text for mempool settings screen" - }, - "mempoolSettingsDefaultServer": "Default Server", - "@mempoolSettingsDefaultServer": { - "description": "Label for default mempool server section" - }, - "mempoolSettingsCustomServer": "Custom Server", - "@mempoolSettingsCustomServer": { - "description": "Label for custom mempool server section" - }, - "mempoolNetworkBitcoinMainnet": "Bitcoin Mainnet", - "@mempoolNetworkBitcoinMainnet": { - "description": "Label for Bitcoin mainnet network option" - }, - "mempoolNetworkBitcoinTestnet": "Bitcoin Testnet", - "@mempoolNetworkBitcoinTestnet": { - "description": "Label for Bitcoin testnet network option" - }, - "mempoolNetworkLiquidMainnet": "Liquid Mainnet", - "@mempoolNetworkLiquidMainnet": { - "description": "Label for Liquid mainnet network option" - }, - "mempoolNetworkLiquidTestnet": "Liquid Testnet", - "@mempoolNetworkLiquidTestnet": { - "description": "Label for Liquid testnet network option" - }, - "mempoolCustomServerAdd": "Add Custom Server", - "@mempoolCustomServerAdd": { - "description": "Button text to add a custom mempool server" - }, - "mempoolCustomServerEdit": "Edit", - "@mempoolCustomServerEdit": { - "description": "Button text to edit custom server" - }, - "mempoolCustomServerDelete": "Delete", - "@mempoolCustomServerDelete": { - "description": "Button text to delete custom server" - }, - "mempoolCustomServerLabel": "CUSTOM", - "@mempoolCustomServerLabel": { - "description": "Label badge for custom server" - }, - "mempoolServerNotUsed": "Not used (custom server active)", - "@mempoolServerNotUsed": { - "description": "Label shown when default server is not used because custom server is active" - }, - "mempoolCustomServerDeleteTitle": "Delete Custom Server?", - "@mempoolCustomServerDeleteTitle": { - "description": "Title for delete confirmation dialog" - }, - "mempoolCustomServerDeleteMessage": "Are you sure you want to delete this custom mempool server? The default server will be used instead.", - "@mempoolCustomServerDeleteMessage": { - "description": "Message for delete confirmation dialog" - }, - "mempoolCustomServerUrl": "Server URL", - "@mempoolCustomServerUrl": { - "description": "Label for server URL input field" - }, - "mempoolCustomServerUrlEmpty": "Please enter a server URL", - "@mempoolCustomServerUrlEmpty": { - "description": "Error message when URL is empty" - }, - "mempoolCustomServerSaveSuccess": "Custom server saved successfully", - "@mempoolCustomServerSaveSuccess": { - "description": "Success message after saving custom server" - }, - "mempoolCustomServerBottomSheetDescription": "Enter the URL of your custom mempool server. The server will be validated before saving.", - "@mempoolCustomServerBottomSheetDescription": { - "description": "Description text in add custom server bottom sheet" - }, - "mempoolSettingsUseForFeeEstimation": "Use for Fee Estimation", - "@mempoolSettingsUseForFeeEstimation": { - "description": "Label for fee estimation toggle" - }, - "mempoolSettingsUseForFeeEstimationDescription": "When enabled, this server will be used for fee estimation. When disabled, Bull Bitcoin's mempool server will be used instead.", - "@mempoolSettingsUseForFeeEstimationDescription": { - "description": "Description for fee estimation toggle" - }, - "bitcoinSettingsAutoTransferTitle": "Paramètres de transfert automatique", - "@bitcoinSettingsAutoTransferTitle": { - "description": "Titre de la section des paramètres de transfert automatique dans les paramètres Bitcoin" - }, - "bitcoinSettingsLegacySeedsTitle": "Phrases de récupération héritées", - "@bitcoinSettingsLegacySeedsTitle": { - "description": "Titre de la section des phrases de récupération héritées dans les paramètres Bitcoin" - }, - "bitcoinSettingsImportWalletTitle": "Importer un portefeuille", - "@bitcoinSettingsImportWalletTitle": { - "description": "Titre de l'option d'importation de portefeuille dans les paramètres Bitcoin" - }, - "bitcoinSettingsBroadcastTransactionTitle": "Diffuser une transaction", - "@bitcoinSettingsBroadcastTransactionTitle": { - "description": "Titre de l'option de diffusion de transaction dans les paramètres Bitcoin" - }, - "bitcoinSettingsTestnetModeTitle": "Mode Testnet", - "@bitcoinSettingsTestnetModeTitle": { - "description": "Titre du bouton de mode Testnet dans les paramètres Bitcoin" - }, - "bitcoinSettingsBip85EntropiesTitle": "Entropies déterministes BIP85", - "@bitcoinSettingsBip85EntropiesTitle": { - "description": "Titre de la section des entropies déterministes BIP85 dans les paramètres Bitcoin" - }, - "logSettingsLogsTitle": "Journaux", - "@logSettingsLogsTitle": { - "description": "Titre de la section des journaux dans les paramètres" - }, - "logSettingsErrorLoadingMessage": "Erreur lors du chargement des journaux : ", - "@logSettingsErrorLoadingMessage": { - "description": "Message d'erreur affiché lorsque les journaux ne peuvent pas être chargés" - }, - "appSettingsDevModeTitle": "Mode développeur", - "@appSettingsDevModeTitle": { - "description": "Titre du bouton de mode développeur dans les paramètres de l'application" - }, - "currencySettingsDefaultFiatCurrencyLabel": "Devise fiduciaire par défaut", - "@currencySettingsDefaultFiatCurrencyLabel": { - "description": "Libellé du paramètre de devise fiduciaire par défaut" - }, - "exchangeSettingsAccountInformationTitle": "Informations du compte", - "@exchangeSettingsAccountInformationTitle": { - "description": "Titre de la section des informations du compte dans les paramètres d'échange" - }, - "exchangeSettingsSecuritySettingsTitle": "Paramètres de sécurité", - "@exchangeSettingsSecuritySettingsTitle": { - "description": "Titre de la section des paramètres de sécurité dans les paramètres d'échange" - }, - "exchangeSettingsReferralsTitle": "Parrainages", - "@exchangeSettingsReferralsTitle": { - "description": "Titre de la section des parrainages dans les paramètres d'échange" - }, - "exchangeSettingsLogInTitle": "Se connecter", - "@exchangeSettingsLogInTitle": { - "description": "Titre de l'option de connexion dans les paramètres d'échange" - }, - "exchangeSettingsLogOutTitle": "Se déconnecter", - "@exchangeSettingsLogOutTitle": { - "description": "Titre de l'option de déconnexion dans les paramètres d'échange" - }, - "exchangeTransactionsTitle": "Transactions", - "@exchangeTransactionsTitle": { - "description": "Titre de la section des transactions dans l'échange" - }, - "exchangeTransactionsComingSoon": "Transactions - Disponible prochainement", - "@exchangeTransactionsComingSoon": { - "description": "Message indiquant que la fonctionnalité des transactions sera bientôt disponible" - }, - "exchangeSecurityManage2FAPasswordLabel": "Gérer l'authentification à deux facteurs et le mot de passe", - "@exchangeSecurityManage2FAPasswordLabel": { - "description": "Libellé pour gérer l'authentification à deux facteurs et le mot de passe dans les paramètres de sécurité de l'échange" - }, - "exchangeSecurityAccessSettingsButton": "Accéder aux paramètres", - "@exchangeSecurityAccessSettingsButton": { - "description": "Libellé du bouton pour accéder aux paramètres de sécurité dans l'échange" - }, - "exchangeReferralsTitle": "Codes de parrainage", - "@exchangeReferralsTitle": { - "description": "Titre de la section des codes de parrainage" - }, - "exchangeReferralsJoinMissionTitle": "Rejoignez la mission", - "@exchangeReferralsJoinMissionTitle": { - "description": "Titre encourageant les utilisateurs à rejoindre la mission de parrainage" - }, - "exchangeReferralsContactSupportMessage": "Contactez le support pour en savoir plus sur notre programme de parrainage", - "@exchangeReferralsContactSupportMessage": { - "description": "Message invitant les utilisateurs à contacter le support concernant le programme de parrainage" - }, - "exchangeReferralsApplyToJoinMessage": "Postulez pour rejoindre le programme ici", - "@exchangeReferralsApplyToJoinMessage": { - "description": "Message avec lien pour postuler au programme de parrainage" - }, - "exchangeReferralsMissionLink": "bullbitcoin.com/mission", - "@exchangeReferralsMissionLink": { - "description": "Lien vers la page de mission de Bull Bitcoin" - }, - "exchangeRecipientsTitle": "Destinataires", - "@exchangeRecipientsTitle": { - "description": "Titre de la section des destinataires dans l'échange" - }, - "exchangeRecipientsComingSoon": "Destinataires - Disponible prochainement", - "@exchangeRecipientsComingSoon": { - "description": "Message indiquant que la fonctionnalité des destinataires sera bientôt disponible" - }, - "exchangeLogoutComingSoon": "Déconnexion - Disponible prochainement", - "@exchangeLogoutComingSoon": { - "description": "Message indiquant que la fonctionnalité de déconnexion sera bientôt disponible" - }, - "exchangeLegacyTransactionsTitle": "Transactions héritées", - "@exchangeLegacyTransactionsTitle": { - "description": "Titre de la section des transactions héritées dans l'échange" - }, - "exchangeLegacyTransactionsComingSoon": "Transactions héritées - Disponible prochainement", - "@exchangeLegacyTransactionsComingSoon": { - "description": "Message indiquant que la fonctionnalité des transactions héritées sera bientôt disponible" - }, - "exchangeFileUploadTitle": "Téléversement sécurisé de fichiers", - "@exchangeFileUploadTitle": { - "description": "Titre de la section de téléversement sécurisé de fichiers dans l'échange" - }, - "exchangeFileUploadDocumentTitle": "Téléverser un document", - "@exchangeFileUploadDocumentTitle": { - "description": "Titre pour téléverser des documents dans l'échange" - }, - "exchangeFileUploadInstructions": "Si vous devez envoyer d'autres documents, téléversez-les ici.", - "@exchangeFileUploadInstructions": { - "description": "Instructions pour téléverser des documents dans l'échange" - }, - "exchangeFileUploadButton": "Téléverser", - "@exchangeFileUploadButton": { - "description": "Libellé du bouton pour téléverser des fichiers dans l'échange" - }, - "exchangeAccountTitle": "Compte d'échange", - "@exchangeAccountTitle": { - "description": "Titre de la section du compte d'échange" - }, - "exchangeAccountSettingsTitle": "Paramètres du compte d'échange", - "@exchangeAccountSettingsTitle": { - "description": "Titre de l'écran des paramètres du compte d'échange" - }, - "exchangeAccountComingSoon": "Cette fonctionnalité sera bientôt disponible.", - "@exchangeAccountComingSoon": { - "description": "Message indiquant qu'une fonctionnalité sera bientôt disponible" - }, - "exchangeBitcoinWalletsTitle": "Portefeuilles Bitcoin par défaut", - "@exchangeBitcoinWalletsTitle": { - "description": "Titre de la section des portefeuilles Bitcoin par défaut dans l'échange" - }, - "exchangeBitcoinWalletsBitcoinAddressLabel": "Adresse Bitcoin", - "@exchangeBitcoinWalletsBitcoinAddressLabel": { - "description": "Libellé du champ d'adresse Bitcoin dans les portefeuilles Bitcoin de l'échange" - }, - "exchangeBitcoinWalletsLightningAddressLabel": "Lightning (adresse LN)", - "@exchangeBitcoinWalletsLightningAddressLabel": { - "description": "Libellé du champ d'adresse Lightning dans les portefeuilles Bitcoin de l'échange" - }, - "exchangeBitcoinWalletsLiquidAddressLabel": "Adresse Liquid", - "@exchangeBitcoinWalletsLiquidAddressLabel": { - "description": "Libellé du champ d'adresse Liquid dans les portefeuilles Bitcoin de l'échange" - }, - "exchangeBitcoinWalletsEnterAddressHint": "Entrez l'adresse", - "@exchangeBitcoinWalletsEnterAddressHint": { - "description": "Texte d'indication pour saisir une adresse dans les portefeuilles Bitcoin de l'échange" - }, - "exchangeAppSettingsSaveSuccessMessage": "Paramètres enregistrés avec succès", - "@exchangeAppSettingsSaveSuccessMessage": { - "description": "Message de succès affiché lorsque les paramètres de l'application d'échange sont enregistrés" - }, - "exchangeAppSettingsPreferredLanguageLabel": "Langue préférée", - "@exchangeAppSettingsPreferredLanguageLabel": { - "description": "Libellé du paramètre de langue préférée dans les paramètres de l'application d'échange" - }, - "exchangeAppSettingsDefaultCurrencyLabel": "Devise par défaut", - "@exchangeAppSettingsDefaultCurrencyLabel": { - "description": "Libellé du paramètre de devise par défaut dans les paramètres de l'application d'échange" - }, - "exchangeAppSettingsValidationWarning": "Veuillez définir à la fois la langue et les préférences de devise avant d'enregistrer.", - "@exchangeAppSettingsValidationWarning": { - "description": "Message d'avertissement lorsque les préférences de langue et de devise ne sont pas toutes les deux définies" - }, - "exchangeAppSettingsSaveButton": "Enregistrer", - "@exchangeAppSettingsSaveButton": { - "description": "Libellé du bouton pour enregistrer les paramètres de l'application d'échange" - }, - "exchangeAccountInfoTitle": "Informations du compte", - "@exchangeAccountInfoTitle": { - "description": "Titre de la section des informations du compte" - }, - "exchangeAccountInfoLoadErrorMessage": "Impossible de charger les informations du compte", - "@exchangeAccountInfoLoadErrorMessage": { - "description": "Message d'erreur lorsque les informations du compte ne peuvent pas être chargées" - }, - "exchangeAccountInfoUserNumberLabel": "Numéro d'utilisateur", - "@exchangeAccountInfoUserNumberLabel": { - "description": "Libellé du champ de numéro d'utilisateur dans les informations du compte" - }, - "exchangeAccountInfoVerificationLevelLabel": "Niveau de vérification", - "@exchangeAccountInfoVerificationLevelLabel": { - "description": "Libellé du champ de niveau de vérification dans les informations du compte" - }, - "exchangeAccountInfoEmailLabel": "Courriel", - "@exchangeAccountInfoEmailLabel": { - "description": "Libellé du champ de courriel dans les informations du compte" - }, - "exchangeAccountInfoFirstNameLabel": "Prénom", - "@exchangeAccountInfoFirstNameLabel": { - "description": "Libellé du champ de prénom dans les informations du compte" - }, - "exchangeAccountInfoLastNameLabel": "Nom de famille", - "@exchangeAccountInfoLastNameLabel": { - "description": "Libellé du champ de nom de famille dans les informations du compte" - }, - "exchangeAccountInfoVerificationIdentityVerified": "Identité vérifiée", - "@exchangeAccountInfoVerificationIdentityVerified": { - "description": "Libellé de statut pour le niveau de vérification d'identité vérifiée" - }, - "exchangeAccountInfoVerificationLightVerification": "Vérification légère", - "@exchangeAccountInfoVerificationLightVerification": { - "description": "Libellé de statut pour le niveau de vérification légère" - }, - "exchangeAccountInfoVerificationLimitedVerification": "Vérification limitée", - "@exchangeAccountInfoVerificationLimitedVerification": { - "description": "Libellé de statut pour le niveau de vérification limitée" - }, - "exchangeAccountInfoVerificationNotVerified": "Non vérifié", - "@exchangeAccountInfoVerificationNotVerified": { - "description": "Libellé de statut pour le niveau non vérifié" - }, - "exchangeAccountInfoUserNumberCopiedMessage": "Numéro d'utilisateur copié dans le presse-papiers", - "@exchangeAccountInfoUserNumberCopiedMessage": { - "description": "Message de succès lorsque le numéro d'utilisateur est copié dans le presse-papiers" - }, - "walletsListTitle": "Détails du portefeuille", - "@walletsListTitle": { - "description": "Titre de l'écran de la liste des détails du portefeuille" - }, - "walletsListNoWalletsMessage": "Aucun portefeuille trouvé", - "@walletsListNoWalletsMessage": { - "description": "Message affiché lorsqu'aucun portefeuille n'est trouvé" - }, - "walletDeletionConfirmationTitle": "Supprimer le portefeuille", - "@walletDeletionConfirmationTitle": { - "description": "Titre de la boîte de dialogue de confirmation de suppression du portefeuille" - }, - "walletDeletionConfirmationMessage": "Êtes-vous sûr de vouloir supprimer ce portefeuille ?", - "@walletDeletionConfirmationMessage": { - "description": "Message dans la boîte de dialogue de confirmation de suppression du portefeuille" - }, - "walletDeletionConfirmationCancelButton": "Annuler", - "@walletDeletionConfirmationCancelButton": { - "description": "Libellé du bouton Annuler dans la boîte de dialogue de confirmation de suppression du portefeuille" - }, - "walletDeletionConfirmationDeleteButton": "Supprimer", - "@walletDeletionConfirmationDeleteButton": { - "description": "Libellé du bouton Supprimer dans la boîte de dialogue de confirmation de suppression du portefeuille" - }, - "walletDeletionFailedTitle": "Échec de la suppression", - "@walletDeletionFailedTitle": { - "description": "Titre de la boîte de dialogue d'échec de suppression du portefeuille" - }, - "walletDeletionErrorDefaultWallet": "Vous ne pouvez pas supprimer un portefeuille par défaut.", - "@walletDeletionErrorDefaultWallet": { - "description": "Message d'erreur lors de la tentative de suppression d'un portefeuille par défaut" - }, - "walletDeletionErrorOngoingSwaps": "Vous ne pouvez pas supprimer un portefeuille avec des échanges en cours.", - "@walletDeletionErrorOngoingSwaps": { - "description": "Message d'erreur lors de la tentative de suppression d'un portefeuille avec des échanges en cours" - }, - "walletDeletionErrorWalletNotFound": "Le portefeuille que vous essayez de supprimer n'existe pas.", - "@walletDeletionErrorWalletNotFound": { - "description": "Message d'erreur lorsque le portefeuille à supprimer ne peut pas être trouvé" - }, - "walletDeletionErrorGeneric": "Échec de la suppression du portefeuille, veuillez réessayer.", - "@walletDeletionErrorGeneric": { - "description": "Message d'erreur générique lorsque la suppression du portefeuille échoue" - }, - "walletDeletionFailedOkButton": "OK", - "@walletDeletionFailedOkButton": { - "description": "Libellé du bouton OK dans la boîte de dialogue d'échec de suppression du portefeuille" - }, - "addressCardUsedLabel": "Utilisée", - "@addressCardUsedLabel": { - "description": "Libellé indiquant qu'une adresse a été utilisée" - }, - "addressCardUnusedLabel": "Non utilisée", - "@addressCardUnusedLabel": { - "description": "Libellé indiquant qu'une adresse n'a pas été utilisée" - }, - "addressCardCopiedMessage": "Adresse copiée dans le presse-papiers", - "@addressCardCopiedMessage": { - "description": "Message de succès lorsqu'une adresse est copiée dans le presse-papiers" - }, - "addressCardIndexLabel": "Index : ", - "@addressCardIndexLabel": { - "description": "Libellé du champ d'index de l'adresse dans la carte d'adresse" - }, - "addressCardBalanceLabel": "Solde : ", - "@addressCardBalanceLabel": { - "description": "Libellé du champ de solde dans la carte d'adresse" - }, - "onboardingRecoverYourWallet": "Restaurez votre portefeuille", - "@onboardingRecoverYourWallet": { - "description": "Titre de la section de restauration du portefeuille dans l'intégration" - }, - "onboardingEncryptedVault": "Coffre-fort chiffré", - "@onboardingEncryptedVault": { - "description": "Titre de l'option de récupération par coffre-fort chiffré dans l'intégration" - }, - "onboardingEncryptedVaultDescription": "Récupérez votre sauvegarde via le cloud en utilisant votre code PIN.", - "@onboardingEncryptedVaultDescription": { - "description": "Description de l'option de récupération par coffre-fort chiffré dans l'intégration" - }, - "onboardingPhysicalBackup": "Sauvegarde physique", - "@onboardingPhysicalBackup": { - "description": "Titre de l'option de récupération par sauvegarde physique dans l'intégration" - }, - "onboardingPhysicalBackupDescription": "Récupérez votre portefeuille via 12 mots.", - "@onboardingPhysicalBackupDescription": { - "description": "Description de l'option de récupération par sauvegarde physique dans l'intégration" - }, - "onboardingRecover": "Restaurer", - "@onboardingRecover": { - "description": "Libellé du bouton pour restaurer un portefeuille dans l'intégration" - }, - "onboardingBullBitcoin": "Bull Bitcoin", - "@onboardingBullBitcoin": { - "description": "Nom de marque affiché dans l'intégration" - }, - "onboardingOwnYourMoney": "Possédez votre argent", - "@onboardingOwnYourMoney": { - "description": "Slogan affiché dans l'écran d'accueil de l'intégration" - }, - "onboardingSplashDescription": "Portefeuille Bitcoin à auto-garde souveraine et service d'échange exclusivement Bitcoin.", - "@onboardingSplashDescription": { - "description": "Description de l'application affichée dans l'écran d'accueil de l'intégration" - }, - "onboardingRecoverWallet": "Restaurer le portefeuille", - "@onboardingRecoverWallet": { - "description": "Titre de l'écran de restauration du portefeuille dans l'intégration" - }, - "onboardingRecoverWalletButton": "Restaurer le portefeuille", - "@onboardingRecoverWalletButton": { - "description": "Libellé du bouton pour restaurer un portefeuille dans l'intégration" - }, - "onboardingCreateNewWallet": "Créer un nouveau portefeuille", - "@onboardingCreateNewWallet": { - "description": "Libellé du bouton pour créer un nouveau portefeuille dans l'intégration" - }, - "sendTitle": "Envoyer", - "@sendTitle": { - "description": "Titre de l'écran d'envoi" - }, - "sendRecipientAddressOrInvoice": "Adresse ou facture du destinataire", - "@sendRecipientAddressOrInvoice": { - "description": "Libellé du champ de saisie de l'adresse ou de la facture du destinataire" - }, - "sendPasteAddressOrInvoice": "Collez une adresse de paiement ou une facture", - "@sendPasteAddressOrInvoice": { - "description": "Texte de substitution pour le champ de saisie de l'adresse de paiement ou de la facture" - }, - "sendContinue": "Continuer", - "@sendContinue": { - "description": "Libellé du bouton pour continuer dans le flux d'envoi" - }, - "sendSelectNetworkFee": "Sélectionnez les frais de réseau", - "@sendSelectNetworkFee": { - "description": "Libellé pour sélectionner les frais de réseau dans le flux d'envoi" - }, - "sendSelectAmount": "Sélectionnez le montant", - "@sendSelectAmount": { - "description": "Libellé pour sélectionner le montant à envoyer" - }, - "sendAmountRequested": "Montant demandé : ", - "@sendAmountRequested": { - "description": "Libellé du montant demandé dans une demande de paiement" - }, - "sendDone": "Terminé", - "@sendDone": { - "description": "Libellé du bouton pour terminer le flux d'envoi" - }, - "sendSelectedUtxosInsufficient": "Les UTXO sélectionnés ne couvrent pas le montant requis", - "@sendSelectedUtxosInsufficient": { - "description": "Message d'erreur lorsque les UTXO sélectionnés ne couvrent pas le montant requis" - }, - "sendAdvancedOptions": "Options avancées", - "@sendAdvancedOptions": { - "description": "Section header for advanced sending features" - }, - "sendReplaceByFeeActivated": "Remplacement par frais activé", - "@sendReplaceByFeeActivated": { - "description": "Message indiquant que le remplacement par frais (RBF) est activé" - }, - "sendSelectCoinsManually": "Sélectionner les pièces manuellement", - "@sendSelectCoinsManually": { - "description": "Libellé pour sélectionner manuellement les pièces (UTXOs) dans le flux d'envoi" - }, - "sendRecipientAddress": "Adresse du destinataire", - "@sendRecipientAddress": { - "description": "Libellé du champ d'adresse du destinataire" - }, - "sendInsufficientBalance": "Solde insuffisant", - "@sendInsufficientBalance": { - "description": "Message d'erreur lorsque le portefeuille a un solde insuffisant pour envoyer" - }, - "sendScanBitcoinQRCode": "Scannez n'importe quel code QR Bitcoin ou Lightning pour payer avec Bitcoin.", - "@sendScanBitcoinQRCode": { - "description": "Instructions pour scanner un code QR pour effectuer un paiement Bitcoin" - }, - "sendOpenTheCamera": "Ouvrir la caméra", - "@sendOpenTheCamera": { - "description": "Libellé du bouton pour ouvrir la caméra afin de scanner des codes QR" - }, - "sendCustomFee": "Frais personnalisés", - "@sendCustomFee": { - "description": "Libellé pour définir des frais de transaction personnalisés" - }, - "sendAbsoluteFees": "Frais absolus", - "@sendAbsoluteFees": { - "description": "Libellé pour le mode d'affichage des frais absolus (total en sats)" - }, - "sendRelativeFees": "Frais relatifs", - "@sendRelativeFees": { - "description": "Libellé pour le mode d'affichage des frais relatifs (sats par vByte)" - }, - "sendSats": "sats", - "@sendSats": { - "description": "Libellé d'unité pour les satoshis" - }, - "sendSatsPerVB": "sats/vB", - "@sendSatsPerVB": { - "description": "Libellé d'unité pour les satoshis par octet virtuel" - }, - "sendConfirmCustomFee": "Confirmer les frais personnalisés", - "@sendConfirmCustomFee": { - "description": "Libellé du bouton pour confirmer des frais personnalisés" - }, - "sendEstimatedDelivery10Minutes": "10 minutes", - "@sendEstimatedDelivery10Minutes": { - "description": "Temps de livraison estimé d'environ 10 minutes" - }, - "sendEstimatedDelivery10to30Minutes": "10-30 minutes", - "@sendEstimatedDelivery10to30Minutes": { - "description": "Temps de livraison estimé de 10 à 30 minutes" - }, - "sendEstimatedDeliveryFewHours": "quelques heures", - "@sendEstimatedDeliveryFewHours": { - "description": "Temps de livraison estimé de quelques heures" - }, - "sendEstimatedDeliveryHoursToDays": "heures à jours", - "@sendEstimatedDeliveryHoursToDays": { - "description": "Temps de livraison estimé allant de quelques heures à plusieurs jours" - }, - "sendEstimatedDelivery": "Livraison estimée ~ ", - "@sendEstimatedDelivery": { - "description": "Préfixe du libellé pour le temps de livraison estimé" - }, - "sendAddress": "Adresse : ", - "@sendAddress": { - "description": "Préfixe du libellé pour le champ d'adresse" - }, - "sendType": "Type : ", - "@sendType": { - "description": "Préfixe du libellé pour le champ de type de transaction" - }, - "sendReceive": "Recevoir", - "@sendReceive": { - "description": "Libellé pour le type de transaction de réception" - }, - "sendChange": "Monnaie", - "@sendChange": { - "description": "Libellé pour la sortie de monnaie dans une transaction" - }, - "sendCouldNotBuildTransaction": "Impossible de construire la transaction", - "@sendCouldNotBuildTransaction": { - "description": "Message d'erreur lorsqu'une transaction ne peut pas être construite" - }, - "sendHighFeeWarning": "Avertissement de frais élevés", - "@sendHighFeeWarning": { - "description": "Titre d'avertissement pour les frais de transaction élevés" - }, - "sendSlowPaymentWarning": "Avertissement de paiement lent", - "@sendSlowPaymentWarning": { - "description": "Titre d'avertissement pour une confirmation de paiement lente" - }, - "sendSlowPaymentWarningDescription": "Les échanges Bitcoin prendront du temps pour être confirmés.", - "@sendSlowPaymentWarningDescription": { - "description": "Description de l'avertissement de paiement lent" - }, - "sendAdvancedSettings": "Paramètres avancés", - "@sendAdvancedSettings": { - "description": "Titre des paramètres avancés dans le flux d'envoi" - }, - "sendConfirm": "Confirmer", - "@sendConfirm": { - "description": "Libellé du bouton pour confirmer une transaction d'envoi" - }, - "sendBroadcastTransaction": "Diffuser la transaction", - "@sendBroadcastTransaction": { - "description": "Libellé du bouton pour diffuser une transaction sur le réseau" - }, - "sendFrom": "De", - "@sendFrom": { - "description": "Libellé pour l'expéditeur/source dans une transaction" - }, - "sendTo": "À", - "@sendTo": { - "description": "Libellé pour le destinataire/destination dans une transaction" - }, - "sendAmount": "Montant", - "@sendAmount": { - "description": "Libellé pour le montant de la transaction" - }, - "sendNetworkFees": "Frais de réseau", - "@sendNetworkFees": { - "description": "Libellé pour les frais de transaction du réseau" - }, - "sendFeePriority": "Priorité des frais", - "@sendFeePriority": { - "description": "Libellé pour sélectionner le niveau de priorité des frais" - }, - "receiveTitle": "Recevoir", - "@receiveTitle": { - "description": "Main screen title for receive feature" - }, - "receiveBitcoin": "Bitcoin", - "@receiveBitcoin": { - "description": "Libellé pour recevoir du Bitcoin sur la couche de base" - }, - "receiveLightning": "Lightning", - "@receiveLightning": { - "description": "Libellé pour recevoir du Bitcoin via le réseau Lightning" - }, - "receiveLiquid": "Liquid", - "@receiveLiquid": { - "description": "Libellé pour recevoir du Bitcoin via le réseau Liquid" - }, - "receiveAddLabel": "Ajouter une étiquette", - "@receiveAddLabel": { - "description": "Libellé du bouton pour ajouter une étiquette à une adresse de réception" - }, - "receiveNote": "Note", - "@receiveNote": { - "description": "Libellé pour ajouter une note à une transaction de réception" - }, - "receiveSave": "Enregistrer", - "@receiveSave": { - "description": "Libellé du bouton pour enregistrer les détails de réception" - }, - "receivePayjoinActivated": "Payjoin activé", - "@receivePayjoinActivated": { - "description": "Message indiquant que payjoin est activé pour la transaction de réception" - }, - "receiveLightningInvoice": "Facture Lightning", - "@receiveLightningInvoice": { - "description": "Libellé pour une facture du réseau Lightning" - }, - "receiveAddress": "Adresse de réception", - "@receiveAddress": { - "description": "Label for generated address" - }, - "receiveAmount": "Montant (optionnel)", - "@receiveAmount": { - "description": "Optional amount field for invoice" - }, - "receiveNoteLabel": "Note", - "@receiveNoteLabel": { - "description": "Libellé du champ de note dans la réception" - }, - "receiveEnterHere": "Entrez ici...", - "@receiveEnterHere": { - "description": "Texte de substitution pour les champs de saisie dans la réception" - }, - "receiveSwapID": "ID d'échange", - "@receiveSwapID": { - "description": "Libellé pour l'identifiant d'échange dans une transaction de réception" - }, - "receiveTotalFee": "Frais totaux", - "@receiveTotalFee": { - "description": "Libellé pour les frais totaux dans une transaction de réception" - }, - "receiveNetworkFee": "Frais de réseau", - "@receiveNetworkFee": { - "description": "Libellé pour les frais de réseau dans une transaction de réception" - }, - "receiveBoltzSwapFee": "Frais d'échange Boltz", - "@receiveBoltzSwapFee": { - "description": "Libellé pour les frais du service d'échange Boltz dans une transaction de réception" - }, - "receiveCopyOrScanAddressOnly": "Copier ou scanner l'adresse uniquement", - "@receiveCopyOrScanAddressOnly": { - "description": "Option pour copier ou scanner uniquement l'adresse sans le montant ou d'autres détails" - }, - "receiveNewAddress": "Nouvelle adresse", - "@receiveNewAddress": { - "description": "Libellé du bouton pour générer une nouvelle adresse de réception" - }, - "receiveVerifyAddressOnLedger": "Vérifier l'adresse sur Ledger", - "@receiveVerifyAddressOnLedger": { - "description": "Libellé du bouton pour vérifier une adresse sur un portefeuille matériel Ledger" - }, - "receiveUnableToVerifyAddress": "Impossible de vérifier l'adresse : Informations de portefeuille ou d'adresse manquantes", - "@receiveUnableToVerifyAddress": { - "description": "Message d'erreur lorsque la vérification de l'adresse n'est pas possible" - }, - "receivePaymentReceived": "Paiement reçu !", - "@receivePaymentReceived": { - "description": "Success message after receiving payment" - }, - "receiveDetails": "Détails", - "@receiveDetails": { - "description": "Libellé pour afficher les détails de la transaction" - }, - "receivePaymentInProgress": "Paiement en cours", - "@receivePaymentInProgress": { - "description": "Message de statut lorsqu'un paiement est en cours de traitement" - }, - "receiveBitcoinTransactionWillTakeTime": "La transaction Bitcoin prendra du temps pour être confirmée.", - "@receiveBitcoinTransactionWillTakeTime": { - "description": "Message d'information sur le temps de confirmation de la transaction Bitcoin" - }, - "receiveConfirmedInFewSeconds": "Elle sera confirmée dans quelques secondes", - "@receiveConfirmedInFewSeconds": { - "description": "Message indiquant un temps de confirmation rapide pour les transactions Lightning" - }, - "receivePayjoinInProgress": "Payjoin en cours", - "@receivePayjoinInProgress": { - "description": "Message de statut lorsqu'une transaction payjoin est en cours" - }, - "receiveWaitForSenderToFinish": "Attendez que l'expéditeur termine la transaction payjoin", - "@receiveWaitForSenderToFinish": { - "description": "Instructions pour attendre l'expéditeur pendant une transaction payjoin" - }, - "receiveNoTimeToWait": "Pas le temps d'attendre ou le payjoin a-t-il échoué du côté de l'expéditeur ?", - "@receiveNoTimeToWait": { - "description": "Question demandant à l'utilisateur s'il souhaite procéder sans payjoin" - }, - "receivePaymentNormally": "Recevoir le paiement normalement", - "@receivePaymentNormally": { - "description": "Option pour recevoir le paiement sans payjoin s'il échoue" - }, - "receiveContinue": "Continuer", - "@receiveContinue": { - "description": "Libellé du bouton pour continuer dans le flux de réception" - }, - "receiveCopyAddressOnly": "Copier ou scanner l'adresse uniquement", - "@receiveCopyAddressOnly": { - "description": "Option pour copier ou scanner uniquement l'adresse sans le montant ou d'autres détails" - }, - "receiveError": "Erreur : {error}", - "@receiveError": { - "description": "Message d'erreur générique avec détails de l'erreur", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "receiveFeeExplanation": "Ces frais seront déduits du montant envoyé", - "@receiveFeeExplanation": { - "description": "Explication que les frais sont déduits du montant envoyé" - }, - "receiveNotePlaceholder": "Note", - "@receiveNotePlaceholder": { - "description": "Texte de substitution pour le champ de saisie de note" - }, - "receiveReceiveAmount": "Montant à recevoir", - "@receiveReceiveAmount": { - "description": "Libellé pour le montant qui sera reçu après les frais" - }, - "receiveSendNetworkFee": "Frais de réseau d'envoi", - "@receiveSendNetworkFee": { - "description": "Libellé pour les frais de réseau sur le réseau d'envoi dans une transaction d'échange" - }, - "receiveServerNetworkFees": "Frais de réseau du serveur", - "@receiveServerNetworkFees": { - "description": "Libellé pour les frais de réseau facturés par le serveur d'échange" - }, - "receiveSwapId": "ID d'échange", - "@receiveSwapId": { - "description": "Libellé pour l'identifiant d'échange dans une transaction de réception" - }, - "receiveTransferFee": "Frais de transfert", - "@receiveTransferFee": { - "description": "Libellé pour les frais de transfert dans une transaction de réception" - }, - "receiveVerifyAddressError": "Impossible de vérifier l'adresse : Informations de portefeuille ou d'adresse manquantes", - "@receiveVerifyAddressError": { - "description": "Message d'erreur lorsque la vérification de l'adresse n'est pas possible" - }, - "receiveVerifyAddressLedger": "Vérifier l'adresse sur Ledger", - "@receiveVerifyAddressLedger": { - "description": "Libellé du bouton pour vérifier une adresse sur un portefeuille matériel Ledger" - }, - "receiveBitcoinConfirmationMessage": "La transaction Bitcoin prendra du temps pour être confirmée.", - "@receiveBitcoinConfirmationMessage": { - "description": "Message d'information sur le temps de confirmation de la transaction Bitcoin" - }, - "receiveLiquidConfirmationMessage": "Elle sera confirmée dans quelques secondes", - "@receiveLiquidConfirmationMessage": { - "description": "Message indiquant un temps de confirmation rapide pour les transactions Liquid" - }, - "receiveWaitForPayjoin": "Attendez que l'expéditeur termine la transaction payjoin", - "@receiveWaitForPayjoin": { - "description": "Instructions pour attendre l'expéditeur pendant une transaction payjoin" - }, - "receivePayjoinFailQuestion": "Pas le temps d'attendre ou le payjoin a-t-il échoué du côté de l'expéditeur ?", - "@receivePayjoinFailQuestion": { - "description": "Question demandant à l'utilisateur s'il souhaite procéder sans payjoin" - }, - "buyTitle": "Acheter du Bitcoin", - "@buyTitle": { - "description": "Titre de l'écran d'achat de Bitcoin" - }, - "buyEnterAmount": "Entrez le montant", - "@buyEnterAmount": { - "description": "Libellé du champ de saisie du montant dans le flux d'achat" - }, - "buyPaymentMethod": "Méthode de paiement", - "@buyPaymentMethod": { - "description": "Libellé du menu déroulant de méthode de paiement" - }, - "buyMax": "Max", - "@buyMax": { - "description": "Bouton pour remplir le montant maximum" - }, - "buySelectWallet": "Sélectionner le portefeuille", - "@buySelectWallet": { - "description": "Libellé du menu déroulant de sélection du portefeuille" - }, - "buyEnterBitcoinAddress": "Entrez l'adresse Bitcoin", - "@buyEnterBitcoinAddress": { - "description": "Libellé du champ de saisie de l'adresse Bitcoin" - }, - "buyBitcoinAddressHint": "BC1QYL7J673H...6Y6ALV70M0", - "@buyBitcoinAddressHint": { - "description": "Texte d'indication de substitution pour la saisie de l'adresse Bitcoin" - }, - "buyExternalBitcoinWallet": "Portefeuille Bitcoin externe", - "@buyExternalBitcoinWallet": { - "description": "Libellé de l'option de portefeuille externe" - }, - "buySecureBitcoinWallet": "Portefeuille Bitcoin sécurisé", - "@buySecureBitcoinWallet": { - "description": "Libellé du portefeuille Bitcoin sécurisé" - }, - "buyInstantPaymentWallet": "Portefeuille de paiement instantané", - "@buyInstantPaymentWallet": { - "description": "Libellé du portefeuille de paiement instantané (Liquid)" - }, - "buyShouldBuyAtLeast": "Vous devez acheter au moins", - "@buyShouldBuyAtLeast": { - "description": "Message d'erreur pour un montant inférieur au minimum" - }, - "buyCantBuyMoreThan": "Vous ne pouvez pas acheter plus de", - "@buyCantBuyMoreThan": { - "description": "Message d'erreur pour un montant supérieur au maximum" - }, - "buyKycPendingTitle": "Vérification d'identité KYC en attente", - "@buyKycPendingTitle": { - "description": "Titre de la carte de vérification KYC requise" - }, - "buyKycPendingDescription": "Vous devez d'abord compléter la vérification d'identité", - "@buyKycPendingDescription": { - "description": "Description de la vérification KYC requise" - }, - "buyCompleteKyc": "Compléter le KYC", - "@buyCompleteKyc": { - "description": "Bouton pour compléter la vérification KYC" - }, - "buyInsufficientBalanceTitle": "Solde insuffisant", - "@buyInsufficientBalanceTitle": { - "description": "Titre de l'erreur de solde insuffisant" - }, - "buyInsufficientBalanceDescription": "Vous n'avez pas assez de solde pour créer cette commande.", - "@buyInsufficientBalanceDescription": { - "description": "Description de l'erreur de solde insuffisant" - }, - "buyFundYourAccount": "Alimenter votre compte", - "@buyFundYourAccount": { - "description": "Bouton pour alimenter le compte d'échange" - }, - "buyContinue": "Continuer", - "@buyContinue": { - "description": "Bouton pour passer à l'étape suivante" - }, - "buyYouPay": "Vous payez", - "@buyYouPay": { - "description": "Libellé du montant que l'utilisateur paie" - }, - "buyYouReceive": "Vous recevez", - "@buyYouReceive": { - "description": "Libellé du montant que l'utilisateur reçoit" - }, - "buyBitcoinPrice": "Prix du Bitcoin", - "@buyBitcoinPrice": { - "description": "Libellé du taux de change du Bitcoin" - }, - "buyPayoutMethod": "Méthode de paiement", - "@buyPayoutMethod": { - "description": "Libellé de la méthode de paiement" - }, - "buyAwaitingConfirmation": "En attente de confirmation ", - "@buyAwaitingConfirmation": { - "description": "Texte affiché en attendant la confirmation de la commande" - }, - "buyConfirmPurchase": "Confirmer l'achat", - "@buyConfirmPurchase": { - "description": "Button to confirm purchase" - }, - "buyYouBought": "Vous avez acheté {amount}", - "@buyYouBought": { - "description": "Message de succès avec le montant acheté", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyPayoutWillBeSentIn": "Votre paiement sera envoyé dans ", - "@buyPayoutWillBeSentIn": { - "description": "Texte avant le compte à rebours pour le paiement" - }, - "buyViewDetails": "Voir les détails", - "@buyViewDetails": { - "description": "Bouton pour voir les détails de la commande" - }, - "buyAccelerateTransaction": "Accélérer la transaction", - "@buyAccelerateTransaction": { - "description": "Titre de l'option d'accélération de transaction" - }, - "buyGetConfirmedFaster": "Faites-la confirmer plus rapidement", - "@buyGetConfirmedFaster": { - "description": "Sous-titre de l'option d'accélération" - }, - "buyConfirmExpressWithdrawal": "Confirmer le retrait express", - "@buyConfirmExpressWithdrawal": { - "description": "Titre de l'écran de confirmation du retrait express" - }, - "buyNetworkFeeExplanation": "Les frais de réseau Bitcoin seront déduits du montant que vous recevez et collectés par les mineurs de Bitcoin", - "@buyNetworkFeeExplanation": { - "description": "Explication des frais de réseau pour le retrait express" - }, - "buyNetworkFees": "Frais de réseau", - "@buyNetworkFees": { - "description": "Libellé du montant des frais de réseau" - }, - "buyEstimatedFeeValue": "Valeur estimée des frais", - "@buyEstimatedFeeValue": { - "description": "Libellé de la valeur estimée des frais en devise fiduciaire" - }, - "buyNetworkFeeRate": "Taux des frais de réseau", - "@buyNetworkFeeRate": { - "description": "Libellé du taux des frais de réseau" - }, - "buyConfirmationTime": "Temps de confirmation", - "@buyConfirmationTime": { - "description": "Libellé du temps de confirmation estimé" - }, - "buyConfirmationTimeValue": "~10 minutes", - "@buyConfirmationTimeValue": { - "description": "Valeur du temps de confirmation estimé" - }, - "buyWaitForFreeWithdrawal": "Attendre le retrait gratuit", - "@buyWaitForFreeWithdrawal": { - "description": "Bouton pour attendre le retrait gratuit (plus lent)" - }, - "buyConfirmExpress": "Confirmer l'express", - "@buyConfirmExpress": { - "description": "Bouton pour confirmer le retrait express" - }, - "buyBitcoinSent": "Bitcoin envoyé !", - "@buyBitcoinSent": { - "description": "Message de succès pour la transaction accélérée" - }, - "buyThatWasFast": "C'était rapide, n'est-ce pas ?", - "@buyThatWasFast": { - "description": "Message de succès supplémentaire pour la transaction accélérée" - }, - "sellTitle": "Vendre du Bitcoin", - "@sellTitle": { - "description": "AppBar title for sell screen" - }, - "sellSelectWallet": "Sélectionner le portefeuille", - "@sellSelectWallet": { - "description": "Dropdown to choose source wallet" - }, - "sellWhichWalletQuestion": "De quel portefeuille voulez-vous vendre ?", - "@sellWhichWalletQuestion": { - "description": "Question invitant l'utilisateur à sélectionner le portefeuille" - }, - "sellExternalWallet": "Portefeuille externe", - "@sellExternalWallet": { - "description": "Option pour le portefeuille externe" - }, - "sellFromAnotherWallet": "Vendre depuis un autre portefeuille Bitcoin", - "@sellFromAnotherWallet": { - "description": "Sous-titre de l'option de portefeuille externe" - }, - "sellAboveMaxAmountError": "Vous essayez de vendre au-dessus du montant maximum qui peut être vendu avec ce portefeuille.", - "@sellAboveMaxAmountError": { - "description": "Message d'erreur pour un montant supérieur au maximum" - }, - "sellBelowMinAmountError": "Vous essayez de vendre en dessous du montant minimum qui peut être vendu avec ce portefeuille.", - "@sellBelowMinAmountError": { - "description": "Message d'erreur pour un montant inférieur au minimum" - }, - "sellInsufficientBalanceError": "Solde insuffisant dans le portefeuille sélectionné pour compléter cette commande de vente.", - "@sellInsufficientBalanceError": { - "description": "Message d'erreur pour solde insuffisant" - }, - "sellUnauthenticatedError": "Vous n'êtes pas authentifié. Veuillez vous connecter pour continuer.", - "@sellUnauthenticatedError": { - "description": "Message d'erreur pour utilisateur non authentifié" - }, - "sellOrderNotFoundError": "La commande de vente n'a pas été trouvée. Veuillez réessayer.", - "@sellOrderNotFoundError": { - "description": "Message d'erreur pour commande introuvable" - }, - "sellOrderAlreadyConfirmedError": "Cette commande de vente a déjà été confirmée.", - "@sellOrderAlreadyConfirmedError": { - "description": "Message d'erreur pour commande déjà confirmée" - }, - "sellSelectNetwork": "Sélectionner le réseau", - "@sellSelectNetwork": { - "description": "Titre de l'écran de sélection du réseau" - }, - "sellHowToPayInvoice": "Comment voulez-vous payer cette facture ?", - "@sellHowToPayInvoice": { - "description": "Question pour la sélection de la méthode de paiement" - }, - "sellBitcoinOnChain": "Bitcoin on-chain", - "@sellBitcoinOnChain": { - "description": "Option pour le paiement Bitcoin on-chain" - }, - "sellLightningNetwork": "Réseau Lightning", - "@sellLightningNetwork": { - "description": "Option pour le paiement sur le réseau Lightning" - }, - "sellLiquidNetwork": "Réseau Liquid", - "@sellLiquidNetwork": { - "description": "Option pour le paiement sur le réseau Liquid" - }, - "sellConfirmPayment": "Confirmer le paiement", - "@sellConfirmPayment": { - "description": "Titre de l'écran de confirmation du paiement" - }, - "sellPriceWillRefreshIn": "Le prix sera actualisé dans ", - "@sellPriceWillRefreshIn": { - "description": "Texte avant le compte à rebours pour l'actualisation du prix" - }, - "sellOrderNumber": "Numéro de commande", - "@sellOrderNumber": { - "description": "Libellé du numéro de commande" - }, - "sellPayoutRecipient": "Bénéficiaire du paiement", - "@sellPayoutRecipient": { - "description": "Libellé du bénéficiaire du paiement" - }, - "sellCadBalance": "Solde CAD", - "@sellCadBalance": { - "description": "Texte d'affichage pour la méthode de paiement en solde CAD" - }, - "sellCrcBalance": "Solde CRC", - "@sellCrcBalance": { - "description": "Texte d'affichage pour la méthode de paiement en solde CRC" - }, - "sellEurBalance": "Solde EUR", - "@sellEurBalance": { - "description": "Texte d'affichage pour la méthode de paiement en solde EUR" - }, - "sellUsdBalance": "Solde USD", - "@sellUsdBalance": { - "description": "Texte d'affichage pour la méthode de paiement en solde USD" - }, - "sellMxnBalance": "Solde MXN", - "@sellMxnBalance": { - "description": "Texte d'affichage pour la méthode de paiement en solde MXN" - }, - "sellArsBalance": "Solde ARS", - "@sellArsBalance": { - "description": "Texte d'affichage pour la méthode de paiement en solde ARS" - }, - "sellCopBalance": "Solde COP", - "@sellCopBalance": { - "description": "Texte d'affichage pour la méthode de paiement en solde COP" - }, - "sellPayinAmount": "Montant à payer", - "@sellPayinAmount": { - "description": "Libellé du montant que l'utilisateur paie" - }, - "sellPayoutAmount": "Montant à recevoir", - "@sellPayoutAmount": { - "description": "Libellé du montant que l'utilisateur reçoit" - }, - "sellExchangeRate": "Taux de change", - "@sellExchangeRate": { - "description": "Libellé du taux de change" - }, - "sellPayFromWallet": "Payer depuis le portefeuille", - "@sellPayFromWallet": { - "description": "Libellé du portefeuille utilisé pour le paiement" - }, - "sellInstantPayments": "Paiements instantanés", - "@sellInstantPayments": { - "description": "Texte d'affichage pour le portefeuille de paiement instantané" - }, - "sellSecureBitcoinWallet": "Portefeuille Bitcoin sécurisé", - "@sellSecureBitcoinWallet": { - "description": "Texte d'affichage pour le portefeuille Bitcoin sécurisé" - }, - "sellFeePriority": "Priorité des frais", - "@sellFeePriority": { - "description": "Libellé de la sélection de la priorité des frais" - }, - "sellFastest": "Le plus rapide", - "@sellFastest": { - "description": "Texte d'affichage pour l'option de frais la plus rapide" - }, - "sellCalculating": "Calcul en cours...", - "@sellCalculating": { - "description": "Texte affiché pendant le calcul des frais" - }, - "sellAdvancedSettings": "Paramètres avancés", - "@sellAdvancedSettings": { - "description": "Bouton pour les paramètres avancés" - }, - "sellAdvancedOptions": "Options avancées", - "@sellAdvancedOptions": { - "description": "Titre de la feuille inférieure des options avancées" - }, - "sellReplaceByFeeActivated": "Remplacement par frais activé", - "@sellReplaceByFeeActivated": { - "description": "Libellé du bouton à bascule RBF" - }, - "sellSelectCoinsManually": "Sélectionner les pièces manuellement", - "@sellSelectCoinsManually": { - "description": "Option pour sélectionner manuellement les UTXOs" - }, - "sellDone": "Terminé", - "@sellDone": { - "description": "Bouton pour fermer la feuille inférieure" - }, - "sellPleasePayInvoice": "Veuillez payer cette facture", - "@sellPleasePayInvoice": { - "description": "Titre de l'écran de réception du paiement" - }, - "sellBitcoinAmount": "Montant Bitcoin", - "@sellBitcoinAmount": { - "description": "Libellé du montant Bitcoin" - }, - "sellCopyInvoice": "Copier la facture", - "@sellCopyInvoice": { - "description": "Bouton pour copier la facture" - }, - "sellShowQrCode": "Afficher le code QR", - "@sellShowQrCode": { - "description": "Bouton pour afficher le code QR" - }, - "sellQrCode": "Code QR", - "@sellQrCode": { - "description": "Titre de la feuille inférieure du code QR" - }, - "sellNoInvoiceData": "Aucune donnée de facture disponible", - "@sellNoInvoiceData": { - "description": "Message lorsqu'aucune donnée de facture n'est disponible" - }, - "sellInProgress": "Vente en cours...", - "@sellInProgress": { - "description": "Message pour une vente en cours" - }, - "sellGoHome": "Aller à l'accueil", - "@sellGoHome": { - "description": "Bouton pour aller à l'écran d'accueil" - }, - "sellOrderCompleted": "Commande terminée !", - "@sellOrderCompleted": { - "description": "Message de succès pour une commande terminée" - }, - "sellBalanceWillBeCredited": "Le solde de votre compte sera crédité après que votre transaction reçoive 1 confirmation on-chain.", - "@sellBalanceWillBeCredited": { - "description": "Information sur le crédit du solde" - }, - "payTitle": "Payer", - "@payTitle": { - "description": "Titre de l'écran de paiement" - }, - "paySelectRecipient": "Sélectionner le destinataire", - "@paySelectRecipient": { - "description": "Titre de l'écran de sélection du destinataire" - }, - "payWhoAreYouPaying": "Qui payez-vous ?", - "@payWhoAreYouPaying": { - "description": "Question invitant l'utilisateur à sélectionner le destinataire" - }, - "payNewRecipients": "Nouveaux destinataires", - "@payNewRecipients": { - "description": "Libellé de l'onglet pour les nouveaux destinataires" - }, - "payMyFiatRecipients": "Mes destinataires fiduciaires", - "@payMyFiatRecipients": { - "description": "Libellé de l'onglet pour les destinataires enregistrés" - }, - "payNoRecipientsFound": "Aucun destinataire trouvé à payer.", - "@payNoRecipientsFound": { - "description": "Message lorsqu'aucun destinataire n'est trouvé" - }, - "payLoadingRecipients": "Chargement des destinataires...", - "@payLoadingRecipients": { - "description": "Message pendant le chargement des destinataires" - }, - "payNotLoggedIn": "Non connecté", - "@payNotLoggedIn": { - "description": "Titre de la carte non connecté" - }, - "payNotLoggedInDescription": "Vous n'êtes pas connecté. Veuillez vous connecter pour continuer à utiliser la fonction de paiement.", - "@payNotLoggedInDescription": { - "description": "Description de l'état non connecté" - }, - "paySelectCountry": "Sélectionner le pays", - "@paySelectCountry": { - "description": "Indication pour le menu déroulant du pays" - }, - "payPayoutMethod": "Méthode de paiement", - "@payPayoutMethod": { - "description": "Libellé de la section de méthode de paiement" - }, - "payEmail": "Courriel", - "@payEmail": { - "description": "Libellé du champ de courriel" - }, - "payEmailHint": "Entrez l'adresse courriel", - "@payEmailHint": { - "description": "Indication pour la saisie du courriel" - }, - "payName": "Nom", - "@payName": { - "description": "Libellé du champ de nom" - }, - "payNameHint": "Entrez le nom du destinataire", - "@payNameHint": { - "description": "Indication pour la saisie du nom" - }, - "paySecurityQuestion": "Question de sécurité", - "@paySecurityQuestion": { - "description": "Libellé du champ de question de sécurité" - }, - "paySecurityQuestionHint": "Entrez la question de sécurité (10-40 caractères)", - "@paySecurityQuestionHint": { - "description": "Indication pour la saisie de la question de sécurité" - }, - "paySecurityQuestionLength": "{count}/40 caractères", - "@paySecurityQuestionLength": { - "description": "Compte de caractères pour la question de sécurité", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "paySecurityQuestionLengthError": "Doit contenir 10-40 caractères", - "@paySecurityQuestionLengthError": { - "description": "Erreur pour longueur de question de sécurité invalide" - }, - "paySecurityAnswer": "Réponse de sécurité", - "@paySecurityAnswer": { - "description": "Libellé du champ de réponse de sécurité" - }, - "paySecurityAnswerHint": "Entrez la réponse de sécurité", - "@paySecurityAnswerHint": { - "description": "Indication pour la saisie de la réponse de sécurité" - }, - "payLabelOptional": "Étiquette (facultatif)", - "@payLabelOptional": { - "description": "Libellé du champ d'étiquette facultatif" - }, - "payLabelHint": "Entrez une étiquette pour ce destinataire", - "@payLabelHint": { - "description": "Indication pour la saisie de l'étiquette" - }, - "payBillerName": "Nom du facturier", - "@payBillerName": { - "description": "Libellé du champ de nom du facturier" - }, - "payBillerNameValue": "Nom du facturier sélectionné", - "@payBillerNameValue": { - "description": "Espace réservé pour le nom du facturier" - }, - "payBillerSearchHint": "Entrez les 3 premières lettres du nom du facturier", - "@payBillerSearchHint": { - "description": "Indication pour le champ de recherche du facturier" - }, - "payPayeeAccountNumber": "Numéro de compte du bénéficiaire", - "@payPayeeAccountNumber": { - "description": "Libellé du numéro de compte du bénéficiaire" - }, - "payPayeeAccountNumberHint": "Entrez le numéro de compte", - "@payPayeeAccountNumberHint": { - "description": "Indication pour la saisie du numéro de compte" - }, - "payInstitutionNumber": "Numéro d'institution", - "@payInstitutionNumber": { - "description": "Libellé du numéro d'institution" - }, - "payInstitutionNumberHint": "Entrez le numéro d'institution", - "@payInstitutionNumberHint": { - "description": "Indication pour la saisie du numéro d'institution" - }, - "payTransitNumber": "Numéro de transit", - "@payTransitNumber": { - "description": "Libellé du numéro de transit" - }, - "payTransitNumberHint": "Entrez le numéro de transit", - "@payTransitNumberHint": { - "description": "Indication pour la saisie du numéro de transit" - }, - "payAccountNumber": "Numéro de compte", - "@payAccountNumber": { - "description": "Libellé du numéro de compte" - }, - "payAccountNumberHint": "Entrez le numéro de compte", - "@payAccountNumberHint": { - "description": "Indication pour la saisie du numéro de compte" - }, - "payDefaultCommentOptional": "Commentaire par défaut (facultatif)", - "@payDefaultCommentOptional": { - "description": "Libellé du champ de commentaire par défaut" - }, - "payDefaultCommentHint": "Entrez le commentaire par défaut", - "@payDefaultCommentHint": { - "description": "Indication pour la saisie du commentaire par défaut" - }, - "payIban": "IBAN", - "@payIban": { - "description": "Libellé du champ IBAN" - }, - "payIbanHint": "Entrez l'IBAN", - "@payIbanHint": { - "description": "Indication pour la saisie de l'IBAN" - }, - "payCorporate": "Entreprise", - "@payCorporate": { - "description": "Libellé de la case à cocher entreprise" - }, - "payIsCorporateAccount": "Est-ce un compte d'entreprise ?", - "@payIsCorporateAccount": { - "description": "Question pour la case à cocher de compte d'entreprise" - }, - "payFirstName": "Prénom", - "@payFirstName": { - "description": "Libellé du champ de prénom" - }, - "payFirstNameHint": "Entrez le prénom", - "@payFirstNameHint": { - "description": "Indication pour la saisie du prénom" - }, - "payLastName": "Nom de famille", - "@payLastName": { - "description": "Libellé du champ de nom de famille" - }, - "payLastNameHint": "Entrez le nom de famille", - "@payLastNameHint": { - "description": "Indication pour la saisie du nom de famille" - }, - "payCorporateName": "Nom de l'entreprise", - "@payCorporateName": { - "description": "Libellé du champ de nom d'entreprise" - }, - "payCorporateNameHint": "Entrez le nom de l'entreprise", - "@payCorporateNameHint": { - "description": "Indication pour la saisie du nom d'entreprise" - }, - "payClabe": "CLABE", - "@payClabe": { - "description": "Libellé du champ CLABE" - }, - "payClabeHint": "Entrez le numéro CLABE", - "@payClabeHint": { - "description": "Indication pour la saisie du CLABE" - }, - "payInstitutionCode": "Code de l'institution", - "@payInstitutionCode": { - "description": "Libellé du champ de code d'institution" - }, - "payInstitutionCodeHint": "Entrez le code de l'institution", - "@payInstitutionCodeHint": { - "description": "Indication pour la saisie du code d'institution" - }, - "payPhoneNumber": "Numéro de téléphone", - "@payPhoneNumber": { - "description": "Libellé du champ de numéro de téléphone" - }, - "payPhoneNumberHint": "Entrez le numéro de téléphone", - "@payPhoneNumberHint": { - "description": "Indication pour la saisie du numéro de téléphone" - }, - "payDebitCardNumber": "Numéro de carte de débit", - "@payDebitCardNumber": { - "description": "Libellé du champ de numéro de carte de débit" - }, - "payDebitCardNumberHint": "Entrez le numéro de carte de débit", - "@payDebitCardNumberHint": { - "description": "Indication pour la saisie du numéro de carte de débit" - }, - "payOwnerName": "Nom du titulaire", - "@payOwnerName": { - "description": "Libellé du champ de nom du titulaire" - }, - "payOwnerNameHint": "Entrez le nom du titulaire", - "@payOwnerNameHint": { - "description": "Indication pour la saisie du nom du titulaire" - }, - "payValidating": "Validation en cours...", - "@payValidating": { - "description": "Texte affiché pendant la validation SINPE" - }, - "payInvalidSinpe": "SINPE invalide", - "@payInvalidSinpe": { - "description": "Message d'erreur pour SINPE invalide" - }, - "payFilterByType": "Filtrer par type", - "@payFilterByType": { - "description": "Libellé du menu déroulant de filtre par type" - }, - "payAllTypes": "Tous les types", - "@payAllTypes": { - "description": "Option pour le filtre tous les types" - }, - "payAllCountries": "Tous les pays", - "@payAllCountries": { - "description": "Option pour le filtre tous les pays" - }, - "payRecipientType": "Type de destinataire", - "@payRecipientType": { - "description": "Libellé du type de destinataire" - }, - "payRecipientName": "Nom du destinataire", - "@payRecipientName": { - "description": "Libellé du nom du destinataire" - }, - "payRecipientDetails": "Détails du destinataire", - "@payRecipientDetails": { - "description": "Libellé des détails du destinataire" - }, - "payAccount": "Compte", - "@payAccount": { - "description": "Libellé des détails du compte" - }, - "payPayee": "Bénéficiaire", - "@payPayee": { - "description": "Libellé des détails du bénéficiaire" - }, - "payCard": "Carte", - "@payCard": { - "description": "Libellé des détails de la carte" - }, - "payPhone": "Téléphone", - "@payPhone": { - "description": "Libellé des détails du téléphone" - }, - "payNoDetailsAvailable": "Aucun détail disponible", - "@payNoDetailsAvailable": { - "description": "Message lorsque les détails du destinataire ne sont pas disponibles" - }, - "paySelectWallet": "Sélectionner le Portefeuille", - "@paySelectWallet": { - "description": "Label for wallet selection dropdown in payment" - }, - "payWhichWalletQuestion": "De quel portefeuille voulez-vous payer ?", - "@payWhichWalletQuestion": { - "description": "Question invitant l'utilisateur à sélectionner le portefeuille" - }, - "payExternalWallet": "Portefeuille externe", - "@payExternalWallet": { - "description": "Option pour le portefeuille externe" - }, - "payFromAnotherWallet": "Payer depuis un autre portefeuille Bitcoin", - "@payFromAnotherWallet": { - "description": "Sous-titre de l'option de portefeuille externe" - }, - "payAboveMaxAmountError": "Vous essayez de payer au-dessus du montant maximum qui peut être payé avec ce portefeuille.", - "@payAboveMaxAmountError": { - "description": "Message d'erreur pour un montant supérieur au maximum" - }, - "payBelowMinAmountError": "Vous essayez de payer en dessous du montant minimum qui peut être payé avec ce portefeuille.", - "@payBelowMinAmountError": { - "description": "Message d'erreur pour un montant inférieur au minimum" - }, - "payInsufficientBalanceError": "Solde insuffisant dans le portefeuille sélectionné pour compléter cette commande de paiement.", - "@payInsufficientBalanceError": { - "description": "Message d'erreur pour solde insuffisant" - }, - "payUnauthenticatedError": "Vous n'êtes pas authentifié. Veuillez vous connecter pour continuer.", - "@payUnauthenticatedError": { - "description": "Message d'erreur pour utilisateur non authentifié" - }, - "payOrderNotFoundError": "La commande de paiement n'a pas été trouvée. Veuillez réessayer.", - "@payOrderNotFoundError": { - "description": "Message d'erreur pour commande introuvable" - }, - "payOrderAlreadyConfirmedError": "Cette commande de paiement a déjà été confirmée.", - "@payOrderAlreadyConfirmedError": { - "description": "Message d'erreur pour commande déjà confirmée" - }, - "paySelectNetwork": "Sélectionner le réseau", - "@paySelectNetwork": { - "description": "Titre de l'écran de sélection du réseau" - }, - "payHowToPayInvoice": "Comment voulez-vous payer cette facture ?", - "@payHowToPayInvoice": { - "description": "Question pour la sélection de la méthode de paiement" - }, - "payBitcoinOnChain": "Bitcoin on-chain", - "@payBitcoinOnChain": { - "description": "Option pour le paiement Bitcoin on-chain" - }, - "payLightningNetwork": "Réseau Lightning", - "@payLightningNetwork": { - "description": "Option pour le paiement sur le réseau Lightning" - }, - "payLiquidNetwork": "Réseau Liquid", - "@payLiquidNetwork": { - "description": "Option pour le paiement sur le réseau Liquid" - }, - "payConfirmPayment": "Confirmer le Paiement", - "@payConfirmPayment": { - "description": "Button text to confirm and execute payment" - }, - "payPriceWillRefreshIn": "Le prix sera actualisé dans ", - "@payPriceWillRefreshIn": { - "description": "Texte avant le compte à rebours pour l'actualisation du prix" - }, - "payOrderNumber": "Numéro de commande", - "@payOrderNumber": { - "description": "Libellé du numéro de commande" - }, - "payPayinAmount": "Montant à payer", - "@payPayinAmount": { - "description": "Libellé du montant que l'utilisateur paie" - }, - "payPayoutAmount": "Montant à recevoir", - "@payPayoutAmount": { - "description": "Libellé du montant que l'utilisateur reçoit" - }, - "payExchangeRate": "Taux de change", - "@payExchangeRate": { - "description": "Libellé du taux de change" - }, - "payPayFromWallet": "Payer depuis le portefeuille", - "@payPayFromWallet": { - "description": "Libellé du portefeuille utilisé pour le paiement" - }, - "payInstantPayments": "Paiements instantanés", - "@payInstantPayments": { - "description": "Texte d'affichage pour le portefeuille de paiement instantané" - }, - "paySecureBitcoinWallet": "Portefeuille Bitcoin sécurisé", - "@paySecureBitcoinWallet": { - "description": "Texte d'affichage pour le portefeuille Bitcoin sécurisé" - }, - "payFeePriority": "Priorité des frais", - "@payFeePriority": { - "description": "Libellé de la sélection de la priorité des frais" - }, - "payFastest": "Le plus rapide", - "@payFastest": { - "description": "Texte d'affichage pour l'option de frais la plus rapide" - }, - "payNetworkFees": "Frais de réseau", - "@payNetworkFees": { - "description": "Libellé du montant des frais de réseau" - }, - "payCalculating": "Calcul en cours...", - "@payCalculating": { - "description": "Texte affiché pendant le calcul des frais" - }, - "payAdvancedSettings": "Paramètres avancés", - "@payAdvancedSettings": { - "description": "Bouton pour les paramètres avancés" - }, - "payAdvancedOptions": "Options avancées", - "@payAdvancedOptions": { - "description": "Titre de la feuille inférieure des options avancées" - }, - "payReplaceByFeeActivated": "Remplacement par frais activé", - "@payReplaceByFeeActivated": { - "description": "Libellé du bouton à bascule RBF" - }, - "paySelectCoinsManually": "Sélectionner les pièces manuellement", - "@paySelectCoinsManually": { - "description": "Option pour sélectionner manuellement les UTXOs" - }, - "payDone": "Terminé", - "@payDone": { - "description": "Bouton pour fermer la feuille inférieure" - }, - "payContinue": "Continuer", - "@payContinue": { - "description": "Bouton pour passer à l'étape suivante" - }, - "payPleasePayInvoice": "Veuillez payer cette facture", - "@payPleasePayInvoice": { - "description": "Titre de l'écran de réception du paiement" - }, - "payBitcoinAmount": "Montant Bitcoin", - "@payBitcoinAmount": { - "description": "Libellé du montant Bitcoin" - }, - "payBitcoinPrice": "Prix du Bitcoin", - "@payBitcoinPrice": { - "description": "Libellé du taux de change du Bitcoin" - }, - "payCopyInvoice": "Copier la Facture", - "@payCopyInvoice": { - "description": "Button text to copy invoice to clipboard" - }, - "payShowQrCode": "Afficher le code QR", - "@payShowQrCode": { - "description": "Bouton pour afficher le code QR" - }, - "payQrCode": "Code QR", - "@payQrCode": { - "description": "Titre de la feuille inférieure du code QR" - }, - "payNoInvoiceData": "Aucune donnée de facture disponible", - "@payNoInvoiceData": { - "description": "Message lorsqu'aucune donnée de facture n'est disponible" - }, - "payInvalidState": "État invalide", - "@payInvalidState": { - "description": "Message d'erreur pour état invalide" - }, - "payInProgress": "Paiement en cours !", - "@payInProgress": { - "description": "Titre de l'écran de paiement en cours" - }, - "payInProgressDescription": "Votre paiement a été initié et le destinataire recevra les fonds après que votre transaction reçoive 1 confirmation on-chain.", - "@payInProgressDescription": { - "description": "Description du paiement en cours" - }, - "payViewDetails": "Voir les détails", - "@payViewDetails": { - "description": "Bouton pour voir les détails de la commande" - }, - "payCompleted": "Paiement terminé !", - "@payCompleted": { - "description": "Titre de l'écran de paiement terminé" - }, - "payCompletedDescription": "Votre paiement a été complété et le destinataire a reçu les fonds.", - "@payCompletedDescription": { - "description": "Description du paiement terminé" - }, - "paySinpeEnviado": "SINPE ENVIADO !", - "@paySinpeEnviado": { - "description": "Message de succès pour le paiement SINPE (espagnol, conservé tel quel)" - }, - "payOrderDetails": "Détails de la commande", - "@payOrderDetails": { - "description": "Titre de l'écran des détails de commande SINPE" - }, - "paySinpeMonto": "Montant", - "@paySinpeMonto": { - "description": "Libellé pour le montant dans les détails de commande SINPE" - }, - "paySinpeNumeroOrden": "Numéro de commande", - "@paySinpeNumeroOrden": { - "description": "Libellé pour le numéro de commande dans les détails SINPE" - }, - "paySinpeNumeroComprobante": "Numéro de référence", - "@paySinpeNumeroComprobante": { - "description": "Libellé pour le numéro de référence dans les détails SINPE" - }, - "paySinpeBeneficiario": "Bénéficiaire", - "@paySinpeBeneficiario": { - "description": "Libellé pour le bénéficiaire dans les détails SINPE" - }, - "paySinpeOrigen": "Origine", - "@paySinpeOrigen": { - "description": "Libellé pour l'origine dans les détails SINPE" - }, - "payNotAvailable": "N/D", - "@payNotAvailable": { - "description": "Texte pour information non disponible" - }, - "payBitcoinOnchain": "Bitcoin on-chain", - "@payBitcoinOnchain": { - "description": "Option pour le paiement Bitcoin on-chain" - }, - "payAboveMaxAmount": "Vous essayez de payer un montant supérieur au montant maximum pouvant être payé avec ce portefeuille.", - "@payAboveMaxAmount": { - "description": "Message d'erreur lorsque le montant de paiement dépasse le maximum" - }, - "payBelowMinAmount": "Vous essayez de payer un montant inférieur au montant minimum pouvant être payé avec ce portefeuille.", - "@payBelowMinAmount": { - "description": "Message d'erreur lorsque le montant de paiement est inférieur au minimum" - }, - "payNotAuthenticated": "Vous n'êtes pas authentifié. Veuillez vous connecter pour continuer.", - "@payNotAuthenticated": { - "description": "Message d'erreur lorsque l'utilisateur n'est pas authentifié" - }, - "payOrderNotFound": "La commande de paiement n'a pas été trouvée. Veuillez réessayer.", - "@payOrderNotFound": { - "description": "Message d'erreur lorsque la commande de paiement n'est pas trouvée" - }, - "payOrderAlreadyConfirmed": "Cette commande de paiement a déjà été confirmée.", - "@payOrderAlreadyConfirmed": { - "description": "Message d'erreur lorsque la commande de paiement est déjà confirmée" - }, - "payPaymentInProgress": "Paiement en cours!", - "@payPaymentInProgress": { - "description": "Titre pour l'écran de paiement en cours" - }, - "payPaymentInProgressDescription": "Votre paiement a été initié et le destinataire recevra les fonds après que votre transaction reçoive 1 confirmation on-chain.", - "@payPaymentInProgressDescription": { - "description": "Description pour le paiement en cours" - }, - "payPriceRefreshIn": "Le prix sera actualisé dans ", - "@payPriceRefreshIn": { - "description": "Texte avant le compte à rebours" - }, - "payFor": "Pour", - "@payFor": { - "description": "Libellé pour la section d'informations du destinataire" - }, - "payRecipient": "Destinataire", - "@payRecipient": { - "description": "Libellé pour le destinataire" - }, - "payAmount": "Montant", - "@payAmount": { - "description": "Libellé pour le montant" - }, - "payFee": "Frais", - "@payFee": { - "description": "Libellé pour les frais" - }, - "payNetwork": "Réseau", - "@payNetwork": { - "description": "Libellé pour le réseau" - }, - "payViewRecipient": "Voir le destinataire", - "@payViewRecipient": { - "description": "Bouton pour voir les détails du destinataire" - }, - "payOpenInvoice": "Ouvrir la facture", - "@payOpenInvoice": { - "description": "Bouton pour ouvrir la facture" - }, - "payCopied": "Copié!", - "@payCopied": { - "description": "Message de succès après la copie" - }, - "payWhichWallet": "De quel portefeuille souhaitez-vous payer?", - "@payWhichWallet": { - "description": "Question pour la sélection du portefeuille" - }, - "payExternalWalletDescription": "Payer depuis un autre portefeuille Bitcoin", - "@payExternalWalletDescription": { - "description": "Description pour l'option de portefeuille externe" - }, - "payInsufficientBalance": "Solde insuffisant dans le portefeuille sélectionné pour compléter cette commande de paiement.", - "@payInsufficientBalance": { - "description": "Message d'erreur pour solde insuffisant" - }, - "payRbfActivated": "Replace-by-fee activé", - "@payRbfActivated": { - "description": "Libellé pour le bouton RBF" - }, - "transactionTitle": "Transactions", - "@transactionTitle": { - "description": "Titre de l'écran des transactions" - }, - "transactionError": "Erreur - {error}", - "@transactionError": { - "description": "Message d'erreur affiché lorsque le chargement de la transaction échoue", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "transactionDetailTitle": "Détails de la transaction", - "@transactionDetailTitle": { - "description": "Titre de l'écran des détails de la transaction" - }, - "transactionDetailTransferProgress": "Progression du transfert", - "@transactionDetailTransferProgress": { - "description": "Titre des détails du transfert en cours" - }, - "transactionDetailSwapProgress": "Progression de l'échange", - "@transactionDetailSwapProgress": { - "description": "Titre des détails de l'échange en cours" - }, - "transactionDetailRetryTransfer": "Réessayer le transfert {action}", - "@transactionDetailRetryTransfer": { - "description": "Libellé du bouton pour réessayer une action de transfert échouée", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "transactionDetailRetrySwap": "Réessayer l'échange {action}", - "@transactionDetailRetrySwap": { - "description": "Libellé du bouton pour réessayer une action d'échange échouée", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "transactionDetailAddNote": "Ajouter une note", - "@transactionDetailAddNote": { - "description": "Libellé du bouton pour ajouter une note à une transaction" - }, - "transactionDetailBumpFees": "Augmenter les frais", - "@transactionDetailBumpFees": { - "description": "Libellé du bouton pour augmenter les frais de transaction via RBF" - }, - "transactionFilterAll": "Tous", - "@transactionFilterAll": { - "description": "Option de filtre pour afficher toutes les transactions" - }, - "transactionFilterSend": "Envoyer", - "@transactionFilterSend": { - "description": "Option de filtre pour afficher uniquement les transactions envoyées" - }, - "transactionFilterReceive": "Recevoir", - "@transactionFilterReceive": { - "description": "Option de filtre pour afficher uniquement les transactions reçues" - }, - "transactionFilterTransfer": "Transfert", - "@transactionFilterTransfer": { - "description": "Option de filtre pour afficher uniquement les transactions de transfert/échange" - }, - "transactionFilterPayjoin": "Payjoin", - "@transactionFilterPayjoin": { - "description": "Option de filtre pour afficher uniquement les transactions payjoin" - }, - "transactionFilterSell": "Vendre", - "@transactionFilterSell": { - "description": "Option de filtre pour afficher uniquement les commandes de vente" - }, - "transactionFilterBuy": "Acheter", - "@transactionFilterBuy": { - "description": "Option de filtre pour afficher uniquement les commandes d'achat" - }, - "transactionNetworkLightning": "Lightning", - "@transactionNetworkLightning": { - "description": "Libellé pour les transactions du réseau Lightning" - }, - "transactionNetworkBitcoin": "Bitcoin", - "@transactionNetworkBitcoin": { - "description": "Libellé pour les transactions du réseau Bitcoin" - }, - "transactionNetworkLiquid": "Liquid", - "@transactionNetworkLiquid": { - "description": "Libellé pour les transactions du réseau Liquid" - }, - "transactionSwapLiquidToBitcoin": "L-BTC → BTC", - "@transactionSwapLiquidToBitcoin": { - "description": "Libellé pour l'échange Liquid vers Bitcoin" - }, - "transactionSwapBitcoinToLiquid": "BTC → L-BTC", - "@transactionSwapBitcoinToLiquid": { - "description": "Libellé pour l'échange Bitcoin vers Liquid" - }, - "transactionStatusInProgress": "En cours", - "@transactionStatusInProgress": { - "description": "Libellé de statut pour les transactions en cours" - }, - "transactionStatusPending": "En attente", - "@transactionStatusPending": { - "description": "Libellé de statut pour les transactions en attente" - }, - "transactionStatusConfirmed": "Confirmée", - "@transactionStatusConfirmed": { - "description": "Libellé de statut pour les transactions confirmées" - }, - "transactionStatusTransferCompleted": "Transfert terminé", - "@transactionStatusTransferCompleted": { - "description": "Libellé de statut pour les transferts terminés" - }, - "transactionStatusTransferInProgress": "Transfert en cours", - "@transactionStatusTransferInProgress": { - "description": "Libellé de statut pour les transferts en cours" - }, - "transactionStatusPaymentInProgress": "Paiement en cours", - "@transactionStatusPaymentInProgress": { - "description": "Libellé de statut pour les paiements Lightning en cours" - }, - "transactionStatusPaymentRefunded": "Paiement remboursé", - "@transactionStatusPaymentRefunded": { - "description": "Libellé de statut pour les paiements remboursés" - }, - "transactionStatusTransferFailed": "Transfert échoué", - "@transactionStatusTransferFailed": { - "description": "Libellé de statut pour les transferts échoués" - }, - "transactionStatusSwapFailed": "Échange échoué", - "@transactionStatusSwapFailed": { - "description": "Libellé de statut pour les échanges échoués" - }, - "transactionStatusTransferExpired": "Transfert expiré", - "@transactionStatusTransferExpired": { - "description": "Libellé de statut pour les transferts expirés" - }, - "transactionStatusSwapExpired": "Échange expiré", - "@transactionStatusSwapExpired": { - "description": "Libellé de statut pour les échanges expirés" - }, - "transactionStatusPayjoinRequested": "Payjoin demandé", - "@transactionStatusPayjoinRequested": { - "description": "Libellé de statut pour les demandes de transaction payjoin" - }, - "transactionLabelTransactionId": "ID de transaction", - "@transactionLabelTransactionId": { - "description": "Libellé du champ d'ID de transaction" - }, - "transactionLabelToWallet": "Vers le portefeuille", - "@transactionLabelToWallet": { - "description": "Libellé du portefeuille de destination" - }, - "transactionLabelFromWallet": "Depuis le portefeuille", - "@transactionLabelFromWallet": { - "description": "Libellé du portefeuille source" - }, - "transactionLabelRecipientAddress": "Adresse du destinataire", - "@transactionLabelRecipientAddress": { - "description": "Libellé de l'adresse du destinataire" - }, - "transactionLabelAddress": "Adresse", - "@transactionLabelAddress": { - "description": "Libellé de l'adresse de transaction" - }, - "transactionLabelAddressNotes": "Notes d'adresse", - "@transactionLabelAddressNotes": { - "description": "Libellé des notes/étiquettes d'adresse" - }, - "transactionLabelAmountReceived": "Montant reçu", - "@transactionLabelAmountReceived": { - "description": "Libellé du montant reçu" - }, - "transactionLabelAmountSent": "Montant envoyé", - "@transactionLabelAmountSent": { - "description": "Libellé du montant envoyé" - }, - "transactionLabelTransactionFee": "Frais de transaction", - "@transactionLabelTransactionFee": { - "description": "Libellé des frais de transaction" - }, - "transactionLabelStatus": "Statut", - "@transactionLabelStatus": { - "description": "Libellé du statut de la transaction" - }, - "transactionLabelConfirmationTime": "Heure de confirmation", - "@transactionLabelConfirmationTime": { - "description": "Libellé de l'horodatage de confirmation de la transaction" - }, - "transactionLabelTransferId": "ID de transfert", - "@transactionLabelTransferId": { - "description": "Libellé de l'ID de transfert/échange" - }, - "transactionLabelSwapId": "ID d'échange", - "@transactionLabelSwapId": { - "description": "Libellé de l'ID d'échange" - }, - "transactionLabelTransferStatus": "Statut du transfert", - "@transactionLabelTransferStatus": { - "description": "Libellé du statut du transfert" - }, - "transactionLabelSwapStatus": "Statut de l'échange", - "@transactionLabelSwapStatus": { - "description": "Libellé du statut de l'échange" - }, - "transactionLabelSwapStatusRefunded": "Remboursé", - "@transactionLabelSwapStatusRefunded": { - "description": "Libellé de statut pour les échanges remboursés" - }, - "transactionLabelLiquidTransactionId": "ID de transaction Liquid", - "@transactionLabelLiquidTransactionId": { - "description": "Libellé de l'ID de transaction du réseau Liquid" - }, - "transactionLabelBitcoinTransactionId": "ID de transaction Bitcoin", - "@transactionLabelBitcoinTransactionId": { - "description": "Libellé de l'ID de transaction du réseau Bitcoin" - }, - "transactionLabelTotalTransferFees": "Frais de transfert totaux", - "@transactionLabelTotalTransferFees": { - "description": "Libellé des frais de transfert totaux" - }, - "transactionLabelTotalSwapFees": "Frais d'échange totaux", - "@transactionLabelTotalSwapFees": { - "description": "Libellé des frais d'échange totaux" - }, - "transactionLabelNetworkFee": "Frais de réseau", - "@transactionLabelNetworkFee": { - "description": "Libellé de la composante des frais de réseau" - }, - "transactionLabelTransferFee": "Frais de transfert", - "@transactionLabelTransferFee": { - "description": "Libellé de la composante des frais de transfert" - }, - "transactionLabelBoltzSwapFee": "Frais d'échange Boltz", - "@transactionLabelBoltzSwapFee": { - "description": "Libellé de la composante des frais d'échange Boltz" - }, - "transactionLabelCreatedAt": "Créé le", - "@transactionLabelCreatedAt": { - "description": "Libellé de l'horodatage de création" - }, - "transactionLabelCompletedAt": "Complété le", - "@transactionLabelCompletedAt": { - "description": "Libellé de l'horodatage de complétion" - }, - "transactionLabelPayjoinStatus": "Statut du payjoin", - "@transactionLabelPayjoinStatus": { - "description": "Libellé du statut du payjoin" - }, - "transactionLabelPayjoinCreationTime": "Heure de création du payjoin", - "@transactionLabelPayjoinCreationTime": { - "description": "Libellé de l'horodatage de création du payjoin" - }, - "transactionPayjoinStatusCompleted": "Complété", - "@transactionPayjoinStatusCompleted": { - "description": "Statut du payjoin : complété" - }, - "transactionPayjoinStatusExpired": "Expiré", - "@transactionPayjoinStatusExpired": { - "description": "Statut du payjoin : expiré" - }, - "transactionOrderLabelOrderType": "Type de commande", - "@transactionOrderLabelOrderType": { - "description": "Libellé du type de commande" - }, - "transactionOrderLabelOrderNumber": "Numéro de commande", - "@transactionOrderLabelOrderNumber": { - "description": "Libellé du numéro de commande" - }, - "transactionOrderLabelPayinAmount": "Montant à payer", - "@transactionOrderLabelPayinAmount": { - "description": "Libellé du montant à payer de la commande" - }, - "transactionOrderLabelPayoutAmount": "Montant à recevoir", - "@transactionOrderLabelPayoutAmount": { - "description": "Libellé du montant à recevoir de la commande" - }, - "transactionOrderLabelExchangeRate": "Taux de change", - "@transactionOrderLabelExchangeRate": { - "description": "Libellé du taux de change de la commande" - }, - "transactionOrderLabelPayinMethod": "Méthode de paiement", - "@transactionOrderLabelPayinMethod": { - "description": "Libellé de la méthode de paiement de la commande" - }, - "transactionOrderLabelPayoutMethod": "Méthode de paiement", - "@transactionOrderLabelPayoutMethod": { - "description": "Libellé de la méthode de paiement de la commande" - }, - "transactionOrderLabelPayinStatus": "Statut du paiement", - "@transactionOrderLabelPayinStatus": { - "description": "Libellé du statut du paiement de la commande" - }, - "transactionOrderLabelOrderStatus": "Statut de la commande", - "@transactionOrderLabelOrderStatus": { - "description": "Libellé du statut de la commande" - }, - "transactionOrderLabelPayoutStatus": "Statut du paiement", - "@transactionOrderLabelPayoutStatus": { - "description": "Libellé du statut du paiement de la commande" - }, - "transactionNotesLabel": "Notes de transaction", - "@transactionNotesLabel": { - "description": "Libellé de la section des notes de transaction" - }, - "transactionNoteAddTitle": "Ajouter une note", - "@transactionNoteAddTitle": { - "description": "Titre de la boîte de dialogue d'ajout de note" - }, - "transactionNoteEditTitle": "Modifier la note", - "@transactionNoteEditTitle": { - "description": "Titre de la boîte de dialogue de modification de note" - }, - "transactionNoteHint": "Note", - "@transactionNoteHint": { - "description": "Texte d'indication pour le champ de saisie de note" - }, - "transactionNoteSaveButton": "Enregistrer", - "@transactionNoteSaveButton": { - "description": "Libellé du bouton pour enregistrer une note" - }, - "transactionNoteUpdateButton": "Mettre à jour", - "@transactionNoteUpdateButton": { - "description": "Libellé du bouton pour mettre à jour une note" - }, - "transactionPayjoinNoProposal": "Vous ne recevez pas de proposition de payjoin du destinataire ?", - "@transactionPayjoinNoProposal": { - "description": "Message affiché lorsque la proposition de payjoin n'est pas reçue" - }, - "transactionPayjoinSendWithout": "Envoyer sans payjoin", - "@transactionPayjoinSendWithout": { - "description": "Libellé du bouton pour envoyer la transaction sans payjoin" - }, - "transactionSwapProgressInitiated": "Initié", - "@transactionSwapProgressInitiated": { - "description": "Étape de progression de l'échange : initié" - }, - "transactionSwapProgressPaymentMade": "Paiement\nEffectué", - "@transactionSwapProgressPaymentMade": { - "description": "Étape de progression de l'échange : paiement effectué" - }, - "transactionSwapProgressFundsClaimed": "Fonds\nRéclamés", - "@transactionSwapProgressFundsClaimed": { - "description": "Étape de progression de l'échange : fonds réclamés" - }, - "transactionSwapProgressBroadcasted": "Diffusée", - "@transactionSwapProgressBroadcasted": { - "description": "Étape de progression de l'échange : transaction diffusée" - }, - "transactionSwapProgressInvoicePaid": "Facture\nPayée", - "@transactionSwapProgressInvoicePaid": { - "description": "Étape de progression de l'échange : facture Lightning payée" - }, - "transactionSwapProgressConfirmed": "Confirmée", - "@transactionSwapProgressConfirmed": { - "description": "Étape de progression de l'échange : confirmée" - }, - "transactionSwapProgressClaim": "Réclamer", - "@transactionSwapProgressClaim": { - "description": "Étape de progression de l'échange : réclamer" - }, - "transactionSwapProgressCompleted": "Complétée", - "@transactionSwapProgressCompleted": { - "description": "Étape de progression de l'échange : complétée" - }, - "transactionSwapProgressInProgress": "En cours", - "@transactionSwapProgressInProgress": { - "description": "Étape de progression générique de l'échange : en cours" - }, - "transactionSwapStatusTransferStatus": "Statut du transfert", - "@transactionSwapStatusTransferStatus": { - "description": "En-tête de la section du statut du transfert" - }, - "transactionSwapStatusSwapStatus": "Statut de l'échange", - "@transactionSwapStatusSwapStatus": { - "description": "En-tête de la section du statut de l'échange" - }, - "transactionSwapDescLnReceivePending": "Votre échange a été initié. Nous attendons qu'un paiement soit reçu sur le réseau Lightning.", - "@transactionSwapDescLnReceivePending": { - "description": "Description pour l'échange de réception Lightning en attente" - }, - "transactionSwapDescLnReceivePaid": "Le paiement a été reçu ! Nous diffusons maintenant la transaction on-chain vers votre portefeuille.", - "@transactionSwapDescLnReceivePaid": { - "description": "Description pour l'échange de réception Lightning payé" - }, - "transactionSwapDescLnReceiveClaimable": "La transaction on-chain a été confirmée. Nous réclamons maintenant les fonds pour compléter votre échange.", - "@transactionSwapDescLnReceiveClaimable": { - "description": "Description pour l'échange de réception Lightning réclamable" - }, - "transactionSwapDescLnReceiveCompleted": "Votre échange a été complété avec succès ! Les fonds devraient maintenant être disponibles dans votre portefeuille.", - "@transactionSwapDescLnReceiveCompleted": { - "description": "Description pour l'échange de réception Lightning complété" - }, - "transactionSwapDescLnReceiveFailed": "Il y a eu un problème avec votre échange. Veuillez contacter le support si les fonds n'ont pas été retournés dans les 24 heures.", - "@transactionSwapDescLnReceiveFailed": { - "description": "Description pour l'échange de réception Lightning échoué" - }, - "transactionSwapDescLnReceiveExpired": "Cet échange a expiré. Tous les fonds envoyés seront automatiquement retournés à l'expéditeur.", - "@transactionSwapDescLnReceiveExpired": { - "description": "Description pour l'échange de réception Lightning expiré" - }, - "transactionSwapDescLnReceiveDefault": "Votre échange est en cours. Ce processus est automatisé et peut prendre du temps pour se compléter.", - "@transactionSwapDescLnReceiveDefault": { - "description": "Description par défaut pour l'échange de réception Lightning" - }, - "transactionSwapDescLnSendPending": "Votre échange a été initié. Nous diffusons la transaction on-chain pour verrouiller vos fonds.", - "@transactionSwapDescLnSendPending": { - "description": "Description pour l'échange d'envoi Lightning en attente" - }, - "transactionSwapDescLnSendPaid": "Votre transaction on-chain a été diffusée. Après 1 confirmation, le paiement Lightning sera envoyé.", - "@transactionSwapDescLnSendPaid": { - "description": "Description pour l'échange d'envoi Lightning payé" - }, - "transactionSwapDescLnSendCompleted": "Le paiement Lightning a été envoyé avec succès ! Votre échange est maintenant complété.", - "@transactionSwapDescLnSendCompleted": { - "description": "Description pour l'échange d'envoi Lightning complété" - }, - "transactionSwapDescLnSendFailed": "Il y a eu un problème avec votre échange. Vos fonds seront retournés automatiquement à votre portefeuille.", - "@transactionSwapDescLnSendFailed": { - "description": "Description pour l'échange d'envoi Lightning échoué" - }, - "transactionSwapDescLnSendExpired": "Cet échange a expiré. Vos fonds seront automatiquement retournés à votre portefeuille.", - "@transactionSwapDescLnSendExpired": { - "description": "Description pour l'échange d'envoi Lightning expiré" - }, - "transactionSwapDescLnSendDefault": "Votre échange est en cours. Ce processus est automatisé et peut prendre du temps pour se compléter.", - "@transactionSwapDescLnSendDefault": { - "description": "Description par défaut pour l'échange d'envoi Lightning" - }, - "transactionSwapDescChainPending": "Votre transfert a été créé mais n'a pas encore été initié.", - "@transactionSwapDescChainPending": { - "description": "Description pour l'échange de chaîne en attente" - }, - "transactionSwapDescChainPaid": "Votre transaction a été diffusée. Nous attendons maintenant que la transaction de verrouillage soit confirmée.", - "@transactionSwapDescChainPaid": { - "description": "Description pour l'échange de chaîne payé" - }, - "transactionSwapDescChainClaimable": "La transaction de verrouillage a été confirmée. Vous réclamez maintenant les fonds pour compléter votre transfert.", - "@transactionSwapDescChainClaimable": { - "description": "Description pour l'échange de chaîne réclamable" - }, - "transactionSwapDescChainRefundable": "Le transfert sera remboursé. Vos fonds seront retournés automatiquement à votre portefeuille.", - "@transactionSwapDescChainRefundable": { - "description": "Description pour l'échange de chaîne remboursable" - }, - "transactionSwapDescChainCompleted": "Votre transfert a été complété avec succès ! Les fonds devraient maintenant être disponibles dans votre portefeuille.", - "@transactionSwapDescChainCompleted": { - "description": "Description pour l'échange de chaîne complété" - }, - "transactionSwapDescChainFailed": "Il y a eu un problème avec votre transfert. Veuillez contacter le support si les fonds n'ont pas été retournés dans les 24 heures.", - "@transactionSwapDescChainFailed": { - "description": "Description pour l'échange de chaîne échoué" - }, - "transactionSwapDescChainExpired": "Ce transfert a expiré. Vos fonds seront automatiquement retournés à votre portefeuille.", - "@transactionSwapDescChainExpired": { - "description": "Description pour l'échange de chaîne expiré" - }, - "transactionSwapDescChainDefault": "Votre transfert est en cours. Ce processus est automatisé et peut prendre du temps pour se compléter.", - "@transactionSwapDescChainDefault": { - "description": "Description par défaut pour l'échange de chaîne" - }, - "transactionSwapInfoFailedExpired": "Si vous avez des questions ou des préoccupations, veuillez contacter le support pour obtenir de l'aide.", - "@transactionSwapInfoFailedExpired": { - "description": "Information supplémentaire pour les échanges échoués ou expirés" - }, - "transactionSwapInfoChainDelay": "Les transferts on-chain peuvent prendre du temps pour se compléter en raison des temps de confirmation de la blockchain.", - "@transactionSwapInfoChainDelay": { - "description": "Information supplémentaire sur les délais de transfert de chaîne" - }, - "transactionSwapInfoClaimableTransfer": "Le transfert sera complété automatiquement dans quelques secondes. Si ce n'est pas le cas, vous pouvez tenter une réclamation manuelle en cliquant sur le bouton « Réessayer la réclamation du transfert ».", - "@transactionSwapInfoClaimableTransfer": { - "description": "Information supplémentaire pour les transferts réclamables" - }, - "transactionSwapInfoClaimableSwap": "L'échange sera complété automatiquement dans quelques secondes. Si ce n'est pas le cas, vous pouvez tenter une réclamation manuelle en cliquant sur le bouton « Réessayer la réclamation de l'échange ».", - "@transactionSwapInfoClaimableSwap": { - "description": "Information supplémentaire pour les échanges réclamables" - }, - "transactionSwapInfoRefundableTransfer": "Ce transfert sera remboursé automatiquement dans quelques secondes. Si ce n'est pas le cas, vous pouvez tenter un remboursement manuel en cliquant sur le bouton « Réessayer le remboursement du transfert ».", - "@transactionSwapInfoRefundableTransfer": { - "description": "Information supplémentaire pour les transferts remboursables" - }, - "transactionSwapInfoRefundableSwap": "Cet échange sera remboursé automatiquement dans quelques secondes. Si ce n'est pas le cas, vous pouvez tenter un remboursement manuel en cliquant sur le bouton « Réessayer le remboursement de l'échange ».", - "@transactionSwapInfoRefundableSwap": { - "description": "Information supplémentaire pour les échanges remboursables" - }, - "transactionListOngoingTransfersTitle": "Transferts en cours", - "@transactionListOngoingTransfersTitle": { - "description": "Titre de la section des transferts en cours" - }, - "transactionListOngoingTransfersDescription": "Ces transferts sont actuellement en cours. Vos fonds sont en sécurité et seront disponibles lorsque le transfert se terminera.", - "@transactionListOngoingTransfersDescription": { - "description": "Description de la section des transferts en cours" - }, - "transactionListLoadingTransactions": "Chargement des transactions...", - "@transactionListLoadingTransactions": { - "description": "Message affiché pendant le chargement des transactions" - }, - "transactionListNoTransactions": "Aucune transaction pour le moment.", - "@transactionListNoTransactions": { - "description": "Message affiché lorsqu'il n'y a aucune transaction" - }, - "transactionListToday": "Aujourd'hui", - "@transactionListToday": { - "description": "Libellé de date pour les transactions d'aujourd'hui" - }, - "transactionListYesterday": "Hier", - "@transactionListYesterday": { - "description": "Libellé de date pour les transactions d'hier" - }, - "transactionSwapDoNotUninstall": "Ne désinstallez pas l'application tant que l'échange n'est pas terminé.", - "@transactionSwapDoNotUninstall": { - "description": "Message d'avertissement pour ne pas désinstaller l'app pendant un échange" - }, - "transactionFeesDeductedFrom": "Ces frais seront déduits du montant envoyé", - "@transactionFeesDeductedFrom": { - "description": "Explication des frais déduits pour les échanges entrants" - }, - "transactionFeesTotalDeducted": "Ceci est le total des frais déduits du montant envoyé", - "@transactionFeesTotalDeducted": { - "description": "Explication des frais déduits pour les échanges sortants" - }, - "transactionLabelSendAmount": "Montant envoyé", - "@transactionLabelSendAmount": { - "description": "Libellé pour le montant envoyé dans les détails d'échange" - }, - "transactionLabelReceiveAmount": "Montant reçu", - "@transactionLabelReceiveAmount": { - "description": "Libellé pour le montant reçu dans les détails d'échange" - }, - "transactionLabelSendNetworkFees": "Frais réseau d'envoi", - "@transactionLabelSendNetworkFees": { - "description": "Libellé pour les frais réseau d'envoi dans les détails d'échange" - }, - "transactionLabelReceiveNetworkFee": "Frais réseau de réception", - "@transactionLabelReceiveNetworkFee": { - "description": "Libellé pour les frais réseau de réception dans les détails d'échange" - }, - "transactionLabelServerNetworkFees": "Frais réseau serveur", - "@transactionLabelServerNetworkFees": { - "description": "Libellé pour les frais réseau serveur dans les détails d'échange" - }, - "transactionLabelPreimage": "Préimage", - "@transactionLabelPreimage": { - "description": "Libellé pour la préimage dans les détails d'échange Lightning" - }, - "transactionOrderLabelReferenceNumber": "Numéro de référence", - "@transactionOrderLabelReferenceNumber": { - "description": "Libellé pour le numéro de référence dans les détails de commande" - }, - "transactionOrderLabelOriginName": "Nom d'origine", - "@transactionOrderLabelOriginName": { - "description": "Libellé pour le nom d'origine dans la commande de paiement fiat" - }, - "transactionOrderLabelOriginCedula": "Cédula d'origine", - "@transactionOrderLabelOriginCedula": { - "description": "Libellé pour la cédula d'origine dans la commande de paiement fiat" - }, - "transactionDetailAccelerate": "Accélérer", - "@transactionDetailAccelerate": { - "description": "Libellé du bouton pour accélérer (RBF) une transaction non confirmée" - }, - "transactionDetailLabelTransactionId": "ID de transaction", - "@transactionDetailLabelTransactionId": { - "description": "Libellé pour l'ID de transaction" - }, - "transactionDetailLabelToWallet": "Vers le portefeuille", - "@transactionDetailLabelToWallet": { - "description": "Libellé pour le portefeuille de destination" - }, - "transactionDetailLabelFromWallet": "Du portefeuille", - "@transactionDetailLabelFromWallet": { - "description": "Libellé pour le portefeuille source" - }, - "transactionDetailLabelRecipientAddress": "Adresse du destinataire", - "@transactionDetailLabelRecipientAddress": { - "description": "Libellé pour l'adresse du destinataire" - }, - "transactionDetailLabelAddress": "Adresse", - "@transactionDetailLabelAddress": { - "description": "Libellé pour l'adresse" - }, - "transactionDetailLabelAddressNotes": "Notes d'adresse", - "@transactionDetailLabelAddressNotes": { - "description": "Libellé pour les notes d'adresse" - }, - "transactionDetailLabelAmountReceived": "Montant reçu", - "@transactionDetailLabelAmountReceived": { - "description": "Libellé pour le montant reçu" - }, - "transactionDetailLabelAmountSent": "Montant envoyé", - "@transactionDetailLabelAmountSent": { - "description": "Libellé pour le montant envoyé" - }, - "transactionDetailLabelTransactionFee": "Frais de transaction", - "@transactionDetailLabelTransactionFee": { - "description": "Libellé pour les frais de transaction" - }, - "transactionDetailLabelStatus": "Statut", - "@transactionDetailLabelStatus": { - "description": "Libellé pour le statut" - }, - "transactionDetailLabelConfirmationTime": "Heure de confirmation", - "@transactionDetailLabelConfirmationTime": { - "description": "Libellé pour l'heure de confirmation" - }, - "transactionDetailLabelOrderType": "Type de commande", - "@transactionDetailLabelOrderType": { - "description": "Libellé pour le type de commande" - }, - "transactionDetailLabelOrderNumber": "Numéro de commande", - "@transactionDetailLabelOrderNumber": { - "description": "Libellé pour le numéro de commande" - }, - "transactionDetailLabelPayinAmount": "Montant payé", - "@transactionDetailLabelPayinAmount": { - "description": "Libellé pour le montant payé" - }, - "transactionDetailLabelPayoutAmount": "Montant reçu", - "@transactionDetailLabelPayoutAmount": { - "description": "Libellé pour le montant reçu" - }, - "transactionDetailLabelExchangeRate": "Taux de change", - "@transactionDetailLabelExchangeRate": { - "description": "Libellé pour le taux de change" - }, - "transactionDetailLabelPayinMethod": "Méthode de paiement", - "@transactionDetailLabelPayinMethod": { - "description": "Libellé pour la méthode de paiement" - }, - "transactionDetailLabelPayoutMethod": "Méthode de réception", - "@transactionDetailLabelPayoutMethod": { - "description": "Libellé pour la méthode de réception" - }, - "transactionDetailLabelPayinStatus": "Statut du paiement", - "@transactionDetailLabelPayinStatus": { - "description": "Libellé pour le statut du paiement" - }, - "transactionDetailLabelOrderStatus": "Statut de la commande", - "@transactionDetailLabelOrderStatus": { - "description": "Libellé pour le statut de la commande" - }, - "transactionDetailLabelPayoutStatus": "Statut du versement", - "@transactionDetailLabelPayoutStatus": { - "description": "Libellé pour le statut du versement" - }, - "transactionDetailLabelCreatedAt": "Créé le", - "@transactionDetailLabelCreatedAt": { - "description": "Libellé pour la date de création" - }, - "transactionDetailLabelCompletedAt": "Terminé le", - "@transactionDetailLabelCompletedAt": { - "description": "Libellé pour la date de fin" - }, - "transactionDetailLabelTransferId": "ID du transfert", - "@transactionDetailLabelTransferId": { - "description": "Libellé pour l'ID du transfert" - }, - "transactionDetailLabelSwapId": "ID de l'échange", - "@transactionDetailLabelSwapId": { - "description": "Libellé pour l'ID de l'échange" - }, - "transactionDetailLabelTransferStatus": "Statut du transfert", - "@transactionDetailLabelTransferStatus": { - "description": "Libellé pour le statut du transfert" - }, - "transactionDetailLabelSwapStatus": "Statut de l'échange", - "@transactionDetailLabelSwapStatus": { - "description": "Libellé pour le statut de l'échange" - }, - "transactionDetailLabelRefunded": "Remboursé", - "@transactionDetailLabelRefunded": { - "description": "Libellé pour le statut remboursé" - }, - "transactionDetailLabelLiquidTxId": "ID de transaction Liquid", - "@transactionDetailLabelLiquidTxId": { - "description": "Libellé pour l'ID de transaction Liquid" - }, - "transactionDetailLabelBitcoinTxId": "ID de transaction Bitcoin", - "@transactionDetailLabelBitcoinTxId": { - "description": "Libellé pour l'ID de transaction Bitcoin" - }, - "transactionDetailLabelTransferFees": "Frais de transfert", - "@transactionDetailLabelTransferFees": { - "description": "Libellé pour les frais de transfert" - }, - "transactionDetailLabelSwapFees": "Frais d'échange", - "@transactionDetailLabelSwapFees": { - "description": "Libellé pour les frais d'échange" - }, - "transactionDetailLabelSendNetworkFee": "Frais réseau d'envoi", - "@transactionDetailLabelSendNetworkFee": { - "description": "Libellé pour les frais réseau d'envoi" - }, - "transactionDetailLabelTransferFee": "Frais de transfert", - "@transactionDetailLabelTransferFee": { - "description": "Libellé pour les frais de transfert (frais Boltz)" - }, - "transactionDetailLabelPayjoinStatus": "Statut Payjoin", - "@transactionDetailLabelPayjoinStatus": { - "description": "Libellé pour le statut Payjoin" - }, - "transactionDetailLabelPayjoinCompleted": "Terminé", - "@transactionDetailLabelPayjoinCompleted": { - "description": "Statut Payjoin terminé" - }, - "transactionDetailLabelPayjoinExpired": "Expiré", - "@transactionDetailLabelPayjoinExpired": { - "description": "Statut Payjoin expiré" - }, - "transactionDetailLabelPayjoinCreationTime": "Heure de création Payjoin", - "@transactionDetailLabelPayjoinCreationTime": { - "description": "Libellé pour l'heure de création Payjoin" - }, - "globalDefaultBitcoinWalletLabel": "Bitcoin sécurisé", - "@globalDefaultBitcoinWalletLabel": { - "description": "Étiquette par défaut pour les portefeuilles Bitcoin lorsqu'ils sont utilisés par défaut" - }, - "globalDefaultLiquidWalletLabel": "Paiements instantanés", - "@globalDefaultLiquidWalletLabel": { - "description": "Étiquette par défaut pour les portefeuilles Liquid/paiements instantanés lorsqu'ils sont utilisés par défaut" - }, - "walletTypeWatchOnly": "Lecture seule", - "@walletTypeWatchOnly": { - "description": "Libellé de type de portefeuille pour les portefeuilles en lecture seule" - }, - "walletTypeWatchSigner": "Lecture-Signataire", - "@walletTypeWatchSigner": { - "description": "Libellé de type de portefeuille pour les portefeuilles lecture-signataire" - }, - "walletTypeBitcoinNetwork": "Réseau Bitcoin", - "@walletTypeBitcoinNetwork": { - "description": "Libellé de type de portefeuille pour le réseau Bitcoin" - }, - "walletTypeLiquidLightningNetwork": "Réseau Liquid et Lightning", - "@walletTypeLiquidLightningNetwork": { - "description": "Libellé de type de portefeuille pour le réseau Liquid et Lightning" - }, - "walletNetworkBitcoin": "Réseau Bitcoin", - "@walletNetworkBitcoin": { - "description": "Libellé de réseau pour Bitcoin mainnet" - }, - "walletNetworkBitcoinTestnet": "Bitcoin Testnet", - "@walletNetworkBitcoinTestnet": { - "description": "Libellé de réseau pour Bitcoin testnet" - }, - "walletNetworkLiquid": "Réseau Liquid", - "@walletNetworkLiquid": { - "description": "Libellé de réseau pour Liquid mainnet" - }, - "walletNetworkLiquidTestnet": "Liquid Testnet", - "@walletNetworkLiquidTestnet": { - "description": "Libellé de réseau pour Liquid testnet" - }, - "walletAddressTypeConfidentialSegwit": "Segwit confidentiel", - "@walletAddressTypeConfidentialSegwit": { - "description": "Type d'adresse pour les portefeuilles Liquid" - }, - "walletAddressTypeNativeSegwit": "Segwit natif", - "@walletAddressTypeNativeSegwit": { - "description": "Type d'adresse pour les portefeuilles BIP84" - }, - "walletAddressTypeNestedSegwit": "Segwit imbriqué", - "@walletAddressTypeNestedSegwit": { - "description": "Type d'adresse pour les portefeuilles BIP49" - }, - "walletAddressTypeLegacy": "Hérité", - "@walletAddressTypeLegacy": { - "description": "Type d'adresse pour les portefeuilles BIP44" - }, - "walletBalanceUnconfirmedIncoming": "En cours", - "@walletBalanceUnconfirmedIncoming": { - "description": "Libellé pour le solde entrant non confirmé" - }, - "walletButtonReceive": "Recevoir", - "@walletButtonReceive": { - "description": "Libellé du bouton pour recevoir des fonds" - }, - "walletButtonSend": "Envoyer", - "@walletButtonSend": { - "description": "Libellé du bouton pour envoyer des fonds" - }, - "walletArkInstantPayments": "Paiements instantanés Ark", - "@walletArkInstantPayments": { - "description": "Titre de la carte de portefeuille Ark" - }, - "walletArkExperimental": "Expérimental", - "@walletArkExperimental": { - "description": "Description du portefeuille Ark indiquant le statut expérimental" - }, - "fundExchangeTitle": "Financement", - "@fundExchangeTitle": { - "description": "AppBar title for funding screen" - }, - "fundExchangeAccountTitle": "Approvisionner votre compte", - "@fundExchangeAccountTitle": { - "description": "Titre principal sur l'écran d'approvisionnement du compte d'échange" - }, - "fundExchangeAccountSubtitle": "Sélectionnez votre pays et votre mode de paiement", - "@fundExchangeAccountSubtitle": { - "description": "Sous-titre sur l'écran d'approvisionnement du compte invitant l'utilisateur à sélectionner le pays et le mode de paiement" - }, - "fundExchangeWarningTitle": "Attention aux escrocs", - "@fundExchangeWarningTitle": { - "description": "Titre de l'écran d'avertissement contre les escrocs" - }, - "fundExchangeWarningDescription": "Si quelqu'un vous demande d'acheter du Bitcoin ou vous « aide », soyez prudent, il pourrait essayer de vous escroquer !", - "@fundExchangeWarningDescription": { - "description": "Message d'avertissement concernant les escrocs potentiels lors de l'approvisionnement du compte" - }, - "fundExchangeWarningTacticsTitle": "Tactiques courantes des escrocs", - "@fundExchangeWarningTacticsTitle": { - "description": "Titre pour la liste des tactiques courantes des escrocs" - }, - "fundExchangeWarningTactic1": "Ils promettent des rendements sur investissement", - "@fundExchangeWarningTactic1": { - "description": "Premier avertissement sur les tactiques des escrocs" - }, - "fundExchangeWarningTactic2": "Ils vous offrent un prêt", - "@fundExchangeWarningTactic2": { - "description": "Deuxième avertissement sur les tactiques des escrocs" - }, - "fundExchangeWarningTactic3": "Ils disent travailler pour le recouvrement de dettes ou d'impôts", - "@fundExchangeWarningTactic3": { - "description": "Troisième avertissement sur les tactiques des escrocs" - }, - "fundExchangeWarningTactic4": "Ils demandent d'envoyer du Bitcoin à leur adresse", - "@fundExchangeWarningTactic4": { - "description": "Quatrième avertissement sur les tactiques des escrocs" - }, - "fundExchangeWarningTactic5": "Ils demandent d'envoyer du Bitcoin sur une autre plateforme", - "@fundExchangeWarningTactic5": { - "description": "Cinquième avertissement sur les tactiques des escrocs" - }, - "fundExchangeWarningTactic6": "Ils veulent que vous partagiez votre écran", - "@fundExchangeWarningTactic6": { - "description": "Sixième avertissement sur les tactiques des escrocs" - }, - "fundExchangeWarningTactic7": "Ils vous disent de ne pas vous inquiéter de cet avertissement", - "@fundExchangeWarningTactic7": { - "description": "Septième avertissement sur les tactiques des escrocs" - }, - "fundExchangeWarningTactic8": "Ils vous pressent d'agir rapidement", - "@fundExchangeWarningTactic8": { - "description": "Huitième avertissement sur les tactiques des escrocs" - }, - "fundExchangeWarningConfirmation": "Je confirme que personne ne me demande d'acheter du Bitcoin.", - "@fundExchangeWarningConfirmation": { - "description": "Texte de la case à cocher confirmant que l'utilisateur n'est pas contraint d'acheter du Bitcoin" - }, - "fundExchangeContinueButton": "Continuer", - "@fundExchangeContinueButton": { - "description": "Libellé du bouton pour continuer de l'écran d'avertissement aux détails du mode de paiement" - }, - "fundExchangeDoneButton": "Terminé", - "@fundExchangeDoneButton": { - "description": "Libellé du bouton pour terminer et quitter le flux de financement" - }, - "fundExchangeJurisdictionCanada": "🇨🇦 Canada", - "@fundExchangeJurisdictionCanada": { - "description": "Option déroulante pour la juridiction canadienne" - }, - "fundExchangeJurisdictionEurope": "🇪🇺 Europe (SEPA)", - "@fundExchangeJurisdictionEurope": { - "description": "Option déroulante pour la juridiction SEPA européenne" - }, - "fundExchangeJurisdictionMexico": "🇲🇽 Mexique", - "@fundExchangeJurisdictionMexico": { - "description": "Option déroulante pour la juridiction mexicaine" - }, - "fundExchangeJurisdictionCostaRica": "🇨🇷 Costa Rica", - "@fundExchangeJurisdictionCostaRica": { - "description": "Option déroulante pour la juridiction costaricaine" - }, - "fundExchangeJurisdictionArgentina": "🇦🇷 Argentine", - "@fundExchangeJurisdictionArgentina": { - "description": "Option déroulante pour la juridiction argentine" - }, - "fundExchangeMethodEmailETransfer": "Virement électronique", - "@fundExchangeMethodEmailETransfer": { - "description": "Mode de paiement : virement électronique (Canada)" - }, - "fundExchangeMethodEmailETransferSubtitle": "Méthode la plus simple et la plus rapide (instantané)", - "@fundExchangeMethodEmailETransferSubtitle": { - "description": "Sous-titre pour le mode de paiement par virement électronique" - }, - "fundExchangeMethodBankTransferWire": "Virement bancaire (Wire ou TEF)", - "@fundExchangeMethodBankTransferWire": { - "description": "Mode de paiement : virement bancaire Wire ou TEF (Canada)" - }, - "fundExchangeMethodBankTransferWireSubtitle": "Meilleure option la plus fiable pour les montants importants (jour même ou jour suivant)", - "@fundExchangeMethodBankTransferWireSubtitle": { - "description": "Sous-titre pour le mode de paiement par virement bancaire Wire" - }, - "fundExchangeMethodOnlineBillPayment": "Paiement de facture en ligne", - "@fundExchangeMethodOnlineBillPayment": { - "description": "Mode de paiement : paiement de facture en ligne (Canada)" - }, - "fundExchangeMethodOnlineBillPaymentSubtitle": "Option la plus lente, mais peut être effectuée via les services bancaires en ligne (3-4 jours ouvrables)", - "@fundExchangeMethodOnlineBillPaymentSubtitle": { - "description": "Sous-titre pour le mode de paiement de facture en ligne" - }, - "fundExchangeMethodCanadaPost": "Espèces ou débit en personne à Postes Canada", - "@fundExchangeMethodCanadaPost": { - "description": "Mode de paiement : en personne à Postes Canada" - }, - "fundExchangeMethodCanadaPostSubtitle": "Idéal pour ceux qui préfèrent payer en personne", - "@fundExchangeMethodCanadaPostSubtitle": { - "description": "Sous-titre pour le mode de paiement Postes Canada" - }, - "fundExchangeMethodInstantSepa": "SEPA instantané", - "@fundExchangeMethodInstantSepa": { - "description": "Mode de paiement : SEPA instantané (Europe)" - }, - "fundExchangeMethodInstantSepaSubtitle": "Le plus rapide - Uniquement pour les transactions inférieures à 20 000 €", - "@fundExchangeMethodInstantSepaSubtitle": { - "description": "Sous-titre pour le mode de paiement SEPA instantané" - }, - "fundExchangeMethodRegularSepa": "SEPA régulier", - "@fundExchangeMethodRegularSepa": { - "description": "Mode de paiement : SEPA régulier (Europe)" - }, - "fundExchangeMethodRegularSepaSubtitle": "À utiliser uniquement pour les transactions supérieures à 20 000 €", - "@fundExchangeMethodRegularSepaSubtitle": { - "description": "Sous-titre pour le mode de paiement SEPA régulier" - }, - "fundExchangeMethodSpeiTransfer": "Virement SPEI", - "@fundExchangeMethodSpeiTransfer": { - "description": "Mode de paiement : virement SPEI (Mexique)" - }, - "fundExchangeMethodSpeiTransferSubtitle": "Transférez des fonds en utilisant votre CLABE", - "@fundExchangeMethodSpeiTransferSubtitle": { - "description": "Sous-titre pour le mode de paiement par virement SPEI" - }, - "fundExchangeMethodSinpeTransfer": "Virement SINPE", - "@fundExchangeMethodSinpeTransfer": { - "description": "Mode de paiement : virement SINPE (Costa Rica)" - }, - "fundExchangeMethodSinpeTransferSubtitle": "Transférez des colones en utilisant SINPE", - "@fundExchangeMethodSinpeTransferSubtitle": { - "description": "Sous-titre pour le mode de paiement par virement SINPE" - }, - "fundExchangeMethodCrIbanCrc": "IBAN Costa Rica (CRC)", - "@fundExchangeMethodCrIbanCrc": { - "description": "Mode de paiement : IBAN Costa Rica en colones" - }, - "fundExchangeMethodCrIbanCrcSubtitle": "Transférez des fonds en colón costaricain (CRC)", - "@fundExchangeMethodCrIbanCrcSubtitle": { - "description": "Sous-titre pour le mode de paiement IBAN Costa Rica CRC" - }, - "fundExchangeMethodCrIbanUsd": "IBAN Costa Rica (USD)", - "@fundExchangeMethodCrIbanUsd": { - "description": "Mode de paiement : IBAN Costa Rica en dollars américains" - }, - "fundExchangeMethodCrIbanUsdSubtitle": "Transférez des fonds en dollars américains (USD)", - "@fundExchangeMethodCrIbanUsdSubtitle": { - "description": "Sous-titre pour le mode de paiement IBAN Costa Rica USD" - }, - "fundExchangeMethodArsBankTransfer": "Virement bancaire", - "@fundExchangeMethodArsBankTransfer": { - "description": "Mode de paiement : virement bancaire (Argentine)" - }, - "fundExchangeMethodArsBankTransferSubtitle": "Envoyez un virement bancaire depuis votre compte bancaire", - "@fundExchangeMethodArsBankTransferSubtitle": { - "description": "Sous-titre pour le mode de paiement par virement bancaire argentin" - }, - "fundExchangeBankTransferWireTitle": "Virement bancaire (wire)", - "@fundExchangeBankTransferWireTitle": { - "description": "Titre de l'écran pour les détails du virement bancaire wire" - }, - "fundExchangeBankTransferWireDescription": "Envoyez un virement bancaire depuis votre compte bancaire en utilisant les coordonnées bancaires de Bull Bitcoin ci-dessous. Votre banque peut ne nécessiter qu'une partie de ces informations.", - "@fundExchangeBankTransferWireDescription": { - "description": "Description de l'utilisation du mode de virement bancaire wire" - }, - "fundExchangeBankTransferWireTimeframe": "Tous les fonds que vous envoyez seront ajoutés à votre Bull Bitcoin dans un délai de 1 à 2 jours ouvrables.", - "@fundExchangeBankTransferWireTimeframe": { - "description": "Délai pour que les fonds du virement bancaire wire soient crédités" - }, - "fundExchangeLabelBeneficiaryName": "Nom du bénéficiaire", - "@fundExchangeLabelBeneficiaryName": { - "description": "Libellé pour le champ nom du bénéficiaire" - }, - "fundExchangeHelpBeneficiaryName": "Utilisez notre nom corporatif officiel. N'utilisez pas « Bull Bitcoin ».", - "@fundExchangeHelpBeneficiaryName": { - "description": "Texte d'aide pour le champ nom du bénéficiaire" - }, - "fundExchangeLabelTransferCode": "Code de transfert (ajoutez-le comme description de paiement)", - "@fundExchangeLabelTransferCode": { - "description": "Libellé pour le champ code de transfert" - }, - "fundExchangeHelpTransferCode": "Ajoutez ceci comme raison du transfert", - "@fundExchangeHelpTransferCode": { - "description": "Texte d'aide pour le champ code de transfert" - }, - "fundExchangeInfoTransferCode": "Vous devez ajouter le code de transfert comme « message » ou « raison » lors du paiement.", - "@fundExchangeInfoTransferCode": { - "description": "Message de la carte d'information sur l'importance du code de transfert" - }, - "fundExchangeLabelBankAccountDetails": "Détails du compte bancaire", - "@fundExchangeLabelBankAccountDetails": { - "description": "Libellé pour le champ détails du compte bancaire" - }, - "fundExchangeLabelSwiftCode": "Code SWIFT", - "@fundExchangeLabelSwiftCode": { - "description": "Libellé pour le champ code SWIFT" - }, - "fundExchangeLabelInstitutionNumber": "Numéro d'institution", - "@fundExchangeLabelInstitutionNumber": { - "description": "Libellé pour le champ numéro d'institution" - }, - "fundExchangeLabelTransitNumber": "Numéro de transit", - "@fundExchangeLabelTransitNumber": { - "description": "Libellé pour le champ numéro de transit" - }, - "fundExchangeLabelRoutingNumber": "Numéro d'acheminement", - "@fundExchangeLabelRoutingNumber": { - "description": "Libellé pour le champ numéro d'acheminement" - }, - "fundExchangeLabelBeneficiaryAddress": "Adresse du bénéficiaire", - "@fundExchangeLabelBeneficiaryAddress": { - "description": "Libellé pour le champ adresse du bénéficiaire" - }, - "fundExchangeLabelBankName": "Nom de la banque", - "@fundExchangeLabelBankName": { - "description": "Libellé pour le champ nom de la banque" - }, - "fundExchangeLabelBankAddress": "Adresse de notre banque", - "@fundExchangeLabelBankAddress": { - "description": "Libellé pour le champ adresse de la banque" - }, - "fundExchangeETransferTitle": "Détails du virement électronique", - "@fundExchangeETransferTitle": { - "description": "Titre de l'écran pour les détails du virement électronique" - }, - "fundExchangeETransferDescription": "Tout montant que vous envoyez depuis votre banque par virement électronique en utilisant les informations ci-dessous sera crédité sur votre solde de compte Bull Bitcoin dans quelques minutes.", - "@fundExchangeETransferDescription": { - "description": "Description du fonctionnement du virement électronique et du délai" - }, - "fundExchangeETransferLabelBeneficiaryName": "Utilisez ceci comme nom du bénéficiaire du virement électronique", - "@fundExchangeETransferLabelBeneficiaryName": { - "description": "Libellé pour le nom du bénéficiaire du virement électronique" - }, - "fundExchangeETransferLabelEmail": "Envoyez le virement électronique à cette adresse courriel", - "@fundExchangeETransferLabelEmail": { - "description": "Libellé pour l'adresse courriel du destinataire du virement électronique" - }, - "fundExchangeETransferLabelSecretQuestion": "Question secrète", - "@fundExchangeETransferLabelSecretQuestion": { - "description": "Libellé pour la question de sécurité du virement électronique" - }, - "fundExchangeETransferLabelSecretAnswer": "Réponse secrète", - "@fundExchangeETransferLabelSecretAnswer": { - "description": "Libellé pour la réponse de sécurité du virement électronique" - }, - "fundExchangeOnlineBillPaymentTitle": "Paiement de facture en ligne", - "@fundExchangeOnlineBillPaymentTitle": { - "description": "Titre de l'écran pour les détails du paiement de facture en ligne" - }, - "fundExchangeOnlineBillPaymentDescription": "Tout montant que vous envoyez via la fonctionnalité de paiement de facture en ligne de votre banque en utilisant les informations ci-dessous sera crédité sur votre solde de compte Bull Bitcoin dans un délai de 3 à 4 jours ouvrables.", - "@fundExchangeOnlineBillPaymentDescription": { - "description": "Description du fonctionnement du paiement de facture en ligne et du délai" - }, - "fundExchangeOnlineBillPaymentLabelBillerName": "Recherchez dans la liste des fournisseurs de votre banque ce nom", - "@fundExchangeOnlineBillPaymentLabelBillerName": { - "description": "Libellé pour le nom du fournisseur dans le paiement de facture en ligne" - }, - "fundExchangeOnlineBillPaymentHelpBillerName": "Ajoutez cette entreprise comme bénéficiaire - c'est le processeur de paiement de Bull Bitcoin", - "@fundExchangeOnlineBillPaymentHelpBillerName": { - "description": "Texte d'aide pour le champ nom du fournisseur" - }, - "fundExchangeOnlineBillPaymentLabelAccountNumber": "Ajoutez ceci comme numéro de compte", - "@fundExchangeOnlineBillPaymentLabelAccountNumber": { - "description": "Libellé pour le numéro de compte dans le paiement de facture en ligne" - }, - "fundExchangeOnlineBillPaymentHelpAccountNumber": "Ce numéro de compte unique est créé spécialement pour vous", - "@fundExchangeOnlineBillPaymentHelpAccountNumber": { - "description": "Texte d'aide pour le champ numéro de compte" - }, - "fundExchangeCanadaPostTitle": "Espèces ou débit en personne à Postes Canada", - "@fundExchangeCanadaPostTitle": { - "description": "Titre de l'écran pour le mode de paiement Postes Canada" - }, - "fundExchangeCanadaPostStep1": "1. Rendez-vous dans n'importe quel bureau de Postes Canada", - "@fundExchangeCanadaPostStep1": { - "description": "Étape 1 du processus de paiement Postes Canada" - }, - "fundExchangeCanadaPostStep2": "2. Demandez au caissier de scanner le code QR « Loadhub »", - "@fundExchangeCanadaPostStep2": { - "description": "Étape 2 du processus de paiement Postes Canada" - }, - "fundExchangeCanadaPostStep3": "3. Indiquez au caissier le montant que vous souhaitez charger", - "@fundExchangeCanadaPostStep3": { - "description": "Étape 3 du processus de paiement Postes Canada" - }, - "fundExchangeCanadaPostStep4": "4. Le caissier vous demandera de présenter une pièce d'identité émise par le gouvernement et vérifiera que le nom sur votre pièce d'identité correspond à votre compte Bull Bitcoin", - "@fundExchangeCanadaPostStep4": { - "description": "Étape 4 du processus de paiement Postes Canada - vérification de l'identité" - }, - "fundExchangeCanadaPostStep5": "5. Payez en espèces ou par carte de débit", - "@fundExchangeCanadaPostStep5": { - "description": "Étape 5 du processus de paiement Postes Canada" - }, - "fundExchangeCanadaPostStep6": "6. Le caissier vous remettra un reçu, conservez-le comme preuve de paiement", - "@fundExchangeCanadaPostStep6": { - "description": "Étape 6 du processus de paiement Postes Canada" - }, - "fundExchangeCanadaPostStep7": "7. Les fonds seront ajoutés à votre solde de compte Bull Bitcoin dans les 30 minutes", - "@fundExchangeCanadaPostStep7": { - "description": "Étape 7 du processus de paiement Postes Canada - délai" - }, - "fundExchangeCanadaPostQrCodeLabel": "Code QR Loadhub", - "@fundExchangeCanadaPostQrCodeLabel": { - "description": "Libellé pour l'affichage du code QR Loadhub" - }, - "fundExchangeSepaTitle": "Virement SEPA", - "@fundExchangeSepaTitle": { - "description": "Titre de l'écran pour les détails du virement SEPA" - }, - "fundExchangeSepaDescription": "Envoyez un virement SEPA depuis votre compte bancaire en utilisant les détails ci-dessous ", - "@fundExchangeSepaDescription": { - "description": "Description du virement SEPA (première partie, avant « exactement »)" - }, - "fundExchangeSepaDescriptionExactly": "exactement.", - "@fundExchangeSepaDescriptionExactly": { - "description": "Mot souligné « exactement » dans la description SEPA" - }, - "fundExchangeInstantSepaInfo": "À utiliser uniquement pour les transactions inférieures à 20 000 €. Pour les transactions plus importantes, utilisez l'option SEPA régulier.", - "@fundExchangeInstantSepaInfo": { - "description": "Message d'information pour les limites de transaction SEPA instantané" - }, - "fundExchangeRegularSepaInfo": "À utiliser uniquement pour les transactions supérieures à 20 000 €. Pour les transactions plus petites, utilisez l'option SEPA instantané.", - "@fundExchangeRegularSepaInfo": { - "description": "Message d'information pour les limites de transaction SEPA régulier" - }, - "fundExchangeLabelIban": "Numéro de compte IBAN", - "@fundExchangeLabelIban": { - "description": "Libellé pour le champ numéro de compte IBAN" - }, - "fundExchangeLabelBicCode": "Code BIC", - "@fundExchangeLabelBicCode": { - "description": "Libellé pour le champ code BIC" - }, - "fundExchangeLabelBankAccountCountry": "Pays du compte bancaire", - "@fundExchangeLabelBankAccountCountry": { - "description": "Libellé pour le champ pays du compte bancaire" - }, - "fundExchangeInfoBankCountryUk": "Le pays de notre banque est le Royaume-Uni.", - "@fundExchangeInfoBankCountryUk": { - "description": "Message d'information indiquant que le pays de la banque est le Royaume-Uni" - }, - "fundExchangeInfoBeneficiaryNameLeonod": "Le nom du bénéficiaire doit être LEONOD. Si vous mettez autre chose, votre paiement sera rejeté.", - "@fundExchangeInfoBeneficiaryNameLeonod": { - "description": "Information critique concernant le nom du bénéficiaire LEONOD" - }, - "fundExchangeInfoPaymentDescription": "Dans la description du paiement, ajoutez votre code de transfert.", - "@fundExchangeInfoPaymentDescription": { - "description": "Information sur l'ajout du code de transfert à la description du paiement" - }, - "fundExchangeHelpBeneficiaryAddress": "Notre adresse officielle, au cas où votre banque l'exigerait", - "@fundExchangeHelpBeneficiaryAddress": { - "description": "Texte d'aide pour le champ adresse du bénéficiaire" - }, - "fundExchangeLabelRecipientName": "Nom du destinataire", - "@fundExchangeLabelRecipientName": { - "description": "Libellé pour le champ nom du destinataire (alternative au nom du bénéficiaire)" - }, - "fundExchangeLabelBankCountry": "Pays de la banque", - "@fundExchangeLabelBankCountry": { - "description": "Libellé pour le champ pays de la banque" - }, - "fundExchangeLabelRecipientAddress": "Adresse du destinataire", - "@fundExchangeLabelRecipientAddress": { - "description": "Libellé pour le champ adresse du destinataire" - }, - "fundExchangeSpeiTitle": "Virement SPEI", - "@fundExchangeSpeiTitle": { - "description": "Titre de l'écran pour le virement SPEI (Mexique)" - }, - "fundExchangeSpeiDescription": "Transférez des fonds en utilisant votre CLABE", - "@fundExchangeSpeiDescription": { - "description": "Description pour le mode de virement SPEI" - }, - "fundExchangeSpeiInfo": "Effectuez un dépôt par virement SPEI (instantané).", - "@fundExchangeSpeiInfo": { - "description": "Message d'information indiquant que le virement SPEI est instantané" - }, - "fundExchangeLabelClabe": "CLABE", - "@fundExchangeLabelClabe": { - "description": "Libellé pour le champ numéro CLABE (Mexique)" - }, - "fundExchangeLabelMemo": "Mémo", - "@fundExchangeLabelMemo": { - "description": "Libellé pour le champ mémo/référence" - }, - "fundExchangeSinpeTitle": "Virement SINPE", - "@fundExchangeSinpeTitle": { - "description": "Titre de l'écran pour le virement SINPE (Costa Rica)" - }, - "fundExchangeSinpeDescription": "Transférez des colones en utilisant SINPE", - "@fundExchangeSinpeDescription": { - "description": "Description pour le mode de virement SINPE" - }, - "fundExchangeCrIbanCrcTitle": "Virement bancaire (CRC)", - "@fundExchangeCrIbanCrcTitle": { - "description": "Titre de l'écran pour le virement bancaire costaricain en colones" - }, - "fundExchangeCrIbanUsdTitle": "Virement bancaire (USD)", - "@fundExchangeCrIbanUsdTitle": { - "description": "Titre de l'écran pour le virement bancaire costaricain en dollars américains" - }, - "fundExchangeCrBankTransferDescription1": "Envoyez un virement bancaire depuis votre compte bancaire en utilisant les détails ci-dessous ", - "@fundExchangeCrBankTransferDescription1": { - "description": "Première partie de la description du virement bancaire costaricain" - }, - "fundExchangeCrBankTransferDescriptionExactly": "exactement", - "@fundExchangeCrBankTransferDescriptionExactly": { - "description": "Mot souligné « exactement » dans la description costaricaine" - }, - "fundExchangeCrBankTransferDescription2": ". Les fonds seront ajoutés à votre solde de compte.", - "@fundExchangeCrBankTransferDescription2": { - "description": "Deuxième partie de la description du virement bancaire costaricain" - }, - "fundExchangeLabelIbanCrcOnly": "Numéro de compte IBAN (pour les colones uniquement)", - "@fundExchangeLabelIbanCrcOnly": { - "description": "Libellé pour le champ IBAN - colones uniquement" - }, - "fundExchangeLabelIbanUsdOnly": "Numéro de compte IBAN (pour les dollars américains uniquement)", - "@fundExchangeLabelIbanUsdOnly": { - "description": "Libellé pour le champ IBAN - dollars américains uniquement" - }, - "fundExchangeLabelPaymentDescription": "Description du paiement", - "@fundExchangeLabelPaymentDescription": { - "description": "Libellé pour le champ description du paiement" - }, - "fundExchangeHelpPaymentDescription": "Votre code de transfert.", - "@fundExchangeHelpPaymentDescription": { - "description": "Texte d'aide pour le champ description du paiement" - }, - "fundExchangeInfoTransferCodeRequired": "Vous devez ajouter le code de transfert comme « message » ou « raison » ou « description » lors du paiement. Si vous oubliez de mettre ce code, votre paiement pourrait être rejeté.", - "@fundExchangeInfoTransferCodeRequired": { - "description": "Information importante sur l'exigence du code de transfert pour les virements costaricains" - }, - "fundExchangeLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeLabelCedulaJuridica": { - "description": "Libellé pour Cédula Jurídica (numéro d'identification d'entreprise au Costa Rica)" - }, - "fundExchangeArsBankTransferTitle": "Virement bancaire", - "@fundExchangeArsBankTransferTitle": { - "description": "Titre de l'écran pour le virement bancaire argentin" - }, - "fundExchangeArsBankTransferDescription": "Envoyez un virement bancaire depuis votre compte bancaire en utilisant les coordonnées bancaires exactes de l'Argentine ci-dessous.", - "@fundExchangeArsBankTransferDescription": { - "description": "Description pour le mode de virement bancaire argentin" - }, - "fundExchangeLabelRecipientNameArs": "Nom du destinataire", - "@fundExchangeLabelRecipientNameArs": { - "description": "Libellé pour le nom du destinataire dans le virement argentin" - }, - "fundExchangeLabelCvu": "CVU", - "@fundExchangeLabelCvu": { - "description": "Libellé pour le numéro CVU (Clave Virtual Uniforme) en Argentine" - }, - "fundExchangeErrorLoadingDetails": "Les détails du paiement n'ont pas pu être chargés pour le moment. Veuillez revenir en arrière et réessayer, choisir un autre mode de paiement ou revenir plus tard.", - "@fundExchangeErrorLoadingDetails": { - "description": "Message d'erreur lorsque les détails de financement ne peuvent pas être chargés" - }, - "fundExchangeSinpeDescriptionBold": "il sera rejeté.", - "@fundExchangeSinpeDescriptionBold": { - "description": "Texte en gras avertissant que le paiement depuis un mauvais numéro sera rejeté" - }, - "fundExchangeSinpeAddedToBalance": "Une fois le paiement envoyé, il sera ajouté au solde de votre compte.", - "@fundExchangeSinpeAddedToBalance": { - "description": "Message expliquant que le paiement sera ajouté au solde du compte" - }, - "fundExchangeSinpeWarningNoBitcoin": "Ne mettez pas", - "@fundExchangeSinpeWarningNoBitcoin": { - "description": "Texte d'avertissement en gras au début du message d'avertissement bitcoin" - }, - "fundExchangeSinpeWarningNoBitcoinDescription": " le mot « Bitcoin » ou « Crypto » dans la description du paiement. Cela bloquera votre paiement.", - "@fundExchangeSinpeWarningNoBitcoinDescription": { - "description": "Avertissement que l'inclusion de Bitcoin ou Crypto dans la description bloquera le paiement" - }, - "fundExchangeSinpeLabelPhone": "Envoyer à ce numéro de téléphone", - "@fundExchangeSinpeLabelPhone": { - "description": "Libellé pour le champ du numéro de téléphone SINPE Móvil" - }, - "fundExchangeSinpeLabelRecipientName": "Nom du destinataire", - "@fundExchangeSinpeLabelRecipientName": { - "description": "Libellé pour le nom du destinataire dans le virement SINPE" - }, - "fundExchangeCrIbanCrcDescription": "Envoyez un virement bancaire depuis votre compte bancaire en utilisant les détails ci-dessous ", - "@fundExchangeCrIbanCrcDescription": { - "description": "Première partie de la description pour le virement CR IBAN CRC" - }, - "fundExchangeCrIbanCrcDescriptionBold": "exactement", - "@fundExchangeCrIbanCrcDescriptionBold": { - "description": "Mot d'emphase en gras pour les instructions de virement CR IBAN" - }, - "fundExchangeCrIbanCrcDescriptionEnd": ". Les fonds seront ajoutés au solde de votre compte.", - "@fundExchangeCrIbanCrcDescriptionEnd": { - "description": "Fin de la description pour le virement CR IBAN CRC" - }, - "fundExchangeCrIbanCrcLabelIban": "Numéro de compte IBAN (Colones seulement)", - "@fundExchangeCrIbanCrcLabelIban": { - "description": "Libellé pour le champ du numéro IBAN pour CRC (Colones) uniquement" - }, - "fundExchangeCrIbanCrcLabelPaymentDescription": "Description du paiement", - "@fundExchangeCrIbanCrcLabelPaymentDescription": { - "description": "Libellé pour le champ de description du paiement dans le virement CR IBAN" - }, - "fundExchangeCrIbanCrcPaymentDescriptionHelp": "Votre code de virement.", - "@fundExchangeCrIbanCrcPaymentDescriptionHelp": { - "description": "Texte d'aide expliquant que la description du paiement est le code de virement" - }, - "fundExchangeCrIbanCrcTransferCodeWarning": "Vous devez ajouter le code de virement comme « message » ou « raison » ou « description » lors du paiement. Si vous oubliez d'inclure ce code, votre paiement peut être rejeté.", - "@fundExchangeCrIbanCrcTransferCodeWarning": { - "description": "Avertissement concernant l'inclusion du code de virement dans le paiement" - }, - "fundExchangeCrIbanCrcLabelRecipientName": "Nom du destinataire", - "@fundExchangeCrIbanCrcLabelRecipientName": { - "description": "Libellé pour le nom du destinataire dans le virement CR IBAN CRC" - }, - "fundExchangeCrIbanCrcRecipientNameHelp": "Utilisez notre nom d'entreprise officiel. N'utilisez pas « Bull Bitcoin ».", - "@fundExchangeCrIbanCrcRecipientNameHelp": { - "description": "Texte d'aide pour le champ du nom du destinataire expliquant d'utiliser le nom d'entreprise" - }, - "fundExchangeCrIbanCrcLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanCrcLabelCedulaJuridica": { - "description": "Libellé pour Cédula Jurídica (numéro d'identification légale au Costa Rica)" - }, - "fundExchangeCrIbanUsdDescription": "Envoyez un virement bancaire depuis votre compte bancaire en utilisant les détails ci-dessous ", - "@fundExchangeCrIbanUsdDescription": { - "description": "Première partie de la description pour le virement CR IBAN USD" - }, - "fundExchangeCrIbanUsdDescriptionBold": "exactement", - "@fundExchangeCrIbanUsdDescriptionBold": { - "description": "Mot d'emphase en gras pour les instructions de virement CR IBAN USD" - }, - "fundExchangeCrIbanUsdDescriptionEnd": ". Les fonds seront ajoutés au solde de votre compte.", - "@fundExchangeCrIbanUsdDescriptionEnd": { - "description": "Fin de la description pour le virement CR IBAN USD" - }, - "fundExchangeCrIbanUsdLabelIban": "Numéro de compte IBAN (dollars américains seulement)", - "@fundExchangeCrIbanUsdLabelIban": { - "description": "Libellé pour le champ du numéro IBAN pour USD uniquement" - }, - "fundExchangeCrIbanUsdLabelPaymentDescription": "Description du paiement", - "@fundExchangeCrIbanUsdLabelPaymentDescription": { - "description": "Libellé pour le champ de description du paiement dans le virement CR IBAN USD" - }, - "fundExchangeCrIbanUsdPaymentDescriptionHelp": "Votre code de virement.", - "@fundExchangeCrIbanUsdPaymentDescriptionHelp": { - "description": "Texte d'aide expliquant que la description du paiement est le code de virement" - }, - "fundExchangeCrIbanUsdTransferCodeWarning": "Vous devez ajouter le code de virement comme « message » ou « raison » ou « description » lors du paiement. Si vous oubliez d'inclure ce code, votre paiement peut être rejeté.", - "@fundExchangeCrIbanUsdTransferCodeWarning": { - "description": "Avertissement concernant l'inclusion du code de virement dans le paiement pour les virements USD" - }, - "fundExchangeCrIbanUsdLabelRecipientName": "Nom du destinataire", - "@fundExchangeCrIbanUsdLabelRecipientName": { - "description": "Libellé pour le nom du destinataire dans le virement CR IBAN USD" - }, - "fundExchangeCrIbanUsdRecipientNameHelp": "Utilisez notre nom d'entreprise officiel. N'utilisez pas « Bull Bitcoin ».", - "@fundExchangeCrIbanUsdRecipientNameHelp": { - "description": "Texte d'aide pour le champ du nom du destinataire expliquant d'utiliser le nom d'entreprise" - }, - "fundExchangeCrIbanUsdLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanUsdLabelCedulaJuridica": { - "description": "Libellé pour Cédula Jurídica (numéro d'identification légale au Costa Rica) pour USD" - }, - "fundExchangeCostaRicaMethodSinpeTitle": "SINPE Móvil", - "@fundExchangeCostaRicaMethodSinpeTitle": { - "description": "Titre de la méthode de paiement pour SINPE Móvil dans la liste des méthodes" - }, - "fundExchangeCostaRicaMethodSinpeSubtitle": "Transférer des Colones en utilisant SINPE", - "@fundExchangeCostaRicaMethodSinpeSubtitle": { - "description": "Description sous-titre pour la méthode de paiement SINPE Móvil" - }, - "fundExchangeCostaRicaMethodIbanCrcTitle": "IBAN Costa Rica (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcTitle": { - "description": "Titre de la méthode de paiement pour IBAN CRC dans la liste des méthodes" - }, - "fundExchangeCostaRicaMethodIbanCrcSubtitle": "Transférer des fonds en Colón costaricain (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcSubtitle": { - "description": "Description sous-titre pour la méthode de paiement IBAN CRC" - }, - "fundExchangeCostaRicaMethodIbanUsdTitle": "IBAN Costa Rica (USD)", - "@fundExchangeCostaRicaMethodIbanUsdTitle": { - "description": "Titre de la méthode de paiement pour IBAN USD dans la liste des méthodes" - }, - "fundExchangeCostaRicaMethodIbanUsdSubtitle": "Transférer des fonds en dollars américains (USD)", - "@fundExchangeCostaRicaMethodIbanUsdSubtitle": { - "description": "Description sous-titre pour la méthode de paiement IBAN USD" - }, - "backupWalletTitle": "Sauvegarder votre portefeuille", - "@backupWalletTitle": { - "description": "AppBar title for main backup options screen" - }, - "testBackupTitle": "Tester son backup", - "@testBackupTitle": { - "description": "AppBar title for main backup options screen" - }, - "backupImportanceMessage": "Sans sauvegarde, vous finirez par perdre l'accès à votre argent. Il est essentiel de faire une sauvegarde.", - "@backupImportanceMessage": { - "description": "Message d'avertissement critique sur l'importance de sauvegarder le portefeuille" - }, - "encryptedVaultTitle": "Coffre-fort chiffré", - "@encryptedVaultTitle": { - "description": "Titre pour l'option de sauvegarde par coffre-fort chiffré" - }, - "encryptedVaultDescription": "Sauvegarde anonyme avec chiffrement fort utilisant votre nuage.", - "@encryptedVaultDescription": { - "description": "Description de la méthode de sauvegarde par coffre-fort chiffré" - }, - "encryptedVaultTag": "Facile et simple (1 minute)", - "@encryptedVaultTag": { - "description": "Étiquette indiquant que le coffre-fort chiffré est rapide et facile" - }, - "physicalBackupTitle": "Sauvegarde physique", - "@physicalBackupTitle": { - "description": "Titre pour l'option de sauvegarde physique" - }, - "physicalBackupDescription": "Notez 12 mots sur une feuille de papier. Gardez-les en sécurité et assurez-vous de ne pas les perdre.", - "@physicalBackupDescription": { - "description": "Description de la méthode de sauvegarde physique" - }, - "physicalBackupTag": "Sans confiance (prenez votre temps)", - "@physicalBackupTag": { - "description": "Étiquette indiquant que la sauvegarde physique est sans confiance mais prend du temps" - }, - "howToDecideButton": "Comment décider ?", - "@howToDecideButton": { - "description": "Libellé du bouton pour afficher des informations sur le choix des méthodes de sauvegarde" - }, - "backupBestPracticesTitle": "Meilleures pratiques de sauvegarde", - "@backupBestPracticesTitle": { - "description": "Titre de l'écran des meilleures pratiques de sauvegarde" - }, - "lastBackupTestLabel": "Dernier test de sauvegarde : {date}", - "@lastBackupTestLabel": { - "description": "Libellé affichant la date du dernier test de sauvegarde", - "placeholders": { - "date": { - "type": "String", - "example": "2025-01-20 15:30:45" - } - } - }, - "backupInstruction1": "Si vous perdez votre sauvegarde de 12 mots, vous ne pourrez pas récupérer l'accès au portefeuille Bitcoin.", - "@backupInstruction1": { - "description": "Première instruction de sauvegarde avertissant de la perte de la sauvegarde de 12 mots" - }, - "backupInstruction2": "Sans sauvegarde, si vous perdez ou cassez votre téléphone, ou si vous désinstallez l'application Bull Bitcoin, vos bitcoins seront perdus à jamais.", - "@backupInstruction2": { - "description": "Deuxième instruction de sauvegarde avertissant de la perte du téléphone ou de l'application" - }, - "backupInstruction3": "Toute personne ayant accès à votre sauvegarde de 12 mots peut voler vos bitcoins. Cachez-la bien.", - "@backupInstruction3": { - "description": "Troisième instruction de sauvegarde avertissant de la sécurité de la sauvegarde" - }, - "backupInstruction4": "Ne faites pas de copies numériques de votre sauvegarde. Écrivez-la sur une feuille de papier ou gravez-la dans du métal.", - "@backupInstruction4": { - "description": "Quatrième instruction de sauvegarde concernant l'absence de copies numériques" - }, - "backupInstruction5": "Votre sauvegarde n'est pas protégée par une phrase de passe. Ajoutez une phrase de passe à votre sauvegarde ultérieurement en créant un nouveau portefeuille.", - "@backupInstruction5": { - "description": "Cinquième instruction de sauvegarde concernant la protection par phrase de passe" - }, - "backupButton": "Sauvegarder", - "@backupButton": { - "description": "Libellé du bouton pour démarrer le processus de sauvegarde" - }, - "backupCompletedTitle": "Sauvegarde terminée !", - "@backupCompletedTitle": { - "description": "Titre affiché lorsque la sauvegarde est terminée avec succès" - }, - "backupCompletedDescription": "Testons maintenant votre sauvegarde pour nous assurer que tout a été fait correctement.", - "@backupCompletedDescription": { - "description": "Description invitant l'utilisateur à tester sa sauvegarde" - }, - "testBackupButton": "Tester la sauvegarde", - "@testBackupButton": { - "description": "Libellé du bouton pour tester la sauvegarde" - }, - "keyServerLabel": "Serveur de clés ", - "@keyServerLabel": { - "description": "Libellé pour l'état du serveur de clés" - }, - "physicalBackupStatusLabel": "Sauvegarde physique", - "@physicalBackupStatusLabel": { - "description": "Libellé d'état pour la sauvegarde physique" - }, - "encryptedVaultStatusLabel": "Coffre-fort chiffré", - "@encryptedVaultStatusLabel": { - "description": "Libellé d'état pour le coffre-fort chiffré" - }, - "testedStatus": "Testé", - "@testedStatus": { - "description": "Texte d'état indiquant que la sauvegarde a été testée" - }, - "notTestedStatus": "Non testé", - "@notTestedStatus": { - "description": "Texte d'état indiquant que la sauvegarde n'a pas été testée" - }, - "startBackupButton": "Démarrer la sauvegarde", - "@startBackupButton": { - "description": "Libellé du bouton pour démarrer le processus de sauvegarde" - }, - "exportVaultButton": "Exporter le coffre-fort", - "@exportVaultButton": { - "description": "Libellé du bouton pour exporter le coffre-fort" - }, - "exportingVaultButton": "Exportation...", - "@exportingVaultButton": { - "description": "Libellé du bouton affiché pendant l'exportation du coffre-fort" - }, - "viewVaultKeyButton": "Afficher la clé du coffre-fort", - "@viewVaultKeyButton": { - "description": "Libellé du bouton pour afficher la clé du coffre-fort" - }, - "revealingVaultKeyButton": "Révélation...", - "@revealingVaultKeyButton": { - "description": "Libellé du bouton affiché pendant la révélation de la clé du coffre-fort" - }, - "errorLabel": "Erreur", - "@errorLabel": { - "description": "Libellé pour les messages d'erreur" - }, - "backupKeyTitle": "Clé de sauvegarde", - "@backupKeyTitle": { - "description": "Titre de l'écran de la clé de sauvegarde" - }, - "failedToDeriveBackupKey": "Échec de la dérivation de la clé de sauvegarde", - "@failedToDeriveBackupKey": { - "description": "Message d'erreur lorsque la dérivation de la clé de sauvegarde échoue" - }, - "securityWarningTitle": "Avertissement de sécurité", - "@securityWarningTitle": { - "description": "Titre de la boîte de dialogue d'avertissement de sécurité" - }, - "backupKeyWarningMessage": "Attention : Faites attention à l'endroit où vous enregistrez la clé de sauvegarde.", - "@backupKeyWarningMessage": { - "description": "Message d'avertissement concernant le stockage de la clé de sauvegarde" - }, - "backupKeySeparationWarning": "Il est essentiel que vous n'enregistriez pas la clé de sauvegarde au même endroit que votre fichier de sauvegarde. Stockez-les toujours sur des appareils séparés ou des fournisseurs de cloud différents.", - "@backupKeySeparationWarning": { - "description": "Avertissement concernant le stockage séparé de la clé de sauvegarde et du fichier" - }, - "backupKeyExampleWarning": "Par exemple, si vous avez utilisé Google Drive pour votre fichier de sauvegarde, n'utilisez pas Google Drive pour votre clé de sauvegarde.", - "@backupKeyExampleWarning": { - "description": "Exemple d'avertissement sur l'utilisation du même fournisseur de cloud" - }, - "cancelButton": "Annuler", - "@cancelButton": { - "description": "Button to cancel logout action" - }, - "continueButton": "Continuer", - "@continueButton": { - "description": "Default button text for success state" - }, - "testWalletTitle": "Tester {walletName}", - "@testWalletTitle": { - "description": "Titre pour tester la sauvegarde du portefeuille", - "placeholders": { - "walletName": { - "type": "String", - "example": "Default Wallets" - } - } - }, - "defaultWalletsLabel": "Portefeuilles par défaut", - "@defaultWalletsLabel": { - "description": "Libellé pour les portefeuilles par défaut" - }, - "confirmButton": "Confirmer", - "@confirmButton": { - "description": "Libellé du bouton pour confirmer l'action" - }, - "recoveryPhraseTitle": "Notez votre phrase de récupération\ndans le bon ordre", - "@recoveryPhraseTitle": { - "description": "Titre demandant à l'utilisateur de noter la phrase de récupération" - }, - "storeItSafelyMessage": "Conservez-la dans un endroit sûr.", - "@storeItSafelyMessage": { - "description": "Instruction de conserver la phrase de récupération en lieu sûr" - }, - "doNotShareWarning": "NE LA PARTAGEZ AVEC PERSONNE", - "@doNotShareWarning": { - "description": "Avertissement de ne pas partager la phrase de récupération avec qui que ce soit" - }, - "transcribeLabel": "Transcrire", - "@transcribeLabel": { - "description": "Libellé indiquant que l'utilisateur doit transcrire les mots" - }, - "digitalCopyLabel": "Copie numérique", - "@digitalCopyLabel": { - "description": "Libellé pour copie numérique (avec marque X)" - }, - "screenshotLabel": "Capture d'écran", - "@screenshotLabel": { - "description": "Libellé pour capture d'écran (avec marque X)" - }, - "nextButton": "Suivant", - "@nextButton": { - "description": "Libellé du bouton pour passer à l'étape suivante" - }, - "tapWordsInOrderTitle": "Appuyez sur les mots de récupération dans\nle bon ordre", - "@tapWordsInOrderTitle": { - "description": "Titre demandant à l'utilisateur d'appuyer sur les mots dans l'ordre" - }, - "whatIsWordNumberPrompt": "Quel est le mot numéro {number} ?", - "@whatIsWordNumberPrompt": { - "description": "Invite demandant un numéro de mot spécifique", - "placeholders": { - "number": { - "type": "int", - "example": "5" - } - } - }, - "allWordsSelectedMessage": "Vous avez sélectionné tous les mots", - "@allWordsSelectedMessage": { - "description": "Message affiché lorsque tous les mots sont sélectionnés" - }, - "verifyButton": "Vérifier", - "@verifyButton": { - "description": "Libellé du bouton pour vérifier la phrase de récupération" - }, - "passphraseLabel": "Phrase secrète", - "@passphraseLabel": { - "description": "Label for optional passphrase input field" - }, - "testYourWalletTitle": "Testez votre portefeuille", - "@testYourWalletTitle": { - "description": "Titre de l'écran de test de votre portefeuille" - }, - "vaultSuccessfullyImported": "Votre coffre-fort a été importé avec succès", - "@vaultSuccessfullyImported": { - "description": "Message affiché lorsque le coffre-fort est importé avec succès" - }, - "backupIdLabel": "ID de sauvegarde :", - "@backupIdLabel": { - "description": "Libellé pour l'ID de sauvegarde" - }, - "createdAtLabel": "Créé le :", - "@createdAtLabel": { - "description": "Libellé pour la date de création" - }, - "enterBackupKeyManuallyButton": "Entrer la clé de sauvegarde manuellement >>", - "@enterBackupKeyManuallyButton": { - "description": "Libellé du bouton pour entrer la clé de sauvegarde manuellement" - }, - "decryptVaultButton": "Déchiffrer le coffre-fort", - "@decryptVaultButton": { - "description": "Libellé du bouton pour déchiffrer le coffre-fort" - }, - "testCompletedSuccessTitle": "Test terminé avec succès !", - "@testCompletedSuccessTitle": { - "description": "Titre affiché lorsque le test de sauvegarde est réussi" - }, - "testCompletedSuccessMessage": "Vous êtes en mesure de récupérer l'accès à un portefeuille Bitcoin perdu", - "@testCompletedSuccessMessage": { - "description": "Message affiché lorsque le test de sauvegarde est réussi" - }, - "gotItButton": "Compris", - "@gotItButton": { - "description": "Libellé du bouton pour confirmer la compréhension du test réussi" - }, - "legacySeedViewScreenTitle": "Graines héritées", - "@legacySeedViewScreenTitle": { - "description": "AppBar title for legacy seeds screen" - }, - "legacySeedViewNoSeedsMessage": "Aucune seed héritée trouvée.", - "@legacySeedViewNoSeedsMessage": { - "description": "Message affiché lorsqu'aucune seed héritée n'est trouvée" - }, - "legacySeedViewMnemonicLabel": "Mnémonique", - "@legacySeedViewMnemonicLabel": { - "description": "Libellé pour les mots mnémoniques" - }, - "legacySeedViewPassphrasesLabel": "Phrases de passe :", - "@legacySeedViewPassphrasesLabel": { - "description": "Libellé pour la section des phrases de passe" - }, - "legacySeedViewEmptyPassphrase": "(vide)", - "@legacySeedViewEmptyPassphrase": { - "description": "Texte affiché pour une phrase de passe vide" - }, - "enterBackupKeyManuallyTitle": "Entrer la clé de sauvegarde manuellement", - "@enterBackupKeyManuallyTitle": { - "description": "Titre de l'écran d'entrée manuelle de la clé de sauvegarde" - }, - "enterBackupKeyManuallyDescription": "Si vous avez exporté votre clé de sauvegarde et l'avez enregistrée dans un emplacement séparé par vous-même, vous pouvez l'entrer manuellement ici. Sinon, retournez à l'écran précédent.", - "@enterBackupKeyManuallyDescription": { - "description": "Description pour l'entrée manuelle de la clé de sauvegarde" - }, - "enterBackupKeyLabel": "Entrer la clé de sauvegarde", - "@enterBackupKeyLabel": { - "description": "Libellé pour le champ de saisie de la clé de sauvegarde" - }, - "backupKeyHint": "acc8b7b12daf06412f45a90b7fd2…", - "@backupKeyHint": { - "description": "Texte d'indication pour la saisie de la clé de sauvegarde" - }, - "automaticallyFetchKeyButton": "Récupérer automatiquement la clé >>", - "@automaticallyFetchKeyButton": { - "description": "Libellé du bouton pour récupérer automatiquement la clé" - }, - "enterYourPinTitle": "Entrez votre {pinOrPassword}", - "@enterYourPinTitle": { - "description": "Titre pour entrer le code PIN ou le mot de passe", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "enterYourBackupPinTitle": "Entrez votre {pinOrPassword} de sauvegarde", - "@enterYourBackupPinTitle": { - "description": "Titre pour entrer le code PIN ou le mot de passe de sauvegarde", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "enterPinToContinueMessage": "Entrez votre {pinOrPassword} pour continuer", - "@enterPinToContinueMessage": { - "description": "Message invitant l'utilisateur à entrer le code PIN/mot de passe pour continuer", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "testBackupPinMessage": "Testez pour vous assurer que vous vous souvenez de votre {pinOrPassword} de sauvegarde", - "@testBackupPinMessage": { - "description": "Message invitant l'utilisateur à tester le code PIN/mot de passe de sauvegarde", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "passwordLabel": "Mot de passe", - "@passwordLabel": { - "description": "Libellé pour le champ de saisie du mot de passe" - }, - "pickPasswordInsteadButton": "Choisir un mot de passe >>", - "@pickPasswordInsteadButton": { - "description": "Libellé du bouton pour passer à la saisie du mot de passe" - }, - "pickPinInsteadButton": "Choisir un code PIN à la place >>", - "@pickPinInsteadButton": { - "description": "Libellé du bouton pour passer à la saisie du code PIN" - }, - "recoverYourWalletTitle": "Récupérer votre portefeuille", - "@recoverYourWalletTitle": { - "description": "Titre de l'écran de récupération du portefeuille" - }, - "recoverViaCloudDescription": "Récupérez votre sauvegarde via le cloud en utilisant votre code PIN.", - "@recoverViaCloudDescription": { - "description": "Description pour la récupération via le cloud" - }, - "recoverVia12WordsDescription": "Récupérez votre portefeuille via 12 mots.", - "@recoverVia12WordsDescription": { - "description": "Description pour la récupération via 12 mots" - }, - "recoverButton": "Récupérer", - "@recoverButton": { - "description": "Libellé du bouton pour récupérer le portefeuille" - }, - "recoverWalletButton": "Récupérer le portefeuille", - "@recoverWalletButton": { - "description": "Libellé du bouton pour récupérer le portefeuille" - }, - "importMnemonicTitle": "Importer une mnémonique", - "@importMnemonicTitle": { - "description": "AppBar title for mnemonic import screen" - }, - "howToDecideBackupTitle": "Comment décider", - "@howToDecideBackupTitle": { - "description": "Titre de la fenêtre modale sur le choix de la méthode de sauvegarde" - }, - "howToDecideBackupText1": "L'une des façons les plus courantes de perdre ses bitcoins est de perdre la sauvegarde physique. Toute personne qui trouve votre sauvegarde physique pourra prendre tous vos bitcoins. Si vous êtes très confiant de pouvoir bien la cacher et de ne jamais la perdre, c'est une bonne option.", - "@howToDecideBackupText1": { - "description": "Premier paragraphe expliquant le choix de la méthode de sauvegarde" - }, - "howToDecideBackupText2": "Le coffre-fort chiffré vous protège contre les voleurs cherchant à voler votre sauvegarde. Il vous évite également de perdre accidentellement votre sauvegarde puisqu'elle sera stockée dans votre cloud. Les fournisseurs de stockage cloud comme Google ou Apple n'auront pas accès à vos bitcoins car le mot de passe de chiffrement est trop fort. Il existe une faible possibilité que le serveur web qui stocke la clé de chiffrement de votre sauvegarde soit compromis. Dans ce cas, la sécurité de la sauvegarde dans votre compte cloud pourrait être menacée.", - "@howToDecideBackupText2": { - "description": "Deuxième paragraphe expliquant les avantages et les risques du coffre-fort chiffré" - }, - "physicalBackupRecommendation": "Sauvegarde physique : ", - "@physicalBackupRecommendation": { - "description": "Libellé en gras pour la recommandation de sauvegarde physique" - }, - "physicalBackupRecommendationText": "Vous êtes confiant dans vos propres capacités de sécurité opérationnelle pour cacher et préserver vos mots de seed Bitcoin.", - "@physicalBackupRecommendationText": { - "description": "Texte expliquant quand utiliser la sauvegarde physique" - }, - "encryptedVaultRecommendation": "Coffre-fort chiffré : ", - "@encryptedVaultRecommendation": { - "description": "Libellé en gras pour la recommandation de coffre-fort chiffré" - }, - "encryptedVaultRecommendationText": "Vous n'êtes pas sûr et vous avez besoin de plus de temps pour en apprendre davantage sur les pratiques de sécurité des sauvegardes.", - "@encryptedVaultRecommendationText": { - "description": "Texte expliquant quand utiliser le coffre-fort chiffré" - }, - "visitRecoverBullMessage": "Visitez recoverbull.com pour plus d'informations.", - "@visitRecoverBullMessage": { - "description": "Message avec lien vers plus d'informations" - }, - "howToDecideVaultLocationText1": "Les fournisseurs de stockage cloud comme Google ou Apple n'auront pas accès à vos bitcoins car le mot de passe de chiffrement est trop fort. Ils ne peuvent accéder à vos bitcoins que dans le cas improbable où ils colluderaient avec le serveur de clés (le service en ligne qui stocke votre mot de passe de chiffrement). Si le serveur de clés est piraté, vos bitcoins pourraient être à risque avec le cloud Google ou Apple.", - "@howToDecideVaultLocationText1": { - "description": "Premier paragraphe expliquant le choix de l'emplacement du coffre-fort" - }, - "howToDecideVaultLocationText2": "Un emplacement personnalisé peut être beaucoup plus sécurisé, selon l'emplacement que vous choisissez. Vous devez également vous assurer de ne pas perdre le fichier de sauvegarde ou l'appareil sur lequel votre fichier de sauvegarde est stocké.", - "@howToDecideVaultLocationText2": { - "description": "Deuxième paragraphe expliquant les avantages de l'emplacement personnalisé" - }, - "customLocationRecommendation": "Emplacement personnalisé : ", - "@customLocationRecommendation": { - "description": "Libellé en gras pour la recommandation d'emplacement personnalisé" - }, - "customLocationRecommendationText": "vous êtes confiant de ne pas perdre le fichier de coffre-fort et qu'il restera accessible si vous perdez votre téléphone.", - "@customLocationRecommendationText": { - "description": "Texte expliquant quand utiliser l'emplacement personnalisé" - }, - "googleAppleCloudRecommendation": "Cloud Google ou Apple : ", - "@googleAppleCloudRecommendation": { - "description": "Libellé en gras pour la recommandation de cloud Google/Apple" - }, - "googleAppleCloudRecommendationText": "vous voulez vous assurer de ne jamais perdre l'accès à votre fichier de coffre-fort même si vous perdez vos appareils.", - "@googleAppleCloudRecommendationText": { - "description": "Texte expliquant quand utiliser le cloud Google/Apple" - }, - "chooseVaultLocationTitle": "Choisir l'emplacement du coffre-fort", - "@chooseVaultLocationTitle": { - "description": "Titre de l'écran de choix de l'emplacement du coffre-fort" - }, - "lastKnownEncryptedVault": "Dernier coffre-fort chiffré connu : {date}", - "@lastKnownEncryptedVault": { - "description": "Libellé affichant la date du dernier coffre-fort chiffré connu", - "placeholders": { - "date": { - "type": "String", - "example": "2025-01-20 15:30:45" - } - } - }, - "googleDriveSignInMessage": "Vous devrez vous connecter à Google Drive", - "@googleDriveSignInMessage": { - "description": "Message concernant la nécessité de se connecter à Google Drive" - }, - "googleDrivePrivacyMessage": "Google vous demandera de partager des informations personnelles avec cette application.", - "@googleDrivePrivacyMessage": { - "description": "Message concernant la demande de Google de partager des informations personnelles" - }, - "informationWillNotLeave": "Ces informations ", - "@informationWillNotLeave": { - "description": "Première partie du message d'assurance de confidentialité" - }, - "willNot": "ne quitteront pas ", - "@willNot": { - "description": "Partie en gras de l'assurance de confidentialité (ne quitteront pas)" - }, - "leaveYourPhone": "votre téléphone et ne seront ", - "@leaveYourPhone": { - "description": "Partie centrale du message d'assurance de confidentialité" - }, - "never": "jamais ", - "@never": { - "description": "Partie en gras de l'assurance de confidentialité (jamais)" - }, - "sharedWithBullBitcoin": "partagées avec Bull Bitcoin.", - "@sharedWithBullBitcoin": { - "description": "Partie finale du message d'assurance de confidentialité" - }, - "savingToDevice": "Enregistrement sur votre appareil.", - "@savingToDevice": { - "description": "Message affiché lors de l'enregistrement sur l'appareil" - }, - "loadingBackupFile": "Chargement du fichier de sauvegarde...", - "@loadingBackupFile": { - "description": "Message affiché pendant le chargement du fichier de sauvegarde" - }, - "pleaseWaitFetching": "Veuillez patienter pendant que nous récupérons votre fichier de sauvegarde.", - "@pleaseWaitFetching": { - "description": "Message demandant à l'utilisateur de patienter pendant la récupération de la sauvegarde" - }, - "googleDriveProvider": "Google Drive", - "@googleDriveProvider": { - "description": "Nom du fournisseur Google Drive" - }, - "appleICloudProvider": "Apple iCloud", - "@appleICloudProvider": { - "description": "Nom du fournisseur Apple iCloud" - }, - "customLocationProvider": "Emplacement personnalisé", - "@customLocationProvider": { - "description": "Nom du fournisseur d'emplacement personnalisé" - }, - "quickAndEasyTag": "Rapide et facile", - "@quickAndEasyTag": { - "description": "Étiquette pour les options rapides et faciles" - }, - "takeYourTimeTag": "Prenez votre temps", - "@takeYourTimeTag": { - "description": "Étiquette pour les options nécessitant plus de temps" - }, - "customLocationTitle": "Emplacement personnalisé", - "@customLocationTitle": { - "description": "Titre de l'écran d'emplacement personnalisé" - }, - "recoverWalletScreenTitle": "Récupérer le portefeuille", - "@recoverWalletScreenTitle": { - "description": "Titre de l'écran de récupération du portefeuille" - }, - "recoverbullVaultRecoveryTitle": "Récupération du coffre-fort Recoverbull", - "@recoverbullVaultRecoveryTitle": { - "description": "Titre de l'écran de récupération du coffre-fort Recoverbull" - }, - "chooseAccessPinTitle": "Choisir le {pinOrPassword} d'accès", - "@chooseAccessPinTitle": { - "description": "Titre pour choisir le code PIN ou le mot de passe d'accès", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "memorizePasswordWarning": "Vous devez mémoriser ce {pinOrPassword} pour récupérer l'accès à votre portefeuille. Il doit comporter au moins 6 chiffres. Si vous perdez ce {pinOrPassword}, vous ne pourrez pas récupérer votre sauvegarde.", - "@memorizePasswordWarning": { - "description": "Avertissement concernant la mémorisation du code PIN/mot de passe", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "passwordTooCommonError": "Ce {pinOrPassword} est trop courant. Veuillez en choisir un différent.", - "@passwordTooCommonError": { - "description": "Message d'erreur pour un mot de passe courant", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "passwordMinLengthError": "Le {pinOrPassword} doit comporter au moins 6 chiffres", - "@passwordMinLengthError": { - "description": "Message d'erreur pour la longueur minimale du mot de passe", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "pickPasswordOrPinButton": "Choisir un {pinOrPassword} à la place >>", - "@pickPasswordOrPinButton": { - "description": "Bouton pour basculer entre code PIN et mot de passe", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "password" - } - } - }, - "confirmAccessPinTitle": "Confirmer le {pinOrPassword} d'accès", - "@confirmAccessPinTitle": { - "description": "Titre pour confirmer le code PIN ou le mot de passe d'accès", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "enterPinAgainMessage": "Entrez à nouveau votre {pinOrPassword} pour continuer.", - "@enterPinAgainMessage": { - "description": "Message demandant de ressaisir le code PIN/mot de passe", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "usePasswordInsteadButton": "Utiliser un {pinOrPassword} à la place >>", - "@usePasswordInsteadButton": { - "description": "Bouton pour utiliser un mot de passe/code PIN à la place", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "password" - } - } - }, - "oopsSomethingWentWrong": "Oups ! Une erreur s'est produite", - "@oopsSomethingWentWrong": { - "description": "Titre d'erreur lorsque quelque chose ne va pas" - }, - "connectingToKeyServer": "Connexion au serveur de clés via Tor.\nCela peut prendre jusqu'à une minute.", - "@connectingToKeyServer": { - "description": "Message affiché lors de la connexion au serveur de clés via Tor" - }, - "anErrorOccurred": "Une erreur s'est produite", - "@anErrorOccurred": { - "description": "Message d'erreur générique" - }, - "dcaSetRecurringBuyTitle": "Configurer un achat récurrent", - "@dcaSetRecurringBuyTitle": { - "description": "AppBar title for the main DCA setup screen" - }, - "dcaInsufficientBalanceTitle": "Solde insuffisant", - "@dcaInsufficientBalanceTitle": { - "description": "InfoCard title when user has insufficient funds" - }, - "dcaInsufficientBalanceDescription": "Vous n'avez pas assez de solde pour créer cette commande.", - "@dcaInsufficientBalanceDescription": { - "description": "InfoCard description explaining insufficient balance error" - }, - "dcaFundAccountButton": "Alimenter votre compte", - "@dcaFundAccountButton": { - "description": "Button label to navigate to funding screen" - }, - "dcaScheduleDescription": "Les achats de Bitcoin seront effectués automatiquement selon ce calendrier.", - "@dcaScheduleDescription": { - "description": "Explanation text at the top of DCA setup form" - }, - "dcaFrequencyValidationError": "Veuillez sélectionner une fréquence", - "@dcaFrequencyValidationError": { - "description": "Form validation error when no frequency is selected" - }, - "dcaContinueButton": "Continuer", - "@dcaContinueButton": { - "description": "Button label to proceed to next step in DCA flow" - }, - "dcaConfirmRecurringBuyTitle": "Confirmer l'achat récurrent", - "@dcaConfirmRecurringBuyTitle": { - "description": "AppBar title for confirmation screen" - }, - "dcaConfirmationDescription": "Les ordres d'achat seront placés automatiquement selon ces paramètres. Vous pouvez les désactiver à tout moment.", - "@dcaConfirmationDescription": { - "description": "Explanation text at the top of confirmation screen" - }, - "dcaFrequencyLabel": "Fréquence", - "@dcaFrequencyLabel": { - "description": "Label for frequency detail row" - }, - "dcaFrequencyHourly": "heure", - "@dcaFrequencyHourly": { - "description": "Hourly DCA frequency" - }, - "dcaFrequencyDaily": "jour", - "@dcaFrequencyDaily": { - "description": "Daily DCA frequency" - }, - "dcaFrequencyWeekly": "semaine", - "@dcaFrequencyWeekly": { - "description": "Weekly DCA frequency" - }, - "dcaFrequencyMonthly": "mois", - "@dcaFrequencyMonthly": { - "description": "Monthly DCA frequency" - }, - "dcaAmountLabel": "Montant", - "@dcaAmountLabel": { - "description": "Label for amount detail row" - }, - "dcaPaymentMethodLabel": "Méthode de paiement", - "@dcaPaymentMethodLabel": { - "description": "Label for payment method detail row" - }, - "dcaPaymentMethodValue": "Solde {currency}", - "@dcaPaymentMethodValue": { - "description": "Value for payment method with currency code placeholder", - "placeholders": { - "currency": { - "type": "String" - } - } - }, - "dcaOrderTypeLabel": "Type de commande", - "@dcaOrderTypeLabel": { - "description": "Label for order type detail row" - }, - "dcaOrderTypeValue": "Achat récurrent", - "@dcaOrderTypeValue": { - "description": "Value for order type" - }, - "dcaNetworkLabel": "Réseau", - "@dcaNetworkLabel": { - "description": "Label for network detail row" - }, - "dcaNetworkBitcoin": "Réseau Bitcoin", - "@dcaNetworkBitcoin": { - "description": "Bitcoin network label for DCA" - }, - "dcaNetworkLightning": "Réseau Lightning", - "@dcaNetworkLightning": { - "description": "Lightning network label for DCA" - }, - "dcaNetworkLiquid": "Réseau Liquid", - "@dcaNetworkLiquid": { - "description": "Liquid network label for DCA" - }, - "dcaLightningAddressLabel": "Adresse Lightning", - "@dcaLightningAddressLabel": { - "description": "Label for Lightning address detail row (shown only for Lightning network)" - }, - "dcaConfirmationError": "Une erreur s'est produite : {error}", - "@dcaConfirmationError": { - "description": "Error message displayed when confirmation fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "dcaConfirmButton": "Continuer", - "@dcaConfirmButton": { - "description": "Button label to confirm and activate DCA" - }, - "dcaSuccessTitle": "Achat récurrent activé !", - "@dcaSuccessTitle": { - "description": "Success screen title after DCA is activated" - }, - "dcaSuccessMessageHourly": "Vous achèterez {amount} chaque heure", - "@dcaSuccessMessageHourly": { - "description": "Success message for hourly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "dcaSuccessMessageDaily": "Vous achèterez {amount} chaque jour", - "@dcaSuccessMessageDaily": { - "description": "Success message for daily frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "dcaSuccessMessageWeekly": "Vous achèterez {amount} chaque semaine", - "@dcaSuccessMessageWeekly": { - "description": "Success message for weekly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "dcaSuccessMessageMonthly": "Vous achèterez {amount} chaque mois", - "@dcaSuccessMessageMonthly": { - "description": "Success message for monthly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "dcaBackToHomeButton": "Retour à l'accueil", - "@dcaBackToHomeButton": { - "description": "Button label to return to exchange home screen" - }, - "dcaChooseWalletTitle": "Choisir un portefeuille Bitcoin", - "@dcaChooseWalletTitle": { - "description": "AppBar title for wallet selection screen" - }, - "dcaWalletSelectionDescription": "Les achats de Bitcoin seront effectués automatiquement selon ce calendrier.", - "@dcaWalletSelectionDescription": { - "description": "Explanation text at the top of wallet selection screen" - }, - "dcaNetworkValidationError": "Veuillez sélectionner un réseau", - "@dcaNetworkValidationError": { - "description": "Form validation error when no network is selected" - }, - "dcaEnterLightningAddressLabel": "Entrer une adresse Lightning", - "@dcaEnterLightningAddressLabel": { - "description": "Label for Lightning address text input field" - }, - "dcaLightningAddressEmptyError": "Veuillez entrer une adresse Lightning", - "@dcaLightningAddressEmptyError": { - "description": "Validation error when Lightning address field is empty" - }, - "dcaLightningAddressInvalidError": "Veuillez entrer une adresse Lightning valide", - "@dcaLightningAddressInvalidError": { - "description": "Validation error when Lightning address format is invalid" - }, - "dcaUseDefaultLightningAddress": "Utiliser mon adresse Lightning par défaut.", - "@dcaUseDefaultLightningAddress": { - "description": "Checkbox label to use default Lightning address" - }, - "dcaWalletSelectionContinueButton": "Continuer", - "@dcaWalletSelectionContinueButton": { - "description": "Button label to proceed to confirmation screen" - }, - "dcaSelectFrequencyLabel": "Sélectionner la fréquence", - "@dcaSelectFrequencyLabel": { - "description": "Label above frequency selection radio buttons" - }, - "dcaSelectWalletTypeLabel": "Sélectionner le type de portefeuille Bitcoin", - "@dcaSelectWalletTypeLabel": { - "description": "Label above wallet type selection radio buttons" - }, - "dcaWalletTypeBitcoin": "Bitcoin (BTC)", - "@dcaWalletTypeBitcoin": { - "description": "Radio button option for Bitcoin wallet" - }, - "dcaWalletTypeLightning": "Lightning Network (LN)", - "@dcaWalletTypeLightning": { - "description": "Radio button option for Lightning wallet" - }, - "dcaWalletTypeLiquid": "Liquid (LBTC)", - "@dcaWalletTypeLiquid": { - "description": "Radio button option for Liquid wallet" - }, - "dcaWalletBitcoinSubtitle": "Minimum 0,001 BTC", - "@dcaWalletBitcoinSubtitle": { - "description": "Subtitle/description for Bitcoin wallet option" - }, - "dcaWalletLightningSubtitle": "Nécessite un portefeuille compatible, maximum 0,25 BTC", - "@dcaWalletLightningSubtitle": { - "description": "Subtitle/description for Lightning wallet option" - }, - "dcaWalletLiquidSubtitle": "Nécessite un portefeuille compatible", - "@dcaWalletLiquidSubtitle": { - "description": "Subtitle/description for Liquid wallet option" - }, - "swapInternalTransferTitle": "Transfert interne", - "@swapInternalTransferTitle": { - "description": "AppBar title on the amount entry page" - }, - "swapConfirmTransferTitle": "Confirmer le transfert", - "@swapConfirmTransferTitle": { - "description": "AppBar title on the confirmation page" - }, - "swapInfoDescription": "Transférez des Bitcoin facilement entre vos portefeuilles. Ne conservez des fonds dans le portefeuille de paiement instantané que pour les dépenses quotidiennes.", - "@swapInfoDescription": { - "description": "Information banner text on amount page" - }, - "swapTransferFrom": "Transférer depuis", - "@swapTransferFrom": { - "description": "Label for source wallet dropdown" - }, - "swapTransferTo": "Transférer vers", - "@swapTransferTo": { - "description": "Label for destination wallet dropdown" - }, - "swapTransferAmount": "Montant du transfert", - "@swapTransferAmount": { - "description": "Label for amount input field" - }, - "swapYouPay": "Vous payez", - "@swapYouPay": { - "description": "Label in swap card for payment amount" - }, - "swapYouReceive": "Vous recevez", - "@swapYouReceive": { - "description": "Label in swap card for receiving amount" - }, - "swapAvailableBalance": "Solde disponible", - "@swapAvailableBalance": { - "description": "Available balance label" - }, - "swapMaxButton": "MAX", - "@swapMaxButton": { - "description": "Button to use maximum available balance" - }, - "swapTotalFees": "Frais totaux ", - "@swapTotalFees": { - "description": "Total fees label" - }, - "swapContinueButton": "Continuer", - "@swapContinueButton": { - "description": "Button to proceed from amount page to confirmation" - }, - "swapGoHomeButton": "Retour à l'accueil", - "@swapGoHomeButton": { - "description": "Button to return home from progress page" - }, - "swapTransferPendingTitle": "Transfert en attente", - "@swapTransferPendingTitle": { - "description": "Title during pending swap status" - }, - "swapTransferPendingMessage": "Le transfert est en cours. Les transactions Bitcoin peuvent prendre un certain temps pour être confirmées. Vous pouvez retourner à l'accueil et attendre.", - "@swapTransferPendingMessage": { - "description": "Message shown during pending swap" - }, - "swapTransferCompletedTitle": "Transfert terminé", - "@swapTransferCompletedTitle": { - "description": "Title when swap completes successfully" - }, - "swapTransferCompletedMessage": "Bravo, vous avez attendu ! Le transfert s'est terminé avec succès.", - "@swapTransferCompletedMessage": { - "description": "Success message after transfer completion" - }, - "swapTransferRefundInProgressTitle": "Remboursement du transfert en cours", - "@swapTransferRefundInProgressTitle": { - "description": "Title when swap is being refunded" - }, - "swapTransferRefundInProgressMessage": "Une erreur s'est produite lors du transfert. Votre remboursement est en cours.", - "@swapTransferRefundInProgressMessage": { - "description": "Message during refund process" - }, - "swapTransferRefundedTitle": "Transfert remboursé", - "@swapTransferRefundedTitle": { - "description": "Title when swap has been refunded" - }, - "swapTransferRefundedMessage": "Le transfert a été remboursé avec succès.", - "@swapTransferRefundedMessage": { - "description": "Refund completion message" - }, - "swapAmountPlaceholder": "0", - "@swapAmountPlaceholder": { - "description": "Placeholder for amount input fields" - }, - "swapErrorBalanceTooLow": "Solde trop bas pour le montant minimum d'échange", - "@swapErrorBalanceTooLow": { - "description": "Error when balance is below minimum swap limit" - }, - "swapErrorAmountExceedsMaximum": "Le montant dépasse le montant maximum d'échange", - "@swapErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum swap limit" - }, - "swapErrorAmountBelowMinimum": "Le montant est inférieur au montant minimum d'échange : {min} sats", - "@swapErrorAmountBelowMinimum": { - "description": "Error shown when amount is below minimum", - "placeholders": { - "min": { - "type": "String" - } - } - }, - "swapErrorAmountAboveMaximum": "Le montant dépasse le montant maximum d'échange : {max} sats", - "@swapErrorAmountAboveMaximum": { - "description": "Error shown when amount is above maximum", - "placeholders": { - "max": { - "type": "String" - } - } - }, - "swapErrorInsufficientFunds": "Impossible de construire la transaction. Probablement dû à des fonds insuffisants pour couvrir les frais et le montant.", - "@swapErrorInsufficientFunds": { - "description": "Error when transaction cannot be built due to insufficient funds" - }, - "swapTransferTitle": "Transfert", - "@swapTransferTitle": { - "description": "AppBar title on the main swap page" - }, - "swapExternalTransferLabel": "Transfert externe", - "@swapExternalTransferLabel": { - "description": "Label for external transfer toggle" - }, - "swapFromLabel": "De", - "@swapFromLabel": { - "description": "Label for source wallet dropdown" - }, - "swapToLabel": "Vers", - "@swapToLabel": { - "description": "Label for destination wallet dropdown or address input" - }, - "swapAmountLabel": "Montant", - "@swapAmountLabel": { - "description": "Label for amount input section" - }, - "swapReceiveExactAmountLabel": "Recevoir le montant exact", - "@swapReceiveExactAmountLabel": { - "description": "Label when receive exact amount toggle is on" - }, - "swapSubtractFeesLabel": "Soustraire les frais du montant", - "@swapSubtractFeesLabel": { - "description": "Label when receive exact amount toggle is off" - }, - "swapExternalAddressHint": "Entrez l'adresse du portefeuille externe", - "@swapExternalAddressHint": { - "description": "Hint text for external address input" - }, - "swapValidationEnterAmount": "Veuillez entrer un montant", - "@swapValidationEnterAmount": { - "description": "Validation error when amount is empty" - }, - "swapValidationPositiveAmount": "Entrez un montant positif", - "@swapValidationPositiveAmount": { - "description": "Validation error when amount is not positive" - }, - "swapValidationInsufficientBalance": "Solde insuffisant", - "@swapValidationInsufficientBalance": { - "description": "Validation error when amount exceeds wallet balance" - }, - "swapValidationMinimumAmount": "Le montant minimum est {amount} {currency}", - "@swapValidationMinimumAmount": { - "description": "Validation error when amount is below minimum", - "placeholders": { - "amount": { - "type": "String" - }, - "currency": { - "type": "String" - } - } - }, - "swapValidationMaximumAmount": "Le montant maximum est {amount} {currency}", - "@swapValidationMaximumAmount": { - "description": "Validation error when amount exceeds maximum", - "placeholders": { - "amount": { - "type": "String" - }, - "currency": { - "type": "String" - } - } - }, - "swapValidationSelectFromWallet": "Veuillez sélectionner un portefeuille source", - "@swapValidationSelectFromWallet": { - "description": "Validation error when no source wallet selected" - }, - "swapValidationSelectToWallet": "Veuillez sélectionner un portefeuille de destination", - "@swapValidationSelectToWallet": { - "description": "Validation error when no destination wallet selected" - }, - "swapDoNotUninstallWarning": "Ne désinstallez pas l'application avant que le transfert ne soit terminé !", - "@swapDoNotUninstallWarning": { - "description": "Warning message during pending transfer" - }, - "pinSecurityTitle": "Code PIN de sécurité", - "@pinSecurityTitle": { - "description": "AppBar title for PIN settings screen" - }, - "pinManageDescription": "Gérer votre code PIN de sécurité", - "@pinManageDescription": { - "description": "Headline text on PIN settings screen" - }, - "pinProtectionDescription": "Votre code PIN protège l'accès à votre portefeuille et à vos paramètres. Choisissez-en un mémorable.", - "@pinProtectionDescription": { - "description": "Informational text explaining PIN purpose" - }, - "pinButtonChange": "Modifier le code PIN", - "@pinButtonChange": { - "description": "Button label when PIN already exists" - }, - "pinButtonCreate": "Créer un code PIN", - "@pinButtonCreate": { - "description": "Button label when no PIN exists" - }, - "pinButtonRemove": "Supprimer le code PIN de sécurité", - "@pinButtonRemove": { - "description": "Button label to delete existing PIN" - }, - "pinAuthenticationTitle": "Authentification", - "@pinAuthenticationTitle": { - "description": "AppBar title for create/confirm PIN screens" - }, - "appUnlockScreenTitle": "Authentification", - "@appUnlockScreenTitle": { - "description": "Titre de l'écran de déverrouillage de l'application" - }, - "pinCreateHeadline": "Créer un nouveau code PIN", - "@pinCreateHeadline": { - "description": "Headline text on PIN creation screen" - }, - "pinValidationError": "Le code PIN doit contenir au moins {minLength} chiffres", - "@pinValidationError": { - "description": "Error message when PIN is too short", - "placeholders": { - "minLength": { - "type": "String" - } - } - }, - "pinButtonContinue": "Continuer", - "@pinButtonContinue": { - "description": "Button label to proceed after entering new PIN" - }, - "pinConfirmHeadline": "Confirmer le nouveau code PIN", - "@pinConfirmHeadline": { - "description": "Headline text on PIN confirmation screen" - }, - "pinConfirmMismatchError": "Les codes PIN ne correspondent pas", - "@pinConfirmMismatchError": { - "description": "Error message when confirmation PIN doesn't match original" - }, - "pinButtonConfirm": "Confirmer", - "@pinButtonConfirm": { - "description": "Button label to submit confirmed PIN" - }, - "appUnlockEnterPinMessage": "Entrez votre code PIN pour déverrouiller", - "@appUnlockEnterPinMessage": { - "description": "Message invitant l'utilisateur à entrer son code PIN pour déverrouiller l'application" - }, - "appUnlockIncorrectPinError": "Code PIN incorrect. Veuillez réessayer. ({failedAttempts} {attemptsWord})", - "@appUnlockIncorrectPinError": { - "description": "Message d'erreur affiché lorsque l'utilisateur entre un code PIN incorrect", - "placeholders": { - "failedAttempts": { - "type": "int" - }, - "attemptsWord": { - "type": "String" - } - } - }, - "appUnlockAttemptSingular": "tentative échouée", - "@appUnlockAttemptSingular": { - "description": "Forme singulière de 'tentative' pour les tentatives de déverrouillage échouées" - }, - "appUnlockAttemptPlural": "tentatives échouées", - "@appUnlockAttemptPlural": { - "description": "Forme plurielle de 'tentatives' pour les tentatives de déverrouillage échouées" - }, - "appUnlockButton": "Déverrouiller", - "@appUnlockButton": { - "description": "Libellé du bouton pour déverrouiller l'application" - }, - "pinStatusLoading": "Chargement", - "@pinStatusLoading": { - "description": "Status screen title during initialization" - }, - "pinStatusCheckingDescription": "Vérification du statut du code PIN", - "@pinStatusCheckingDescription": { - "description": "Status screen description during initialization" - }, - "pinStatusProcessing": "Traitement en cours", - "@pinStatusProcessing": { - "description": "Status screen title during PIN save/delete operations" - }, - "pinStatusSettingUpDescription": "Configuration de votre code PIN", - "@pinStatusSettingUpDescription": { - "description": "Status screen description during PIN save/delete operations" - }, - "autoswapSettingsTitle": "Paramètres de Transfert Automatique", - "@autoswapSettingsTitle": { - "description": "Main header/title of the auto swap settings bottom sheet" - }, - "autoswapEnableToggleLabel": "Activer le Transfert Automatique", - "@autoswapEnableToggleLabel": { - "description": "Label for the main toggle switch to enable/disable auto transfer feature" - }, - "autoswapMaxBalanceLabel": "Solde Maximum du Portefeuille Instantané", - "@autoswapMaxBalanceLabel": { - "description": "Label for amount threshold input field" - }, - "autoswapMaxBalanceInfoText": "Lorsque le solde du portefeuille dépasse le double de ce montant, le transfert automatique se déclenchera pour réduire le solde à ce niveau", - "@autoswapMaxBalanceInfoText": { - "description": "Help text explaining how the max balance threshold works" - }, - "autoswapBaseBalanceInfoText": "Le solde de votre portefeuille de paiements instantanés reviendra à ce solde après un échange automatique.", - "@autoswapBaseBalanceInfoText": { - "description": "Info text explaining what happens to the balance after an autoswap" - }, - "autoswapTriggerAtBalanceInfoText": "L'échange automatique se déclenchera lorsque votre solde dépasse ce montant.", - "@autoswapTriggerAtBalanceInfoText": { - "description": "Info text explaining when autoswap will trigger" - }, - "autoswapMaxFeeLabel": "Frais de Transfert Maximum", - "@autoswapMaxFeeLabel": { - "description": "Label for fee threshold percentage input field" - }, - "autoswapMaxFeeInfoText": "Si les frais de transfert totaux dépassent le pourcentage défini, le transfert automatique sera bloqué", - "@autoswapMaxFeeInfoText": { - "description": "Help text explaining how the max fee threshold works" - }, - "autoswapRecipientWalletLabel": "Portefeuille Bitcoin Destinataire", - "@autoswapRecipientWalletLabel": { - "description": "Label for wallet selection dropdown" - }, - "autoswapRecipientWalletRequired": "*", - "@autoswapRecipientWalletRequired": { - "description": "Required field indicator asterisk" - }, - "autoswapRecipientWalletPlaceholder": "Sélectionnez un portefeuille Bitcoin", - "@autoswapRecipientWalletPlaceholder": { - "description": "Dropdown placeholder text when no wallet is selected" - }, - "autoswapRecipientWalletPlaceholderRequired": "Sélectionnez un portefeuille Bitcoin *", - "@autoswapRecipientWalletPlaceholderRequired": { - "description": "Dropdown placeholder with required indicator when auto transfer is enabled" - }, - "autoswapRecipientWalletInfoText": "Choisissez quel portefeuille Bitcoin recevra les fonds transférés (requis)", - "@autoswapRecipientWalletInfoText": { - "description": "Help text explaining wallet selection" - }, - "autoswapRecipientWalletDefaultLabel": "Portefeuille Bitcoin", - "@autoswapRecipientWalletDefaultLabel": { - "description": "Default label shown for wallets without a custom label in the dropdown" - }, - "autoswapAlwaysBlockLabel": "Toujours Bloquer les Frais Élevés", - "@autoswapAlwaysBlockLabel": { - "description": "Label for toggle to always block high fee transfers" - }, - "autoswapAlwaysBlockInfoEnabled": "Lorsque activé, les transferts automatiques avec des frais dépassant la limite définie seront toujours bloqués", - "@autoswapAlwaysBlockInfoEnabled": { - "description": "Help text when always block is enabled" - }, - "autoswapAlwaysBlockInfoDisabled": "Lorsque désactivé, vous aurez la possibilité d'autoriser un transfert automatique bloqué en raison de frais élevés", - "@autoswapAlwaysBlockInfoDisabled": { - "description": "Help text when always block is disabled" - }, - "autoswapSaveButton": "Enregistrer", - "@autoswapSaveButton": { - "description": "Save button label at bottom of settings sheet" - }, - "autoswapSaveErrorMessage": "Échec de l'enregistrement des paramètres : {error}", - "@autoswapSaveErrorMessage": { - "description": "SnackBar error message when save fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "autoswapWarningCardTitle": "Le transfert automatique est activé.", - "@autoswapWarningCardTitle": { - "description": "Texte du titre affiché sur la carte d'avertissement de transfert automatique sur l'écran d'accueil" - }, - "autoswapWarningCardSubtitle": "Un échange sera déclenché si le solde de votre portefeuille de paiements instantanés dépasse 0,02 BTC.", - "@autoswapWarningCardSubtitle": { - "description": "Texte du sous-titre affiché sur la carte d'avertissement de transfert automatique sur l'écran d'accueil" - }, - "autoswapWarningDescription": "Le transfert automatique garantit qu'un bon équilibre est maintenu entre votre portefeuille de paiements instantanés et votre portefeuille Bitcoin sécurisé.", - "@autoswapWarningDescription": { - "description": "Texte de description en haut de la feuille d'avertissement de transfert automatique" - }, - "autoswapWarningTitle": "Le transfert automatique est activé avec les paramètres suivants :", - "@autoswapWarningTitle": { - "description": "Texte du titre dans la feuille d'avertissement de transfert automatique" - }, - "autoswapWarningBaseBalance": "Solde de base 0,01 BTC", - "@autoswapWarningBaseBalance": { - "description": "Texte du solde de base affiché dans la feuille d'avertissement de transfert automatique" - }, - "autoswapWarningTriggerAmount": "Montant de déclenchement de 0,02 BTC", - "@autoswapWarningTriggerAmount": { - "description": "Texte du montant de déclenchement affiché dans la feuille d'avertissement de transfert automatique" - }, - "autoswapWarningExplanation": "Lorsque votre solde dépasse le montant de déclenchement, un échange sera déclenché. Le montant de base sera conservé dans votre portefeuille de paiements instantanés et le montant restant sera échangé dans votre portefeuille Bitcoin sécurisé.", - "@autoswapWarningExplanation": { - "description": "Texte d'explication dans la feuille d'avertissement de transfert automatique" - }, - "autoswapWarningDontShowAgain": "Ne plus afficher cet avertissement.", - "@autoswapWarningDontShowAgain": { - "description": "Libellé de la case à cocher pour ignorer l'avertissement de transfert automatique" - }, - "autoswapWarningSettingsLink": "Me conduire aux paramètres de transfert automatique", - "@autoswapWarningSettingsLink": { - "description": "Texte du lien pour naviguer vers les paramètres de transfert automatique depuis la feuille d'avertissement" - }, - "autoswapWarningOkButton": "OK", - "@autoswapWarningOkButton": { - "description": "Libellé du bouton OK dans la feuille d'avertissement de transfert automatique" - }, - "autoswapLoadSettingsError": "Échec du chargement des paramètres de transfert automatique", - "@autoswapLoadSettingsError": { - "description": "Error message when loading settings fails" - }, - "autoswapUpdateSettingsError": "Échec de la mise à jour des paramètres de transfert automatique", - "@autoswapUpdateSettingsError": { - "description": "Error message when updating settings fails" - }, - "autoswapSelectWalletError": "Veuillez sélectionner un portefeuille Bitcoin destinataire", - "@autoswapSelectWalletError": { - "description": "Validation error when trying to enable auto transfer without selecting a wallet" - }, - "autoswapAutoSaveError": "Échec de l'enregistrement des paramètres", - "@autoswapAutoSaveError": { - "description": "Error message when auto-save on disable fails" - }, - "autoswapMinimumThresholdErrorBtc": "Le seuil de solde minimum est de {amount} BTC", - "@autoswapMinimumThresholdErrorBtc": { - "description": "Validation error shown when amount threshold is below minimum (BTC display)", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "autoswapMinimumThresholdErrorSats": "Le seuil de solde minimum est de {amount} sats", - "@autoswapMinimumThresholdErrorSats": { - "description": "Validation error shown when amount threshold is below minimum (sats display)", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "autoswapMaximumFeeError": "Le seuil de frais maximum est de {threshold}%", - "@autoswapMaximumFeeError": { - "description": "Validation error shown when fee threshold exceeds maximum", - "placeholders": { - "threshold": { - "type": "String" - } - } - }, - "autoswapTriggerBalanceError": "Le solde de déclenchement doit être au moins 2x le solde de base", - "@autoswapTriggerBalanceError": { - "description": "Validation error shown when trigger balance is less than 2x the base balance" - }, - "arkNoTransactionsYet": "Aucune transaction pour le moment.", - "@arkNoTransactionsYet": { - "description": "Empty state message shown when user has no transaction history" - }, - "arkToday": "Aujourd'hui", - "@arkToday": { - "description": "Date label for transactions from today" - }, - "arkYesterday": "Hier", - "@arkYesterday": { - "description": "Date label for transactions from yesterday" - }, - "arkSettleTransactions": "Régler les Transactions", - "@arkSettleTransactions": { - "description": "Bottom sheet title for settling pending transactions" - }, - "arkSettleDescription": "Finaliser les transactions en attente et inclure les vtxos récupérables si nécessaire", - "@arkSettleDescription": { - "description": "Description explaining what settling transactions does" - }, - "arkIncludeRecoverableVtxos": "Inclure les vtxos récupérables", - "@arkIncludeRecoverableVtxos": { - "description": "Label for toggle switch to include recoverable vtxos when settling" - }, - "arkCancelButton": "Annuler", - "@arkCancelButton": { - "description": "Cancel button label in settle bottom sheet" - }, - "arkSettleButton": "Régler", - "@arkSettleButton": { - "description": "Settle button label" - }, - "arkReceiveTitle": "Recevoir Ark", - "@arkReceiveTitle": { - "description": "AppBar title for Ark receive screen" - }, - "arkUnifiedAddressCopied": "Adresse unifiée copiée", - "@arkUnifiedAddressCopied": { - "description": "SnackBar message when unified address is copied to clipboard" - }, - "arkCopyAddress": "Copier l'adresse", - "@arkCopyAddress": { - "description": "Button label to expand and show address details for copying" - }, - "arkUnifiedAddressBip21": "Adresse unifiée (BIP21)", - "@arkUnifiedAddressBip21": { - "description": "Label for the BIP21 unified address field" - }, - "arkBtcAddress": "Adresse BTC", - "@arkBtcAddress": { - "description": "Label for the Bitcoin address field" - }, - "arkArkAddress": "Adresse Ark", - "@arkArkAddress": { - "description": "Label for the Ark address field" - }, - "arkSendTitle": "Envoyer", - "@arkSendTitle": { - "description": "AppBar title for Ark send screen" - }, - "arkRecipientAddress": "Adresse du destinataire", - "@arkRecipientAddress": { - "description": "Label for recipient address input field" - }, - "arkAddressPlaceholder": "ark1qp9wsjfpsj5v5ex022v6…", - "@arkAddressPlaceholder": { - "description": "Placeholder text for recipient address input" - }, - "arkConfirmedBalance": "Solde Confirmé", - "@arkConfirmedBalance": { - "description": "Label for confirmed balance row" - }, - "arkPendingBalance": "Solde en Attente", - "@arkPendingBalance": { - "description": "Label for pending balance row" - }, - "arkConfirmButton": "Confirmer", - "@arkConfirmButton": { - "description": "Confirm button to proceed with send transaction" - }, - "arkCollaborativeRedeem": "Remboursement Collaboratif", - "@arkCollaborativeRedeem": { - "description": "Bottom sheet title for collaborative redeem for BTC address sends" - }, - "arkRecoverableVtxos": "Vtxos Récupérables", - "@arkRecoverableVtxos": { - "description": "Label for switch to include recoverable vtxos in redeem" - }, - "arkRedeemButton": "Rembourser", - "@arkRedeemButton": { - "description": "Confirm button to execute collaborative redeem" - }, - "arkInstantPayments": "Paiements Instantanés Ark", - "@arkInstantPayments": { - "description": "Main page title in top bar" - }, - "arkSettleTransactionCount": "Régler {count} {transaction}", - "@arkSettleTransactionCount": { - "description": "Button label showing number of unsettled transactions", - "placeholders": { - "count": { - "type": "String" - }, - "transaction": { - "type": "String" - } - } - }, - "arkTransaction": "transaction", - "@arkTransaction": { - "description": "Singular form for transaction count" - }, - "arkTransactions": "transactions", - "@arkTransactions": { - "description": "Plural form for transaction count" - }, - "arkReceiveButton": "Recevoir", - "@arkReceiveButton": { - "description": "Bottom button to navigate to receive page" - }, - "arkSendButton": "Envoyer", - "@arkSendButton": { - "description": "Bottom button to navigate to send page" - }, - "arkTxTypeBoarding": "Embarquement", - "@arkTxTypeBoarding": { - "description": "Transaction type label for boarding transactions" - }, - "arkTxTypeCommitment": "Engagement", - "@arkTxTypeCommitment": { - "description": "Transaction type label for commitment transactions" - }, - "arkTxTypeRedeem": "Rachat", - "@arkTxTypeRedeem": { - "description": "Transaction type label for redeem transactions" - }, - "arkTransactionDetails": "Détails de la transaction", - "@arkTransactionDetails": { - "description": "AppBar title for transaction details page" - }, - "arkStatusConfirmed": "Confirmé", - "@arkStatusConfirmed": { - "description": "Status label for confirmed boarding transactions" - }, - "arkStatusPending": "En attente", - "@arkStatusPending": { - "description": "Status label for pending transactions" - }, - "arkStatusSettled": "Réglé", - "@arkStatusSettled": { - "description": "Status label for settled redeem transactions" - }, - "arkTransactionId": "ID de transaction", - "@arkTransactionId": { - "description": "Label for transaction ID field in details table" - }, - "arkType": "Type", - "@arkType": { - "description": "Label for transaction type field in details table" - }, - "arkStatus": "Statut", - "@arkStatus": { - "description": "Label for transaction status field in details table" - }, - "arkAmount": "Montant", - "@arkAmount": { - "description": "Label for transaction amount field in details table" - }, - "arkDate": "Date", - "@arkDate": { - "description": "Label for transaction date field in details table" - }, - "arkBalanceBreakdown": "Répartition du solde", - "@arkBalanceBreakdown": { - "description": "Title of bottom sheet showing balance breakdown" - }, - "arkConfirmed": "Confirmé", - "@arkConfirmed": { - "description": "Label for confirmed balance in breakdown" - }, - "arkPending": "En attente", - "@arkPending": { - "description": "Label for pending balance in breakdown" - }, - "arkTotal": "Total", - "@arkTotal": { - "description": "Label for total balance in breakdown" - }, - "arkBalanceBreakdownTooltip": "Répartition du solde", - "@arkBalanceBreakdownTooltip": { - "description": "Tooltip for info button that opens balance breakdown" - }, - "arkAboutTitle": "À propos", - "@arkAboutTitle": { - "description": "AppBar title for Ark about screen" - }, - "arkServerUrl": "URL du serveur", - "@arkServerUrl": { - "description": "Label for server URL field" - }, - "arkServerPubkey": "Clé publique du serveur", - "@arkServerPubkey": { - "description": "Label for server public key field" - }, - "arkForfeitAddress": "Adresse de confiscation", - "@arkForfeitAddress": { - "description": "Label for forfeit address field" - }, - "arkNetwork": "Réseau", - "@arkNetwork": { - "description": "Label for network field" - }, - "arkDust": "Poussière", - "@arkDust": { - "description": "Label for dust amount field" - }, - "arkSessionDuration": "Durée de session", - "@arkSessionDuration": { - "description": "Label for session duration field" - }, - "arkBoardingExitDelay": "Délai de sortie d'embarquement", - "@arkBoardingExitDelay": { - "description": "Label for boarding exit delay field" - }, - "arkUnilateralExitDelay": "Délai de sortie unilatérale", - "@arkUnilateralExitDelay": { - "description": "Label for unilateral exit delay field" - }, - "arkEsploraUrl": "URL Esplora", - "@arkEsploraUrl": { - "description": "Label for Esplora URL field" - }, - "arkDurationSeconds": "{seconds} secondes", - "@arkDurationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "String" - } - } - }, - "arkDurationMinute": "{minutes} minute", - "@arkDurationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "arkDurationMinutes": "{minutes} minutes", - "@arkDurationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "arkDurationHour": "{hours} heure", - "@arkDurationHour": { - "description": "Duration format for singular hour", - "placeholders": { - "hours": { - "type": "String" - } - } - }, - "arkDurationHours": "{hours} heures", - "@arkDurationHours": { - "description": "Duration format for plural hours", - "placeholders": { - "hours": { - "type": "String" - } - } - }, - "arkDurationDay": "{days} jour", - "@arkDurationDay": { - "description": "Duration format for singular day", - "placeholders": { - "days": { - "type": "String" - } - } - }, - "arkDurationDays": "{days} jours", - "@arkDurationDays": { - "description": "Duration format for plural days", - "placeholders": { - "days": { - "type": "String" - } - } - }, - "arkCopy": "Copier", - "@arkCopy": { - "description": "Button label to copy field value to clipboard" - }, - "arkCopiedToClipboard": "{label} copié dans le presse-papiers", - "@arkCopiedToClipboard": { - "description": "SnackBar message when field is copied", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "arkSendSuccessTitle": "Envoi réussi", - "@arkSendSuccessTitle": { - "description": "Title shown after successful Ark send transaction" - }, - "arkSendSuccessMessage": "Votre transaction Ark a été effectuée avec succès !", - "@arkSendSuccessMessage": { - "description": "Success message shown after Ark send transaction completes" - }, - "arkBoardingUnconfirmed": "Embarquement non confirmé", - "@arkBoardingUnconfirmed": { - "description": "Label for unconfirmed boarding balance in Ark balance breakdown" - }, - "arkBoardingConfirmed": "Embarquement confirmé", - "@arkBoardingConfirmed": { - "description": "Label for confirmed boarding balance in Ark balance breakdown" - }, - "arkPreconfirmed": "Préconfirmé", - "@arkPreconfirmed": { - "description": "Label for preconfirmed balance in Ark balance breakdown" - }, - "arkSettled": "Réglé", - "@arkSettled": { - "description": "Label for settled balance in Ark balance breakdown" - }, - "arkAvailable": "Disponible", - "@arkAvailable": { - "description": "Label for available balance in Ark balance breakdown" - }, - "arkNoBalanceData": "Aucune donnée de solde disponible", - "@arkNoBalanceData": { - "description": "Message shown when Ark balance data is not available" - }, - "arkTxPending": "En attente", - "@arkTxPending": { - "description": "Status label for pending Ark transactions" - }, - "arkTxBoarding": "Embarquement", - "@arkTxBoarding": { - "description": "Transaction type label for Ark boarding transactions" - }, - "arkTxSettlement": "Règlement", - "@arkTxSettlement": { - "description": "Transaction type label for Ark settlement transactions" - }, - "arkTxPayment": "Paiement", - "@arkTxPayment": { - "description": "Transaction type label for Ark payment transactions" - }, - "arkSatsUnit": "sats", - "@arkSatsUnit": { - "description": "Unit label for satoshis in Ark transaction details" - }, - "bitboxErrorPermissionDenied": "Les autorisations USB sont nécessaires pour se connecter aux appareils BitBox.", - "@bitboxErrorPermissionDenied": { - "description": "Error when USB permissions are not granted for BitBox" - }, - "bitboxErrorNoDevicesFound": "Aucun appareil BitBox trouvé. Assurez-vous que votre appareil est allumé et connecté via USB.", - "@bitboxErrorNoDevicesFound": { - "description": "Error when no BitBox devices are detected" - }, - "bitboxErrorMultipleDevicesFound": "Plusieurs appareils BitBox trouvés. Veuillez vous assurer qu'un seul appareil est connecté.", - "@bitboxErrorMultipleDevicesFound": { - "description": "Error when multiple BitBox devices are connected" - }, - "bitboxErrorDeviceNotFound": "Appareil BitBox introuvable.", - "@bitboxErrorDeviceNotFound": { - "description": "Error when BitBox device cannot be found" - }, - "bitboxErrorConnectionTypeNotInitialized": "Type de connexion non initialisé.", - "@bitboxErrorConnectionTypeNotInitialized": { - "description": "Error when connection type is not initialized" - }, - "bitboxErrorNoActiveConnection": "Aucune connexion active à l'appareil BitBox.", - "@bitboxErrorNoActiveConnection": { - "description": "Error when there is no active connection to BitBox" - }, - "bitboxErrorDeviceMismatch": "Incompatibilité d'appareil détectée.", - "@bitboxErrorDeviceMismatch": { - "description": "Error when connected device does not match expected device" - }, - "bitboxErrorInvalidMagicBytes": "Format PSBT invalide détecté.", - "@bitboxErrorInvalidMagicBytes": { - "description": "Error when PSBT has invalid magic bytes" - }, - "bitboxErrorDeviceNotPaired": "Appareil non appairé. Veuillez d'abord compléter le processus d'appairage.", - "@bitboxErrorDeviceNotPaired": { - "description": "Error when BitBox device is not paired" - }, - "bitboxErrorHandshakeFailed": "Échec de l'établissement de la connexion sécurisée. Veuillez réessayer.", - "@bitboxErrorHandshakeFailed": { - "description": "Error when handshake with BitBox device fails" - }, - "bitboxErrorOperationTimeout": "L'opération a expiré. Veuillez réessayer.", - "@bitboxErrorOperationTimeout": { - "description": "Error when BitBox operation times out" - }, - "bitboxErrorConnectionFailed": "Échec de la connexion à l'appareil BitBox. Veuillez vérifier votre connexion.", - "@bitboxErrorConnectionFailed": { - "description": "Error when connection to BitBox device fails" - }, - "bitboxErrorInvalidResponse": "Réponse invalide de l'appareil BitBox. Veuillez réessayer.", - "@bitboxErrorInvalidResponse": { - "description": "Error when BitBox returns an invalid response" - }, - "bitboxErrorOperationCancelled": "L'opération a été annulée. Veuillez réessayer.", - "@bitboxErrorOperationCancelled": { - "description": "Error when BitBox operation is cancelled" - }, - "bitboxActionUnlockDeviceTitle": "Déverrouiller l'appareil BitBox", - "@bitboxActionUnlockDeviceTitle": { - "description": "Title for unlock device action" - }, - "bitboxActionPairDeviceTitle": "Appairer l'appareil BitBox", - "@bitboxActionPairDeviceTitle": { - "description": "Title for pair device action" - }, - "bitboxActionImportWalletTitle": "Importer le portefeuille BitBox", - "@bitboxActionImportWalletTitle": { - "description": "Title for import wallet action" - }, - "bitboxActionSignTransactionTitle": "Signer la transaction", - "@bitboxActionSignTransactionTitle": { - "description": "Title for sign transaction action" - }, - "bitboxActionVerifyAddressTitle": "Vérifier l'adresse sur BitBox", - "@bitboxActionVerifyAddressTitle": { - "description": "Title for verify address action" - }, - "bitboxActionUnlockDeviceButton": "Déverrouiller l'appareil", - "@bitboxActionUnlockDeviceButton": { - "description": "Button text for unlock device" - }, - "bitboxActionPairDeviceButton": "Démarrer l'appairage", - "@bitboxActionPairDeviceButton": { - "description": "Button text for pair device" - }, - "bitboxActionImportWalletButton": "Démarrer l'importation", - "@bitboxActionImportWalletButton": { - "description": "Button text for import wallet" - }, - "bitboxActionSignTransactionButton": "Démarrer la signature", - "@bitboxActionSignTransactionButton": { - "description": "Button text for sign transaction" - }, - "bitboxActionVerifyAddressButton": "Vérifier l'adresse", - "@bitboxActionVerifyAddressButton": { - "description": "Button text for verify address" - }, - "bitboxActionUnlockDeviceProcessing": "Déverrouillage de l'appareil", - "@bitboxActionUnlockDeviceProcessing": { - "description": "Processing text for unlock device" - }, - "bitboxActionPairDeviceProcessing": "Appairage de l'appareil", - "@bitboxActionPairDeviceProcessing": { - "description": "Processing text for pair device" - }, - "bitboxActionImportWalletProcessing": "Importation du portefeuille", - "@bitboxActionImportWalletProcessing": { - "description": "Processing text for import wallet" - }, - "bitboxActionSignTransactionProcessing": "Signature de la transaction", - "@bitboxActionSignTransactionProcessing": { - "description": "Processing text for sign transaction" - }, - "bitboxActionVerifyAddressProcessing": "Affichage de l'adresse sur BitBox...", - "@bitboxActionVerifyAddressProcessing": { - "description": "Processing text for verify address" - }, - "bitboxActionUnlockDeviceSuccess": "Appareil déverrouillé avec succès", - "@bitboxActionUnlockDeviceSuccess": { - "description": "Success text for unlock device" - }, - "bitboxActionPairDeviceSuccess": "Appareil appairé avec succès", - "@bitboxActionPairDeviceSuccess": { - "description": "Success text for pair device" - }, - "bitboxActionImportWalletSuccess": "Portefeuille importé avec succès", - "@bitboxActionImportWalletSuccess": { - "description": "Success text for import wallet" - }, - "bitboxActionSignTransactionSuccess": "Transaction signée avec succès", - "@bitboxActionSignTransactionSuccess": { - "description": "Success text for sign transaction" - }, - "bitboxActionVerifyAddressSuccess": "Adresse vérifiée avec succès", - "@bitboxActionVerifyAddressSuccess": { - "description": "Success text for verify address" - }, - "bitboxActionUnlockDeviceSuccessSubtext": "Votre appareil BitBox est maintenant déverrouillé et prêt à être utilisé.", - "@bitboxActionUnlockDeviceSuccessSubtext": { - "description": "Success subtext for unlock device" - }, - "bitboxActionPairDeviceSuccessSubtext": "Votre appareil BitBox est maintenant appairé et prêt à être utilisé.", - "@bitboxActionPairDeviceSuccessSubtext": { - "description": "Success subtext for pair device" - }, - "bitboxActionImportWalletSuccessSubtext": "Votre portefeuille BitBox a été importé avec succès.", - "@bitboxActionImportWalletSuccessSubtext": { - "description": "Success subtext for import wallet" - }, - "bitboxActionSignTransactionSuccessSubtext": "Votre transaction a été signée avec succès.", - "@bitboxActionSignTransactionSuccessSubtext": { - "description": "Success subtext for sign transaction" - }, - "bitboxActionVerifyAddressSuccessSubtext": "L'adresse a été vérifiée sur votre appareil BitBox.", - "@bitboxActionVerifyAddressSuccessSubtext": { - "description": "Success subtext for verify address" - }, - "bitboxActionUnlockDeviceProcessingSubtext": "Veuillez entrer votre mot de passe sur l'appareil BitBox...", - "@bitboxActionUnlockDeviceProcessingSubtext": { - "description": "Processing subtext for unlock device" - }, - "bitboxActionPairDeviceProcessingSubtext": "Veuillez vérifier le code d'appairage sur votre appareil BitBox...", - "@bitboxActionPairDeviceProcessingSubtext": { - "description": "Processing subtext for pair device" - }, - "bitboxActionImportWalletProcessingSubtext": "Configuration de votre portefeuille en lecture seule...", - "@bitboxActionImportWalletProcessingSubtext": { - "description": "Processing subtext for import wallet" - }, - "bitboxActionSignTransactionProcessingSubtext": "Veuillez confirmer la transaction sur votre appareil BitBox...", - "@bitboxActionSignTransactionProcessingSubtext": { - "description": "Processing subtext for sign transaction" - }, - "bitboxActionVerifyAddressProcessingSubtext": "Veuillez confirmer l'adresse sur votre appareil BitBox.", - "@bitboxActionVerifyAddressProcessingSubtext": { - "description": "Processing subtext for verify address" - }, - "bitboxScreenConnectDevice": "Connectez votre appareil BitBox", - "@bitboxScreenConnectDevice": { - "description": "Main text when in initial state" - }, - "bitboxScreenScanning": "Recherche d'appareils", - "@bitboxScreenScanning": { - "description": "Main text when scanning for devices" - }, - "bitboxScreenConnecting": "Connexion au BitBox", - "@bitboxScreenConnecting": { - "description": "Main text when connecting to device" - }, - "bitboxScreenPairingCode": "Code d'appairage", - "@bitboxScreenPairingCode": { - "description": "Main text when showing pairing code" - }, - "bitboxScreenEnterPassword": "Entrer le mot de passe", - "@bitboxScreenEnterPassword": { - "description": "Main text when waiting for password" - }, - "bitboxScreenVerifyAddress": "Vérifier l'adresse", - "@bitboxScreenVerifyAddress": { - "description": "Main text when showing address verification" - }, - "bitboxScreenActionFailed": "{action} a échoué", - "@bitboxScreenActionFailed": { - "description": "Main text when action fails", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "bitboxScreenConnectSubtext": "Assurez-vous que votre BitBox02 est déverrouillé et connecté via USB.", - "@bitboxScreenConnectSubtext": { - "description": "Subtext for initial state" - }, - "bitboxScreenScanningSubtext": "Recherche de votre appareil BitBox...", - "@bitboxScreenScanningSubtext": { - "description": "Subtext when scanning" - }, - "bitboxScreenConnectingSubtext": "Établissement d'une connexion sécurisée...", - "@bitboxScreenConnectingSubtext": { - "description": "Subtext when connecting" - }, - "bitboxScreenPairingCodeSubtext": "Vérifiez que ce code correspond à celui affiché sur votre BitBox02, puis confirmez sur l'appareil.", - "@bitboxScreenPairingCodeSubtext": { - "description": "Subtext when showing pairing code" - }, - "bitboxScreenEnterPasswordSubtext": "Veuillez entrer votre mot de passe sur l'appareil BitBox pour continuer.", - "@bitboxScreenEnterPasswordSubtext": { - "description": "Subtext when waiting for password" - }, - "bitboxScreenVerifyAddressSubtext": "Comparez cette adresse avec celle affichée sur votre BitBox02", - "@bitboxScreenVerifyAddressSubtext": { - "description": "Subtext when showing address verification" - }, - "bitboxScreenUnknownError": "Une erreur inconnue s'est produite", - "@bitboxScreenUnknownError": { - "description": "Fallback error message" - }, - "bitboxScreenWaitingConfirmation": "En attente de confirmation sur BitBox02...", - "@bitboxScreenWaitingConfirmation": { - "description": "Message shown while waiting for device confirmation" - }, - "bitboxScreenAddressToVerify": "Adresse à vérifier :", - "@bitboxScreenAddressToVerify": { - "description": "Label for address verification" - }, - "bitboxScreenVerifyOnDevice": "Veuillez vérifier cette adresse sur votre appareil BitBox", - "@bitboxScreenVerifyOnDevice": { - "description": "Instruction to verify address on device" - }, - "bitboxScreenWalletTypeLabel": "Type de portefeuille :", - "@bitboxScreenWalletTypeLabel": { - "description": "Label for wallet type selector" - }, - "bitboxScreenSelectWalletType": "Sélectionner le type de portefeuille", - "@bitboxScreenSelectWalletType": { - "description": "Title for wallet type selection modal" - }, - "bitboxScreenSegwitBip84": "Segwit (BIP84)", - "@bitboxScreenSegwitBip84": { - "description": "Script type display name for BIP84" - }, - "bitboxScreenSegwitBip84Subtitle": "Native SegWit - Recommandé", - "@bitboxScreenSegwitBip84Subtitle": { - "description": "Subtitle for BIP84 option" - }, - "bitboxScreenNestedSegwitBip49": "Nested Segwit (BIP49)", - "@bitboxScreenNestedSegwitBip49": { - "description": "Script type display name for BIP49" - }, - "bitboxScreenNestedSegwitBip49Subtitle": "P2WPKH-nested-in-P2SH", - "@bitboxScreenNestedSegwitBip49Subtitle": { - "description": "Subtitle for BIP49 option" - }, - "bitboxScreenTroubleshootingTitle": "Dépannage BitBox02", - "@bitboxScreenTroubleshootingTitle": { - "description": "Title for troubleshooting instructions" - }, - "bitboxScreenTroubleshootingSubtitle": "Tout d'abord, assurez-vous que votre appareil BitBox02 est connecté au port USB de votre téléphone. Si votre appareil ne se connecte toujours pas à l'application, essayez ce qui suit :", - "@bitboxScreenTroubleshootingSubtitle": { - "description": "Subtitle for troubleshooting instructions" - }, - "bitboxScreenTroubleshootingStep1": "Assurez-vous d'avoir le dernier firmware installé sur votre BitBox.", - "@bitboxScreenTroubleshootingStep1": { - "description": "Troubleshooting step 1" - }, - "bitboxScreenTroubleshootingStep2": "Assurez-vous que les permissions USB sont activées sur votre téléphone.", - "@bitboxScreenTroubleshootingStep2": { - "description": "Troubleshooting step 2" - }, - "bitboxScreenTroubleshootingStep3": "Redémarrez votre appareil BitBox02 en le débranchant et en le reconnectant.", - "@bitboxScreenTroubleshootingStep3": { - "description": "Troubleshooting step 3" - }, - "bitboxScreenTryAgainButton": "Réessayer", - "@bitboxScreenTryAgainButton": { - "description": "Button to retry failed action" - }, - "bitboxScreenManagePermissionsButton": "Gérer les permissions de l'application", - "@bitboxScreenManagePermissionsButton": { - "description": "Button to open app permissions settings" - }, - "bitboxScreenNeedHelpButton": "Besoin d'aide ?", - "@bitboxScreenNeedHelpButton": { - "description": "Button to show help instructions" - }, - "bitboxScreenDefaultWalletLabel": "Portefeuille BitBox", - "@bitboxScreenDefaultWalletLabel": { - "description": "Default label for imported BitBox wallet" - }, - "bitboxCubitPermissionDenied": "Permission USB refusée. Veuillez accorder la permission pour accéder à votre appareil BitBox.", - "@bitboxCubitPermissionDenied": { - "description": "Error interpretation for permission denied" - }, - "bitboxCubitDeviceNotFound": "Aucun appareil BitBox trouvé. Veuillez connecter votre appareil et réessayer.", - "@bitboxCubitDeviceNotFound": { - "description": "Error interpretation for device not found" - }, - "bitboxCubitDeviceNotPaired": "Appareil non appairé. Veuillez d'abord compléter le processus d'appairage.", - "@bitboxCubitDeviceNotPaired": { - "description": "Error interpretation for device not paired" - }, - "bitboxCubitHandshakeFailed": "Échec de l'établissement d'une connexion sécurisée. Veuillez réessayer.", - "@bitboxCubitHandshakeFailed": { - "description": "Error interpretation for handshake failure" - }, - "bitboxCubitOperationTimeout": "L'opération a expiré. Veuillez réessayer.", - "@bitboxCubitOperationTimeout": { - "description": "Error interpretation for timeout" - }, - "bitboxCubitConnectionFailed": "Échec de la connexion à l'appareil BitBox. Veuillez vérifier votre connexion.", - "@bitboxCubitConnectionFailed": { - "description": "Error interpretation for connection failure" - }, - "bitboxCubitInvalidResponse": "Réponse invalide de l'appareil BitBox. Veuillez réessayer.", - "@bitboxCubitInvalidResponse": { - "description": "Error interpretation for invalid response" - }, - "bitboxCubitOperationCancelled": "L'opération a été annulée. Veuillez réessayer.", - "@bitboxCubitOperationCancelled": { - "description": "Error interpretation for cancelled operation" - }, - "advancedOptionsTitle": "Options avancées", - "@advancedOptionsTitle": { - "description": "Bottom sheet header/title for advanced sending options" - }, - "replaceByFeeActivatedLabel": "Remplacement par frais activé", - "@replaceByFeeActivatedLabel": { - "description": "Label for RBF toggle switch" - }, - "replaceByFeeBroadcastButton": "Diffuser", - "@replaceByFeeBroadcastButton": { - "description": "Button to broadcast the replacement transaction" - }, - "replaceByFeeCustomFeeTitle": "Frais personnalisés", - "@replaceByFeeCustomFeeTitle": { - "description": "Title for custom fee input section" - }, - "replaceByFeeErrorFeeRateTooLow": "Vous devez augmenter le taux de frais d'au moins 1 sat/vbyte par rapport à la transaction originale", - "@replaceByFeeErrorFeeRateTooLow": { - "description": "Error message when new fee rate is not high enough" - }, - "replaceByFeeErrorNoFeeRateSelected": "Veuillez sélectionner un taux de frais", - "@replaceByFeeErrorNoFeeRateSelected": { - "description": "Error message when no fee rate is selected" - }, - "replaceByFeeErrorTransactionConfirmed": "La transaction originale a été confirmée", - "@replaceByFeeErrorTransactionConfirmed": { - "description": "Error message when original transaction is already confirmed" - }, - "replaceByFeeErrorGeneric": "Une erreur s'est produite lors de la tentative de remplacement de la transaction", - "@replaceByFeeErrorGeneric": { - "description": "Generic error message for replace-by-fee operation failures" - }, - "replaceByFeeFastestDescription": "Livraison estimée ~ 10 minutes", - "@replaceByFeeFastestDescription": { - "description": "Description for fastest fee option" - }, - "replaceByFeeFastestTitle": "Le plus rapide", - "@replaceByFeeFastestTitle": { - "description": "Title for fastest fee option" - }, - "replaceByFeeFeeRateDisplay": "Taux de frais : {feeRate} sat/vbyte", - "@replaceByFeeFeeRateDisplay": { - "description": "Display text showing the fee rate", - "placeholders": { - "feeRate": { - "type": "String" - } - } - }, - "replaceByFeeOriginalTransactionTitle": "Transaction originale", - "@replaceByFeeOriginalTransactionTitle": { - "description": "Title for original transaction section" - }, - "replaceByFeeSatsVbUnit": "sats/vB", - "@replaceByFeeSatsVbUnit": { - "description": "Unit label for satoshis per virtual byte" - }, - "replaceByFeeScreenTitle": "Remplacement par frais", - "@replaceByFeeScreenTitle": { - "description": "Screen title for replace by fee feature" - }, - "selectCoinsManuallyLabel": "Sélectionner les pièces manuellement", - "@selectCoinsManuallyLabel": { - "description": "List tile option to manually select UTXOs" - }, - "doneButton": "Terminé", - "@doneButton": { - "description": "Button to close advanced options bottom sheet" - }, - "confirmLogoutTitle": "Confirmer la déconnexion", - "@confirmLogoutTitle": { - "description": "Dialog title for logout confirmation" - }, - "confirmLogoutMessage": "Êtes-vous sûr de vouloir vous déconnecter de votre compte Bull Bitcoin ? Vous devrez vous reconnecter pour accéder aux fonctionnalités d'échange.", - "@confirmLogoutMessage": { - "description": "Confirmation message explaining logout consequences" - }, - "logoutButton": "Déconnexion", - "@logoutButton": { - "description": "Button to confirm logout action" - }, - "comingSoonDefaultMessage": "Cette fonctionnalité est actuellement en développement et sera bientôt disponible.", - "@comingSoonDefaultMessage": { - "description": "Default message for features under development" - }, - "featureComingSoonTitle": "Fonctionnalité à venir", - "@featureComingSoonTitle": { - "description": "Title for coming soon bottom sheet" - }, - "okButton": "OK", - "@okButton": { - "description": "Button to dismiss coming soon message" - }, - "notLoggedInTitle": "Vous n'êtes pas connecté", - "@notLoggedInTitle": { - "description": "Title for not logged in state" - }, - "notLoggedInMessage": "Veuillez vous connecter à votre compte Bull Bitcoin pour accéder aux paramètres d'échange.", - "@notLoggedInMessage": { - "description": "Message prompting user to log in for exchange features" - }, - "loginButton": "CONNEXION", - "@loginButton": { - "description": "Button to navigate to login screen" - }, - "selectAmountTitle": "Sélectionner le montant", - "@selectAmountTitle": { - "description": "Title for manual coin selection bottom sheet" - }, - "amountRequestedLabel": "Montant demandé : {amount}", - "@amountRequestedLabel": { - "description": "Shows the requested amount to send", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "addressLabel": "Adresse : ", - "@addressLabel": { - "description": "Label for UTXO address in coin selection tile" - }, - "typeLabel": "Type : ", - "@typeLabel": { - "description": "Label for address type (Receive/Change)" - }, - "addressViewReceiveType": "Réception", - "@addressViewReceiveType": { - "description": "Address type label for external/receive addresses" - }, - "addressViewChangeType": "Monnaie", - "@addressViewChangeType": { - "description": "Address type label for internal/change addresses" - }, - "pasteInputDefaultHint": "Collez une adresse de paiement ou une facture", - "@pasteInputDefaultHint": { - "description": "Default placeholder hint for paste input field" - }, - "copyDialogButton": "Copier", - "@copyDialogButton": { - "description": "Button in modal dialog to copy value to clipboard" - }, - "closeDialogButton": "Fermer", - "@closeDialogButton": { - "description": "Button to close the value display modal dialog" - }, - "scanningProgressLabel": "Analyse : {percent} %", - "@scanningProgressLabel": { - "description": "Progress indicator for UR QR code scanning", - "placeholders": { - "percent": { - "type": "String" - } - } - }, - "urProgressLabel": "Progression UR : {parts} parties", - "@urProgressLabel": { - "description": "Progress message showing parts processed for multi-part UR codes", - "placeholders": { - "parts": { - "type": "String" - } - } - }, - "scanningCompletedMessage": "Analyse terminée", - "@scanningCompletedMessage": { - "description": "Success message when UR scanning completes" - }, - "urDecodingFailedMessage": "Échec du décodage UR", - "@urDecodingFailedMessage": { - "description": "Error message when UR decoding fails" - }, - "urProcessingFailedMessage": "Échec du traitement UR", - "@urProcessingFailedMessage": { - "description": "Error message when UR processing encounters an exception" - }, - "scanNfcButton": "Scanner NFC", - "@scanNfcButton": { - "description": "Button label to initiate NFC scanning" - }, - "shareLogsLabel": "Partager les journaux", - "@shareLogsLabel": { - "description": "List tile label to share application logs" - }, - "viewLogsLabel": "Voir les journaux", - "@viewLogsLabel": { - "description": "List tile label to view logs inline or in viewer" - }, - "errorSharingLogsMessage": "Erreur lors du partage des journaux : {error}", - "@errorSharingLogsMessage": { - "description": "Error message when log sharing fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "copiedToClipboardMessage": "Copié dans le presse-papiers", - "@copiedToClipboardMessage": { - "description": "Snackbar confirmation message after copying to clipboard" - }, - "submitButton": "Soumettre", - "@submitButton": { - "description": "Default button label to submit mnemonic" - }, - "optionalPassphraseHint": "Phrase secrète facultative", - "@optionalPassphraseHint": { - "description": "Placeholder hint for passphrase field" - }, - "labelInputLabel": "Étiquette", - "@labelInputLabel": { - "description": "Label for wallet label input field" - }, - "requiredHint": "Obligatoire", - "@requiredHint": { - "description": "Placeholder hint for required label field" - }, - "wordsDropdownSuffix": " mots", - "@wordsDropdownSuffix": { - "description": "Suffix for mnemonic length dropdown" - }, - "emptyMnemonicWordsError": "Entrez tous les mots de votre mnémonique", - "@emptyMnemonicWordsError": { - "description": "Error message when not all mnemonic words are filled in" - }, - "tryAgainButton": "Réessayer", - "@tryAgainButton": { - "description": "Default button text for error state" - }, - "errorGenericTitle": "Oups ! Une erreur s'est produite", - "@errorGenericTitle": { - "description": "Generic error title when hasError is true" - }, - "confirmSendTitle": "Confirmer l'envoi", - "@confirmSendTitle": { - "description": "Title for send confirmation screen when sending bitcoin" - }, - "confirmTransferTitle": "Confirmer le transfert", - "@confirmTransferTitle": { - "description": "Title for confirmation screen when transferring between wallets" - }, - "fromLabel": "De", - "@fromLabel": { - "description": "Label for source wallet in transaction details" - }, - "toLabel": "À", - "@toLabel": { - "description": "Label for destination address in transaction details" - }, - "amountLabel": "Montant", - "@amountLabel": { - "description": "Label for transaction amount display" - }, - "networkFeesLabel": "Frais de réseau", - "@networkFeesLabel": { - "description": "Label for network transaction fees in onchain send" - }, - "feePriorityLabel": "Priorité des frais", - "@feePriorityLabel": { - "description": "Label for fee selection priority option" - }, - "transferIdLabel": "ID de transfert", - "@transferIdLabel": { - "description": "Label for swap transfer ID" - }, - "totalFeesLabel": "Frais totaux", - "@totalFeesLabel": { - "description": "Label for total fees in lightning swap" - }, - "totalFeeLabel": "Frais total", - "@totalFeeLabel": { - "description": "Label for expandable total fee breakdown in swap" - }, - "networkFeeLabel": "Frais de réseau", - "@networkFeeLabel": { - "description": "Breakdown component showing network fee portion" - }, - "transferFeeLabel": "Frais de transfert", - "@transferFeeLabel": { - "description": "Breakdown component showing Boltz transfer fee portion" - }, - "sendNetworkFeesLabel": "Frais de réseau d'envoi", - "@sendNetworkFeesLabel": { - "description": "Label for sending network fees in chain swap" - }, - "confirmButtonLabel": "Confirmer", - "@confirmButtonLabel": { - "description": "Button label to confirm and execute the transaction" - }, - "satsSuffix": " sats", - "@satsSuffix": { - "description": "Unit suffix for satoshi amounts" - }, - "approximateFiatPrefix": "~", - "@approximateFiatPrefix": { - "description": "Prefix indicating approximate fiat equivalent value" - }, - "routeErrorMessage": "Page introuvable", - "@routeErrorMessage": { - "description": "Error message displayed when user navigates to non-existent route" - }, - "logsViewerTitle": "Journaux", - "@logsViewerTitle": { - "description": "AppBar title for logs viewer screen" - }, - "payInvoiceTitle": "Payer la Facture", - "@payInvoiceTitle": { - "description": "AppBar title for the pay invoice screen" - }, - "payEnterAmountTitle": "Entrer le Montant", - "@payEnterAmountTitle": { - "description": "Title for amount entry screen in payment flow" - }, - "payInvalidInvoice": "Facture invalide", - "@payInvalidInvoice": { - "description": "Error message when invoice format is invalid" - }, - "payInvoiceExpired": "Facture expirée", - "@payInvoiceExpired": { - "description": "Error message when Lightning invoice has expired" - }, - "payNetworkError": "Erreur réseau. Veuillez réessayer", - "@payNetworkError": { - "description": "Error message for network connectivity issues during payment" - }, - "payProcessingPayment": "Traitement du paiement...", - "@payProcessingPayment": { - "description": "Loading message while payment is being processed" - }, - "payPaymentSuccessful": "Paiement réussi", - "@payPaymentSuccessful": { - "description": "Success message after payment completes" - }, - "payPaymentFailed": "Échec du paiement", - "@payPaymentFailed": { - "description": "Error message when payment fails" - }, - "payRetryPayment": "Réessayer le Paiement", - "@payRetryPayment": { - "description": "Button text to retry a failed payment" - }, - "payScanQRCode": "Scanner le Code QR", - "@payScanQRCode": { - "description": "Button text to open QR code scanner for payment" - }, - "payPasteInvoice": "Coller la Facture", - "@payPasteInvoice": { - "description": "Button text to paste invoice from clipboard" - }, - "payEnterInvoice": "Entrer la Facture", - "@payEnterInvoice": { - "description": "Placeholder text for invoice input field" - }, - "payTotal": "Total", - "@payTotal": { - "description": "Label for total payment amount (amount + fee)" - }, - "payDescription": "Description", - "@payDescription": { - "description": "Label for payment description/memo field" - }, - "payCancelPayment": "Annuler le Paiement", - "@payCancelPayment": { - "description": "Button text to cancel payment flow" - }, - "payLightningInvoice": "Facture Lightning", - "@payLightningInvoice": { - "description": "Label indicating invoice type is Lightning Network" - }, - "payBitcoinAddress": "Adresse Bitcoin", - "@payBitcoinAddress": { - "description": "Label indicating payment destination is on-chain address" - }, - "payLiquidAddress": "Adresse Liquid", - "@payLiquidAddress": { - "description": "Label indicating payment destination is Liquid address" - }, - "payInvoiceDetails": "Détails de la Facture", - "@payInvoiceDetails": { - "description": "Section header for invoice information" - }, - "payAmountTooLow": "Le montant est inférieur au minimum", - "@payAmountTooLow": { - "description": "Error when payment amount is below minimum allowed" - }, - "payAmountTooHigh": "Le montant dépasse le maximum", - "@payAmountTooHigh": { - "description": "Error when payment amount exceeds maximum allowed" - }, - "payInvalidAmount": "Montant invalide", - "@payInvalidAmount": { - "description": "Error when entered amount is invalid" - }, - "payFeeTooHigh": "Les frais sont anormalement élevés", - "@payFeeTooHigh": { - "description": "Warning when calculated fee is higher than expected" - }, - "payConfirmHighFee": "Les frais pour ce paiement représentent {percentage}% du montant. Continuer?", - "@payConfirmHighFee": { - "description": "Confirmation prompt when fee percentage is high", - "placeholders": { - "percentage": { - "type": "String" - } - } - }, - "payNoRouteFound": "Aucun itinéraire trouvé pour ce paiement", - "@payNoRouteFound": { - "description": "Error when Lightning routing cannot find a path" - }, - "payRoutingFailed": "Échec du routage", - "@payRoutingFailed": { - "description": "Error when Lightning payment routing fails" - }, - "payChannelBalanceLow": "Solde du canal trop faible", - "@payChannelBalanceLow": { - "description": "Error when Lightning channel lacks sufficient outbound liquidity" - }, - "payOpenChannelRequired": "L'ouverture d'un canal est requise pour ce paiement", - "@payOpenChannelRequired": { - "description": "Message indicating a new Lightning channel is needed" - }, - "payEstimatedFee": "Frais Estimés", - "@payEstimatedFee": { - "description": "Label for estimated network fee" - }, - "payActualFee": "Frais Réels", - "@payActualFee": { - "description": "Label for actual fee paid after transaction" - }, - "payTimeoutError": "Délai d'expiration du paiement. Veuillez vérifier le statut", - "@payTimeoutError": { - "description": "Error when payment takes too long to complete" - }, - "payCheckingStatus": "Vérification du statut du paiement...", - "@payCheckingStatus": { - "description": "Loading message while verifying payment status" - }, - "payPaymentPending": "Paiement en attente", - "@payPaymentPending": { - "description": "Status message for in-flight payment" - }, - "payPaymentConfirmed": "Paiement confirmé", - "@payPaymentConfirmed": { - "description": "Status message for confirmed payment" - }, - "payViewTransaction": "Voir la Transaction", - "@payViewTransaction": { - "description": "Button text to view transaction details" - }, - "payShareInvoice": "Partager la Facture", - "@payShareInvoice": { - "description": "Button text to share payment invoice" - }, - "payInvoiceCopied": "Facture copiée dans le presse-papiers", - "@payInvoiceCopied": { - "description": "Toast message after copying invoice" - }, - "payExpiresIn": "Expire dans {time}", - "@payExpiresIn": { - "description": "Label showing invoice expiration time", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "payExpired": "Expiré", - "@payExpired": { - "description": "Status label for expired invoice" - }, - "payLightningFee": "Frais Lightning", - "@payLightningFee": { - "description": "Label for Lightning Network routing fee" - }, - "payOnChainFee": "Frais On-Chain", - "@payOnChainFee": { - "description": "Label for Bitcoin on-chain transaction fee" - }, - "payLiquidFee": "Frais Liquid", - "@payLiquidFee": { - "description": "Label for Liquid Network transaction fee" - }, - "paySwapFee": "Frais de Swap", - "@paySwapFee": { - "description": "Label for submarine swap fee" - }, - "payServiceFee": "Frais de Service", - "@payServiceFee": { - "description": "Label for service provider fee" - }, - "payTotalFees": "Frais Totaux", - "@payTotalFees": { - "description": "Label for sum of all fees" - }, - "payFeeBreakdown": "Détail des Frais", - "@payFeeBreakdown": { - "description": "Section header for detailed fee information" - }, - "payMinimumAmount": "Minimum: {amount}", - "@payMinimumAmount": { - "description": "Label showing minimum payment amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "payMaximumAmount": "Maximum: {amount}", - "@payMaximumAmount": { - "description": "Label showing maximum payment amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "payAvailableBalance": "Disponible: {amount}", - "@payAvailableBalance": { - "description": "Label showing available wallet balance", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "payRequiresSwap": "Ce paiement nécessite un swap", - "@payRequiresSwap": { - "description": "Info message when payment needs submarine swap" - }, - "paySwapInProgress": "Swap en cours...", - "@paySwapInProgress": { - "description": "Status message during submarine swap" - }, - "paySwapCompleted": "Swap terminé", - "@paySwapCompleted": { - "description": "Status message after successful swap" - }, - "paySwapFailed": "Échec du swap", - "@paySwapFailed": { - "description": "Error message when swap fails" - }, - "payBroadcastingTransaction": "Diffusion de la transaction...", - "@payBroadcastingTransaction": { - "description": "Status message while broadcasting to network" - }, - "payTransactionBroadcast": "Transaction diffusée", - "@payTransactionBroadcast": { - "description": "Success message after broadcasting" - }, - "payBroadcastFailed": "Échec de la diffusion", - "@payBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, - "payConfirmationRequired": "Confirmation requise", - "@payConfirmationRequired": { - "description": "Message when user confirmation is needed" - }, - "payReviewPayment": "Vérifier le Paiement", - "@payReviewPayment": { - "description": "Title for payment review screen" - }, - "payPaymentDetails": "Détails du Paiement", - "@payPaymentDetails": { - "description": "Section header for payment information" - }, - "payFromWallet": "Depuis le Portefeuille", - "@payFromWallet": { - "description": "Label showing source wallet" - }, - "payToAddress": "Vers l'Adresse", - "@payToAddress": { - "description": "Label showing destination address" - }, - "payNetworkType": "Réseau", - "@payNetworkType": { - "description": "Label for network type (Lightning/Bitcoin/Liquid)" - }, - "payPriority": "Priorité", - "@payPriority": { - "description": "Label for transaction priority/fee level" - }, - "payLowPriority": "Faible", - "@payLowPriority": { - "description": "Low fee priority option" - }, - "payMediumPriority": "Moyenne", - "@payMediumPriority": { - "description": "Medium fee priority option" - }, - "payHighPriority": "Élevée", - "@payHighPriority": { - "description": "High fee priority option" - }, - "payCustomFee": "Frais Personnalisés", - "@payCustomFee": { - "description": "Option to set custom fee amount" - }, - "payFeeRate": "Taux de Frais", - "@payFeeRate": { - "description": "Label for fee rate (sat/vB)" - }, - "paySatsPerByte": "{sats} sat/vB", - "@paySatsPerByte": { - "description": "Fee rate format", - "placeholders": { - "sats": { - "type": "String" - } - } - }, - "payEstimatedConfirmation": "Confirmation estimée: {time}", - "@payEstimatedConfirmation": { - "description": "Estimated time until confirmation", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "payReplaceByFee": "Replace-By-Fee (RBF)", - "@payReplaceByFee": { - "description": "Label for RBF feature" - }, - "payEnableRBF": "Activer RBF", - "@payEnableRBF": { - "description": "Checkbox to enable Replace-By-Fee" - }, - "payRBFEnabled": "RBF activé", - "@payRBFEnabled": { - "description": "Status when RBF is enabled" - }, - "payRBFDisabled": "RBF désactivé", - "@payRBFDisabled": { - "description": "Status when RBF is disabled" - }, - "payBumpFee": "Augmenter les Frais", - "@payBumpFee": { - "description": "Button to increase fee of pending transaction" - }, - "payCannotBumpFee": "Impossible d'augmenter les frais pour cette transaction", - "@payCannotBumpFee": { - "description": "Error when RBF is not available" - }, - "payFeeBumpSuccessful": "Augmentation des frais réussie", - "@payFeeBumpSuccessful": { - "description": "Success message after fee bump" - }, - "payFeeBumpFailed": "Échec de l'augmentation des frais", - "@payFeeBumpFailed": { - "description": "Error when fee bump fails" - }, - "payBatchPayment": "Paiement Groupé", - "@payBatchPayment": { - "description": "Option to combine multiple payments" - }, - "payAddRecipient": "Ajouter un Destinataire", - "@payAddRecipient": { - "description": "Button to add another payment recipient" - }, - "payRemoveRecipient": "Retirer le Destinataire", - "@payRemoveRecipient": { - "description": "Button to remove a recipient from batch" - }, - "payRecipientCount": "{count} destinataires", - "@payRecipientCount": { - "description": "Label showing number of recipients", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "payTotalAmount": "Montant Total", - "@payTotalAmount": { - "description": "Label for sum of all payment amounts" - }, - "paySendAll": "Tout Envoyer", - "@paySendAll": { - "description": "Button to send entire wallet balance" - }, - "paySendMax": "Max", - "@paySendMax": { - "description": "Button to set amount to maximum available" - }, - "payInvalidAddress": "Adresse invalide", - "@payInvalidAddress": { - "description": "Error for malformed address" - }, - "payAddressRequired": "L'adresse est requise", - "@payAddressRequired": { - "description": "Validation error for empty address field" - }, - "payAmountRequired": "Le montant est requis", - "@payAmountRequired": { - "description": "Validation error for empty amount field" - }, - "payEnterValidAmount": "Veuillez entrer un montant valide", - "@payEnterValidAmount": { - "description": "Validation error for invalid amount format" - }, - "payWalletNotSynced": "Portefeuille non synchronisé. Veuillez patienter", - "@payWalletNotSynced": { - "description": "Error when wallet sync is incomplete" - }, - "paySyncingWallet": "Synchronisation du portefeuille...", - "@paySyncingWallet": { - "description": "Status message during wallet sync" - }, - "payNoActiveWallet": "Aucun portefeuille actif", - "@payNoActiveWallet": { - "description": "Error when no wallet is selected" - }, - "paySelectActiveWallet": "Veuillez sélectionner un portefeuille", - "@paySelectActiveWallet": { - "description": "Prompt to choose a wallet" - }, - "payUnsupportedInvoiceType": "Type de facture non pris en charge", - "@payUnsupportedInvoiceType": { - "description": "Error for unknown invoice format" - }, - "payDecodingInvoice": "Décodage de la facture...", - "@payDecodingInvoice": { - "description": "Loading message while parsing invoice" - }, - "payInvoiceDecoded": "Facture décodée avec succès", - "@payInvoiceDecoded": { - "description": "Success message after decoding" - }, - "payDecodeFailed": "Échec du décodage de la facture", - "@payDecodeFailed": { - "description": "Error when invoice parsing fails" - }, - "payMemo": "Mémo", - "@payMemo": { - "description": "Label for optional payment note" - }, - "payAddMemo": "Ajouter un mémo (optionnel)", - "@payAddMemo": { - "description": "Placeholder for memo input field" - }, - "payPrivatePayment": "Paiement Privé", - "@payPrivatePayment": { - "description": "Label for privacy-enhanced payment option" - }, - "payUseCoinjoin": "Utiliser CoinJoin", - "@payUseCoinjoin": { - "description": "Option to use CoinJoin for privacy" - }, - "payCoinjoinInProgress": "CoinJoin en cours...", - "@payCoinjoinInProgress": { - "description": "Status during CoinJoin process" - }, - "payCoinjoinCompleted": "CoinJoin terminé", - "@payCoinjoinCompleted": { - "description": "Success message after CoinJoin" - }, - "payCoinjoinFailed": "Échec du CoinJoin", - "@payCoinjoinFailed": { - "description": "Error when CoinJoin fails" - }, - "payPaymentHistory": "Historique des Paiements", - "@payPaymentHistory": { - "description": "Title for list of past payments" - }, - "payNoPayments": "Aucun paiement pour le moment", - "@payNoPayments": { - "description": "Empty state message" - }, - "payFilterPayments": "Filtrer les Paiements", - "@payFilterPayments": { - "description": "Button to filter payment list" - }, - "paySearchPayments": "Rechercher des paiements...", - "@paySearchPayments": { - "description": "Search box placeholder" - }, - "payAllPayments": "Tous les Paiements", - "@payAllPayments": { - "description": "Filter option to show all" - }, - "paySuccessfulPayments": "Réussis", - "@paySuccessfulPayments": { - "description": "Filter for successful payments" - }, - "payFailedPayments": "Échoués", - "@payFailedPayments": { - "description": "Filter for failed payments" - }, - "payPendingPayments": "En Attente", - "@payPendingPayments": { - "description": "Filter for pending payments" - }, - "sendCoinControl": "Contrôle des pièces", - "@sendCoinControl": { - "description": "Feature to manually select UTXOs" - }, - "sendSelectCoins": "Sélectionner les pièces", - "@sendSelectCoins": { - "description": "Button to open UTXO selector" - }, - "sendSelectedCoins": "{count} pièces sélectionnées", - "@sendSelectedCoins": { - "description": "Label showing number of UTXOs selected", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "sendClearSelection": "Effacer la sélection", - "@sendClearSelection": { - "description": "Button to deselect all UTXOs" - }, - "sendCoinAmount": "Montant : {amount}", - "@sendCoinAmount": { - "description": "Label for UTXO amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sendCoinConfirmations": "{count} confirmations", - "@sendCoinConfirmations": { - "description": "Label for UTXO confirmation count", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "sendUnconfirmed": "Non confirmé", - "@sendUnconfirmed": { - "description": "Status for 0-conf UTXO" - }, - "sendFrozenCoin": "Gelé", - "@sendFrozenCoin": { - "description": "Status for manually frozen UTXO" - }, - "sendFreezeCoin": "Geler la pièce", - "@sendFreezeCoin": { - "description": "Action to prevent UTXO from being spent" - }, - "sendUnfreezeCoin": "Dégeler la pièce", - "@sendUnfreezeCoin": { - "description": "Action to allow spending frozen UTXO" - }, - "sendSubmarineSwap": "Submarine Swap", - "@sendSubmarineSwap": { - "description": "Feature to swap on-chain to Lightning" - }, - "sendInitiatingSwap": "Initialisation du swap...", - "@sendInitiatingSwap": { - "description": "Loading message during swap setup" - }, - "sendSwapDetails": "Détails du swap", - "@sendSwapDetails": { - "description": "Section header for swap information" - }, - "sendSwapAmount": "Montant du swap", - "@sendSwapAmount": { - "description": "Label for amount being swapped" - }, - "sendSwapFeeEstimate": "Frais du swap estimés : {amount}", - "@sendSwapFeeEstimate": { - "description": "Estimated cost of swap", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sendSwapTimeEstimate": "Temps estimé : {time}", - "@sendSwapTimeEstimate": { - "description": "Expected swap duration", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "sendConfirmSwap": "Confirmer le swap", - "@sendConfirmSwap": { - "description": "Button to proceed with swap" - }, - "sendSwapCancelled": "Swap annulé", - "@sendSwapCancelled": { - "description": "Message when user cancels swap" - }, - "sendSwapTimeout": "Délai du swap expiré", - "@sendSwapTimeout": { - "description": "Error when swap expires" - }, - "sendCustomFeeRate": "Taux de frais personnalisé", - "@sendCustomFeeRate": { - "description": "Option to manually set fee" - }, - "sendFeeRateTooLow": "Taux de frais trop bas", - "@sendFeeRateTooLow": { - "description": "Error for insufficient fee" - }, - "sendFeeRateTooHigh": "Le taux de frais semble très élevé", - "@sendFeeRateTooHigh": { - "description": "Warning for excessive fee" - }, - "sendRecommendedFee": "Recommandé : {rate} sat/vB", - "@sendRecommendedFee": { - "description": "Suggested fee rate", - "placeholders": { - "rate": { - "type": "String" - } - } - }, - "sendEconomyFee": "Économique", - "@sendEconomyFee": { - "description": "Lowest fee tier" - }, - "sendNormalFee": "Normal", - "@sendNormalFee": { - "description": "Standard fee tier" - }, - "sendFastFee": "Rapide", - "@sendFastFee": { - "description": "Highest fee tier" - }, - "sendHardwareWallet": "Portefeuille matériel", - "@sendHardwareWallet": { - "description": "Option to sign with hardware device" - }, - "sendConnectDevice": "Connecter l'appareil", - "@sendConnectDevice": { - "description": "Prompt to plug in hardware wallet" - }, - "sendDeviceConnected": "Appareil connecté", - "@sendDeviceConnected": { - "description": "Status when hardware wallet is detected" - }, - "sendDeviceDisconnected": "Appareil déconnecté", - "@sendDeviceDisconnected": { - "description": "Error when hardware wallet unplugged" - }, - "sendVerifyOnDevice": "Vérifier sur l'appareil", - "@sendVerifyOnDevice": { - "description": "Instruction to check hardware wallet screen" - }, - "sendSigningTransaction": "Signature de la transaction...", - "@sendSigningTransaction": { - "description": "Status while hardware wallet signs" - }, - "sendSignatureReceived": "Signature reçue", - "@sendSignatureReceived": { - "description": "Success after hardware wallet signs" - }, - "sendSigningFailed": "Échec de la signature", - "@sendSigningFailed": { - "description": "Error during hardware wallet signing" - }, - "sendUserRejected": "Refusé par l'utilisateur sur l'appareil", - "@sendUserRejected": { - "description": "Error when user declines on hardware wallet" - }, - "sendBuildingTransaction": "Construction de la transaction...", - "@sendBuildingTransaction": { - "description": "Status while constructing transaction" - }, - "sendTransactionBuilt": "Transaction prête", - "@sendTransactionBuilt": { - "description": "Success after transaction constructed" - }, - "sendBuildFailed": "Échec de la construction de la transaction", - "@sendBuildFailed": { - "description": "Error during transaction construction" - }, - "sendInsufficientFunds": "Fonds insuffisants", - "@sendInsufficientFunds": { - "description": "Error when balance too low" - }, - "sendDustAmount": "Montant trop petit (poussière)", - "@sendDustAmount": { - "description": "Error for uneconomical amount" - }, - "sendOutputTooSmall": "Sortie inférieure à la limite de poussière", - "@sendOutputTooSmall": { - "description": "Error for tiny output amount" - }, - "sendScheduledPayment": "Paiement planifié", - "@sendScheduledPayment": { - "description": "Feature to delay transaction" - }, - "sendScheduleFor": "Planifier pour le {date}", - "@sendScheduleFor": { - "description": "Label for scheduled date", - "placeholders": { - "date": { - "type": "String" - } - } - }, - "sendSwapId": "ID d'échange", - "@sendSwapId": { - "description": "Label for swap identifier in transaction details" - }, - "sendSendAmount": "Montant envoyé", - "@sendSendAmount": { - "description": "Label for amount being sent in swap" - }, - "sendReceiveAmount": "Montant reçu", - "@sendReceiveAmount": { - "description": "Label for amount being received in swap" - }, - "sendSendNetworkFee": "Frais de réseau d'envoi", - "@sendSendNetworkFee": { - "description": "Label for network fee on send side of swap" - }, - "sendTransferFee": "Frais de transfert", - "@sendTransferFee": { - "description": "Label for total swap transfer fee" - }, - "sendTransferFeeDescription": "Il s'agit des frais totaux déduits du montant envoyé", - "@sendTransferFeeDescription": { - "description": "Explanation of what the transfer fee represents" - }, - "sendReceiveNetworkFee": "Frais de réseau de réception", - "@sendReceiveNetworkFee": { - "description": "Label for network fee on receive side" - }, - "sendServerNetworkFees": "Frais de réseau du serveur", - "@sendServerNetworkFees": { - "description": "Label for Boltz server fees" - }, - "sendConfirmSend": "Confirmer l'envoi", - "@sendConfirmSend": { - "description": "Title for send confirmation screen" - }, - "sendSending": "Envoi en cours", - "@sendSending": { - "description": "Title shown while transaction is being sent" - }, - "sendBroadcastingTransaction": "Diffusion de la transaction.", - "@sendBroadcastingTransaction": { - "description": "Message shown while broadcasting transaction to network" - }, - "sendSwapInProgressInvoice": "L'échange est en cours. La facture sera payée dans quelques secondes.", - "@sendSwapInProgressInvoice": { - "description": "Message for Liquid swap in progress" - }, - "sendSwapInProgressBitcoin": "L'échange est en cours. Les transactions Bitcoin peuvent prendre du temps à confirmer. Vous pouvez retourner à l'accueil et attendre.", - "@sendSwapInProgressBitcoin": { - "description": "Message for Bitcoin swap in progress" - }, - "sendSwapRefundInProgress": "Remboursement d'échange en cours", - "@sendSwapRefundInProgress": { - "description": "Title when swap failed and refund is processing" - }, - "sendSwapFailed": "L'échange a échoué. Votre remboursement sera traité sous peu.", - "@sendSwapFailed": { - "description": "Message explaining swap failure and refund" - }, - "sendSwapRefundCompleted": "Remboursement d'échange terminé", - "@sendSwapRefundCompleted": { - "description": "Title when refund has completed" - }, - "sendRefundProcessed": "Votre remboursement a été traité.", - "@sendRefundProcessed": { - "description": "Message confirming refund completion" - }, - "sendInvoicePaid": "Facture payée", - "@sendInvoicePaid": { - "description": "Title when Lightning invoice payment succeeds" - }, - "sendPaymentProcessing": "Le paiement est en cours de traitement. Cela peut prendre jusqu'à une minute", - "@sendPaymentProcessing": { - "description": "Message while payment processes" - }, - "sendPaymentWillTakeTime": "Le paiement prendra du temps", - "@sendPaymentWillTakeTime": { - "description": "Title warning of delayed payment" - }, - "sendSwapInitiated": "Échange initié", - "@sendSwapInitiated": { - "description": "Title when chain swap begins" - }, - "sendSwapWillTakeTime": "Cela prendra du temps à confirmer", - "@sendSwapWillTakeTime": { - "description": "Message warning swap confirmation takes time" - }, - "sendSuccessfullySent": "Envoyé avec succès", - "@sendSuccessfullySent": { - "description": "Title for successful send completion" - }, - "sendViewDetails": "Voir les détails", - "@sendViewDetails": { - "description": "Button to view transaction details" - }, - "sendShowPsbt": "Afficher PSBT", - "@sendShowPsbt": { - "description": "Button to display PSBT for external signing" - }, - "sendSignWithLedger": "Signer avec Ledger", - "@sendSignWithLedger": { - "description": "Button to sign transaction with Ledger hardware wallet" - }, - "sendSignWithBitBox": "Signer avec BitBox", - "@sendSignWithBitBox": { - "description": "Button to sign transaction with BitBox hardware wallet" - }, - "sendTransactionSignedLedger": "Transaction signée avec succès avec Ledger", - "@sendTransactionSignedLedger": { - "description": "Success message after Ledger signing" - }, - "sendHighFeeWarningDescription": "Les frais totaux représentent {feePercent}% du montant que vous envoyez", - "@sendHighFeeWarningDescription": { - "description": "Warning message showing fee as percentage of send amount", - "placeholders": { - "feePercent": { - "type": "String" - } - } - }, - "sendEnterAbsoluteFee": "Entrer les frais absolus en sats", - "@sendEnterAbsoluteFee": { - "description": "Placeholder for absolute fee input field" - }, - "sendEnterRelativeFee": "Entrer les frais relatifs en sats/vB", - "@sendEnterRelativeFee": { - "description": "Placeholder for relative fee rate input field" - }, - "sendErrorArkExperimentalOnly": "Les demandes de paiement ARK ne sont disponibles que depuis la fonctionnalité expérimentale Ark.", - "@sendErrorArkExperimentalOnly": { - "description": "Error when ARK payment is attempted without experimental feature enabled" - }, - "sendErrorSwapCreationFailed": "Échec de la création de l'échange.", - "@sendErrorSwapCreationFailed": { - "description": "Error when swap creation fails" - }, - "sendErrorInsufficientBalanceForPayment": "Solde insuffisant pour couvrir ce paiement", - "@sendErrorInsufficientBalanceForPayment": { - "description": "Error when wallet balance is insufficient for payment" - }, - "sendErrorInvalidAddressOrInvoice": "Adresse de paiement Bitcoin ou facture invalide", - "@sendErrorInvalidAddressOrInvoice": { - "description": "Error when payment request is invalid" - }, - "sendErrorBuildFailed": "Échec de la construction", - "@sendErrorBuildFailed": { - "description": "Error title when transaction build fails" - }, - "sendErrorConfirmationFailed": "Échec de la confirmation", - "@sendErrorConfirmationFailed": { - "description": "Error title when transaction confirmation fails" - }, - "sendErrorInsufficientBalanceForSwap": "Solde insuffisant pour payer cet échange via Liquid et hors des limites d'échange pour payer via Bitcoin.", - "@sendErrorInsufficientBalanceForSwap": { - "description": "Error when balance insufficient for swap through either network" - }, - "sendErrorAmountBelowSwapLimits": "Le montant est inférieur aux limites d'échange", - "@sendErrorAmountBelowSwapLimits": { - "description": "Error when amount is below minimum swap limit" - }, - "sendErrorAmountAboveSwapLimits": "Le montant est supérieur aux limites d'échange", - "@sendErrorAmountAboveSwapLimits": { - "description": "Error when amount exceeds maximum swap limit" - }, - "sendErrorAmountBelowMinimum": "Montant inférieur à la limite d'échange minimale : {minLimit} sats", - "@sendErrorAmountBelowMinimum": { - "description": "Error with specific minimum swap amount", - "placeholders": { - "minLimit": { - "type": "String" - } - } - }, - "sendErrorAmountAboveMaximum": "Montant supérieur à la limite d'échange maximale : {maxLimit} sats", - "@sendErrorAmountAboveMaximum": { - "description": "Error with specific maximum swap amount", - "placeholders": { - "maxLimit": { - "type": "String" - } - } - }, - "sendErrorSwapFeesNotLoaded": "Frais d'échange non chargés", - "@sendErrorSwapFeesNotLoaded": { - "description": "Error when swap fee information is unavailable" - }, - "sendErrorInsufficientFundsForFees": "Fonds insuffisants pour couvrir le montant et les frais", - "@sendErrorInsufficientFundsForFees": { - "description": "Error when wallet cannot cover transaction amount plus fees" - }, - "sendErrorBroadcastFailed": "Échec de la diffusion de la transaction. Vérifiez votre connexion réseau et réessayez.", - "@sendErrorBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, - "sendErrorBalanceTooLowForMinimum": "Solde trop bas pour le montant d'échange minimum", - "@sendErrorBalanceTooLowForMinimum": { - "description": "Error when balance is below minimum required for swap" - }, - "sendErrorAmountExceedsMaximum": "Le montant dépasse le montant d'échange maximum", - "@sendErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum allowed for swap" - }, - "sendErrorLiquidWalletRequired": "Un portefeuille Liquid doit être utilisé pour un échange de liquid vers lightning", - "@sendErrorLiquidWalletRequired": { - "description": "Error when wrong wallet type used for Liquid to Lightning swap" - }, - "sendErrorBitcoinWalletRequired": "Un portefeuille Bitcoin doit être utilisé pour un échange de bitcoin vers lightning", - "@sendErrorBitcoinWalletRequired": { - "description": "Error when wrong wallet type used for Bitcoin to Lightning swap" - }, - "sendErrorInsufficientFundsForPayment": "Fonds insuffisants disponibles pour effectuer ce paiement.", - "@sendErrorInsufficientFundsForPayment": { - "description": "Error when insufficient funds available" - }, - "sendTypeSend": "Envoyer", - "@sendTypeSend": { - "description": "Send type name for Bitcoin/Liquid transactions" - }, - "sendTypeSwap": "Échanger", - "@sendTypeSwap": { - "description": "Send type name for Lightning swap transactions" - }, - "sellAmount": "Montant à vendre", - "@sellAmount": { - "description": "Label for Bitcoin amount input" - }, - "sellReceiveAmount": "Vous recevrez", - "@sellReceiveAmount": { - "description": "Label showing fiat amount to receive" - }, - "sellWalletBalance": "Solde : {amount}", - "@sellWalletBalance": { - "description": "Shows available balance", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellPaymentMethod": "Méthode de paiement", - "@sellPaymentMethod": { - "description": "Section for selecting how to receive fiat" - }, - "sellBankTransfer": "Virement bancaire", - "@sellBankTransfer": { - "description": "Option for bank deposit" - }, - "sellInteracTransfer": "Virement Interac", - "@sellInteracTransfer": { - "description": "Option for Interac payment (Canada)" - }, - "sellCashPickup": "Retrait en espèces", - "@sellCashPickup": { - "description": "Option for in-person cash" - }, - "sellBankDetails": "Coordonnées bancaires", - "@sellBankDetails": { - "description": "Section header for bank account info" - }, - "sellAccountName": "Nom du compte", - "@sellAccountName": { - "description": "Label for bank account holder name" - }, - "sellAccountNumber": "Numéro de compte", - "@sellAccountNumber": { - "description": "Label for bank account number" - }, - "sellRoutingNumber": "Numéro de routage", - "@sellRoutingNumber": { - "description": "Label for bank routing/transit number" - }, - "sellInstitutionNumber": "Numéro d'institution", - "@sellInstitutionNumber": { - "description": "Label for bank institution code" - }, - "sellSwiftCode": "Code SWIFT/BIC", - "@sellSwiftCode": { - "description": "Label for international bank code" - }, - "sellIBAN": "IBAN", - "@sellIBAN": { - "description": "Label for International Bank Account Number" - }, - "sellInteracEmail": "Courriel Interac", - "@sellInteracEmail": { - "description": "Label for email to receive Interac payment" - }, - "sellReviewOrder": "Vérifier l'ordre de vente", - "@sellReviewOrder": { - "description": "Title for order confirmation screen" - }, - "sellConfirmOrder": "Confirmer l'ordre de vente", - "@sellConfirmOrder": { - "description": "Button to submit sell order" - }, - "sellProcessingOrder": "Traitement de l'ordre...", - "@sellProcessingOrder": { - "description": "Loading message during order submission" - }, - "sellOrderPlaced": "Ordre de vente placé avec succès", - "@sellOrderPlaced": { - "description": "Success message after order submission" - }, - "sellOrderFailed": "Échec du placement de l'ordre de vente", - "@sellOrderFailed": { - "description": "Error message when order fails" - }, - "sellInsufficientBalance": "Solde du portefeuille insuffisant", - "@sellInsufficientBalance": { - "description": "Error when wallet lacks funds" - }, - "sellMinimumAmount": "Montant minimum de vente : {amount}", - "@sellMinimumAmount": { - "description": "Error for amount below minimum", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellMaximumAmount": "Montant maximum de vente : {amount}", - "@sellMaximumAmount": { - "description": "Error for amount above maximum", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellNetworkError": "Erreur réseau. Veuillez réessayer", - "@sellNetworkError": { - "description": "Error for connectivity issues" - }, - "sellRateExpired": "Taux de change expiré. Actualisation...", - "@sellRateExpired": { - "description": "Message when rate quote times out" - }, - "sellUpdatingRate": "Mise à jour du taux de change...", - "@sellUpdatingRate": { - "description": "Loading message while fetching new rate" - }, - "sellCurrentRate": "Taux actuel", - "@sellCurrentRate": { - "description": "Label for BTC/fiat exchange rate" - }, - "sellRateValidFor": "Taux valide pour {seconds}s", - "@sellRateValidFor": { - "description": "Shows rate expiration countdown", - "placeholders": { - "seconds": { - "type": "int" - } - } - }, - "sellEstimatedArrival": "Arrivée estimée : {time}", - "@sellEstimatedArrival": { - "description": "Expected time to receive fiat", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "sellTransactionFee": "Frais de transaction", - "@sellTransactionFee": { - "description": "Label for Bitcoin network fee" - }, - "sellServiceFee": "Frais de service", - "@sellServiceFee": { - "description": "Label for Bull Bitcoin service fee" - }, - "sellTotalFees": "Frais totaux", - "@sellTotalFees": { - "description": "Label for sum of all fees" - }, - "sellNetAmount": "Montant net", - "@sellNetAmount": { - "description": "Label for amount after fees" - }, - "sellKYCRequired": "Vérification KYC requise", - "@sellKYCRequired": { - "description": "Error when identity verification needed" - }, - "sellKYCPending": "Vérification KYC en attente", - "@sellKYCPending": { - "description": "Message when verification in progress" - }, - "sellKYCApproved": "KYC approuvé", - "@sellKYCApproved": { - "description": "Status when verification complete" - }, - "sellKYCRejected": "Vérification KYC rejetée", - "@sellKYCRejected": { - "description": "Error when verification fails" - }, - "sellCompleteKYC": "Compléter le KYC", - "@sellCompleteKYC": { - "description": "Button to start verification process" - }, - "sellDailyLimitReached": "Limite quotidienne de vente atteinte", - "@sellDailyLimitReached": { - "description": "Error when hitting daily maximum" - }, - "sellDailyLimit": "Limite quotidienne : {amount}", - "@sellDailyLimit": { - "description": "Shows maximum daily sell amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellRemainingLimit": "Reste aujourd'hui : {amount}", - "@sellRemainingLimit": { - "description": "Shows remaining daily limit", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyExpressWithdrawal": "Retrait express", - "@buyExpressWithdrawal": { - "description": "Fast withdrawal option" - }, - "buyExpressWithdrawalDesc": "Recevez vos Bitcoin instantanément après le paiement", - "@buyExpressWithdrawalDesc": { - "description": "Explanation of express withdrawal feature" - }, - "buyExpressWithdrawalFee": "Frais express : {amount}", - "@buyExpressWithdrawalFee": { - "description": "Additional fee for instant withdrawal", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyStandardWithdrawal": "Retrait standard", - "@buyStandardWithdrawal": { - "description": "Regular withdrawal option" - }, - "buyStandardWithdrawalDesc": "Recevez vos Bitcoin après la compensation du paiement (1-3 jours)", - "@buyStandardWithdrawalDesc": { - "description": "Explanation of standard withdrawal timing" - }, - "buyKYCLevel": "Niveau KYC", - "@buyKYCLevel": { - "description": "Label for verification tier" - }, - "buyKYCLevel1": "Niveau 1 - Basique", - "@buyKYCLevel1": { - "description": "Basic verification tier" - }, - "buyKYCLevel2": "Niveau 2 - Amélioré", - "@buyKYCLevel2": { - "description": "Enhanced verification tier" - }, - "buyKYCLevel3": "Niveau 3 - Complet", - "@buyKYCLevel3": { - "description": "Full verification tier" - }, - "buyUpgradeKYC": "Améliorer le niveau KYC", - "@buyUpgradeKYC": { - "description": "Button to increase verification tier" - }, - "buyLevel1Limit": "Limite niveau 1 : {amount}", - "@buyLevel1Limit": { - "description": "Purchase limit for basic KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyLevel2Limit": "Limite niveau 2 : {amount}", - "@buyLevel2Limit": { - "description": "Purchase limit for enhanced KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyLevel3Limit": "Limite niveau 3 : {amount}", - "@buyLevel3Limit": { - "description": "Purchase limit for full KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyVerificationRequired": "Vérification requise pour ce montant", - "@buyVerificationRequired": { - "description": "Error when KYC needed for purchase size" - }, - "buyVerifyIdentity": "Vérifier l'identité", - "@buyVerifyIdentity": { - "description": "Button to start KYC process" - }, - "buyVerificationInProgress": "Vérification en cours...", - "@buyVerificationInProgress": { - "description": "Status during KYC review" - }, - "buyVerificationComplete": "Vérification complète", - "@buyVerificationComplete": { - "description": "Success message after KYC approval" - }, - "buyVerificationFailed": "Échec de la vérification : {reason}", - "@buyVerificationFailed": { - "description": "Error message with failure reason", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "buyDocumentUpload": "Téléverser les documents", - "@buyDocumentUpload": { - "description": "Section for ID document submission" - }, - "buyPhotoID": "Pièce d'identité avec photo", - "@buyPhotoID": { - "description": "Type of document required" - }, - "buyProofOfAddress": "Preuve de résidence", - "@buyProofOfAddress": { - "description": "Type of document required" - }, - "buySelfie": "Photo-selfie avec pièce d'identité", - "@buySelfie": { - "description": "Type of document required" - }, - "receiveSelectNetwork": "Sélectionner le réseau", - "@receiveSelectNetwork": { - "description": "Dropdown to choose receiving network" - }, - "receiveBitcoinNetwork": "Bitcoin", - "@receiveBitcoinNetwork": { - "description": "Bitcoin on-chain network option" - }, - "receiveLightningNetwork": "Lightning", - "@receiveLightningNetwork": { - "description": "Lightning Network option" - }, - "receiveLiquidNetwork": "Liquid", - "@receiveLiquidNetwork": { - "description": "Liquid Network option" - }, - "receiveArkNetwork": "Ark", - "@receiveArkNetwork": { - "description": "Ark Instant Payments option" - }, - "receiveInvoice": "Facture Lightning", - "@receiveInvoice": { - "description": "Label for Lightning invoice" - }, - "receiveFixedAmount": "Montant", - "@receiveFixedAmount": { - "description": "Required amount field" - }, - "receiveDescription": "Description (optionnelle)", - "@receiveDescription": { - "description": "Optional memo field" - }, - "receiveGenerateInvoice": "Générer une facture", - "@receiveGenerateInvoice": { - "description": "Button to create Lightning invoice" - }, - "receiveGenerateAddress": "Générer une nouvelle adresse", - "@receiveGenerateAddress": { - "description": "Button to create new on-chain address" - }, - "receiveQRCode": "Code QR", - "@receiveQRCode": { - "description": "Section header for QR code display" - }, - "receiveCopyAddress": "Copier l'adresse", - "@receiveCopyAddress": { - "description": "Button to copy address to clipboard" - }, - "receiveCopyInvoice": "Copier la facture", - "@receiveCopyInvoice": { - "description": "Button to copy invoice to clipboard" - }, - "receiveAddressCopied": "Adresse copiée dans le presse-papiers", - "@receiveAddressCopied": { - "description": "Toast message after copying address" - }, - "receiveInvoiceCopied": "Facture copiée dans le presse-papiers", - "@receiveInvoiceCopied": { - "description": "Toast message after copying invoice" - }, - "receiveShareAddress": "Partager l'adresse", - "@receiveShareAddress": { - "description": "Button to share via system share sheet" - }, - "receiveShareInvoice": "Partager la facture", - "@receiveShareInvoice": { - "description": "Button to share invoice" - }, - "receiveInvoiceExpiry": "La facture expire dans {time}", - "@receiveInvoiceExpiry": { - "description": "Shows expiration countdown", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "receiveInvoiceExpired": "Facture expirée", - "@receiveInvoiceExpired": { - "description": "Status when invoice is no longer valid" - }, - "receiveAwaitingPayment": "En attente du paiement...", - "@receiveAwaitingPayment": { - "description": "Status while waiting for payment" - }, - "receiveConfirming": "Confirmation en cours... ({count}/{required})", - "@receiveConfirming": { - "description": "Shows confirmation progress", - "placeholders": { - "count": { - "type": "int" - }, - "required": { - "type": "int" - } - } - }, - "receiveConfirmed": "Confirmé", - "@receiveConfirmed": { - "description": "Status when fully confirmed" - }, - "receiveGenerationFailed": "Échec de la génération de {type}", - "@receiveGenerationFailed": { - "description": "Error when address/invoice generation fails", - "placeholders": { - "type": { - "type": "String" - } - } - }, - "receiveNetworkUnavailable": "{network} est actuellement indisponible", - "@receiveNetworkUnavailable": { - "description": "Error when network is down", - "placeholders": { - "network": { - "type": "String" - } - } - }, - "receiveInsufficientInboundLiquidity": "Capacité de réception Lightning insuffisante", - "@receiveInsufficientInboundLiquidity": { - "description": "Error when Lightning channels lack inbound capacity" - }, - "receiveRequestInboundLiquidity": "Demander une capacité de réception", - "@receiveRequestInboundLiquidity": { - "description": "Button to open channel for receiving" - }, - "backupSettingsPhysicalBackup": "Sauvegarde physique", - "@backupSettingsPhysicalBackup": { - "description": "Label for physical backup status row" - }, - "backupSettingsEncryptedVault": "Coffre-fort chiffré", - "@backupSettingsEncryptedVault": { - "description": "Label for encrypted vault backup status row" - }, - "backupSettingsTested": "Testé", - "@backupSettingsTested": { - "description": "Status text shown when backup has been tested" - }, - "backupSettingsNotTested": "Non testé", - "@backupSettingsNotTested": { - "description": "Status text shown when backup has not been tested" - }, - "backupSettingsTestBackup": "Tester la sauvegarde", - "@backupSettingsTestBackup": { - "description": "Button text to test existing backup" - }, - "backupSettingsStartBackup": "Démarrer la sauvegarde", - "@backupSettingsStartBackup": { - "description": "Button text to start new backup process" - }, - "backupSettingsExportVault": "Exporter le coffre-fort", - "@backupSettingsExportVault": { - "description": "Button text to export encrypted vault file" - }, - "backupSettingsExporting": "Exportation en cours...", - "@backupSettingsExporting": { - "description": "Button text while vault export is in progress" - }, - "backupSettingsViewVaultKey": "Afficher la clé du coffre-fort", - "@backupSettingsViewVaultKey": { - "description": "Button text to view vault decryption key" - }, - "backupSettingsRevealing": "Révélation en cours...", - "@backupSettingsRevealing": { - "description": "Button text while revealing vault key" - }, - "backupSettingsKeyServer": "Serveur de clés ", - "@backupSettingsKeyServer": { - "description": "Label for key server connection status indicator" - }, - "backupSettingsError": "Erreur", - "@backupSettingsError": { - "description": "Header text for error message display" - }, - "backupSettingsBackupKey": "Clé de sauvegarde", - "@backupSettingsBackupKey": { - "description": "AppBar title for view backup key screen" - }, - "backupSettingsFailedToDeriveKey": "Échec de la dérivation de la clé de sauvegarde", - "@backupSettingsFailedToDeriveKey": { - "description": "Error message when backup key derivation fails" - }, - "backupSettingsSecurityWarning": "Avertissement de sécurité", - "@backupSettingsSecurityWarning": { - "description": "Title for backup key security warning modal" - }, - "backupSettingsKeyWarningBold": "Attention : Faites attention à l'endroit où vous enregistrez la clé de sauvegarde.", - "@backupSettingsKeyWarningBold": { - "description": "Bold warning message in backup key warning modal" - }, - "backupSettingsKeyWarningMessage": "Il est absolument essentiel de ne pas enregistrer la clé de sauvegarde au même endroit que votre fichier de sauvegarde. Conservez-les toujours sur des appareils distincts ou des fournisseurs de cloud distincts.", - "@backupSettingsKeyWarningMessage": { - "description": "Detailed warning about storing backup key separately" - }, - "backupSettingsKeyWarningExample": "Par exemple, si vous avez utilisé Google Drive pour votre fichier de sauvegarde, n'utilisez pas Google Drive pour votre clé de sauvegarde.", - "@backupSettingsKeyWarningExample": { - "description": "Example explaining backup key storage separation" - }, - "backupSettingsLabelsButton": "Étiquettes", - "@backupSettingsLabelsButton": { - "description": "Button text to manage transaction labels" - }, - "backupSettingsRecoverBullSettings": "Recoverbull", - "@backupSettingsRecoverBullSettings": { - "description": "Button text for Recoverbull" - }, - "backupWalletImportanceWarning": "Sans sauvegarde, vous finirez par perdre l'accès à votre argent. Il est absolument essentiel d'effectuer une sauvegarde.", - "@backupWalletImportanceWarning": { - "description": "Warning message emphasizing the importance of creating a backup" - }, - "backupWalletEncryptedVaultTitle": "Coffre-fort chiffré", - "@backupWalletEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, - "backupWalletEncryptedVaultDescription": "Sauvegarde anonyme avec chiffrement robuste utilisant votre cloud.", - "@backupWalletEncryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, - "backupWalletEncryptedVaultTag": "Facile et simple (1 minute)", - "@backupWalletEncryptedVaultTag": { - "description": "Tag indicating difficulty and time for encrypted vault backup" - }, - "backupWalletPhysicalBackupTitle": "Sauvegarde physique", - "@backupWalletPhysicalBackupTitle": { - "description": "Title for physical backup option" - }, - "backupWalletPhysicalBackupDescription": "Écrivez 12 mots sur un morceau de papier. Gardez-les en sécurité et assurez-vous de ne pas les perdre.", - "@backupWalletPhysicalBackupDescription": { - "description": "Description of physical backup method" - }, - "backupWalletPhysicalBackupTag": "Sans tiers de confiance (prenez votre temps)", - "@backupWalletPhysicalBackupTag": { - "description": "Tag indicating difficulty and trust model for physical backup" - }, - "backupWalletHowToDecide": "Comment décider ?", - "@backupWalletHowToDecide": { - "description": "Link text to open modal explaining how to choose backup method" - }, - "backupWalletChooseVaultLocationTitle": "Choisir l'emplacement du coffre-fort", - "@backupWalletChooseVaultLocationTitle": { - "description": "AppBar title for choosing encrypted vault provider screen" - }, - "backupWalletLastKnownEncryptedVault": "Dernier coffre-fort chiffré connu : ", - "@backupWalletLastKnownEncryptedVault": { - "description": "Label prefix for displaying timestamp of last encrypted vault backup" - }, - "backupWalletGoogleDriveSignInTitle": "Vous devrez vous connecter à Google Drive", - "@backupWalletGoogleDriveSignInTitle": { - "description": "Loading screen title when initiating Google Drive backup" - }, - "backupWalletGoogleDrivePermissionWarning": "Google vous demandera de partager des informations personnelles avec cette application.", - "@backupWalletGoogleDrivePermissionWarning": { - "description": "Warning message about Google Drive permission request" - }, - "backupWalletGoogleDrivePrivacyMessage1": "Ces informations ", - "@backupWalletGoogleDrivePrivacyMessage1": { - "description": "First part of privacy message about Google Drive data" - }, - "backupWalletGoogleDrivePrivacyMessage2": "ne quitteront pas ", - "@backupWalletGoogleDrivePrivacyMessage2": { - "description": "Second part of privacy message (bold)" - }, - "backupWalletGoogleDrivePrivacyMessage3": "votre téléphone et ne sont ", - "@backupWalletGoogleDrivePrivacyMessage3": { - "description": "Third part of privacy message" - }, - "backupWalletGoogleDrivePrivacyMessage4": "jamais ", - "@backupWalletGoogleDrivePrivacyMessage4": { - "description": "Fourth part of privacy message (bold)" - }, - "backupWalletGoogleDrivePrivacyMessage5": "partagées avec Bull Bitcoin.", - "@backupWalletGoogleDrivePrivacyMessage5": { - "description": "Fifth part of privacy message" - }, - "backupWalletSavingToDeviceTitle": "Enregistrement sur votre appareil.", - "@backupWalletSavingToDeviceTitle": { - "description": "Loading screen title when saving to custom location" - }, - "backupWalletBestPracticesTitle": "Meilleures pratiques de sauvegarde", - "@backupWalletBestPracticesTitle": { - "description": "AppBar title for physical backup checklist screen" - }, - "backupWalletLastBackupTest": "Dernier test de sauvegarde : ", - "@backupWalletLastBackupTest": { - "description": "Label prefix for displaying timestamp of last physical backup test" - }, - "backupWalletInstructionLoseBackup": "Si vous perdez votre sauvegarde de 12 mots, vous ne pourrez pas récupérer l'accès au portefeuille Bitcoin.", - "@backupWalletInstructionLoseBackup": { - "description": "Warning instruction about losing backup" - }, - "backupWalletInstructionLosePhone": "Sans sauvegarde, si vous perdez ou cassez votre téléphone, ou si vous désinstallez l'application Bull Bitcoin, vos bitcoins seront perdus à jamais.", - "@backupWalletInstructionLosePhone": { - "description": "Warning instruction about consequences without backup" - }, - "backupWalletInstructionSecurityRisk": "Toute personne ayant accès à votre sauvegarde de 12 mots peut voler vos bitcoins. Cachez-la bien.", - "@backupWalletInstructionSecurityRisk": { - "description": "Security warning about protecting backup from theft" - }, - "backupWalletInstructionNoDigitalCopies": "Ne faites pas de copies numériques de votre sauvegarde. Écrivez-la sur un morceau de papier ou gravez-la dans du métal.", - "@backupWalletInstructionNoDigitalCopies": { - "description": "Instruction to avoid digital copies and use physical medium" - }, - "backupWalletInstructionNoPassphrase": "Votre sauvegarde n'est pas protégée par une phrase de passe. Ajoutez une phrase de passe à votre sauvegarde ultérieurement en créant un nouveau portefeuille.", - "@backupWalletInstructionNoPassphrase": { - "description": "Information about passphrase protection option" - }, - "backupWalletBackupButton": "Sauvegarder", - "@backupWalletBackupButton": { - "description": "Button text to proceed with physical backup" - }, - "backupWalletSuccessTitle": "Sauvegarde terminée !", - "@backupWalletSuccessTitle": { - "description": "Success screen title after backup is completed" - }, - "backupWalletSuccessDescription": "Testons maintenant votre sauvegarde pour nous assurer que tout a été fait correctement.", - "@backupWalletSuccessDescription": { - "description": "Success screen description prompting user to test backup" - }, - "backupWalletSuccessTestButton": "Tester la sauvegarde", - "@backupWalletSuccessTestButton": { - "description": "Button text to proceed to backup testing" - }, - "backupWalletHowToDecideBackupModalTitle": "Comment décider", - "@backupWalletHowToDecideBackupModalTitle": { - "description": "Modal title for backup method comparison help" - }, - "backupWalletHowToDecideBackupLosePhysical": "L'une des façons les plus courantes de perdre ses Bitcoin est de perdre la sauvegarde physique. Toute personne qui trouve votre sauvegarde physique pourra prendre tous vos Bitcoin. Si vous êtes très confiant de pouvoir bien la cacher et de ne jamais la perdre, c'est une bonne option.", - "@backupWalletHowToDecideBackupLosePhysical": { - "description": "Explanation of physical backup risks in decision help modal" - }, - "backupWalletHowToDecideBackupEncryptedVault": "Le coffre-fort chiffré vous protège des voleurs cherchant à voler votre sauvegarde. Il vous empêche également de perdre accidentellement votre sauvegarde puisqu'elle sera stockée dans votre cloud. Les fournisseurs de stockage cloud comme Google ou Apple n'auront pas accès à vos Bitcoin car le mot de passe de chiffrement est trop robuste. Il existe une petite possibilité que le serveur web qui stocke la clé de chiffrement de votre sauvegarde soit compromis. Dans ce cas, la sécurité de la sauvegarde dans votre compte cloud pourrait être à risque.", - "@backupWalletHowToDecideBackupEncryptedVault": { - "description": "Explanation of encrypted vault benefits and risks in decision help modal" - }, - "backupWalletHowToDecideBackupPhysicalRecommendation": "Sauvegarde physique : ", - "@backupWalletHowToDecideBackupPhysicalRecommendation": { - "description": "Bold label for physical backup recommendation" - }, - "backupWalletHowToDecideBackupPhysicalRecommendationText": "Vous êtes confiant dans vos propres capacités de sécurité opérationnelle pour cacher et préserver vos mots de récupération Bitcoin.", - "@backupWalletHowToDecideBackupPhysicalRecommendationText": { - "description": "Recommendation text for when to use physical backup" - }, - "backupWalletHowToDecideBackupEncryptedRecommendation": "Coffre-fort chiffré : ", - "@backupWalletHowToDecideBackupEncryptedRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, - "backupWalletHowToDecideBackupEncryptedRecommendationText": "Vous n'êtes pas sûr et vous avez besoin de plus de temps pour en apprendre davantage sur les pratiques de sécurité des sauvegardes.", - "@backupWalletHowToDecideBackupEncryptedRecommendationText": { - "description": "Recommendation text for when to use encrypted vault" - }, - "backupWalletHowToDecideBackupMoreInfo": "Visitez recoverbull.com pour plus d'informations.", - "@backupWalletHowToDecideBackupMoreInfo": { - "description": "Link text to external resource" - }, - "backupWalletHowToDecideVaultModalTitle": "Comment décider", - "@backupWalletHowToDecideVaultModalTitle": { - "description": "Modal title for vault location comparison help" - }, - "backupWalletHowToDecideVaultCloudSecurity": "Les fournisseurs de stockage cloud comme Google ou Apple n'auront pas accès à vos Bitcoin car le mot de passe de chiffrement est trop robuste. Ils ne peuvent accéder à vos Bitcoin que dans l'éventualité peu probable qu'ils collaborent avec le serveur de clés (le service en ligne qui stocke votre mot de passe de chiffrement). Si le serveur de clés est un jour piraté, vos Bitcoin pourraient être à risque avec le cloud Google ou Apple.", - "@backupWalletHowToDecideVaultCloudSecurity": { - "description": "Explanation of cloud storage security in vault location decision help modal" - }, - "backupWalletHowToDecideVaultCustomLocation": "Un emplacement personnalisé peut être beaucoup plus sécurisé, selon l'emplacement que vous choisissez. Vous devez également vous assurer de ne pas perdre le fichier de sauvegarde ou de perdre l'appareil sur lequel votre fichier de sauvegarde est stocké.", - "@backupWalletHowToDecideVaultCustomLocation": { - "description": "Explanation of custom location benefits and risks" - }, - "backupWalletHowToDecideVaultCustomRecommendation": "Emplacement personnalisé : ", - "@backupWalletHowToDecideVaultCustomRecommendation": { - "description": "Bold label for custom location recommendation" - }, - "backupWalletHowToDecideVaultCustomRecommendationText": "vous êtes confiant de ne pas perdre le fichier du coffre-fort et qu'il restera accessible si vous perdez votre téléphone.", - "@backupWalletHowToDecideVaultCustomRecommendationText": { - "description": "Recommendation text for when to use custom location" - }, - "backupWalletHowToDecideVaultCloudRecommendation": "Cloud Google ou Apple : ", - "@backupWalletHowToDecideVaultCloudRecommendation": { - "description": "Bold label for cloud storage recommendation" - }, - "backupWalletHowToDecideVaultCloudRecommendationText": "vous voulez vous assurer de ne jamais perdre l'accès à votre fichier de coffre-fort même si vous perdez vos appareils.", - "@backupWalletHowToDecideVaultCloudRecommendationText": { - "description": "Recommendation text for when to use cloud storage" - }, - "backupWalletHowToDecideVaultMoreInfo": "Visitez recoverbull.com pour plus d'informations.", - "@backupWalletHowToDecideVaultMoreInfo": { - "description": "Link text to external resource about vault locations" - }, - "backupWalletVaultProviderGoogleDrive": "Google Drive", - "@backupWalletVaultProviderGoogleDrive": { - "description": "Name of Google Drive vault provider option" - }, - "backupWalletVaultProviderAppleICloud": "Apple iCloud", - "@backupWalletVaultProviderAppleICloud": { - "description": "Name of Apple iCloud vault provider option" - }, - "backupWalletVaultProviderCustomLocation": "Emplacement personnalisé", - "@backupWalletVaultProviderCustomLocation": { - "description": "Name of custom location vault provider option" - }, - "backupWalletVaultProviderQuickEasy": "Rapide et facile", - "@backupWalletVaultProviderQuickEasy": { - "description": "Tag for Google Drive and iCloud providers" - }, - "backupWalletVaultProviderTakeYourTime": "Prenez votre temps", - "@backupWalletVaultProviderTakeYourTime": { - "description": "Tag for custom location provider" - }, - "backupWalletErrorFileSystemPath": "Échec de la sélection du chemin du système de fichiers", - "@backupWalletErrorFileSystemPath": { - "description": "Error when file system path selection fails" - }, - "backupWalletErrorGoogleDriveConnection": "Échec de la connexion à Google Drive", - "@backupWalletErrorGoogleDriveConnection": { - "description": "Error when Google Drive connection fails" - }, - "backupWalletErrorSaveBackup": "Échec de l'enregistrement de la sauvegarde", - "@backupWalletErrorSaveBackup": { - "description": "Error when backup save operation fails" - }, - "backupWalletErrorGoogleDriveSave": "Échec de l'enregistrement sur Google Drive", - "@backupWalletErrorGoogleDriveSave": { - "description": "Error when saving to Google Drive fails" - }, - "testBackupWalletTitle": "Tester {walletName}", - "@testBackupWalletTitle": { - "description": "Dynamic AppBar title showing which wallet is being tested", - "placeholders": { - "walletName": { - "type": "String" - } - } - }, - "testBackupDefaultWallets": "Portefeuilles par défaut", - "@testBackupDefaultWallets": { - "description": "Label shown when testing the default wallets" - }, - "testBackupConfirm": "Confirmer", - "@testBackupConfirm": { - "description": "Button text to confirm wallet selection" - }, - "testBackupWriteDownPhrase": "Écrivez votre phrase de récupération\ndans le bon ordre", - "@testBackupWriteDownPhrase": { - "description": "Main instruction header for physical backup screen" - }, - "testBackupStoreItSafe": "Conservez-la dans un endroit sûr.", - "@testBackupStoreItSafe": { - "description": "Sub-instruction telling users to store recovery phrase safely" - }, - "testBackupLastBackupTest": "Dernier test de sauvegarde : {timestamp}", - "@testBackupLastBackupTest": { - "description": "Shows timestamp of last physical backup test", - "placeholders": { - "timestamp": { - "type": "String" - } - } - }, - "testBackupDoNotShare": "NE PARTAGEZ AVEC PERSONNE", - "@testBackupDoNotShare": { - "description": "Warning header about keeping recovery phrase secret" - }, - "testBackupTranscribe": "Transcrire", - "@testBackupTranscribe": { - "description": "Label with checkmark indicating users should transcribe the phrase" - }, - "testBackupDigitalCopy": "Copie numérique", - "@testBackupDigitalCopy": { - "description": "Label with X mark warning against making digital copies" - }, - "testBackupScreenshot": "Capture d'écran", - "@testBackupScreenshot": { - "description": "Label with X mark warning against taking screenshots" - }, - "testBackupNext": "Suivant", - "@testBackupNext": { - "description": "Button to proceed to verification quiz" - }, - "testBackupTapWordsInOrder": "Appuyez sur les mots de récupération dans\nle bon ordre", - "@testBackupTapWordsInOrder": { - "description": "Instruction header for word selection quiz" - }, - "testBackupWhatIsWordNumber": "Quel est le mot numéro {number} ?", - "@testBackupWhatIsWordNumber": { - "description": "Quiz prompt asking for specific word number", - "placeholders": { - "number": { - "type": "int" - } - } - }, - "testBackupAllWordsSelected": "Vous avez sélectionné tous les mots", - "@testBackupAllWordsSelected": { - "description": "Message shown when user has selected all 12 words" - }, - "testBackupVerify": "Vérifier", - "@testBackupVerify": { - "description": "Button text to verify the selected word order" - }, - "testBackupPassphrase": "Phrase de passe", - "@testBackupPassphrase": { - "description": "Label for optional passphrase field" - }, - "testBackupSuccessTitle": "Test réussi !", - "@testBackupSuccessTitle": { - "description": "Success screen title after completing backup verification" - }, - "testBackupSuccessMessage": "Vous êtes capable de récupérer l'accès à un portefeuille Bitcoin perdu", - "@testBackupSuccessMessage": { - "description": "Success screen message confirming recovery capability" - }, - "testBackupSuccessButton": "Compris", - "@testBackupSuccessButton": { - "description": "Button to dismiss success screen" - }, - "testBackupWarningMessage": "Sans sauvegarde, vous finirez par perdre l'accès à votre argent. Il est absolument essentiel d'effectuer une sauvegarde.", - "@testBackupWarningMessage": { - "description": "Warning message emphasizing importance of backups" - }, - "testBackupEncryptedVaultTitle": "Coffre-fort chiffré", - "@testBackupEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option card" - }, - "testBackupEncryptedVaultDescription": "Sauvegarde anonyme avec chiffrement robuste utilisant votre cloud.", - "@testBackupEncryptedVaultDescription": { - "description": "Description for encrypted vault backup option" - }, - "testBackupEncryptedVaultTag": "Facile et simple (1 minute)", - "@testBackupEncryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, - "testBackupPhysicalBackupTitle": "Sauvegarde physique", - "@testBackupPhysicalBackupTitle": { - "description": "Title for physical backup option card" - }, - "testBackupPhysicalBackupDescription": "Écrivez 12 mots sur un morceau de papier. Gardez-les en sécurité et assurez-vous de ne pas les perdre.", - "@testBackupPhysicalBackupDescription": { - "description": "Description for physical backup option" - }, - "testBackupPhysicalBackupTag": "Sans tiers de confiance (prenez votre temps)", - "@testBackupPhysicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes longer" - }, - "testBackupChooseVaultLocation": "Choisir l'emplacement du coffre-fort", - "@testBackupChooseVaultLocation": { - "description": "AppBar title for encrypted vault provider selection screen" - }, - "testBackupLastKnownVault": "Dernier coffre-fort chiffré connu : {timestamp}", - "@testBackupLastKnownVault": { - "description": "Shows timestamp of last encrypted vault backup", - "placeholders": { - "timestamp": { - "type": "String" - } - } - }, - "testBackupRetrieveVaultDescription": "Testez pour vous assurer que vous pouvez récupérer votre coffre-fort chiffré.", - "@testBackupRetrieveVaultDescription": { - "description": "Description explaining purpose of vault location selection" - }, - "testBackupGoogleDriveSignIn": "Vous devrez vous connecter à Google Drive", - "@testBackupGoogleDriveSignIn": { - "description": "Progress screen title when fetching from Google Drive" - }, - "testBackupGoogleDrivePermission": "Google vous demandera de partager des informations personnelles avec cette application.", - "@testBackupGoogleDrivePermission": { - "description": "Progress screen description explaining Google Drive permission request" - }, - "testBackupGoogleDrivePrivacyPart1": "Ces informations ", - "@testBackupGoogleDrivePrivacyPart1": { - "description": "First part of privacy message" - }, - "testBackupGoogleDrivePrivacyPart2": "ne quitteront pas ", - "@testBackupGoogleDrivePrivacyPart2": { - "description": "Second part (emphasized) of privacy message" - }, - "testBackupGoogleDrivePrivacyPart3": "votre téléphone et ne sont ", - "@testBackupGoogleDrivePrivacyPart3": { - "description": "Third part of privacy message" - }, - "testBackupGoogleDrivePrivacyPart4": "jamais ", - "@testBackupGoogleDrivePrivacyPart4": { - "description": "Fourth part (emphasized) of privacy message" - }, - "testBackupGoogleDrivePrivacyPart5": "partagées avec Bull Bitcoin.", - "@testBackupGoogleDrivePrivacyPart5": { - "description": "Fifth part of privacy message" - }, - "testBackupFetchingFromDevice": "Récupération depuis votre appareil.", - "@testBackupFetchingFromDevice": { - "description": "Progress screen title when fetching from local device" - }, - "testBackupRecoverWallet": "Récupérer le portefeuille", - "@testBackupRecoverWallet": { - "description": "AppBar title for fetched backup info screen" - }, - "testBackupVaultSuccessMessage": "Votre coffre-fort a été importé avec succès", - "@testBackupVaultSuccessMessage": { - "description": "Success message after vault is imported" - }, - "testBackupBackupId": "ID de sauvegarde :", - "@testBackupBackupId": { - "description": "Label for backup ID field" - }, - "testBackupCreatedAt": "Créé le :", - "@testBackupCreatedAt": { - "description": "Label for vault creation timestamp field" - }, - "testBackupEnterKeyManually": "Entrer la clé de sauvegarde manuellement >>", - "@testBackupEnterKeyManually": { - "description": "Button text to manually enter backup key" - }, - "testBackupDecryptVault": "Déchiffrer le coffre-fort", - "@testBackupDecryptVault": { - "description": "Button text to decrypt the vault" - }, - "testBackupErrorNoMnemonic": "Aucune mnémonique chargée", - "@testBackupErrorNoMnemonic": { - "description": "Error when mnemonic is not loaded" - }, - "testBackupErrorSelectAllWords": "Veuillez sélectionner tous les mots", - "@testBackupErrorSelectAllWords": { - "description": "Error when not all words are selected" - }, - "testBackupErrorIncorrectOrder": "Ordre des mots incorrect. Veuillez réessayer.", - "@testBackupErrorIncorrectOrder": { - "description": "Error when words are selected in wrong order" - }, - "testBackupErrorVerificationFailed": "Échec de la vérification : {error}", - "@testBackupErrorVerificationFailed": { - "description": "Generic error message for verification failure", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "testBackupErrorFailedToFetch": "Échec de la récupération de la sauvegarde : {error}", - "@testBackupErrorFailedToFetch": { - "description": "Error when backup fetch fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "testBackupErrorInvalidFile": "Contenu du fichier invalide", - "@testBackupErrorInvalidFile": { - "description": "Error when selected file has invalid content" - }, - "testBackupErrorUnexpectedSuccess": "Succès inattendu : la sauvegarde devrait correspondre au portefeuille existant", - "@testBackupErrorUnexpectedSuccess": { - "description": "Error for unexpected successful vault restoration" - }, - "testBackupErrorWalletMismatch": "La sauvegarde ne correspond pas au portefeuille existant", - "@testBackupErrorWalletMismatch": { - "description": "Error when backup doesn't match current wallet" - }, - "testBackupErrorWriteFailed": "Échec de l'écriture dans le stockage : {error}", - "@testBackupErrorWriteFailed": { - "description": "Error when writing verification status to storage fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "testBackupErrorTestFailed": "Échec du test de la sauvegarde : {error}", - "@testBackupErrorTestFailed": { - "description": "Generic error message for backup test failure", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "testBackupErrorLoadWallets": "Échec du chargement des portefeuilles : {error}", - "@testBackupErrorLoadWallets": { - "description": "Error when loading wallets fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "testBackupErrorLoadMnemonic": "Échec du chargement de la mnémonique : {error}", - "@testBackupErrorLoadMnemonic": { - "description": "Error when loading mnemonic fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "recoverbullGoogleDriveCancelButton": "Annuler", - "@recoverbullGoogleDriveCancelButton": { - "description": "Cancel button text for delete confirmation dialog" - }, - "recoverbullGoogleDriveDeleteButton": "Supprimer", - "@recoverbullGoogleDriveDeleteButton": { - "description": "Delete button text for vault backup" - }, - "recoverbullGoogleDriveDeleteConfirmation": "Êtes-vous sûr de vouloir supprimer cette sauvegarde de coffre-fort ? Cette action ne peut pas être annulée.", - "@recoverbullGoogleDriveDeleteConfirmation": { - "description": "Confirmation message for deleting a vault backup" - }, - "recoverbullGoogleDriveDeleteVaultTitle": "Supprimer le coffre-fort", - "@recoverbullGoogleDriveDeleteVaultTitle": { - "description": "Title for delete vault confirmation dialog" - }, - "recoverbullGoogleDriveErrorDisplay": "Erreur : {error}", - "@recoverbullGoogleDriveErrorDisplay": { - "description": "Error message display format", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "recoverbullBalance": "Solde : {balance}", - "@recoverbullBalance": { - "description": "Label showing wallet balance during vault recovery", - "placeholders": { - "balance": { - "type": "String" - } - } - }, - "recoverbullCheckingConnection": "Vérification de la connexion pour RecoverBull", - "@recoverbullCheckingConnection": { - "description": "Screen title while checking connection status" - }, - "recoverbullConfirm": "Confirmer", - "@recoverbullConfirm": { - "description": "Button text to confirm an action" - }, - "recoverbullConfirmInput": "Confirmer {inputType}", - "@recoverbullConfirmInput": { - "description": "Label to confirm input (PIN or password)", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullConnected": "Connecté", - "@recoverbullConnected": { - "description": "Status label indicating successful connection" - }, - "recoverbullConnecting": "Connexion en cours", - "@recoverbullConnecting": { - "description": "Status label indicating connection in progress" - }, - "recoverbullConnectingTor": "Connexion au serveur de clés via Tor.\nCela peut prendre jusqu'à une minute.", - "@recoverbullConnectingTor": { - "description": "Message shown while establishing Tor connection" - }, - "recoverbullConnectionFailed": "Échec de la connexion", - "@recoverbullConnectionFailed": { - "description": "Status label indicating connection failure" - }, - "recoverbullContinue": "Continuer", - "@recoverbullContinue": { - "description": "Button text to proceed to next step" - }, - "recoverbullCreatingVault": "Création du coffre-fort chiffré", - "@recoverbullCreatingVault": { - "description": "Screen title while vault is being created" - }, - "recoverbullDecryptVault": "Déchiffrer le coffre-fort", - "@recoverbullDecryptVault": { - "description": "Button text to decrypt the selected vault" - }, - "recoverbullEncryptedVaultCreated": "Coffre-fort chiffré créé !", - "@recoverbullEncryptedVaultCreated": { - "description": "Success message title after vault creation" - }, - "recoverbullEnterInput": "Entrez votre {inputType}", - "@recoverbullEnterInput": { - "description": "Input field label prompting for PIN or password", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullEnterToDecrypt": "Veuillez entrer votre {inputType} pour déchiffrer votre coffre-fort.", - "@recoverbullEnterToDecrypt": { - "description": "Instruction to enter PIN or password for vault decryption", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullEnterToTest": "Veuillez entrer votre {inputType} pour tester votre coffre-fort.", - "@recoverbullEnterToTest": { - "description": "Instruction to enter PIN or password to test vault recovery", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullEnterToView": "Veuillez entrer votre {inputType} pour voir votre clé de coffre-fort.", - "@recoverbullEnterToView": { - "description": "Instruction to enter PIN or password to view vault key", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullEnterVaultKeyInstead": "Entrer une clé de coffre-fort", - "@recoverbullEnterVaultKeyInstead": { - "description": "Button text to switch to manual vault key entry" - }, - "recoverbullErrorCheckStatusFailed": "Échec de la vérification de l'état du coffre-fort", - "@recoverbullErrorCheckStatusFailed": { - "description": "Error message when vault status check fails" - }, - "recoverbullErrorConnectionFailed": "Échec de la connexion au serveur de clés cible. Veuillez réessayer plus tard !", - "@recoverbullErrorConnectionFailed": { - "description": "Error message when server connection fails" - }, - "recoverbullErrorDecryptedVaultNotSet": "Le coffre-fort déchiffré n'est pas défini", - "@recoverbullErrorDecryptedVaultNotSet": { - "description": "Error when attempting operation without decrypted vault" - }, - "recoverbullErrorDecryptFailed": "Échec du déchiffrement du coffre-fort", - "@recoverbullErrorDecryptFailed": { - "description": "Error message when vault decryption fails" - }, - "recoverbullErrorFetchKeyFailed": "Échec de la récupération de la clé du coffre-fort depuis le serveur", - "@recoverbullErrorFetchKeyFailed": { - "description": "Error message when server key fetch fails" - }, - "recoverbullErrorInvalidCredentials": "Mot de passe incorrect pour ce fichier de sauvegarde", - "@recoverbullErrorInvalidCredentials": { - "description": "Error message when wrong password is entered for vault" - }, - "recoverbullErrorInvalidFlow": "Flux invalide", - "@recoverbullErrorInvalidFlow": { - "description": "Error message for invalid operation flow" - }, - "recoverbullErrorMissingBytes": "Octets manquants dans la réponse Tor. Réessayez, mais si le problème persiste, il s'agit d'un problème connu pour certains appareils avec Tor.", - "@recoverbullErrorMissingBytes": { - "description": "Error message when Tor response is incomplete" - }, - "recoverbullErrorPasswordNotSet": "Le mot de passe n'est pas défini", - "@recoverbullErrorPasswordNotSet": { - "description": "Error when attempting operation without setting password" - }, - "recoverbullErrorRecoveryFailed": "Échec de la récupération du coffre-fort", - "@recoverbullErrorRecoveryFailed": { - "description": "Error message when vault recovery fails" - }, - "recoverbullTorNotStarted": "Tor n'est pas démarré", - "@recoverbullTorNotStarted": { - "description": "Error message when Tor is not started" - }, - "recoverbullErrorRateLimited": "Limite de taux atteinte. Veuillez réessayer dans {retryIn}", - "@recoverbullErrorRateLimited": { - "description": "Error message when rate limited by the server", - "placeholders": { - "retryIn": { - "type": "String" - } - } - }, - "recoverbullErrorUnexpected": "Erreur inattendue, voir les logs", - "@recoverbullErrorUnexpected": { - "description": "Error message for unexpected errors" - }, - "recoverbullUnexpectedError": "Erreur inattendue", - "@recoverbullUnexpectedError": { - "description": "Short unexpected error message" - }, - "recoverbullErrorSelectVault": "Échec de la sélection du coffre-fort", - "@recoverbullErrorSelectVault": { - "description": "Error message when vault selection fails" - }, - "recoverbullErrorVaultCreatedKeyNotStored": "Échec : Fichier de coffre-fort créé mais clé non stockée sur le serveur", - "@recoverbullErrorVaultCreatedKeyNotStored": { - "description": "Error when vault file created but server key storage failed" - }, - "recoverbullErrorVaultCreationFailed": "Échec de la création du coffre-fort, cela peut être le fichier ou la clé", - "@recoverbullErrorVaultCreationFailed": { - "description": "Error message when overall vault creation fails" - }, - "recoverbullErrorVaultNotSet": "Le coffre-fort n'est pas défini", - "@recoverbullErrorVaultNotSet": { - "description": "Error when attempting operation without selected vault" - }, - "recoverbullFailed": "Échec", - "@recoverbullFailed": { - "description": "Status label indicating operation failure" - }, - "recoverbullFetchingVaultKey": "Récupération de la clé de coffre-fort", - "@recoverbullFetchingVaultKey": { - "description": "Screen title while fetching vault key from server" - }, - "recoverbullFetchVaultKey": "Récupérer la clé de coffre-fort", - "@recoverbullFetchVaultKey": { - "description": "Screen title for vault key fetch screen" - }, - "recoverbullGoBackEdit": "<< Retour pour modifier", - "@recoverbullGoBackEdit": { - "description": "Button text to return to previous screen for editing" - }, - "recoverbullGotIt": "Compris", - "@recoverbullGotIt": { - "description": "Button text to acknowledge and dismiss message" - }, - "recoverbullKeyServer": "Serveur de clés ", - "@recoverbullKeyServer": { - "description": "Label for key server connection status" - }, - "recoverbullLookingForBalance": "Recherche du solde et des transactions…", - "@recoverbullLookingForBalance": { - "description": "Loading message while scanning wallet" - }, - "recoverbullMemorizeWarning": "Vous devez mémoriser ce {inputType} pour récupérer l'accès à votre portefeuille. Il doit contenir au moins 6 chiffres. Si vous perdez ce {inputType}, vous ne pourrez pas récupérer votre sauvegarde.", - "@recoverbullMemorizeWarning": { - "description": "Warning message about memorizing PIN or password", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullPassword": "Mot de passe", - "@recoverbullPassword": { - "description": "Label for password input type" - }, - "recoverbullPasswordMismatch": "Les mots de passe ne correspondent pas", - "@recoverbullPasswordMismatch": { - "description": "Validation error when passwords don't match" - }, - "recoverbullPasswordRequired": "Le mot de passe est requis", - "@recoverbullPasswordRequired": { - "description": "Validation error when password field is empty" - }, - "recoverbullPasswordTooCommon": "Ce mot de passe est trop courant. Veuillez en choisir un autre", - "@recoverbullPasswordTooCommon": { - "description": "Validation error for commonly used passwords" - }, - "recoverbullPasswordTooShort": "Le mot de passe doit contenir au moins 6 caractères", - "@recoverbullPasswordTooShort": { - "description": "Validation error for passwords under minimum length" - }, - "recoverbullPIN": "NIP", - "@recoverbullPIN": { - "description": "Label for PIN input type" - }, - "recoverbullPleaseWait": "Veuillez patienter pendant que nous établissons une connexion sécurisée...", - "@recoverbullPleaseWait": { - "description": "Message shown during connection establishment" - }, - "recoverbullReenterConfirm": "Veuillez re-saisir votre {inputType} pour confirmer.", - "@recoverbullReenterConfirm": { - "description": "Instruction to re-enter PIN or password for confirmation", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullReenterRequired": "Re-saisir votre {inputType}", - "@recoverbullReenterRequired": { - "description": "Label for confirmation input field", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "recoverbullGoogleDriveErrorDeleteFailed": "Échec de la suppression du coffre-fort de Google Drive", - "@recoverbullGoogleDriveErrorDeleteFailed": { - "description": "Error message when deleting a drive backup fails" - }, - "recoverbullGoogleDriveErrorExportFailed": "Échec de l'exportation du coffre-fort de Google Drive", - "@recoverbullGoogleDriveErrorExportFailed": { - "description": "Error message when exporting a drive backup fails" - }, - "recoverbullGoogleDriveErrorFetchFailed": "Échec de la récupération des coffres-forts de Google Drive", - "@recoverbullGoogleDriveErrorFetchFailed": { - "description": "Error message when fetching drive backups fails" - }, - "recoverbullGoogleDriveErrorGeneric": "Une erreur s'est produite. Veuillez réessayer.", - "@recoverbullGoogleDriveErrorGeneric": { - "description": "Generic error message for unknown errors" - }, - "recoverbullGoogleDriveErrorSelectFailed": "Échec de la sélection du coffre-fort de Google Drive", - "@recoverbullGoogleDriveErrorSelectFailed": { - "description": "Error message when selecting/loading a drive backup fails" - }, - "recoverbullGoogleDriveExportButton": "Exporter", - "@recoverbullGoogleDriveExportButton": { - "description": "Export button text for vault backup" - }, - "recoverbullGoogleDriveNoBackupsFound": "Aucune sauvegarde trouvée", - "@recoverbullGoogleDriveNoBackupsFound": { - "description": "Message displayed when no backups are found in Google Drive" - }, - "recoverbullGoogleDriveScreenTitle": "Coffres-forts Google Drive", - "@recoverbullGoogleDriveScreenTitle": { - "description": "Screen title for Google Drive vaults management" - }, - "recoverbullRecoverBullServer": "Serveur RecoverBull", - "@recoverbullRecoverBullServer": { - "description": "Label for RecoverBull server connection status" - }, - "recoverbullRetry": "Réessayer", - "@recoverbullRetry": { - "description": "Button text to retry failed operation" - }, - "recoverbullSecureBackup": "Sécurisez votre sauvegarde", - "@recoverbullSecureBackup": { - "description": "Screen title for backup security setup" - }, - "recoverbullSeeMoreVaults": "Voir plus de coffres-forts", - "@recoverbullSeeMoreVaults": { - "description": "Button text to view additional vault options" - }, - "recoverbullSelectRecoverWallet": "Récupérer le portefeuille", - "@recoverbullSelectRecoverWallet": { - "description": "AppBar title for initial provider selection screen" - }, - "recoverbullSelectVaultSelected": "Coffre-fort sélectionné", - "@recoverbullSelectVaultSelected": { - "description": "AppBar title shown after vault has been selected" - }, - "recoverbullSelectCustomLocation": "Emplacement personnalisé", - "@recoverbullSelectCustomLocation": { - "description": "AppBar title for custom location file picker screen" - }, - "recoverbullSelectDriveBackups": "Sauvegardes Drive", - "@recoverbullSelectDriveBackups": { - "description": "AppBar title for screen showing list of Google Drive backups" - }, - "recoverbullSelectGoogleDrive": "Google Drive", - "@recoverbullSelectGoogleDrive": { - "description": "Name label for Google Drive backup provider option" - }, - "recoverbullSelectAppleIcloud": "Apple iCloud", - "@recoverbullSelectAppleIcloud": { - "description": "Name label for Apple iCloud backup provider option" - }, - "recoverbullSelectCustomLocationProvider": "Emplacement personnalisé", - "@recoverbullSelectCustomLocationProvider": { - "description": "Name label for custom location backup provider option" - }, - "recoverbullSelectQuickAndEasy": "Rapide et facile", - "@recoverbullSelectQuickAndEasy": { - "description": "Description tag for Google Drive and iCloud provider options" - }, - "recoverbullSelectTakeYourTime": "Prenez votre temps", - "@recoverbullSelectTakeYourTime": { - "description": "Description tag for custom location provider option" - }, - "recoverbullSelectVaultImportSuccess": "Votre coffre-fort a été importé avec succès", - "@recoverbullSelectVaultImportSuccess": { - "description": "Success message shown on vault selected page" - }, - "recoverbullSelectEnterBackupKeyManually": "Entrer la clé de sauvegarde manuellement >>", - "@recoverbullSelectEnterBackupKeyManually": { - "description": "Button text to manually enter backup key" - }, - "recoverbullSelectDecryptVault": "Déchiffrer le coffre-fort", - "@recoverbullSelectDecryptVault": { - "description": "Primary button text to proceed with vault decryption" - }, - "recoverbullSelectNoBackupsFound": "Aucune sauvegarde trouvée", - "@recoverbullSelectNoBackupsFound": { - "description": "Empty state message when no backup files found in Google Drive" - }, - "recoverbullSelectErrorPrefix": "Erreur :", - "@recoverbullSelectErrorPrefix": { - "description": "Prefix text shown before error messages" - }, - "recoverbullSelectFetchDriveFilesError": "Échec de la récupération de toutes les sauvegardes Drive", - "@recoverbullSelectFetchDriveFilesError": { - "description": "Error when unable to retrieve backup list from Google Drive" - }, - "recoverbullSelectFileNotSelectedError": "Fichier non sélectionné", - "@recoverbullSelectFileNotSelectedError": { - "description": "Error when user cancels file selection" - }, - "recoverbullSelectCustomLocationError": "Échec de la sélection du fichier depuis l'emplacement personnalisé", - "@recoverbullSelectCustomLocationError": { - "description": "Error when file selection from custom location fails" - }, - "recoverbullSelectBackupFileNotValidError": "Le fichier de sauvegarde RecoverBull n'est pas valide", - "@recoverbullSelectBackupFileNotValidError": { - "description": "Error when selected file is not a valid RecoverBull backup format" - }, - "recoverbullSelectVaultProvider": "Sélectionnez le fournisseur de coffre-fort", - "@recoverbullSelectVaultProvider": { - "description": "Screen title for vault provider selection" - }, - "recoverbullSwitchToPassword": "Choisir un mot de passe", - "@recoverbullSwitchToPassword": { - "description": "Button text to switch from PIN to password input" - }, - "recoverbullSwitchToPIN": "Choisir un NIP plutôt", - "@recoverbullSwitchToPIN": { - "description": "Button text to switch from password to PIN input" - }, - "recoverbullTestBackupDescription": "Maintenant, testons votre sauvegarde pour nous assurer que tout a été fait correctement.", - "@recoverbullTestBackupDescription": { - "description": "Description message before testing backup" - }, - "recoverbullTestCompletedTitle": "Test réussi !", - "@recoverbullTestCompletedTitle": { - "description": "Success title after completing backup test" - }, - "recoverbullTestRecovery": "Tester la récupération", - "@recoverbullTestRecovery": { - "description": "Button text to initiate recovery test" - }, - "recoverbullTestSuccessDescription": "Vous pouvez récupérer l'accès à un portefeuille Bitcoin perdu", - "@recoverbullTestSuccessDescription": { - "description": "Description shown after successful recovery test" - }, - "recoverbullTorNetwork": "Réseau Tor", - "@recoverbullTorNetwork": { - "description": "Label for Tor network connection status" - }, - "recoverbullTransactions": "Transactions : {count}", - "@recoverbullTransactions": { - "description": "Label showing transaction count during vault recovery", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "recoverbullVaultCreatedSuccess": "Coffre-fort créé avec succès", - "@recoverbullVaultCreatedSuccess": { - "description": "Success message after vault creation" - }, - "recoverbullVaultImportedSuccess": "Votre coffre-fort a été importé avec succès", - "@recoverbullVaultImportedSuccess": { - "description": "Success message after vault import" - }, - "recoverbullVaultKey": "Clé de coffre-fort", - "@recoverbullVaultKey": { - "description": "Screen title and label for vault key" - }, - "recoverbullVaultKeyInput": "Clé de coffre-fort", - "@recoverbullVaultKeyInput": { - "description": "Input field label for vault key entry" - }, - "recoverbullVaultRecovery": "Récupération de coffre-fort", - "@recoverbullVaultRecovery": { - "description": "Screen title for vault recovery process" - }, - "recoverbullVaultSelected": "Coffre-fort sélectionné", - "@recoverbullVaultSelected": { - "description": "Screen title after vault has been selected" - }, - "recoverbullWaiting": "En attente", - "@recoverbullWaiting": { - "description": "Status label indicating waiting state" - }, - "recoverbullRecoveryTitle": "Récupération du coffre-fort RecoverBull", - "@recoverbullRecoveryTitle": { - "description": "AppBar title for vault recovery screen" - }, - "recoverbullRecoveryLoadingMessage": "Recherche du solde et des transactions…", - "@recoverbullRecoveryLoadingMessage": { - "description": "Loading message while checking wallet balance and transactions" - }, - "recoverbullRecoveryBalanceLabel": "Solde : {amount}", - "@recoverbullRecoveryBalanceLabel": { - "description": "Label showing total wallet balance found", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "recoverbullRecoveryTransactionsLabel": "Transactions : {count}", - "@recoverbullRecoveryTransactionsLabel": { - "description": "Label showing total number of transactions found", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "recoverbullRecoveryContinueButton": "Continuer", - "@recoverbullRecoveryContinueButton": { - "description": "Button text to proceed with importing the wallet" - }, - "recoverbullRecoveryErrorWalletExists": "Ce portefeuille existe déjà.", - "@recoverbullRecoveryErrorWalletExists": { - "description": "Error when attempting to restore vault that already exists" - }, - "recoverbullRecoveryErrorWalletMismatch": "Un portefeuille par défaut différent existe déjà. Vous ne pouvez avoir qu'un seul portefeuille par défaut.", - "@recoverbullRecoveryErrorWalletMismatch": { - "description": "Error when different default wallet already exists" - }, - "recoverbullRecoveryErrorKeyDerivationFailed": "Échec de la dérivation de la clé de sauvegarde locale.", - "@recoverbullRecoveryErrorKeyDerivationFailed": { - "description": "Error when app fails to derive backup encryption key" - }, - "recoverbullRecoveryErrorVaultCorrupted": "Le fichier de sauvegarde sélectionné est corrompu.", - "@recoverbullRecoveryErrorVaultCorrupted": { - "description": "Error when vault backup file cannot be decrypted or is invalid" - }, - "recoverbullRecoveryErrorMissingDerivationPath": "Chemin de dérivation manquant dans le fichier de sauvegarde.", - "@recoverbullRecoveryErrorMissingDerivationPath": { - "description": "Error when vault backup file is missing required derivation path" - }, - "rbfTitle": "Remplacer par frais", - "@rbfTitle": { - "description": "AppBar title for Replace-By-Fee screen" - }, - "rbfOriginalTransaction": "Transaction originale", - "@rbfOriginalTransaction": { - "description": "Header label for original transaction details" - }, - "rbfBroadcast": "Diffuser", - "@rbfBroadcast": { - "description": "Button text to broadcast the bumped transaction" - }, - "rbfFastest": "Le plus rapide", - "@rbfFastest": { - "description": "Label for fastest fee option" - }, - "rbfEstimatedDelivery": "Livraison estimée ~ 10 minutes", - "@rbfEstimatedDelivery": { - "description": "Estimated confirmation time for fastest fee" - }, - "rbfFeeRate": "Taux de frais : {rate} sat/vbyte", - "@rbfFeeRate": { - "description": "Label showing fee rate", - "placeholders": { - "rate": { - "type": "String" - } - } - }, - "rbfCustomFee": "Frais personnalisés", - "@rbfCustomFee": { - "description": "Label for custom fee option" - }, - "rbfSatsPerVbyte": "sats/vB", - "@rbfSatsPerVbyte": { - "description": "Unit label for fee rate input" - }, - "rbfErrorNoFeeRate": "Veuillez sélectionner un taux de frais", - "@rbfErrorNoFeeRate": { - "description": "Error when no fee rate is selected" - }, - "rbfErrorAlreadyConfirmed": "La transaction originale a été confirmée", - "@rbfErrorAlreadyConfirmed": { - "description": "Error when trying to RBF a confirmed transaction" - }, - "rbfErrorFeeTooLow": "Vous devez augmenter le taux de frais d'au moins 1 sat/vbyte par rapport à la transaction originale", - "@rbfErrorFeeTooLow": { - "description": "Error when new fee rate is not high enough" - }, - "psbtSignTransaction": "Signer la transaction", - "@psbtSignTransaction": { - "description": "AppBar title for PSBT signing screen" - }, - "psbtInstructions": "Instructions", - "@psbtInstructions": { - "description": "Button text to show device-specific signing instructions" - }, - "psbtImDone": "J'ai terminé", - "@psbtImDone": { - "description": "Button text to proceed after signing transaction on hardware device" - }, - "psbtFlowSignTransaction": "Signer la transaction", - "@psbtFlowSignTransaction": { - "description": "Title for psbt flow signing screen" - }, - "psbtFlowInstructions": "Instructions", - "@psbtFlowInstructions": { - "description": "Instructions section header in psbt flow" - }, - "psbtFlowDone": "J'ai terminé", - "@psbtFlowDone": { - "description": "Button to complete psbt flow signing process" - }, - "psbtFlowError": "Erreur : {error}", - "@psbtFlowError": { - "description": "Error message in psbt flow", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "psbtFlowNoPartsToDisplay": "Aucune partie à afficher", - "@psbtFlowNoPartsToDisplay": { - "description": "Message when there are no QR code parts to show" - }, - "psbtFlowPartProgress": "Partie {current} de {total}", - "@psbtFlowPartProgress": { - "description": "Progress indicator for animated QR code parts", - "placeholders": { - "current": { - "type": "String" - }, - "total": { - "type": "String" - } - } - }, - "psbtFlowKruxTitle": "Instructions Krux", - "@psbtFlowKruxTitle": { - "description": "Title for Krux device signing instructions" - }, - "psbtFlowKeystoneTitle": "Instructions Keystone", - "@psbtFlowKeystoneTitle": { - "description": "Title for Keystone device signing instructions" - }, - "psbtFlowPassportTitle": "Instructions Foundation Passport", - "@psbtFlowPassportTitle": { - "description": "Title for Foundation Passport device signing instructions" - }, - "psbtFlowSeedSignerTitle": "Instructions SeedSigner", - "@psbtFlowSeedSignerTitle": { - "description": "Title for SeedSigner device signing instructions" - }, - "psbtFlowSpecterTitle": "Instructions Specter", - "@psbtFlowSpecterTitle": { - "description": "Title for Specter device signing instructions" - }, - "psbtFlowColdcardTitle": "Instructions Coldcard Q", - "@psbtFlowColdcardTitle": { - "description": "Title for Coldcard Q device signing instructions" - }, - "psbtFlowJadeTitle": "Instructions PSBT Blockstream Jade", - "@psbtFlowJadeTitle": { - "description": "Title for Blockstream Jade PSBT signing instructions" - }, - "psbtFlowLoginToDevice": "Connectez-vous à votre appareil {device}", - "@psbtFlowLoginToDevice": { - "description": "Instruction to login to hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowTurnOnDevice": "Allumez votre appareil {device}", - "@psbtFlowTurnOnDevice": { - "description": "Instruction to power on hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowAddPassphrase": "Ajoutez une phrase de passe si vous en avez une (optionnel)", - "@psbtFlowAddPassphrase": { - "description": "Optional instruction to add BIP39 passphrase" - }, - "psbtFlowClickScan": "Cliquez sur Scanner", - "@psbtFlowClickScan": { - "description": "Instruction to click scan button on device" - }, - "psbtFlowClickSign": "Cliquez sur Signer", - "@psbtFlowClickSign": { - "description": "Instruction to click sign button on device" - }, - "psbtFlowClickPsbt": "Cliquez sur PSBT", - "@psbtFlowClickPsbt": { - "description": "Instruction to click PSBT option on device" - }, - "psbtFlowLoadFromCamera": "Cliquez sur Charger depuis la caméra", - "@psbtFlowLoadFromCamera": { - "description": "Instruction to select camera load option on device" - }, - "psbtFlowScanQrOption": "Sélectionnez l'option « Scanner le QR »", - "@psbtFlowScanQrOption": { - "description": "Instruction to select scan QR menu option" - }, - "psbtFlowScanAnyQr": "Sélectionnez l'option « Scanner n'importe quel code QR »", - "@psbtFlowScanAnyQr": { - "description": "Instruction to select scan any QR code option" - }, - "psbtFlowSignWithQr": "Cliquez sur Signer avec un code QR", - "@psbtFlowSignWithQr": { - "description": "Instruction to select QR code signing method" - }, - "psbtFlowScanQrShown": "Scannez le code QR affiché dans le portefeuille Bull", - "@psbtFlowScanQrShown": { - "description": "Instruction to scan QR code displayed in app" - }, - "psbtFlowTroubleScanningTitle": "Si vous avez du mal à scanner :", - "@psbtFlowTroubleScanningTitle": { - "description": "Header for troubleshooting scanning issues" - }, - "psbtFlowIncreaseBrightness": "Augmentez la luminosité de l'écran de votre appareil", - "@psbtFlowIncreaseBrightness": { - "description": "Troubleshooting tip to increase brightness" - }, - "psbtFlowMoveLaser": "Déplacez le laser rouge de haut en bas sur le code QR", - "@psbtFlowMoveLaser": { - "description": "Troubleshooting tip for devices with laser scanners" - }, - "psbtFlowMoveBack": "Essayez de reculer légèrement votre appareil", - "@psbtFlowMoveBack": { - "description": "Troubleshooting tip to adjust scanning distance" - }, - "psbtFlowHoldSteady": "Maintenez le code QR stable et centré", - "@psbtFlowHoldSteady": { - "description": "Troubleshooting tip to hold QR code still" - }, - "psbtFlowMoveCloserFurther": "Essayez de rapprocher ou d'éloigner votre appareil", - "@psbtFlowMoveCloserFurther": { - "description": "Troubleshooting tip to adjust distance" - }, - "psbtFlowReviewTransaction": "Une fois la transaction importée dans votre {device}, vérifiez l'adresse de destination et le montant.", - "@psbtFlowReviewTransaction": { - "description": "Instruction to review transaction details on device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowSelectSeed": "Une fois la transaction importée dans votre {device}, vous devriez sélectionner la graine avec laquelle vous souhaitez signer.", - "@psbtFlowSelectSeed": { - "description": "Instruction to select seed on device for signing", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowSignTransactionOnDevice": "Cliquez sur les boutons pour signer la transaction sur votre {device}.", - "@psbtFlowSignTransactionOnDevice": { - "description": "Instruction to sign transaction on hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowDeviceShowsQr": "Le {device} vous montrera ensuite son propre code QR.", - "@psbtFlowDeviceShowsQr": { - "description": "Information that device will display QR code after signing", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowClickDone": "Cliquez sur « J'ai terminé » dans le portefeuille Bull Bitcoin.", - "@psbtFlowClickDone": { - "description": "Instruction to click done button in app" - }, - "psbtFlowScanDeviceQr": "Le portefeuille Bull Bitcoin vous demandera de scanner le code QR sur le {device}. Scannez-le.", - "@psbtFlowScanDeviceQr": { - "description": "Instruction to scan QR code from hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "psbtFlowTransactionImported": "La transaction sera importée dans le portefeuille Bull Bitcoin.", - "@psbtFlowTransactionImported": { - "description": "Confirmation that transaction was imported successfully" - }, - "psbtFlowReadyToBroadcast": "C'est maintenant prêt à diffuser ! Dès que vous cliquerez sur diffuser, la transaction sera publiée sur le réseau Bitcoin et les fonds seront envoyés.", - "@psbtFlowReadyToBroadcast": { - "description": "Final message that transaction is ready to broadcast" - }, - "hwConnectTitle": "Connecter un portefeuille matériel", - "@hwConnectTitle": { - "description": "AppBar title for hardware wallet selection screen" - }, - "hwChooseDevice": "Choisissez le portefeuille matériel que vous souhaitez connecter", - "@hwChooseDevice": { - "description": "Instruction text for hardware wallet selection" - }, - "hwColdcardQ": "Coldcard Q", - "@hwColdcardQ": { - "description": "Name of Coldcard Q hardware wallet" - }, - "hwLedger": "Ledger", - "@hwLedger": { - "description": "Name of Ledger hardware wallet" - }, - "hwJade": "Blockstream Jade", - "@hwJade": { - "description": "Name of Blockstream Jade hardware wallet" - }, - "hwKeystone": "Keystone", - "@hwKeystone": { - "description": "Name of Keystone hardware wallet" - }, - "hwKrux": "Krux", - "@hwKrux": { - "description": "Name of Krux hardware wallet" - }, - "hwPassport": "Foundation Passport", - "@hwPassport": { - "description": "Name of Foundation Passport hardware wallet" - }, - "hwSeedSigner": "SeedSigner", - "@hwSeedSigner": { - "description": "Name of SeedSigner hardware wallet" - }, - "kruxInstructionsTitle": "Instructions Krux", - "@kruxInstructionsTitle": { - "description": "Title for Krux signing instructions modal" - }, - "kruxStep1": "Connectez-vous à votre appareil Krux", - "@kruxStep1": { - "description": "Krux instruction step 1" - }, - "kruxStep2": "Cliquez sur Signer", - "@kruxStep2": { - "description": "Krux instruction step 2" - }, - "kruxStep3": "Cliquez sur PSBT", - "@kruxStep3": { - "description": "Krux instruction step 3" - }, - "kruxStep4": "Cliquez sur Charger depuis la caméra", - "@kruxStep4": { - "description": "Krux instruction step 4" - }, - "kruxStep5": "Scannez le code QR affiché dans le portefeuille Bull", - "@kruxStep5": { - "description": "Krux instruction step 5" - }, - "kruxStep6": "Si vous avez des difficultés à scanner :", - "@kruxStep6": { - "description": "Krux troubleshooting header" - }, - "kruxStep7": " - Augmentez la luminosité de l'écran de votre appareil", - "@kruxStep7": { - "description": "Krux troubleshooting tip 1" - }, - "kruxStep8": " - Déplacez le laser rouge de haut en bas sur le code QR", - "@kruxStep8": { - "description": "Krux troubleshooting tip 2" - }, - "kruxStep9": " - Essayez de reculer un peu votre appareil", - "@kruxStep9": { - "description": "Krux troubleshooting tip 3" - }, - "kruxStep10": "Une fois la transaction importée dans votre Krux, vérifiez l'adresse de destination et le montant.", - "@kruxStep10": { - "description": "Krux instruction for reviewing transaction" - }, - "kruxStep11": "Cliquez sur les boutons pour signer la transaction sur votre Krux.", - "@kruxStep11": { - "description": "Krux instruction for signing" - }, - "kruxStep12": "Le Krux affichera alors son propre code QR.", - "@kruxStep12": { - "description": "Krux instruction about signed PSBT QR" - }, - "kruxStep13": "Cliquez sur \"J'ai terminé\" dans le portefeuille Bull Bitcoin.", - "@kruxStep13": { - "description": "Krux instruction to return to app" - }, - "kruxStep14": "Le portefeuille Bull Bitcoin vous demandera de scanner le code QR sur le Krux. Scannez-le.", - "@kruxStep14": { - "description": "Krux instruction for scanning signed PSBT" - }, - "kruxStep15": "La transaction sera importée dans le portefeuille Bull Bitcoin.", - "@kruxStep15": { - "description": "Krux instruction about import completion" - }, - "kruxStep16": "Elle est maintenant prête à être diffusée ! Dès que vous cliquerez sur diffuser, la transaction sera publiée sur le réseau Bitcoin et les fonds seront envoyés.", - "@kruxStep16": { - "description": "Krux final instruction about broadcasting" - }, - "keystoneInstructionsTitle": "Instructions Keystone", - "@keystoneInstructionsTitle": { - "description": "Title for Keystone signing instructions modal" - }, - "keystoneStep1": "Connectez-vous à votre appareil Keystone", - "@keystoneStep1": { - "description": "Keystone instruction step 1" - }, - "keystoneStep2": "Cliquez sur Scanner", - "@keystoneStep2": { - "description": "Keystone instruction step 2" - }, - "keystoneStep3": "Scannez le code QR affiché dans le portefeuille Bull", - "@keystoneStep3": { - "description": "Keystone instruction step 3" - }, - "keystoneStep4": "Si vous avez des difficultés à scanner :", - "@keystoneStep4": { - "description": "Keystone troubleshooting header" - }, - "keystoneStep5": " - Augmentez la luminosité de l'écran de votre appareil", - "@keystoneStep5": { - "description": "Keystone troubleshooting tip 1" - }, - "keystoneStep6": " - Déplacez le laser rouge de haut en bas sur le code QR", - "@keystoneStep6": { - "description": "Keystone troubleshooting tip 2" - }, - "keystoneStep7": " - Essayez de reculer un peu votre appareil", - "@keystoneStep7": { - "description": "Keystone troubleshooting tip 3" - }, - "keystoneStep8": "Une fois la transaction importée dans votre Keystone, vérifiez l'adresse de destination et le montant.", - "@keystoneStep8": { - "description": "Keystone instruction for reviewing transaction" - }, - "keystoneStep9": "Cliquez sur les boutons pour signer la transaction sur votre Keystone.", - "@keystoneStep9": { - "description": "Keystone instruction for signing" - }, - "keystoneStep10": "Le Keystone affichera alors son propre code QR.", - "@keystoneStep10": { - "description": "Keystone instruction about signed PSBT QR" - }, - "keystoneStep11": "Cliquez sur \"J'ai terminé\" dans le portefeuille Bull Bitcoin.", - "@keystoneStep11": { - "description": "Keystone instruction to return to app" - }, - "keystoneStep12": "Le portefeuille Bull Bitcoin vous demandera de scanner le code QR sur le Keystone. Scannez-le.", - "@keystoneStep12": { - "description": "Keystone instruction for scanning signed PSBT" - }, - "keystoneStep13": "La transaction sera importée dans le portefeuille Bull Bitcoin.", - "@keystoneStep13": { - "description": "Keystone instruction about import completion" - }, - "keystoneStep14": "Elle est maintenant prête à être diffusée ! Dès que vous cliquerez sur diffuser, la transaction sera publiée sur le réseau Bitcoin et les fonds seront envoyés.", - "@keystoneStep14": { - "description": "Keystone final instruction about broadcasting" - }, - "passportInstructionsTitle": "Instructions Foundation Passport", - "@passportInstructionsTitle": { - "description": "Title for Passport signing instructions modal" - }, - "passportStep1": "Connectez-vous à votre appareil Passport", - "@passportStep1": { - "description": "Passport instruction step 1" - }, - "passportStep2": "Cliquez sur Signer avec code QR", - "@passportStep2": { - "description": "Passport instruction step 2" - }, - "passportStep3": "Scannez le code QR affiché dans le portefeuille Bull", - "@passportStep3": { - "description": "Passport instruction step 3" - }, - "passportStep4": "Si vous avez des difficultés à scanner :", - "@passportStep4": { - "description": "Passport troubleshooting header" - }, - "passportStep5": " - Augmentez la luminosité de l'écran de votre appareil", - "@passportStep5": { - "description": "Passport troubleshooting tip 1" - }, - "passportStep6": " - Déplacez le laser rouge de haut en bas sur le code QR", - "@passportStep6": { - "description": "Passport troubleshooting tip 2" - }, - "passportStep7": " - Essayez de reculer un peu votre appareil", - "@passportStep7": { - "description": "Passport troubleshooting tip 3" - }, - "passportStep8": "Une fois la transaction importée dans votre Passport, vérifiez l'adresse de destination et le montant.", - "@passportStep8": { - "description": "Passport instruction for reviewing transaction" - }, - "passportStep9": "Cliquez sur les boutons pour signer la transaction sur votre Passport.", - "@passportStep9": { - "description": "Passport instruction for signing" - }, - "passportStep10": "Le Passport affichera alors son propre code QR.", - "@passportStep10": { - "description": "Passport instruction about signed PSBT QR" - }, - "passportStep11": "Cliquez sur \"J'ai terminé\" dans le portefeuille Bull Bitcoin.", - "@passportStep11": { - "description": "Passport instruction to return to app" - }, - "passportStep12": "Le portefeuille Bull Bitcoin vous demandera de scanner le code QR sur le Passport. Scannez-le.", - "@passportStep12": { - "description": "Passport instruction for scanning signed PSBT" - }, - "passportStep13": "La transaction sera importée dans le portefeuille Bull Bitcoin.", - "@passportStep13": { - "description": "Passport instruction about import completion" - }, - "passportStep14": "Elle est maintenant prête à être diffusée ! Dès que vous cliquerez sur diffuser, la transaction sera publiée sur le réseau Bitcoin et les fonds seront envoyés.", - "@passportStep14": { - "description": "Passport final instruction about broadcasting" - }, - "seedsignerInstructionsTitle": "Instructions SeedSigner", - "@seedsignerInstructionsTitle": { - "description": "Title for SeedSigner signing instructions modal" - }, - "seedsignerStep1": "Allumez votre appareil SeedSigner", - "@seedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, - "seedsignerStep2": "Cliquez sur Scanner", - "@seedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, - "seedsignerStep3": "Scannez le code QR affiché dans le portefeuille Bull", - "@seedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, - "seedsignerStep4": "Si vous avez des difficultés à scanner :", - "@seedsignerStep4": { - "description": "SeedSigner troubleshooting header" - }, - "seedsignerStep5": " - Augmentez la luminosité de l'écran de votre appareil", - "@seedsignerStep5": { - "description": "SeedSigner troubleshooting tip 1" - }, - "seedsignerStep6": " - Déplacez le laser rouge de haut en bas sur le code QR", - "@seedsignerStep6": { - "description": "SeedSigner troubleshooting tip 2" - }, - "seedsignerStep7": " - Essayez de reculer un peu votre appareil", - "@seedsignerStep7": { - "description": "SeedSigner troubleshooting tip 3" - }, - "seedsignerStep8": "Une fois la transaction importée dans votre SeedSigner, vous devriez sélectionner la graine avec laquelle vous souhaitez signer.", - "@seedsignerStep8": { - "description": "SeedSigner instruction for seed selection" - }, - "seedsignerStep9": "Vérifiez l'adresse de destination et le montant, et confirmez la signature sur votre SeedSigner.", - "@seedsignerStep9": { - "description": "SeedSigner instruction for reviewing and signing" - }, - "seedsignerStep10": "Le SeedSigner affichera alors son propre code QR.", - "@seedsignerStep10": { - "description": "SeedSigner instruction about signed PSBT QR" - }, - "seedsignerStep11": "Cliquez sur \"J'ai terminé\" dans le portefeuille Bull Bitcoin.", - "@seedsignerStep11": { - "description": "SeedSigner instruction to return to app" - }, - "seedsignerStep12": "Le portefeuille Bull Bitcoin vous demandera de scanner le code QR sur le SeedSigner. Scannez-le.", - "@seedsignerStep12": { - "description": "SeedSigner instruction for scanning signed PSBT" - }, - "seedsignerStep13": "La transaction sera importée dans le portefeuille Bull Bitcoin.", - "@seedsignerStep13": { - "description": "SeedSigner instruction about import completion" - }, - "seedsignerStep14": "Elle est maintenant prête à être diffusée ! Dès que vous cliquerez sur diffuser, la transaction sera publiée sur le réseau Bitcoin et les fonds seront envoyés.", - "@seedsignerStep14": { - "description": "SeedSigner final instruction about broadcasting" - }, - "connectHardwareWalletTitle": "Connecter un portefeuille matériel", - "@connectHardwareWalletTitle": { - "description": "Title for connect hardware wallet page" - }, - "connectHardwareWalletDescription": "Choisissez le portefeuille matériel que vous souhaitez connecter", - "@connectHardwareWalletDescription": { - "description": "Description text on connect hardware wallet page" - }, - "connectHardwareWalletColdcardQ": "Coldcard Q", - "@connectHardwareWalletColdcardQ": { - "description": "Coldcard Q hardware wallet option" - }, - "connectHardwareWalletLedger": "Ledger", - "@connectHardwareWalletLedger": { - "description": "Ledger hardware wallet option" - }, - "connectHardwareWalletJade": "Blockstream Jade", - "@connectHardwareWalletJade": { - "description": "Blockstream Jade hardware wallet option" - }, - "connectHardwareWalletKeystone": "Keystone", - "@connectHardwareWalletKeystone": { - "description": "Keystone hardware wallet option" - }, - "connectHardwareWalletKrux": "Krux", - "@connectHardwareWalletKrux": { - "description": "Krux hardware wallet option" - }, - "connectHardwareWalletPassport": "Foundation Passport", - "@connectHardwareWalletPassport": { - "description": "Foundation Passport hardware wallet option" - }, - "connectHardwareWalletSeedSigner": "SeedSigner", - "@connectHardwareWalletSeedSigner": { - "description": "SeedSigner hardware wallet option" - }, - "coldcardInstructionsTitle": "Instructions Coldcard Q", - "@coldcardInstructionsTitle": { - "description": "Title for Coldcard Q signing instructions modal" - }, - "coldcardStep1": "Connectez-vous à votre appareil Coldcard Q", - "@coldcardStep1": { - "description": "Coldcard instruction step 1" - }, - "coldcardStep2": "Ajoutez une phrase de passe si vous en avez une (optionnel)", - "@coldcardStep2": { - "description": "Coldcard instruction step 2" - }, - "coldcardStep3": "Sélectionnez l'option \"Scanner n'importe quel code QR\"", - "@coldcardStep3": { - "description": "Coldcard instruction step 3" - }, - "coldcardStep4": "Scannez le code QR affiché dans le portefeuille Bull", - "@coldcardStep4": { - "description": "Coldcard instruction step 4" - }, - "coldcardStep5": "Si vous avez des difficultés à scanner :", - "@coldcardStep5": { - "description": "Coldcard troubleshooting header" - }, - "coldcardStep6": " - Augmentez la luminosité de l'écran de votre appareil", - "@coldcardStep6": { - "description": "Coldcard troubleshooting tip 1" - }, - "coldcardStep7": " - Déplacez le laser rouge de haut en bas sur le code QR", - "@coldcardStep7": { - "description": "Coldcard troubleshooting tip 2" - }, - "coldcardStep8": " - Essayez de reculer un peu votre appareil", - "@coldcardStep8": { - "description": "Coldcard troubleshooting tip 3" - }, - "coldcardStep9": "Une fois la transaction importée dans votre Coldcard, vérifiez l'adresse de destination et le montant.", - "@coldcardStep9": { - "description": "Coldcard instruction for reviewing transaction" - }, - "coldcardStep10": "Cliquez sur les boutons pour signer la transaction sur votre Coldcard.", - "@coldcardStep10": { - "description": "Coldcard instruction for signing" - }, - "coldcardStep11": "Le Coldcard Q affichera alors son propre code QR.", - "@coldcardStep11": { - "description": "Coldcard instruction about signed PSBT QR" - }, - "coldcardStep12": "Cliquez sur \"J'ai terminé\" dans le portefeuille Bull Bitcoin.", - "@coldcardStep12": { - "description": "Coldcard instruction to return to app" - }, - "coldcardStep13": "Le portefeuille Bull Bitcoin vous demandera de scanner le code QR sur le Coldcard. Scannez-le.", - "@coldcardStep13": { - "description": "Coldcard instruction for scanning signed PSBT" - }, - "coldcardStep14": "La transaction sera importée dans le portefeuille Bull Bitcoin.", - "@coldcardStep14": { - "description": "Coldcard instruction about import completion" - }, - "coldcardStep15": "Elle est maintenant prête à être diffusée ! Dès que vous cliquerez sur diffuser, la transaction sera publiée sur le réseau Bitcoin et les fonds seront envoyés.", - "@coldcardStep15": { - "description": "Coldcard final instruction about broadcasting" - }, - "jadeInstructionsTitle": "Instructions PSBT Blockstream Jade", - "@jadeInstructionsTitle": { - "description": "Title for Jade signing instructions modal" - }, - "jadeStep1": "Connectez-vous à votre appareil Jade", - "@jadeStep1": { - "description": "Jade instruction step 1" - }, - "jadeStep2": "Ajoutez une phrase de passe si vous en avez une (optionnel)", - "@jadeStep2": { - "description": "Jade instruction step 2" - }, - "jadeStep3": "Sélectionnez l'option \"Scanner QR\"", - "@jadeStep3": { - "description": "Jade instruction step 3" - }, - "jadeStep4": "Scannez le code QR affiché dans le portefeuille Bull", - "@jadeStep4": { - "description": "Jade instruction step 4" - }, - "jadeStep5": "Si vous avez des difficultés à scanner :", - "@jadeStep5": { - "description": "Jade troubleshooting header" - }, - "jadeStep6": " - Augmentez la luminosité de l'écran de votre appareil", - "@jadeStep6": { - "description": "Jade troubleshooting tip 1" - }, - "jadeStep7": " - Maintenez le code QR stable et centré", - "@jadeStep7": { - "description": "Jade troubleshooting tip 2" - }, - "jadeStep8": " - Essayez de rapprocher ou d'éloigner votre appareil", - "@jadeStep8": { - "description": "Jade troubleshooting tip 3" - }, - "jadeStep9": "Une fois la transaction importée dans votre Jade, vérifiez l'adresse de destination et le montant.", - "@jadeStep9": { - "description": "Jade instruction for reviewing transaction" - }, - "jadeStep10": "Cliquez sur les boutons pour signer la transaction sur votre Jade.", - "@jadeStep10": { - "description": "Jade instruction for signing" - }, - "jadeStep11": "Le Jade affichera alors son propre code QR.", - "@jadeStep11": { - "description": "Jade instruction about signed PSBT QR" - }, - "jadeStep12": "Cliquez sur \"J'ai terminé\" dans le portefeuille Bull Bitcoin.", - "@jadeStep12": { - "description": "Jade instruction to return to app" - }, - "jadeStep13": "Le portefeuille Bull Bitcoin vous demandera de scanner le code QR sur le Jade. Scannez-le.", - "@jadeStep13": { - "description": "Jade instruction for scanning signed PSBT" - }, - "jadeStep14": "La transaction sera importée dans le portefeuille Bull Bitcoin.", - "@jadeStep14": { - "description": "Jade instruction about import completion" - }, - "jadeStep15": "Elle est maintenant prête à être diffusée ! Dès que vous cliquerez sur diffuser, la transaction sera publiée sur le réseau Bitcoin et les fonds seront envoyés.", - "@jadeStep15": { - "description": "Jade final instruction about broadcasting" - }, - "importWalletTitle": "Ajouter un nouveau portefeuille", - "@importWalletTitle": { - "description": "AppBar title for wallet import selection screen" - }, - "importWalletConnectHardware": "Connecter un portefeuille matériel", - "@importWalletConnectHardware": { - "description": "Button to connect hardware wallet" - }, - "importWalletImportMnemonic": "Importer une mnémonique", - "@importWalletImportMnemonic": { - "description": "Button to import wallet from seed phrase" - }, - "importWalletImportWatchOnly": "Importer en lecture seule", - "@importWalletImportWatchOnly": { - "description": "Button to import watch-only wallet" - }, - "importWalletSectionGeneric": "Portefeuilles génériques", - "@importWalletSectionGeneric": { - "description": "Section header for generic wallet types" - }, - "importWalletSectionHardware": "Portefeuilles matériels", - "@importWalletSectionHardware": { - "description": "Section header for hardware wallet types" - }, - "importWalletColdcardQ": "Coldcard Q", - "@importWalletColdcardQ": { - "description": "Button label for Coldcard Q hardware wallet" - }, - "importWalletLedger": "Ledger", - "@importWalletLedger": { - "description": "Button label for Ledger hardware wallet" - }, - "importWalletJade": "Blockstream Jade", - "@importWalletJade": { - "description": "Button label for Blockstream Jade hardware wallet" - }, - "importWalletKeystone": "Keystone", - "@importWalletKeystone": { - "description": "Button label for Keystone hardware wallet" - }, - "importWalletPassport": "Foundation Passport", - "@importWalletPassport": { - "description": "Button label for Foundation Passport hardware wallet" - }, - "importWalletSeedSigner": "SeedSigner", - "@importWalletSeedSigner": { - "description": "Button label for SeedSigner hardware wallet" - }, - "importWalletSpecter": "Specter", - "@importWalletSpecter": { - "description": "Button label for Specter hardware wallet" - }, - "importWalletKrux": "Krux", - "@importWalletKrux": { - "description": "Button label for Krux hardware wallet" - }, - "importMnemonicContinue": "Continuer", - "@importMnemonicContinue": { - "description": "Button text to proceed after entering mnemonic" - }, - "importMnemonicSelectScriptType": "Importer une mnémonique", - "@importMnemonicSelectScriptType": { - "description": "AppBar title for script type selection" - }, - "importMnemonicSyncMessage": "Les trois types de portefeuilles se synchronisent et leur solde et transactions apparaîtront bientôt. Vous pouvez attendre la fin de la synchronisation ou procéder à l'importation si vous êtes sûr du type de portefeuille que vous souhaitez importer.", - "@importMnemonicSyncMessage": { - "description": "Message explaining wallet type syncing process" - }, - "importMnemonicSegwit": "Segwit", - "@importMnemonicSegwit": { - "description": "Label for Segwit (BIP84) wallet type" - }, - "importMnemonicNestedSegwit": "Nested Segwit", - "@importMnemonicNestedSegwit": { - "description": "Label for Nested Segwit (BIP49) wallet type" - }, - "importMnemonicLegacy": "Legacy", - "@importMnemonicLegacy": { - "description": "Label for Legacy (BIP44) wallet type" - }, - "importMnemonicChecking": "Vérification...", - "@importMnemonicChecking": { - "description": "Status while checking wallet type" - }, - "importMnemonicEmpty": "Vide", - "@importMnemonicEmpty": { - "description": "Status for wallet type with no transactions" - }, - "importMnemonicHasBalance": "A un solde", - "@importMnemonicHasBalance": { - "description": "Status for wallet type with balance" - }, - "importMnemonicTransactions": "{count} transactions", - "@importMnemonicTransactions": { - "description": "Shows number of transactions for wallet type", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "importMnemonicBalance": "Solde : {amount}", - "@importMnemonicBalance": { - "description": "Shows balance for wallet type", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "importMnemonicImport": "Importer", - "@importMnemonicImport": { - "description": "Button to import selected wallet type" - }, - "importMnemonicImporting": "Importation en cours...", - "@importMnemonicImporting": { - "description": "Loading message while importing wallet" - }, - "importMnemonicSelectType": "Sélectionnez un type de portefeuille à importer", - "@importMnemonicSelectType": { - "description": "Instruction to select wallet type" - }, - "importMnemonicBalanceLabel": "Solde : {amount}", - "@importMnemonicBalanceLabel": { - "description": "ImportMnemonic: Balance label with amount in wallet type card", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "importMnemonicTransactionsLabel": "Transactions : {count}", - "@importMnemonicTransactionsLabel": { - "description": "ImportMnemonic: Transactions label with count in wallet type card", - "placeholders": { - "count": { - "type": "String" - } - } - }, - "importWatchOnlyTitle": "Importer en lecture seule", - "@importWatchOnlyTitle": { - "description": "AppBar title for watch-only import screen" - }, - "importWatchOnlyPasteHint": "Coller xpub, ypub, zpub ou descripteur", - "@importWatchOnlyPasteHint": { - "description": "Placeholder hint for paste input field" - }, - "importWatchOnlyXpub": "xpub", - "@importWatchOnlyXpub": { - "description": "Label for xpub import method" - }, - "importWatchOnlyYpub": "ypub", - "@importWatchOnlyYpub": { - "description": "Label for ypub import method" - }, - "importWatchOnlyZpub": "zpub", - "@importWatchOnlyZpub": { - "description": "Label for zpub import method" - }, - "importWatchOnlyDescriptor": "Descripteur", - "@importWatchOnlyDescriptor": { - "description": "Label for descriptor import method" - }, - "importWatchOnlyScanQR": "Scanner QR", - "@importWatchOnlyScanQR": { - "description": "Button to scan QR code for watch-only import" - }, - "importWatchOnlyScriptType": "Type de script", - "@importWatchOnlyScriptType": { - "description": "Label for script type field" - }, - "importWatchOnlyFingerprint": "Empreinte", - "@importWatchOnlyFingerprint": { - "description": "Label for wallet fingerprint field" - }, - "importWatchOnlyDerivationPath": "Chemin de dérivation", - "@importWatchOnlyDerivationPath": { - "description": "Label for derivation path field" - }, - "importWatchOnlyImportButton": "Importer le portefeuille en lecture seule", - "@importWatchOnlyImportButton": { - "description": "Button to confirm watch-only import" - }, - "importWatchOnlyCancel": "Annuler", - "@importWatchOnlyCancel": { - "description": "Button to cancel watch-only import" - }, - "importWatchOnlyBuyDevice": "Acheter un appareil", - "@importWatchOnlyBuyDevice": { - "description": "Button label to purchase a hardware wallet device" - }, - "importWatchOnlyWalletGuides": "Guides de portefeuille", - "@importWatchOnlyWalletGuides": { - "description": "Button label for wallet documentation and guides" - }, - "importWatchOnlyCopiedToClipboard": "Copié dans le presse-papiers", - "@importWatchOnlyCopiedToClipboard": { - "description": "Snackbar message shown when QR code content is copied" - }, - "importWatchOnlySelectDerivation": "Sélectionner la dérivation", - "@importWatchOnlySelectDerivation": { - "description": "Title for bottom sheet to select wallet derivation type" - }, - "importWatchOnlyType": "Type", - "@importWatchOnlyType": { - "description": "Label for wallet script type field" - }, - "importWatchOnlySigningDevice": "Appareil de signature", - "@importWatchOnlySigningDevice": { - "description": "Label for signing device selection field" - }, - "importWatchOnlyUnknown": "Inconnu", - "@importWatchOnlyUnknown": { - "description": "Default value when signing device is unknown" - }, - "importWatchOnlyLabel": "Libellé", - "@importWatchOnlyLabel": { - "description": "Label for wallet name/label input field" - }, - "importWatchOnlyRequired": "Requis", - "@importWatchOnlyRequired": { - "description": "Placeholder hint for required input fields" - }, - "importWatchOnlyImport": "Importer", - "@importWatchOnlyImport": { - "description": "Button label to import watch-only wallet" - }, - "importWatchOnlyExtendedPublicKey": "Clé publique étendue", - "@importWatchOnlyExtendedPublicKey": { - "description": "Label for extended public key (xpub/ypub/zpub) display" - }, - "importWatchOnlyDisclaimerTitle": "Avertissement sur le chemin de dérivation", - "@importWatchOnlyDisclaimerTitle": { - "description": "Title for derivation path warning disclaimer" - }, - "importWatchOnlyDisclaimerDescription": "Assurez-vous que le chemin de dérivation que vous choisissez correspond à celui qui a produit la xpub donnée, car l'utilisation d'un mauvais chemin peut entraîner une perte de fonds", - "@importWatchOnlyDisclaimerDescription": { - "description": "Description explaining derivation path matching requirement" - }, - "bip85Title": "Entropies déterministes BIP85", - "@bip85Title": { - "description": "AppBar title for BIP85 entropy derivation screen" - }, - "bip85ExperimentalWarning": "Expérimental \nSauvegardez vos chemins de dérivation manuellement", - "@bip85ExperimentalWarning": { - "description": "Warning message about experimental feature" - }, - "bip85NextMnemonic": "Mnémonique suivante", - "@bip85NextMnemonic": { - "description": "Button to derive next mnemonic entropy" - }, - "bip85NextHex": "HEX suivant", - "@bip85NextHex": { - "description": "Button to derive next hex entropy" - }, - "bip85Mnemonic": "Mnémonique", - "@bip85Mnemonic": { - "description": "Label for mnemonic type entropy" - }, - "bip85Hex": "HEX", - "@bip85Hex": { - "description": "Label for hex type entropy" - }, - "bip85Index": "Index : {index}", - "@bip85Index": { - "description": "Shows derivation index", - "placeholders": { - "index": { - "type": "int" - } - } - }, - "bip329LabelsTitle": "Étiquettes BIP329", - "@bip329LabelsTitle": { - "description": "Title for BIP329 labels page" - }, - "bip329LabelsHeading": "Import/Export d'étiquettes BIP329", - "@bip329LabelsHeading": { - "description": "Main heading on BIP329 labels page" - }, - "bip329LabelsDescription": "Importez ou exportez les étiquettes de portefeuille en utilisant le format standard BIP329.", - "@bip329LabelsDescription": { - "description": "Description of BIP329 labels functionality" - }, - "bip329LabelsImportButton": "Importer les étiquettes", - "@bip329LabelsImportButton": { - "description": "Button text to import labels" - }, - "bip329LabelsExportButton": "Exporter les étiquettes", - "@bip329LabelsExportButton": { - "description": "Button text to export labels" - }, - "bip329LabelsExportSuccess": "{count, plural, =1{1 étiquette exportée} other{{count} étiquettes exportées}}", - "@bip329LabelsExportSuccess": { - "description": "Success message after exporting labels", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "bip329LabelsImportSuccess": "{count, plural, =1{1 étiquette importée} other{{count} étiquettes importées}}", - "@bip329LabelsImportSuccess": { - "description": "Success message after importing labels", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "broadcastSignedTxTitle": "Diffuser la transaction", - "@broadcastSignedTxTitle": { - "description": "AppBar title for broadcast signed transaction screen" - }, - "broadcastSignedTxScanQR": "Scannez le code QR de votre portefeuille matériel", - "@broadcastSignedTxScanQR": { - "description": "Instruction to scan signed PSBT QR code" - }, - "broadcastSignedTxReviewTransaction": "Vérifier la transaction", - "@broadcastSignedTxReviewTransaction": { - "description": "Section header for transaction review" - }, - "broadcastSignedTxAmount": "Montant", - "@broadcastSignedTxAmount": { - "description": "Label for transaction amount" - }, - "broadcastSignedTxFee": "Frais", - "@broadcastSignedTxFee": { - "description": "Label for transaction fee" - }, - "broadcastSignedTxTo": "À", - "@broadcastSignedTxTo": { - "description": "Label for destination address" - }, - "broadcastSignedTxBroadcast": "Diffuser", - "@broadcastSignedTxBroadcast": { - "description": "Button to broadcast signed transaction" - }, - "broadcastSignedTxBroadcasting": "Diffusion en cours...", - "@broadcastSignedTxBroadcasting": { - "description": "Loading message while broadcasting" - }, - "broadcastSignedTxPageTitle": "Diffuser une transaction signée", - "@broadcastSignedTxPageTitle": { - "description": "Page title for broadcast signed transaction screen" - }, - "broadcastSignedTxPasteHint": "Coller un PSBT ou un HEX de transaction", - "@broadcastSignedTxPasteHint": { - "description": "Hint text for paste input field" - }, - "broadcastSignedTxCameraButton": "Caméra", - "@broadcastSignedTxCameraButton": { - "description": "Button to open camera QR scanner" - }, - "broadcastSignedTxPushTxButton": "PushTx", - "@broadcastSignedTxPushTxButton": { - "description": "Button to use PushTx NFC device" - }, - "broadcastSignedTxDoneButton": "Terminé", - "@broadcastSignedTxDoneButton": { - "description": "Button to finish after successful broadcast" - }, - "broadcastSignedTxNfcTitle": "NFC", - "@broadcastSignedTxNfcTitle": { - "description": "Title for NFC scanning page" - }, - "addressViewTitle": "Détails de l'adresse", - "@addressViewTitle": { - "description": "AppBar title for address details screen" - }, - "addressViewAddress": "Adresse", - "@addressViewAddress": { - "description": "Label for address field" - }, - "addressViewBalance": "Solde", - "@addressViewBalance": { - "description": "Label for address balance" - }, - "addressViewTransactions": "Transactions", - "@addressViewTransactions": { - "description": "Label for number of transactions" - }, - "addressViewCopyAddress": "Copier l'adresse", - "@addressViewCopyAddress": { - "description": "Button to copy address to clipboard" - }, - "addressViewShowQR": "Afficher le code QR", - "@addressViewShowQR": { - "description": "Button to display address as QR code" - }, - "importQrDeviceTitle": "Connecter {deviceName}", - "@importQrDeviceTitle": { - "description": "AppBar title for QR device import", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "importQrDeviceScanPrompt": "Scannez le code QR de votre {deviceName}", - "@importQrDeviceScanPrompt": { - "description": "Instruction to scan QR from device", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "importQrDeviceScanning": "Scan en cours...", - "@importQrDeviceScanning": { - "description": "Status while scanning QR code" - }, - "importQrDeviceImporting": "Importation du portefeuille...", - "@importQrDeviceImporting": { - "description": "Status while importing from QR device" - }, - "importQrDeviceSuccess": "Portefeuille importé avec succès", - "@importQrDeviceSuccess": { - "description": "Success message after import" - }, - "importQrDeviceError": "Échec de l'importation du portefeuille", - "@importQrDeviceError": { - "description": "Error message when import fails" - }, - "importQrDeviceInvalidQR": "Code QR invalide", - "@importQrDeviceInvalidQR": { - "description": "Error for invalid QR code format" - }, - "importQrDeviceWalletName": "Nom du portefeuille", - "@importQrDeviceWalletName": { - "description": "Label for wallet name field" - }, - "importQrDeviceFingerprint": "Empreinte", - "@importQrDeviceFingerprint": { - "description": "Label for device fingerprint" - }, - "importQrDeviceImport": "Importer", - "@importQrDeviceImport": { - "description": "Button to confirm import from QR device" - }, - "importQrDeviceButtonOpenCamera": "Ouvrir la caméra", - "@importQrDeviceButtonOpenCamera": { - "description": "ImportQrDevice: Button to open camera for QR scanning" - }, - "importQrDeviceButtonInstructions": "Instructions", - "@importQrDeviceButtonInstructions": { - "description": "ImportQrDevice: Button to show setup instructions" - }, - "importQrDeviceJadeName": "Blockstream Jade", - "@importQrDeviceJadeName": { - "description": "Name of Blockstream Jade device" - }, - "importQrDeviceJadeInstructionsTitle": "Instructions pour Blockstream Jade", - "@importQrDeviceJadeInstructionsTitle": { - "description": "Title for Jade setup instructions" - }, - "importQrDeviceJadeStep1": "Allumez votre appareil Jade", - "@importQrDeviceJadeStep1": { - "description": "Jade instruction step 1" - }, - "importQrDeviceJadeStep2": "Sélectionnez \"Mode QR\" dans le menu principal", - "@importQrDeviceJadeStep2": { - "description": "Jade instruction step 2" - }, - "importQrDeviceJadeStep3": "Suivez les instructions de l'appareil pour déverrouiller le Jade", - "@importQrDeviceJadeStep3": { - "description": "Jade instruction step 3" - }, - "importQrDeviceJadeStep4": "Sélectionnez \"Options\" dans le menu principal", - "@importQrDeviceJadeStep4": { - "description": "Jade instruction step 4" - }, - "importQrDeviceJadeStep5": "Sélectionnez \"Portefeuille\" dans la liste des options", - "@importQrDeviceJadeStep5": { - "description": "Jade instruction step 5" - }, - "importQrDeviceJadeStep6": "Sélectionnez \"Exporter Xpub\" dans le menu du portefeuille", - "@importQrDeviceJadeStep6": { - "description": "Jade instruction step 6" - }, - "importQrDeviceJadeStep7": "Si nécessaire, sélectionnez \"Options\" pour changer le type d'adresse", - "@importQrDeviceJadeStep7": { - "description": "Jade instruction step 7" - }, - "importQrDeviceJadeStep8": "Cliquez sur le bouton \"ouvrir la caméra\"", - "@importQrDeviceJadeStep8": { - "description": "Jade instruction step 8" - }, - "importQrDeviceJadeStep9": "Scannez le code QR affiché sur votre appareil.", - "@importQrDeviceJadeStep9": { - "description": "Jade instruction step 9" - }, - "importQrDeviceJadeStep10": "C'est fait !", - "@importQrDeviceJadeStep10": { - "description": "Jade instruction step 10" - }, - "importQrDeviceJadeFirmwareWarning": "Assurez-vous que votre appareil est mis à jour avec le dernier firmware", - "@importQrDeviceJadeFirmwareWarning": { - "description": "Warning message to update Jade firmware" - }, - "importQrDeviceKruxName": "Krux", - "@importQrDeviceKruxName": { - "description": "Name of Krux device" - }, - "importQrDeviceKruxInstructionsTitle": "Instructions pour Krux", - "@importQrDeviceKruxInstructionsTitle": { - "description": "Title for Krux setup instructions" - }, - "importQrDeviceKruxStep1": "Allumez votre appareil Krux", - "@importQrDeviceKruxStep1": { - "description": "Krux instruction step 1" - }, - "importQrDeviceKruxStep2": "Cliquez sur Clé Publique Étendue", - "@importQrDeviceKruxStep2": { - "description": "Krux instruction step 2" - }, - "importQrDeviceKruxStep3": "Cliquez sur XPUB - Code QR", - "@importQrDeviceKruxStep3": { - "description": "Krux instruction step 3" - }, - "importQrDeviceKruxStep4": "Cliquez sur le bouton \"ouvrir la caméra\"", - "@importQrDeviceKruxStep4": { - "description": "Krux instruction step 4" - }, - "importQrDeviceKruxStep5": "Scannez le code QR affiché sur votre appareil.", - "@importQrDeviceKruxStep5": { - "description": "Krux instruction step 5" - }, - "importQrDeviceKruxStep6": "C'est fait !", - "@importQrDeviceKruxStep6": { - "description": "Krux instruction step 6" - }, - "importQrDeviceKeystoneName": "Keystone", - "@importQrDeviceKeystoneName": { - "description": "Name of Keystone device" - }, - "importQrDeviceKeystoneInstructionsTitle": "Instructions pour Keystone", - "@importQrDeviceKeystoneInstructionsTitle": { - "description": "Title for Keystone setup instructions" - }, - "importQrDeviceKeystoneStep1": "Allumez votre appareil Keystone", - "@importQrDeviceKeystoneStep1": { - "description": "Keystone instruction step 1" - }, - "importQrDeviceKeystoneStep2": "Entrez votre code PIN", - "@importQrDeviceKeystoneStep2": { - "description": "Keystone instruction step 2" - }, - "importQrDeviceKeystoneStep3": "Cliquez sur les trois points en haut à droite", - "@importQrDeviceKeystoneStep3": { - "description": "Keystone instruction step 3" - }, - "importQrDeviceKeystoneStep4": "Sélectionnez Connecter un Portefeuille Logiciel", - "@importQrDeviceKeystoneStep4": { - "description": "Keystone instruction step 4" - }, - "importQrDeviceKeystoneStep5": "Choisissez l'option portefeuille BULL", - "@importQrDeviceKeystoneStep5": { - "description": "Keystone instruction step 5" - }, - "importQrDeviceKeystoneStep6": "Sur votre appareil mobile, appuyez sur Ouvrir la Caméra", - "@importQrDeviceKeystoneStep6": { - "description": "Keystone instruction step 6" - }, - "importQrDeviceKeystoneStep7": "Scannez le code QR affiché sur votre Keystone", - "@importQrDeviceKeystoneStep7": { - "description": "Keystone instruction step 7" - }, - "importQrDeviceKeystoneStep8": "Entrez une étiquette pour votre portefeuille Keystone et appuyez sur Importer", - "@importQrDeviceKeystoneStep8": { - "description": "Keystone instruction step 8" - }, - "importQrDeviceKeystoneStep9": "La configuration est terminée", - "@importQrDeviceKeystoneStep9": { - "description": "Keystone instruction step 9" - }, - "importQrDevicePassportName": "Foundation Passport", - "@importQrDevicePassportName": { - "description": "Name of Foundation Passport device" - }, - "importQrDevicePassportInstructionsTitle": "Instructions pour Foundation Passport", - "@importQrDevicePassportInstructionsTitle": { - "description": "Title for Passport setup instructions" - }, - "importQrDevicePassportStep1": "Allumez votre appareil Passport", - "@importQrDevicePassportStep1": { - "description": "Passport instruction step 1" - }, - "importQrDevicePassportStep2": "Entrez votre code PIN", - "@importQrDevicePassportStep2": { - "description": "Passport instruction step 2" - }, - "importQrDevicePassportStep3": "Sélectionnez \"Gérer le Compte\"", - "@importQrDevicePassportStep3": { - "description": "Passport instruction step 3" - }, - "importQrDevicePassportStep4": "Sélectionnez \"Connecter un Portefeuille\"", - "@importQrDevicePassportStep4": { - "description": "Passport instruction step 4" - }, - "importQrDevicePassportStep5": "Sélectionnez l'option \"Sparrow\"", - "@importQrDevicePassportStep5": { - "description": "Passport instruction step 5" - }, - "importQrDevicePassportStep6": "Sélectionnez \"Signature Unique\"", - "@importQrDevicePassportStep6": { - "description": "Passport instruction step 6" - }, - "importQrDevicePassportStep7": "Sélectionnez \"Code QR\"", - "@importQrDevicePassportStep7": { - "description": "Passport instruction step 7" - }, - "importQrDevicePassportStep8": "Sur votre appareil mobile, appuyez sur \"ouvrir la caméra\"", - "@importQrDevicePassportStep8": { - "description": "Passport instruction step 8" - }, - "importQrDevicePassportStep9": "Scannez le code QR affiché sur votre Passport", - "@importQrDevicePassportStep9": { - "description": "Passport instruction step 9" - }, - "importQrDevicePassportStep10": "Dans l'application BULL wallet, sélectionnez \"Segwit (BIP84)\" comme option de dérivation", - "@importQrDevicePassportStep10": { - "description": "Passport instruction step 10" - }, - "importQrDevicePassportStep11": "Entrez un libellé pour votre portefeuille Passport et appuyez sur \"Importer\"", - "@importQrDevicePassportStep11": { - "description": "Passport instruction step 11" - }, - "importQrDevicePassportStep12": "Configuration terminée.", - "@importQrDevicePassportStep12": { - "description": "Passport instruction step 12" - }, - "importQrDeviceSeedsignerName": "SeedSigner", - "@importQrDeviceSeedsignerName": { - "description": "Name of SeedSigner device" - }, - "importQrDeviceSeedsignerInstructionsTitle": "Instructions pour SeedSigner", - "@importQrDeviceSeedsignerInstructionsTitle": { - "description": "Title for SeedSigner setup instructions" - }, - "importQrDeviceSeedsignerStep1": "Allumez votre appareil SeedSigner", - "@importQrDeviceSeedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, - "importQrDeviceSeedsignerStep2": "Ouvrez le menu \"Seeds\"", - "@importQrDeviceSeedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, - "importQrDeviceSeedsignerStep3": "Scannez un SeedQR ou entrez votre phrase de 12 ou 24 mots", - "@importQrDeviceSeedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, - "importQrDeviceSeedsignerStep4": "Sélectionnez \"Exporter Xpub\"", - "@importQrDeviceSeedsignerStep4": { - "description": "SeedSigner instruction step 4" - }, - "importQrDeviceSeedsignerStep5": "Choisissez \"Signature Unique\", puis sélectionnez votre type de script préféré (choisissez Native Segwit si vous n'êtes pas sûr).", - "@importQrDeviceSeedsignerStep5": { - "description": "SeedSigner instruction step 5" - }, - "importQrDeviceSeedsignerStep6": "Sélectionnez \"Sparrow\" comme option d'exportation", - "@importQrDeviceSeedsignerStep6": { - "description": "SeedSigner instruction step 6" - }, - "importQrDeviceSeedsignerStep7": "Sur votre appareil mobile, appuyez sur Ouvrir la Caméra", - "@importQrDeviceSeedsignerStep7": { - "description": "SeedSigner instruction step 7" - }, - "importQrDeviceSeedsignerStep8": "Scannez le code QR affiché sur votre SeedSigner", - "@importQrDeviceSeedsignerStep8": { - "description": "SeedSigner instruction step 8" - }, - "importQrDeviceSeedsignerStep9": "Entrez un libellé pour votre portefeuille SeedSigner et appuyez sur Importer", - "@importQrDeviceSeedsignerStep9": { - "description": "SeedSigner instruction step 9" - }, - "importQrDeviceSeedsignerStep10": "Configuration terminée", - "@importQrDeviceSeedsignerStep10": { - "description": "SeedSigner instruction step 10" - }, - "importQrDeviceSpecterName": "Specter", - "@importQrDeviceSpecterName": { - "description": "Name of Specter device" - }, - "importQrDeviceSpecterInstructionsTitle": "Instructions pour Specter", - "@importQrDeviceSpecterInstructionsTitle": { - "description": "Title for Specter setup instructions" - }, - "importQrDeviceSpecterStep1": "Allumez votre appareil Specter", - "@importQrDeviceSpecterStep1": { - "description": "Specter instruction step 1" - }, - "importQrDeviceSpecterStep2": "Entrez votre code PIN", - "@importQrDeviceSpecterStep2": { - "description": "Specter instruction step 2" - }, - "importQrDeviceSpecterStep3": "Entrez votre seed/clé (choisissez l'option qui vous convient)", - "@importQrDeviceSpecterStep3": { - "description": "Specter instruction step 3" - }, - "importQrDeviceSpecterStep4": "Suivez les instructions selon la méthode que vous avez choisie", - "@importQrDeviceSpecterStep4": { - "description": "Specter instruction step 4" - }, - "importQrDeviceSpecterStep5": "Sélectionnez \"Clés publiques principales\"", - "@importQrDeviceSpecterStep5": { - "description": "Specter instruction step 5" - }, - "importQrDeviceSpecterStep6": "Choisissez \"Clé unique\"", - "@importQrDeviceSpecterStep6": { - "description": "Specter instruction step 6" - }, - "importQrDeviceSpecterStep7": "Désactivez \"Utiliser SLIP-132\"", - "@importQrDeviceSpecterStep7": { - "description": "Specter instruction step 7" - }, - "importQrDeviceSpecterStep8": "Sur votre appareil mobile, appuyez sur Ouvrir la Caméra", - "@importQrDeviceSpecterStep8": { - "description": "Specter instruction step 8" - }, - "importQrDeviceSpecterStep9": "Scannez le code QR affiché sur votre Specter", - "@importQrDeviceSpecterStep9": { - "description": "Specter instruction step 9" - }, - "importQrDeviceSpecterStep10": "Entrez un libellé pour votre portefeuille Specter et appuyez sur Importer", - "@importQrDeviceSpecterStep10": { - "description": "Specter instruction step 10" - }, - "importQrDeviceSpecterStep11": "La configuration est terminée", - "@importQrDeviceSpecterStep11": { - "description": "Specter instruction step 11" - }, - "importColdcardTitle": "Connecter Coldcard Q", - "@importColdcardTitle": { - "description": "AppBar title for Coldcard Q import" - }, - "importColdcardScanPrompt": "Scannez le code QR de votre Coldcard Q", - "@importColdcardScanPrompt": { - "description": "Instruction to scan Coldcard QR" - }, - "importColdcardMultisigPrompt": "Pour les portefeuilles multisig, scannez le code QR du descripteur de portefeuille", - "@importColdcardMultisigPrompt": { - "description": "Additional instruction for multisig" - }, - "importColdcardScanning": "Scan en cours...", - "@importColdcardScanning": { - "description": "Status while scanning" - }, - "importColdcardImporting": "Importation du portefeuille Coldcard...", - "@importColdcardImporting": { - "description": "Status while importing" - }, - "importColdcardSuccess": "Portefeuille Coldcard importé", - "@importColdcardSuccess": { - "description": "Success message" - }, - "importColdcardError": "Échec de l'importation du Coldcard", - "@importColdcardError": { - "description": "Error message" - }, - "importColdcardInvalidQR": "Code QR Coldcard invalide", - "@importColdcardInvalidQR": { - "description": "Error for invalid QR format" - }, - "importColdcardDescription": "Importez le QR code descripteur de portefeuille de votre Coldcard Q", - "@importColdcardDescription": { - "description": "ImportColdcardQ: Main instruction text on import page" - }, - "importColdcardButtonOpenCamera": "Ouvrir la caméra", - "@importColdcardButtonOpenCamera": { - "description": "ImportColdcardQ: Button to open camera for QR scanning" - }, - "importColdcardButtonInstructions": "Instructions", - "@importColdcardButtonInstructions": { - "description": "ImportColdcardQ: Button to show setup instructions" - }, - "importColdcardButtonPurchase": "Acheter l'appareil", - "@importColdcardButtonPurchase": { - "description": "ImportColdcardQ: Button to navigate to Coinkite store" - }, - "importColdcardInstructionsTitle": "Instructions Coldcard Q", - "@importColdcardInstructionsTitle": { - "description": "ImportColdcardQ: Title of instructions bottom sheet" - }, - "importColdcardInstructionsStep1": "Connectez-vous à votre appareil Coldcard Q", - "@importColdcardInstructionsStep1": { - "description": "ImportColdcardQ: First instruction step" - }, - "importColdcardInstructionsStep2": "Entrez une phrase secrète si applicable", - "@importColdcardInstructionsStep2": { - "description": "ImportColdcardQ: Second instruction step" - }, - "importColdcardInstructionsStep3": "Naviguez vers \"Avancé/Outils\"", - "@importColdcardInstructionsStep3": { - "description": "ImportColdcardQ: Third instruction step" - }, - "importColdcardInstructionsStep4": "Vérifiez que votre micrologiciel est mis à jour vers la version 1.3.4Q", - "@importColdcardInstructionsStep4": { - "description": "ImportColdcardQ: Fourth instruction step" - }, - "importColdcardInstructionsStep5": "Sélectionnez \"Exporter le portefeuille\"", - "@importColdcardInstructionsStep5": { - "description": "ImportColdcardQ: Fifth instruction step" - }, - "importColdcardInstructionsStep6": "Choisissez \"Bull Bitcoin\" comme option d'exportation", - "@importColdcardInstructionsStep6": { - "description": "ImportColdcardQ: Sixth instruction step" - }, - "importColdcardInstructionsStep7": "Sur votre appareil mobile, appuyez sur \"ouvrir la caméra\"", - "@importColdcardInstructionsStep7": { - "description": "ImportColdcardQ: Seventh instruction step" - }, - "importColdcardInstructionsStep8": "Scannez le QR code affiché sur votre Coldcard Q", - "@importColdcardInstructionsStep8": { - "description": "ImportColdcardQ: Eighth instruction step" - }, - "importColdcardInstructionsStep9": "Entrez une 'Étiquette' pour votre portefeuille Coldcard Q et appuyez sur \"Importer\"", - "@importColdcardInstructionsStep9": { - "description": "ImportColdcardQ: Ninth instruction step" - }, - "importColdcardInstructionsStep10": "Configuration terminée", - "@importColdcardInstructionsStep10": { - "description": "ImportColdcardQ: Final instruction step" - }, - "exchangeLandingTitle": "BULL BITCOIN", - "@exchangeLandingTitle": { - "description": "Main title on exchange landing screen" - }, - "exchangeLandingConnect": "Connectez votre compte d'échange Bull Bitcoin", - "@exchangeLandingConnect": { - "description": "Subtitle on exchange landing screen" - }, - "exchangeLandingFeature1": "Acheter du Bitcoin directement en auto-garde", - "@exchangeLandingFeature1": { - "description": "First feature bullet point" - }, - "exchangeLandingFeature2": "DCA, ordres limites et achat automatique", - "@exchangeLandingFeature2": { - "description": "Second feature bullet point" - }, - "exchangeLandingFeature3": "Vendre du Bitcoin, être payé avec du Bitcoin", - "@exchangeLandingFeature3": { - "description": "Third feature bullet point" - }, - "exchangeLandingFeature4": "Envoyer des virements bancaires et payer des factures", - "@exchangeLandingFeature4": { - "description": "Fourth feature bullet point" - }, - "exchangeLandingFeature5": "Discuter avec le support client", - "@exchangeLandingFeature5": { - "description": "Fifth feature bullet point" - }, - "exchangeLandingFeature6": "Historique des transactions unifié", - "@exchangeLandingFeature6": { - "description": "Sixth feature bullet point" - }, - "exchangeLandingRestriction": "L'accès aux services d'échange sera restreint aux pays où Bull Bitcoin peut légalement opérer et peut nécessiter une vérification KYC.", - "@exchangeLandingRestriction": { - "description": "Legal restriction notice" - }, - "exchangeLandingLoginButton": "Se connecter ou s'inscrire", - "@exchangeLandingLoginButton": { - "description": "Button to proceed to login/signup" - }, - "exchangeHomeDeposit": "Déposer", - "@exchangeHomeDeposit": { - "description": "Deposit button label" - }, - "exchangeHomeWithdraw": "Retirer", - "@exchangeHomeWithdraw": { - "description": "Withdraw button label" - }, - "exchangeKycLight": "Léger", - "@exchangeKycLight": { - "description": "Light KYC level label" - }, - "exchangeKycLimited": "Limité", - "@exchangeKycLimited": { - "description": "Limited KYC level label" - }, - "exchangeKycComplete": "Complétez votre KYC", - "@exchangeKycComplete": { - "description": "KYC card title" - }, - "exchangeKycRemoveLimits": "Pour supprimer les limites de transaction", - "@exchangeKycRemoveLimits": { - "description": "KYC card subtitle" - }, - "dcaActivate": "Activer l'achat récurrent", - "@dcaActivate": { - "description": "Label to activate DCA" - }, - "dcaDeactivate": "Désactiver l'achat récurrent", - "@dcaDeactivate": { - "description": "Label to deactivate DCA" - }, - "dcaViewSettings": "Voir les paramètres", - "@dcaViewSettings": { - "description": "Link to view DCA settings" - }, - "dcaHideSettings": "Masquer les paramètres", - "@dcaHideSettings": { - "description": "Link to hide DCA settings" - }, - "dcaCancelTitle": "Annuler l'achat récurrent de Bitcoin ?", - "@dcaCancelTitle": { - "description": "Dialog title for DCA cancellation" - }, - "dcaCancelMessage": "Votre plan d'achat récurrent de Bitcoin s'arrêtera et les achats programmés prendront fin. Pour redémarrer, vous devrez configurer un nouveau plan.", - "@dcaCancelMessage": { - "description": "Dialog message for DCA cancellation" - }, - "dcaCancelButton": "Annuler", - "@dcaCancelButton": { - "description": "Cancel button in DCA dialog" - }, - "dcaConfirmDeactivate": "Oui, désactiver", - "@dcaConfirmDeactivate": { - "description": "Confirm deactivation button" - }, - "dcaUnableToGetConfig": "Impossible d'obtenir la configuration DCA", - "@dcaUnableToGetConfig": { - "description": "Error message when DCA config unavailable" - }, - "dcaAddressBitcoin": "Adresse Bitcoin", - "@dcaAddressBitcoin": { - "description": "Bitcoin address label" - }, - "dcaAddressLightning": "Adresse Lightning", - "@dcaAddressLightning": { - "description": "Lightning address label" - }, - "dcaAddressLiquid": "Adresse Liquid", - "@dcaAddressLiquid": { - "description": "Liquid address label" - }, - "dcaBuyingMessage": "Vous achetez {amount} chaque {frequency} via {network} tant qu'il y a des fonds sur votre compte.", - "@dcaBuyingMessage": { - "description": "DCA status message", - "placeholders": { - "amount": { - "type": "String" - }, - "frequency": { - "type": "String" - }, - "network": { - "type": "String" - } - } - }, - "exchangeAuthLoginFailed": "Échec de la connexion", - "@exchangeAuthLoginFailed": { - "description": "Login failure dialog title" - }, - "exchangeAuthErrorMessage": "Une erreur s'est produite, veuillez réessayer de vous connecter.", - "@exchangeAuthErrorMessage": { - "description": "Login error message" - }, - "exchangeAuthOk": "OK", - "@exchangeAuthOk": { - "description": "OK button in error dialog" - }, - "withdrawAmountTitle": "Retirer des fonds fiat", - "@withdrawAmountTitle": { - "description": "AppBar title for withdraw amount screen" - }, - "withdrawAmountContinue": "Continuer", - "@withdrawAmountContinue": { - "description": "Continue button on amount screen" - }, - "withdrawRecipientsTitle": "Sélectionner un destinataire", - "@withdrawRecipientsTitle": { - "description": "AppBar title for recipients screen" - }, - "withdrawRecipientsPrompt": "Où et comment devons-nous envoyer l'argent ?", - "@withdrawRecipientsPrompt": { - "description": "Instructions on recipients screen" - }, - "withdrawRecipientsNewTab": "Nouveau destinataire", - "@withdrawRecipientsNewTab": { - "description": "Tab label for new recipient" - }, - "withdrawRecipientsMyTab": "Mes destinataires fiat", - "@withdrawRecipientsMyTab": { - "description": "Tab label for existing recipients" - }, - "withdrawRecipientsFilterAll": "Tous les types", - "@withdrawRecipientsFilterAll": { - "description": "Filter option for all recipient types" - }, - "withdrawRecipientsNoRecipients": "Aucun destinataire trouvé pour le retrait.", - "@withdrawRecipientsNoRecipients": { - "description": "Empty state message" - }, - "withdrawRecipientsContinue": "Continuer", - "@withdrawRecipientsContinue": { - "description": "Continue button on recipients screen" - }, - "withdrawConfirmTitle": "Confirmer le retrait", - "@withdrawConfirmTitle": { - "description": "Title on confirmation screen" - }, - "withdrawConfirmRecipientName": "Nom du destinataire", - "@withdrawConfirmRecipientName": { - "description": "Field label for recipient name" - }, - "withdrawConfirmAmount": "Montant", - "@withdrawConfirmAmount": { - "description": "Field label for withdrawal amount" - }, - "withdrawConfirmEmail": "Courriel", - "@withdrawConfirmEmail": { - "description": "Field label for email (Interac)" - }, - "withdrawConfirmPayee": "Bénéficiaire", - "@withdrawConfirmPayee": { - "description": "Field label for payee (Bill Payment)" - }, - "withdrawConfirmAccount": "Compte", - "@withdrawConfirmAccount": { - "description": "Field label for bank account" - }, - "withdrawConfirmIban": "IBAN", - "@withdrawConfirmIban": { - "description": "Field label for IBAN" - }, - "withdrawConfirmClabe": "CLABE", - "@withdrawConfirmClabe": { - "description": "Field label for CLABE (Mexico)" - }, - "withdrawConfirmPhone": "Téléphone", - "@withdrawConfirmPhone": { - "description": "Field label for phone number" - }, - "withdrawConfirmCard": "Carte", - "@withdrawConfirmCard": { - "description": "Field label for debit card" - }, - "withdrawConfirmButton": "Confirmer le retrait", - "@withdrawConfirmButton": { - "description": "Button to confirm withdrawal" - }, - "withdrawConfirmError": "Erreur : {error}", - "@withdrawConfirmError": { - "description": "Error message on confirmation screen", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "fundExchangeFundAccount": "Financer votre compte", - "@fundExchangeFundAccount": { - "description": "Main heading on funding screen" - }, - "fundExchangeSelectCountry": "Sélectionnez votre pays et votre méthode de paiement", - "@fundExchangeSelectCountry": { - "description": "Instruction text" - }, - "fundExchangeSpeiTransfer": "Virement SPEI", - "@fundExchangeSpeiTransfer": { - "description": "SPEI transfer method title (Mexico)" - }, - "fundExchangeSpeiSubtitle": "Transférer des fonds en utilisant votre CLABE", - "@fundExchangeSpeiSubtitle": { - "description": "SPEI transfer subtitle" - }, - "fundExchangeBankTransfer": "Virement bancaire", - "@fundExchangeBankTransfer": { - "description": "Bank transfer method title" - }, - "fundExchangeBankTransferSubtitle": "Envoyer un virement bancaire depuis votre compte bancaire", - "@fundExchangeBankTransferSubtitle": { - "description": "Bank transfer subtitle" - }, - "dcaSetupTitle": "Configurer l'achat récurrent", - "@dcaSetupTitle": { - "description": "AppBar title for DCA setup screen" - }, - "dcaSetupInsufficientBalance": "Solde insuffisant", - "@dcaSetupInsufficientBalance": { - "description": "Insufficient balance error title" - }, - "dcaSetupInsufficientBalanceMessage": "Vous n'avez pas assez de solde pour créer cette commande.", - "@dcaSetupInsufficientBalanceMessage": { - "description": "Insufficient balance error message" - }, - "dcaSetupFundAccount": "Financer votre compte", - "@dcaSetupFundAccount": { - "description": "Button to fund account" - }, - "dcaSetupScheduleMessage": "Les achats de Bitcoin seront placés automatiquement selon ce calendrier.", - "@dcaSetupScheduleMessage": { - "description": "DCA schedule explanation" - }, - "dcaSetupFrequencyError": "Veuillez sélectionner une fréquence", - "@dcaSetupFrequencyError": { - "description": "Frequency validation error" - }, - "dcaSetupContinue": "Continuer", - "@dcaSetupContinue": { - "description": "Continue button on DCA setup" - }, - "dcaConfirmTitle": "Confirmer l'achat récurrent", - "@dcaConfirmTitle": { - "description": "AppBar title for DCA confirmation screen" - }, - "dcaConfirmAutoMessage": "Les ordres d'achat seront placés automatiquement selon ces paramètres. Vous pouvez les désactiver à tout moment.", - "@dcaConfirmAutoMessage": { - "description": "DCA auto-placement message" - }, - "dcaConfirmFrequency": "Fréquence", - "@dcaConfirmFrequency": { - "description": "Field label for frequency" - }, - "dcaConfirmFrequencyHourly": "Toutes les heures", - "@dcaConfirmFrequencyHourly": { - "description": "Hourly frequency label" - }, - "dcaConfirmFrequencyDaily": "Tous les jours", - "@dcaConfirmFrequencyDaily": { - "description": "Daily frequency label" - }, - "dcaConfirmFrequencyWeekly": "Toutes les semaines", - "@dcaConfirmFrequencyWeekly": { - "description": "Weekly frequency label" - }, - "dcaConfirmFrequencyMonthly": "Tous les mois", - "@dcaConfirmFrequencyMonthly": { - "description": "Monthly frequency label" - }, - "dcaConfirmAmount": "Montant", - "@dcaConfirmAmount": { - "description": "Field label for amount" - }, - "dcaConfirmPaymentMethod": "Méthode de paiement", - "@dcaConfirmPaymentMethod": { - "description": "Field label for payment method" - }, - "dcaConfirmPaymentBalance": "Solde {currency}", - "@dcaConfirmPaymentBalance": { - "description": "Payment method balance format", - "placeholders": { - "currency": { - "type": "String" - } - } - }, - "dcaConfirmOrderType": "Type de commande", - "@dcaConfirmOrderType": { - "description": "Field label for order type" - }, - "dcaConfirmOrderTypeValue": "Achat récurrent", - "@dcaConfirmOrderTypeValue": { - "description": "Order type value" - }, - "dcaConfirmNetwork": "Réseau", - "@dcaConfirmNetwork": { - "description": "Field label for network" - }, - "dcaConfirmNetworkBitcoin": "Bitcoin", - "@dcaConfirmNetworkBitcoin": { - "description": "Bitcoin network label" - }, - "dcaConfirmNetworkLightning": "Lightning", - "@dcaConfirmNetworkLightning": { - "description": "Lightning network label" - }, - "dcaConfirmNetworkLiquid": "Liquid", - "@dcaConfirmNetworkLiquid": { - "description": "Liquid network label" - }, - "dcaConfirmLightningAddress": "Adresse Lightning", - "@dcaConfirmLightningAddress": { - "description": "Field label for Lightning address" - }, - "dcaConfirmError": "Une erreur s'est produite : {error}", - "@dcaConfirmError": { - "description": "DCA confirmation error message", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "dcaConfirmContinue": "Continuer", - "@dcaConfirmContinue": { - "description": "Continue button on DCA confirmation" - }, - "buyInputTitle": "Acheter du Bitcoin", - "@buyInputTitle": { - "description": "AppBar title for buy input screen" - }, - "buyInputMinAmountError": "Vous devez acheter au moins", - "@buyInputMinAmountError": { - "description": "Minimum amount error message" - }, - "buyInputMaxAmountError": "Vous ne pouvez pas acheter plus de", - "@buyInputMaxAmountError": { - "description": "Maximum amount error message" - }, - "buyInputKycPending": "Vérification d'identité KYC en attente", - "@buyInputKycPending": { - "description": "KYC pending info card title" - }, - "buyInputKycMessage": "Vous devez d'abord compléter la vérification d'identité", - "@buyInputKycMessage": { - "description": "KYC pending info card message" - }, - "buyInputCompleteKyc": "Compléter le KYC", - "@buyInputCompleteKyc": { - "description": "Button to complete KYC" - }, - "buyInputInsufficientBalance": "Solde insuffisant", - "@buyInputInsufficientBalance": { - "description": "Insufficient balance info card title" - }, - "buyInputInsufficientBalanceMessage": "Vous n'avez pas assez de solde pour créer cette commande.", - "@buyInputInsufficientBalanceMessage": { - "description": "Insufficient balance message" - }, - "buyInputFundAccount": "Financer votre compte", - "@buyInputFundAccount": { - "description": "Button to fund account" - }, - "buyInputContinue": "Continuer", - "@buyInputContinue": { - "description": "Continue button on buy input" - }, - "buyConfirmTitle": "Acheter du Bitcoin", - "@buyConfirmTitle": { - "description": "AppBar title for buy confirmation screen" - }, - "buyConfirmYouPay": "Vous payez", - "@buyConfirmYouPay": { - "description": "Field label for payment amount" - }, - "buyConfirmYouReceive": "Vous recevez", - "@buyConfirmYouReceive": { - "description": "Field label for receive amount" - }, - "buyConfirmBitcoinPrice": "Prix du Bitcoin", - "@buyConfirmBitcoinPrice": { - "description": "Field label for Bitcoin price" - }, - "buyConfirmPayoutMethod": "Méthode de paiement", - "@buyConfirmPayoutMethod": { - "description": "Field label for payout method" - }, - "buyConfirmExternalWallet": "Portefeuille Bitcoin externe", - "@buyConfirmExternalWallet": { - "description": "External wallet payout method" - }, - "buyConfirmAwaitingConfirmation": "En attente de confirmation ", - "@buyConfirmAwaitingConfirmation": { - "description": "Awaiting confirmation label" - }, - "sellSendPaymentTitle": "Confirmer le paiement", - "@sellSendPaymentTitle": { - "description": "Title on sell payment screen" - }, - "sellSendPaymentPriceRefresh": "Le prix se rafraîchira dans ", - "@sellSendPaymentPriceRefresh": { - "description": "Price refresh countdown prefix" - }, - "sellSendPaymentOrderNumber": "Numéro de commande", - "@sellSendPaymentOrderNumber": { - "description": "Field label for order number" - }, - "sellSendPaymentPayoutRecipient": "Destinataire du paiement", - "@sellSendPaymentPayoutRecipient": { - "description": "Field label for payout recipient" - }, - "sellSendPaymentCadBalance": "Solde CAD", - "@sellSendPaymentCadBalance": { - "description": "CAD balance payout method" - }, - "sellSendPaymentCrcBalance": "Solde CRC", - "@sellSendPaymentCrcBalance": { - "description": "CRC balance payout method" - }, - "sellSendPaymentEurBalance": "Solde EUR", - "@sellSendPaymentEurBalance": { - "description": "EUR balance payout method" - }, - "sellSendPaymentUsdBalance": "Solde USD", - "@sellSendPaymentUsdBalance": { - "description": "USD balance payout method" - }, - "sellSendPaymentMxnBalance": "Solde MXN", - "@sellSendPaymentMxnBalance": { - "description": "MXN balance payout method" - }, - "sellSendPaymentPayinAmount": "Montant payé", - "@sellSendPaymentPayinAmount": { - "description": "Field label for payin amount" - }, - "sellSendPaymentPayoutAmount": "Montant reçu", - "@sellSendPaymentPayoutAmount": { - "description": "Field label for payout amount" - }, - "sellSendPaymentExchangeRate": "Taux de change", - "@sellSendPaymentExchangeRate": { - "description": "Field label for exchange rate" - }, - "sellSendPaymentPayFromWallet": "Payer depuis le portefeuille", - "@sellSendPaymentPayFromWallet": { - "description": "Field label for source wallet" - }, - "sellSendPaymentInstantPayments": "Paiements instantanés", - "@sellSendPaymentInstantPayments": { - "description": "Instant payments wallet label" - }, - "sellSendPaymentSecureWallet": "Portefeuille Bitcoin sécurisé", - "@sellSendPaymentSecureWallet": { - "description": "Secure wallet label" - }, - "sellSendPaymentFeePriority": "Priorité des frais", - "@sellSendPaymentFeePriority": { - "description": "Field label for fee priority" - }, - "sellSendPaymentFastest": "Le plus rapide", - "@sellSendPaymentFastest": { - "description": "Fastest fee priority option" - }, - "sellSendPaymentNetworkFees": "Frais de réseau", - "@sellSendPaymentNetworkFees": { - "description": "Field label for network fees" - }, - "sellSendPaymentCalculating": "Calcul en cours...", - "@sellSendPaymentCalculating": { - "description": "Calculating fees message" - }, - "sellSendPaymentAdvanced": "Paramètres avancés", - "@sellSendPaymentAdvanced": { - "description": "Advanced settings button" - }, - "sellSendPaymentContinue": "Continuer", - "@sellSendPaymentContinue": { - "description": "Continue button on sell payment" - }, - "sellSendPaymentAboveMax": "Vous essayez de vendre au-dessus du montant maximum qui peut être vendu avec ce portefeuille.", - "@sellSendPaymentAboveMax": { - "description": "Above max amount error" - }, - "sellSendPaymentBelowMin": "Vous essayez de vendre en dessous du montant minimum qui peut être vendu avec ce portefeuille.", - "@sellSendPaymentBelowMin": { - "description": "Below min amount error" - }, - "sellSendPaymentInsufficientBalance": "Solde insuffisant dans le portefeuille sélectionné pour compléter cette commande de vente.", - "@sellSendPaymentInsufficientBalance": { - "description": "Insufficient balance error" - }, - "arkSetupTitle": "Configuration Ark", - "@arkSetupTitle": { - "description": "AppBar title for Ark setup screen" - }, - "arkSetupExperimentalWarning": "Ark est encore expérimental.\n\nVotre portefeuille Ark est dérivé de la phrase de récupération de votre portefeuille principal. Aucune sauvegarde supplémentaire n'est nécessaire, votre sauvegarde de portefeuille existante restaure également vos fonds Ark.\n\nEn continuant, vous reconnaissez la nature expérimentale d'Ark et le risque de perte de fonds.\n\nNote développeur : Le secret Ark est dérivé de la graine du portefeuille principal en utilisant une dérivation BIP-85 arbitraire (index 11811).", - "@arkSetupExperimentalWarning": { - "description": "Ark experimental warning text" - }, - "arkSetupEnable": "Activer Ark", - "@arkSetupEnable": { - "description": "Button to enable Ark" - }, - "swapTitle": "Transfert interne", - "@swapTitle": { - "description": "AppBar title for swap/internal transfer screen" - }, - "swapInfoBanner": "Transférez Bitcoin de manière transparente entre vos portefeuilles. Ne conservez des fonds dans le Portefeuille de paiement instantané que pour les dépenses quotidiennes.", - "@swapInfoBanner": { - "description": "Info banner on swap amount screen" - }, - "swapMax": "MAX", - "@swapMax": { - "description": "MAX button label" - }, - "swapContinue": "Continuer", - "@swapContinue": { - "description": "Continue button on swap amount screen" - }, - "swapConfirmTitle": "Confirmer le transfert", - "@swapConfirmTitle": { - "description": "AppBar title for swap confirmation screen" - }, - "swapProgressTitle": "Transfert interne", - "@swapProgressTitle": { - "description": "AppBar title for swap progress screen" - }, - "swapProgressPending": "Transfert en attente", - "@swapProgressPending": { - "description": "Pending transfer status" - }, - "swapProgressPendingMessage": "Le transfert est en cours. Les transactions Bitcoin peuvent prendre un certain temps à se confirmer. Vous pouvez retourner à l'accueil et attendre.", - "@swapProgressPendingMessage": { - "description": "Pending transfer message" - }, - "swapProgressCompleted": "Transfert terminé", - "@swapProgressCompleted": { - "description": "Completed transfer status" - }, - "swapProgressCompletedMessage": "Wow, vous avez attendu ! Le transfert s'est terminé avec succès.", - "@swapProgressCompletedMessage": { - "description": "Completed transfer message" - }, - "swapProgressRefundInProgress": "Remboursement du transfert en cours", - "@swapProgressRefundInProgress": { - "description": "Refund in progress status" - }, - "swapProgressRefundMessage": "Il y a eu une erreur avec le transfert. Votre remboursement est en cours.", - "@swapProgressRefundMessage": { - "description": "Refund in progress message" - }, - "swapProgressRefunded": "Transfert remboursé", - "@swapProgressRefunded": { - "description": "Refunded transfer status" - }, - "swapProgressRefundedMessage": "Le transfert a été remboursé avec succès.", - "@swapProgressRefundedMessage": { - "description": "Refunded transfer message" - }, - "swapProgressGoHome": "Retour à l'accueil", - "@swapProgressGoHome": { - "description": "Go home button on progress screen" - }, - "autoswapTitle": "Paramètres de transfert automatique", - "@autoswapTitle": { - "description": "Header title for auto transfer settings bottom sheet" - }, - "autoswapEnable": "Activer le transfert automatique", - "@autoswapEnable": { - "description": "Toggle label to enable auto transfer" - }, - "autoswapMaxBalance": "Solde maximum du portefeuille instantané", - "@autoswapMaxBalance": { - "description": "Field label for max balance threshold" - }, - "autoswapMaxBalanceInfo": "Lorsque le solde du portefeuille dépasse le double de ce montant, le transfert automatique se déclenchera pour réduire le solde à ce niveau", - "@autoswapMaxBalanceInfo": { - "description": "Info tooltip for max balance field" - }, - "autoswapMaxFee": "Frais de transfert maximum", - "@autoswapMaxFee": { - "description": "Field label for max fee threshold" - }, - "autoswapMaxFeeInfo": "Si les frais de transfert totaux dépassent le pourcentage défini, le transfert automatique sera bloqué", - "@autoswapMaxFeeInfo": { - "description": "Info tooltip for max fee field" - }, - "autoswapAlwaysBlock": "Toujours bloquer les frais élevés", - "@autoswapAlwaysBlock": { - "description": "Toggle label for always block high fees" - }, - "autoswapAlwaysBlockEnabledInfo": "Lorsqu'activé, les transferts automatiques avec des frais supérieurs à la limite définie seront toujours bloqués", - "@autoswapAlwaysBlockEnabledInfo": { - "description": "Info text when always block is enabled" - }, - "autoswapAlwaysBlockDisabledInfo": "Lorsque désactivé, vous aurez la possibilité d'autoriser un transfert automatique bloqué en raison de frais élevés", - "@autoswapAlwaysBlockDisabledInfo": { - "description": "Info text when always block is disabled" - }, - "autoswapRecipientWallet": "Portefeuille Bitcoin destinataire", - "@autoswapRecipientWallet": { - "description": "Field label for recipient wallet dropdown" - }, - "autoswapRecipientRequired": "*", - "@autoswapRecipientRequired": { - "description": "Required field indicator" - }, - "autoswapSelectWallet": "Sélectionner un portefeuille Bitcoin", - "@autoswapSelectWallet": { - "description": "Placeholder for wallet dropdown" - }, - "autoswapSelectWalletRequired": "Sélectionner un portefeuille Bitcoin *", - "@autoswapSelectWalletRequired": { - "description": "Placeholder for wallet dropdown when required" - }, - "autoswapRecipientWalletInfo": "Choisissez quel portefeuille Bitcoin recevra les fonds transférés (obligatoire)", - "@autoswapRecipientWalletInfo": { - "description": "Info tooltip for recipient wallet field" - }, - "autoswapDefaultWalletLabel": "Portefeuille Bitcoin", - "@autoswapDefaultWalletLabel": { - "description": "Default label for unnamed Bitcoin wallet" - }, - "autoswapSave": "Enregistrer", - "@autoswapSave": { - "description": "Save button label" - }, - "autoswapSaveError": "Échec de l'enregistrement des paramètres : {error}", - "@autoswapSaveError": { - "description": "Error message when save fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "electrumTitle": "Paramètres du serveur Electrum", - "@electrumTitle": { - "description": "AppBar title for Electrum settings screen" - }, - "electrumNetworkBitcoin": "Bitcoin", - "@electrumNetworkBitcoin": { - "description": "Bitcoin network tab label" - }, - "electrumNetworkLiquid": "Liquid", - "@electrumNetworkLiquid": { - "description": "Liquid network tab label" - }, - "electrumAdvancedOptions": "Options avancées", - "@electrumAdvancedOptions": { - "description": "Advanced options button label" - }, - "electrumAddCustomServer": "Ajouter un serveur personnalisé", - "@electrumAddCustomServer": { - "description": "Add custom server bottom sheet title" - }, - "electrumCloseTooltip": "Fermer", - "@electrumCloseTooltip": { - "description": "Close button tooltip" - }, - "electrumServerUrlHint": "URL du serveur {network} {environment}", - "@electrumServerUrlHint": { - "description": "Hint text for server URL input", - "placeholders": { - "network": { - "type": "String" - }, - "environment": { - "type": "String" - } - } - }, - "electrumMainnet": "Mainnet", - "@electrumMainnet": { - "description": "Mainnet environment label" - }, - "electrumTestnet": "Testnet", - "@electrumTestnet": { - "description": "Testnet environment label" - }, - "electrumEmptyFieldError": "Ce champ ne peut pas être vide", - "@electrumEmptyFieldError": { - "description": "Validation error for empty field" - }, - "electrumBitcoinSslInfo": "Si aucun protocole n'est spécifié, SSL sera utilisé par défaut.", - "@electrumBitcoinSslInfo": { - "description": "Info text for Bitcoin server protocol" - }, - "electrumLiquidSslInfo": "Aucun protocole ne doit être spécifié, SSL sera utilisé automatiquement.", - "@electrumLiquidSslInfo": { - "description": "Info text for Liquid server protocol" - }, - "electrumAddServer": "Ajouter un serveur", - "@electrumAddServer": { - "description": "Add server button label" - }, - "electrumEnableSsl": "Activer SSL", - "@electrumEnableSsl": { - "description": "SSL toggle label in add custom server sheet" - }, - "electrumProtocolError": "N'incluez pas le protocole (ssl:// ou tcp://).", - "@electrumProtocolError": { - "description": "Validation error when protocol is included in server URL" - }, - "electrumFormatError": "Utilisez le format hôte:port (par ex., exemple.com:50001)", - "@electrumFormatError": { - "description": "Validation error for incorrect server URL format" - }, - "electrumBitcoinServerInfo": "Entrez l'adresse du serveur au format : hôte:port (par ex., exemple.com:50001)", - "@electrumBitcoinServerInfo": { - "description": "Info text for Bitcoin server URL format" - }, - "electrumStopGap": "Écart d'arrêt", - "@electrumStopGap": { - "description": "Stop Gap field label and hint in advanced options" - }, - "electrumTimeout": "Délai d'attente (secondes)", - "@electrumTimeout": { - "description": "Timeout field label and hint in advanced options" - }, - "electrumRetryCount": "Nombre de tentatives", - "@electrumRetryCount": { - "description": "Retry Count field label and hint in advanced options" - }, - "electrumValidateDomain": "Valider le domaine", - "@electrumValidateDomain": { - "description": "Validate Domain switch label in advanced options" - }, - "electrumStopGapEmptyError": "L'écart d'arrêt ne peut pas être vide", - "@electrumStopGapEmptyError": { - "description": "Validation error for empty Stop Gap field" - }, - "electrumInvalidNumberError": "Entrez un nombre valide", - "@electrumInvalidNumberError": { - "description": "Validation error for non-numeric input" - }, - "electrumStopGapNegativeError": "L'écart d'arrêt ne peut pas être négatif", - "@electrumStopGapNegativeError": { - "description": "Validation error for negative Stop Gap value" - }, - "electrumStopGapTooHighError": "L'écart d'arrêt semble trop élevé. (Max. {maxStopGap})", - "@electrumStopGapTooHighError": { - "description": "Validation error for Stop Gap exceeding maximum", - "placeholders": { - "maxStopGap": { - "type": "String" - } - } - }, - "electrumTimeoutEmptyError": "Le délai d'attente ne peut pas être vide", - "@electrumTimeoutEmptyError": { - "description": "Validation error for empty Timeout field" - }, - "electrumTimeoutPositiveError": "Le délai d'attente doit être positif", - "@electrumTimeoutPositiveError": { - "description": "Validation error for non-positive Timeout value" - }, - "electrumTimeoutTooHighError": "Le délai d'attente semble trop élevé. (Max. {maxTimeout} secondes)", - "@electrumTimeoutTooHighError": { - "description": "Validation error for Timeout exceeding maximum", - "placeholders": { - "maxTimeout": { - "type": "String" - } - } - }, - "electrumRetryCountEmptyError": "Le nombre de tentatives ne peut pas être vide", - "@electrumRetryCountEmptyError": { - "description": "Validation error for empty Retry Count field" - }, - "electrumRetryCountNegativeError": "Le nombre de tentatives ne peut pas être négatif", - "@electrumRetryCountNegativeError": { - "description": "Validation error for negative Retry Count value" - }, - "electrumTimeoutWarning": "Votre délai d'attente ({timeoutValue} secondes) est inférieur à la valeur recommandée ({recommended} secondes) pour cet écart d'arrêt.", - "@electrumTimeoutWarning": { - "description": "Warning message when timeout is too low for the configured Stop Gap", - "placeholders": { - "timeoutValue": { - "type": "String" - }, - "recommended": { - "type": "String" - } - } - }, - "electrumInvalidStopGapError": "Valeur d'écart d'arrêt invalide : {value}", - "@electrumInvalidStopGapError": { - "description": "Error message for invalid Stop Gap value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "electrumInvalidTimeoutError": "Valeur de délai d'attente invalide : {value}", - "@electrumInvalidTimeoutError": { - "description": "Error message for invalid Timeout value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "electrumInvalidRetryError": "Valeur de nombre de tentatives invalide : {value}", - "@electrumInvalidRetryError": { - "description": "Error message for invalid Retry Count value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "electrumSaveFailedError": "Échec de l'enregistrement des options avancées", - "@electrumSaveFailedError": { - "description": "Error message when saving advanced options fails" - }, - "electrumUnknownError": "Une erreur s'est produite", - "@electrumUnknownError": { - "description": "Generic error message for unknown errors" - }, - "electrumReset": "Réinitialiser", - "@electrumReset": { - "description": "Reset button label in advanced options" - }, - "electrumConfirm": "Confirmer", - "@electrumConfirm": { - "description": "Confirm button label in advanced options" - }, - "electrumDeleteServerTitle": "Supprimer le serveur personnalisé", - "@electrumDeleteServerTitle": { - "description": "Delete server dialog title" - }, - "electrumDeletePrivacyNotice": "Avis de confidentialité :\n\nL'utilisation de votre propre nœud garantit qu'aucun tiers ne peut lier votre adresse IP à vos transactions. En supprimant votre dernier serveur personnalisé, vous vous connecterez à un serveur BullBitcoin.\n", - "@electrumDeletePrivacyNotice": { - "description": "Privacy notice shown when deleting last custom server" - }, - "electrumDeleteConfirmation": "Êtes-vous sûr de vouloir supprimer ce serveur ?\n\n{serverUrl}", - "@electrumDeleteConfirmation": { - "description": "Confirmation message for server deletion", - "placeholders": { - "serverUrl": { - "type": "String" - } - } - }, - "electrumCancel": "Annuler", - "@electrumCancel": { - "description": "Cancel button label in delete dialog" - }, - "electrumDelete": "Supprimer", - "@electrumDelete": { - "description": "Delete button label in delete dialog" - }, - "electrumDefaultServers": "Serveurs par défaut", - "@electrumDefaultServers": { - "description": "Section header for default servers list" - }, - "electrumDefaultServersInfo": "Pour protéger votre vie privée, les serveurs par défaut ne sont pas utilisés lorsque des serveurs personnalisés sont configurés.", - "@electrumDefaultServersInfo": { - "description": "Info message explaining default servers behavior" - }, - "electrumCustomServers": "Serveurs personnalisés", - "@electrumCustomServers": { - "description": "Section header for custom servers list" - }, - "electrumDragToReorder": "(Appuyez longuement pour faire glisser et changer la priorité)", - "@electrumDragToReorder": { - "description": "Instruction text for reordering servers" - }, - "electrumLoadFailedError": "Échec du chargement des serveurs{reason}", - "@electrumLoadFailedError": { - "description": "Error message when loading servers fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "electrumSavePriorityFailedError": "Échec de l'enregistrement de la priorité du serveur{reason}", - "@electrumSavePriorityFailedError": { - "description": "Error message when saving server priority fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "electrumAddFailedError": "Échec de l'ajout du serveur personnalisé{reason}", - "@electrumAddFailedError": { - "description": "Error message when adding custom server fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "electrumDeleteFailedError": "Échec de la suppression du serveur personnalisé{reason}", - "@electrumDeleteFailedError": { - "description": "Error message when deleting custom server fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "electrumServerAlreadyExists": "Ce serveur existe déjà", - "@electrumServerAlreadyExists": { - "description": "Error message when trying to add a duplicate server" - }, - "electrumPrivacyNoticeTitle": "Avis de confidentialité", - "@electrumPrivacyNoticeTitle": { - "description": "Title for privacy notice bottom sheet" - }, - "electrumPrivacyNoticeContent1": "Avis de confidentialité : L'utilisation de votre propre nœud garantit qu'aucun tiers ne peut lier votre adresse IP à vos transactions.", - "@electrumPrivacyNoticeContent1": { - "description": "First paragraph of privacy notice" - }, - "electrumPrivacyNoticeContent2": "Cependant, si vous consultez les transactions via mempool en cliquant sur votre ID de transaction ou la page Détails du destinataire, ces informations seront connues de BullBitcoin.", - "@electrumPrivacyNoticeContent2": { - "description": "Second paragraph of privacy notice" - }, - "electrumPrivacyNoticeCancel": "Annuler", - "@electrumPrivacyNoticeCancel": { - "description": "Cancel button in privacy notice dialog" - }, - "electrumPrivacyNoticeSave": "Enregistrer", - "@electrumPrivacyNoticeSave": { - "description": "Save button in privacy notice dialog" - }, - "electrumServerNotUsed": "Non utilisé", - "@electrumServerNotUsed": { - "description": "Status text for disabled servers" - }, - "electrumServerOnline": "En ligne", - "@electrumServerOnline": { - "description": "Status text for online servers" - }, - "electrumServerOffline": "Hors ligne", - "@electrumServerOffline": { - "description": "Status text for offline servers" - }, - "arkSendRecipientLabel": "Adresse du destinataire", - "@arkSendRecipientLabel": { - "description": "Label for recipient address field" - }, - "arkSendRecipientHint": "ark1qp9wsjfpsj5v5ex022v6…", - "@arkSendRecipientHint": { - "description": "Hint text for recipient address field" - }, - "arkSendConfirmedBalance": "Solde confirmé", - "@arkSendConfirmedBalance": { - "description": "Confirmed balance label" - }, - "arkSendPendingBalance": "Solde en attente ", - "@arkSendPendingBalance": { - "description": "Pending balance label" - }, - "arkSendConfirm": "Confirmer", - "@arkSendConfirm": { - "description": "Confirm button on send screen" - }, - "arkReceiveCopyAddress": "Copier l'adresse", - "@arkReceiveCopyAddress": { - "description": "Copy address button label" - }, - "arkReceiveUnifiedAddress": "Adresse unifiée (BIP21)", - "@arkReceiveUnifiedAddress": { - "description": "Label for unified BIP21 address" - }, - "arkReceiveBtcAddress": "Adresse BTC", - "@arkReceiveBtcAddress": { - "description": "Label for Bitcoin address" - }, - "arkReceiveArkAddress": "Adresse Ark", - "@arkReceiveArkAddress": { - "description": "Label for Ark address" - }, - "arkReceiveUnifiedCopied": "Adresse unifiée copiée", - "@arkReceiveUnifiedCopied": { - "description": "Snackbar message when unified address copied" - }, - "arkSettleTitle": "Régler les transactions", - "@arkSettleTitle": { - "description": "Settle bottom sheet title" - }, - "arkSettleMessage": "Finaliser les transactions en attente et inclure les vtxos récupérables si nécessaire", - "@arkSettleMessage": { - "description": "Settle bottom sheet explanation" - }, - "arkSettleIncludeRecoverable": "Inclure les vtxos récupérables", - "@arkSettleIncludeRecoverable": { - "description": "Toggle label for including recoverable vtxos" - }, - "arkSettleCancel": "Annuler", - "@arkSettleCancel": { - "description": "Cancel button on settle bottom sheet" - }, - "arkAboutServerUrl": "URL du serveur", - "@arkAboutServerUrl": { - "description": "Field label for server URL" - }, - "arkAboutServerPubkey": "Clé publique du serveur", - "@arkAboutServerPubkey": { - "description": "Field label for server pubkey" - }, - "arkAboutForfeitAddress": "Adresse de confiscation", - "@arkAboutForfeitAddress": { - "description": "Field label for forfeit address" - }, - "arkAboutNetwork": "Réseau", - "@arkAboutNetwork": { - "description": "Field label for network" - }, - "arkAboutDust": "Poussière", - "@arkAboutDust": { - "description": "Field label for dust amount" - }, - "arkAboutDustValue": "{dust} SATS", - "@arkAboutDustValue": { - "description": "Dust value format", - "placeholders": { - "dust": { - "type": "int" - } - } - }, - "arkAboutSessionDuration": "Durée de la session", - "@arkAboutSessionDuration": { - "description": "Field label for session duration" - }, - "arkAboutBoardingExitDelay": "Délai de sortie d'embarquement", - "@arkAboutBoardingExitDelay": { - "description": "Field label for boarding exit delay" - }, - "arkAboutUnilateralExitDelay": "Délai de sortie unilatérale", - "@arkAboutUnilateralExitDelay": { - "description": "Field label for unilateral exit delay" - }, - "arkAboutEsploraUrl": "URL Esplora", - "@arkAboutEsploraUrl": { - "description": "Field label for Esplora URL" - }, - "arkAboutCopy": "Copier", - "@arkAboutCopy": { - "description": "Copy button label" - }, - "arkAboutCopiedMessage": "{label} copié dans le presse-papiers", - "@arkAboutCopiedMessage": { - "description": "Snackbar message when field copied", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "arkAboutDurationSeconds": "{seconds} secondes", - "@arkAboutDurationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "int" - } - } - }, - "arkAboutDurationMinute": "{minutes} minute", - "@arkAboutDurationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "int" - } - } - }, - "arkAboutDurationMinutes": "{minutes} minutes", - "@arkAboutDurationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "int" - } - } - }, - "arkAboutDurationHour": "{hours} heure", - "@arkAboutDurationHour": { - "description": "Duration format for singular hour", - "placeholders": { - "hours": { - "type": "int" - } - } - }, - "arkAboutDurationHours": "{hours} heures", - "@arkAboutDurationHours": { - "description": "Duration format for plural hours", - "placeholders": { - "hours": { - "type": "int" - } - } - }, - "arkAboutDurationDay": "{days} jour", - "@arkAboutDurationDay": { - "description": "Duration format for singular day", - "placeholders": { - "days": { - "type": "int" - } - } - }, - "arkAboutDurationDays": "{days} jours", - "@arkAboutDurationDays": { - "description": "Duration format for plural days", - "placeholders": { - "days": { - "type": "int" - } - } - }, - "arkSendRecipientTitle": "Envoyer au destinataire", - "@arkSendRecipientTitle": { - "description": "Title for the ark send recipient page" - }, - "arkSendRecipientError": "Veuillez entrer un destinataire", - "@arkSendRecipientError": { - "description": "Error message when recipient field is empty" - }, - "arkSendAmountTitle": "Entrez le montant", - "@arkSendAmountTitle": { - "description": "Title for the ark send amount page" - }, - "arkSendConfirmTitle": "Confirmer l'envoi", - "@arkSendConfirmTitle": { - "description": "Title for the ark send confirmation page" - }, - "arkSendConfirmMessage": "Veuillez confirmer les détails de votre transaction avant d'envoyer.", - "@arkSendConfirmMessage": { - "description": "Message displayed on send confirmation page" - }, - "arkReceiveSegmentArk": "Ark", - "@arkReceiveSegmentArk": { - "description": "Segment option for Ark address type" - }, - "arkReceiveSegmentBoarding": "Embarquement", - "@arkReceiveSegmentBoarding": { - "description": "Segment option for Boarding (BTC) address type" - }, - "arkReceiveBoardingAddress": "Adresse d'embarquement BTC", - "@arkReceiveBoardingAddress": { - "description": "Label for BTC boarding address" - }, - "arkAboutSecretKey": "Clé secrète", - "@arkAboutSecretKey": { - "description": "Label for secret key field in about page" - }, - "arkAboutShow": "Afficher", - "@arkAboutShow": { - "description": "Button text to show hidden secret key" - }, - "arkAboutHide": "Masquer", - "@arkAboutHide": { - "description": "Button text to hide visible secret key" - }, - "arkContinueButton": "Continuer", - "@arkContinueButton": { - "description": "Continue button text used in ark send flow" - }, - "addressViewErrorLoadingAddresses": "Erreur lors du chargement des adresses : {error}", - "@addressViewErrorLoadingAddresses": { - "description": "Message d'erreur affiché lorsque le chargement des adresses échoue", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "addressViewNoAddressesFound": "Aucune adresse trouvée", - "@addressViewNoAddressesFound": { - "description": "Message d'état vide lorsqu'aucune adresse n'est disponible" - }, - "addressViewErrorLoadingMoreAddresses": "Erreur lors du chargement d'adresses supplémentaires : {error}", - "@addressViewErrorLoadingMoreAddresses": { - "description": "Message d'erreur affiché lorsque la pagination des adresses échoue", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "addressViewChangeAddressesComingSoon": "Adresses de change à venir", - "@addressViewChangeAddressesComingSoon": { - "description": "Message d'état vide pour la fonctionnalité d'adresses de change à venir" - }, - "addressViewChangeAddressesDescription": "Afficher les adresses de change du portefeuille", - "@addressViewChangeAddressesDescription": { - "description": "Description de la boîte de dialogue à venir lors de la tentative d'affichage des adresses de change" - }, - "appStartupErrorTitle": "Erreur de démarrage", - "@appStartupErrorTitle": { - "description": "Titre affiché lorsque l'application ne démarre pas correctement" - }, - "appStartupErrorMessageWithBackup": "Dans la version 5.4.0, un bogue critique a été découvert dans l'une de nos dépendances qui affecte le stockage des clés privées. Votre application a été affectée par cela. Vous devrez supprimer cette application et la réinstaller avec votre phrase de récupération sauvegardée.", - "@appStartupErrorMessageWithBackup": { - "description": "Message d'erreur affiché lorsque le démarrage de l'application échoue en raison d'un problème de stockage de phrase de récupération et que l'utilisateur a une sauvegarde" - }, - "appStartupErrorMessageNoBackup": "Dans la version 5.4.0, un bogue critique a été découvert dans l'une de nos dépendances qui affecte le stockage des clés privées. Votre application a été affectée par cela. Contactez notre équipe d'assistance.", - "@appStartupErrorMessageNoBackup": { - "description": "Message d'erreur affiché lorsque le démarrage de l'application échoue en raison d'un problème de stockage de phrase de récupération et que l'utilisateur n'a pas de sauvegarde" - }, - "appStartupContactSupportButton": "Contacter le support", - "@appStartupContactSupportButton": { - "description": "Libellé du bouton pour contacter le support lorsque le démarrage de l'application échoue" - }, - "ledgerImportTitle": "Importer un portefeuille Ledger", - "@ledgerImportTitle": { - "description": "Titre pour l'importation d'un portefeuille matériel Ledger" - }, - "ledgerSignTitle": "Signer la transaction", - "@ledgerSignTitle": { - "description": "Titre pour la signature d'une transaction avec Ledger" - }, - "ledgerVerifyTitle": "Vérifier l'adresse sur Ledger", - "@ledgerVerifyTitle": { - "description": "Titre pour la vérification d'une adresse sur l'appareil Ledger" - }, - "ledgerImportButton": "Commencer l'importation", - "@ledgerImportButton": { - "description": "Libellé du bouton pour commencer l'importation du portefeuille Ledger" - }, - "ledgerSignButton": "Commencer la signature", - "@ledgerSignButton": { - "description": "Libellé du bouton pour commencer la signature de transaction avec Ledger" - }, - "ledgerVerifyButton": "Vérifier l'adresse", - "@ledgerVerifyButton": { - "description": "Libellé du bouton pour commencer la vérification d'adresse sur Ledger" - }, - "ledgerProcessingImport": "Importation du portefeuille", - "@ledgerProcessingImport": { - "description": "Message d'état affiché pendant l'importation du portefeuille Ledger" - }, - "ledgerProcessingSign": "Signature de la transaction", - "@ledgerProcessingSign": { - "description": "Message d'état affiché pendant la signature de transaction avec Ledger" - }, - "ledgerProcessingVerify": "Affichage de l'adresse sur Ledger...", - "@ledgerProcessingVerify": { - "description": "Message d'état affiché pendant la vérification d'adresse sur Ledger" - }, - "ledgerSuccessImportTitle": "Portefeuille importé avec succès", - "@ledgerSuccessImportTitle": { - "description": "Titre du message de succès après l'importation du portefeuille Ledger" - }, - "ledgerSuccessSignTitle": "Transaction signée avec succès", - "@ledgerSuccessSignTitle": { - "description": "Titre du message de succès après la signature de transaction avec Ledger" - }, - "ledgerSuccessVerifyTitle": "Vérification de l'adresse sur Ledger...", - "@ledgerSuccessVerifyTitle": { - "description": "Titre du message de succès pour la vérification d'adresse sur Ledger" - }, - "ledgerSuccessImportDescription": "Votre portefeuille Ledger a été importé avec succès.", - "@ledgerSuccessImportDescription": { - "description": "Description du message de succès après l'importation du portefeuille Ledger" - }, - "ledgerSuccessSignDescription": "Votre transaction a été signée avec succès.", - "@ledgerSuccessSignDescription": { - "description": "Description du message de succès après la signature de transaction avec Ledger" - }, - "ledgerSuccessVerifyDescription": "L'adresse a été vérifiée sur votre appareil Ledger.", - "@ledgerSuccessVerifyDescription": { - "description": "Description du message de succès après la vérification d'adresse sur Ledger" - }, - "ledgerProcessingImportSubtext": "Configuration de votre portefeuille en lecture seule...", - "@ledgerProcessingImportSubtext": { - "description": "Sous-texte de traitement affiché pendant l'importation du portefeuille Ledger" - }, - "ledgerProcessingSignSubtext": "Veuillez confirmer la transaction sur votre appareil Ledger...", - "@ledgerProcessingSignSubtext": { - "description": "Sous-texte de traitement affiché pendant la signature de transaction" - }, - "ledgerProcessingVerifySubtext": "Veuillez confirmer l'adresse sur votre appareil Ledger.", - "@ledgerProcessingVerifySubtext": { - "description": "Sous-texte de traitement affiché pendant la vérification d'adresse" - }, - "ledgerConnectTitle": "Connectez votre appareil Ledger", - "@ledgerConnectTitle": { - "description": "Titre de l'écran de connexion initial Ledger" - }, - "ledgerScanningTitle": "Recherche d'appareils", - "@ledgerScanningTitle": { - "description": "Titre affiché pendant la recherche d'appareils Ledger" - }, - "ledgerConnectingMessage": "Connexion à {deviceName}", - "@ledgerConnectingMessage": { - "description": "Message affiché pendant la connexion à un appareil Ledger spécifique", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "ledgerActionFailedMessage": "{action} a échoué", - "@ledgerActionFailedMessage": { - "description": "Message d'erreur lorsqu'une action Ledger échoue", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "ledgerInstructionsIos": "Assurez-vous que votre Ledger est déverrouillé avec l'application Bitcoin ouverte et Bluetooth activé.", - "@ledgerInstructionsIos": { - "description": "Instructions de connexion pour les appareils iOS (Bluetooth uniquement)" - }, - "ledgerInstructionsAndroidUsb": "Assurez-vous que votre Ledger est déverrouillé avec l'application Bitcoin ouverte et connectez-le via USB.", - "@ledgerInstructionsAndroidUsb": { - "description": "Instructions de connexion pour les appareils Android (USB uniquement)" - }, - "ledgerInstructionsAndroidDual": "Assurez-vous que votre Ledger est déverrouillé avec l'application Bitcoin ouverte et Bluetooth activé, ou connectez l'appareil via USB.", - "@ledgerInstructionsAndroidDual": { - "description": "Instructions de connexion pour les appareils Android (Bluetooth ou USB)" - }, - "ledgerScanningMessage": "Recherche d'appareils Ledger à proximité...", - "@ledgerScanningMessage": { - "description": "Message affiché pendant la recherche d'appareils Ledger" - }, - "ledgerConnectingSubtext": "Établissement d'une connexion sécurisée...", - "@ledgerConnectingSubtext": { - "description": "Sous-texte affiché pendant la connexion au Ledger" - }, - "ledgerErrorUnknown": "Erreur inconnue", - "@ledgerErrorUnknown": { - "description": "Message d'erreur générique pour les erreurs Ledger inconnues" - }, - "ledgerErrorUnknownOccurred": "Une erreur inconnue s'est produite", - "@ledgerErrorUnknownOccurred": { - "description": "Message d'erreur lorsqu'une erreur inconnue se produit lors d'une opération Ledger" - }, - "ledgerErrorNoConnection": "Aucune connexion Ledger disponible", - "@ledgerErrorNoConnection": { - "description": "Message d'erreur lorsqu'aucune connexion Ledger n'est disponible" - }, - "ledgerErrorRejectedByUser": "La transaction a été rejetée par l'utilisateur sur l'appareil Ledger.", - "@ledgerErrorRejectedByUser": { - "description": "Message d'erreur lorsque l'utilisateur rejette la transaction sur Ledger (code d'erreur 6985)" - }, - "ledgerErrorDeviceLocked": "L'appareil Ledger est verrouillé. Veuillez déverrouiller votre appareil et réessayer.", - "@ledgerErrorDeviceLocked": { - "description": "Message d'erreur lorsque l'appareil Ledger est verrouillé (code d'erreur 5515)" - }, - "ledgerErrorBitcoinAppNotOpen": "Veuillez ouvrir l'application Bitcoin sur votre appareil Ledger et réessayer.", - "@ledgerErrorBitcoinAppNotOpen": { - "description": "Message d'erreur lorsque l'application Bitcoin n'est pas ouverte sur Ledger (codes d'erreur 6e01, 6a87, 6d02, 6511, 6e00)" - }, - "ledgerErrorMissingPsbt": "PSBT est requis pour la signature", - "@ledgerErrorMissingPsbt": { - "description": "Message d'erreur lorsque le paramètre PSBT est manquant pour la signature" - }, - "ledgerErrorMissingDerivationPathSign": "Le chemin de dérivation est requis pour la signature", - "@ledgerErrorMissingDerivationPathSign": { - "description": "Message d'erreur lorsque le chemin de dérivation est manquant pour la signature" - }, - "ledgerErrorMissingScriptTypeSign": "Le type de script est requis pour la signature", - "@ledgerErrorMissingScriptTypeSign": { - "description": "Message d'erreur lorsque le type de script est manquant pour la signature" - }, - "ledgerErrorMissingAddress": "L'adresse est requise pour la vérification", - "@ledgerErrorMissingAddress": { - "description": "Message d'erreur lorsque l'adresse est manquante pour la vérification" - }, - "ledgerErrorMissingDerivationPathVerify": "Le chemin de dérivation est requis pour la vérification", - "@ledgerErrorMissingDerivationPathVerify": { - "description": "Message d'erreur lorsque le chemin de dérivation est manquant pour la vérification" - }, - "ledgerErrorMissingScriptTypeVerify": "Le type de script est requis pour la vérification", - "@ledgerErrorMissingScriptTypeVerify": { - "description": "Message d'erreur lorsque le type de script est manquant pour la vérification" - }, - "ledgerButtonTryAgain": "Réessayer", - "@ledgerButtonTryAgain": { - "description": "Libellé du bouton pour réessayer une opération Ledger échouée" - }, - "ledgerButtonManagePermissions": "Gérer les permissions de l'application", - "@ledgerButtonManagePermissions": { - "description": "Libellé du bouton pour ouvrir les paramètres de permissions de l'application" - }, - "ledgerButtonNeedHelp": "Besoin d'aide ?", - "@ledgerButtonNeedHelp": { - "description": "Libellé du bouton pour afficher les instructions d'aide/dépannage" - }, - "ledgerVerifyAddressLabel": "Adresse à vérifier :", - "@ledgerVerifyAddressLabel": { - "description": "Libellé pour l'adresse en cours de vérification sur Ledger" - }, - "ledgerWalletTypeLabel": "Type de portefeuille :", - "@ledgerWalletTypeLabel": { - "description": "Libellé pour la sélection du type de portefeuille/script" - }, - "ledgerWalletTypeSegwit": "Segwit (BIP84)", - "@ledgerWalletTypeSegwit": { - "description": "Nom d'affichage pour le type de portefeuille Segwit (BIP84)" - }, - "ledgerWalletTypeSegwitDescription": "Native SegWit - Recommandé", - "@ledgerWalletTypeSegwitDescription": { - "description": "Description pour le type de portefeuille Segwit" - }, - "ledgerWalletTypeNestedSegwit": "Nested Segwit (BIP49)", - "@ledgerWalletTypeNestedSegwit": { - "description": "Nom d'affichage pour le type de portefeuille Nested Segwit (BIP49)" - }, - "ledgerWalletTypeNestedSegwitDescription": "P2WPKH-nested-in-P2SH", - "@ledgerWalletTypeNestedSegwitDescription": { - "description": "Description technique pour le type de portefeuille Nested Segwit" - }, - "ledgerWalletTypeLegacy": "Legacy (BIP44)", - "@ledgerWalletTypeLegacy": { - "description": "Nom d'affichage pour le type de portefeuille Legacy (BIP44)" - }, - "ledgerWalletTypeLegacyDescription": "P2PKH - Format ancien", - "@ledgerWalletTypeLegacyDescription": { - "description": "Description pour le type de portefeuille Legacy" - }, - "ledgerWalletTypeSelectTitle": "Sélectionnez le type de portefeuille", - "@ledgerWalletTypeSelectTitle": { - "description": "Titre pour la fenêtre de sélection du type de portefeuille" - }, - "ledgerSuccessAddressVerified": "Adresse vérifiée avec succès !", - "@ledgerSuccessAddressVerified": { - "description": "Message de notification de succès après la vérification d'adresse" - }, - "ledgerHelpTitle": "Dépannage Ledger", - "@ledgerHelpTitle": { - "description": "Titre pour la fenêtre d'aide au dépannage Ledger" - }, - "ledgerHelpSubtitle": "Tout d'abord, assurez-vous que votre appareil Ledger est déverrouillé et que l'application Bitcoin est ouverte. Si votre appareil ne se connecte toujours pas à l'application, essayez ce qui suit :", - "@ledgerHelpSubtitle": { - "description": "Sous-titre/introduction pour l'aide au dépannage Ledger" - }, - "ledgerHelpStep1": "Redémarrez votre appareil Ledger.", - "@ledgerHelpStep1": { - "description": "Première étape de dépannage pour les problèmes de connexion Ledger" - }, - "ledgerHelpStep2": "Assurez-vous que Bluetooth est activé et autorisé sur votre téléphone.", - "@ledgerHelpStep2": { - "description": "Deuxième étape de dépannage pour les problèmes de connexion Ledger" - }, - "ledgerHelpStep3": "Assurez-vous que Bluetooth est activé sur votre Ledger.", - "@ledgerHelpStep3": { - "description": "Troisième étape de dépannage pour les problèmes de connexion Ledger" - }, - "ledgerHelpStep4": "Assurez-vous d'avoir installé la dernière version de l'application Bitcoin depuis Ledger Live.", - "@ledgerHelpStep4": { - "description": "Quatrième étape de dépannage pour les problèmes de connexion Ledger" - }, - "ledgerHelpStep5": "Assurez-vous que votre appareil Ledger utilise le dernier firmware, vous pouvez mettre à jour le firmware en utilisant l'application Ledger Live pour ordinateur.", - "@ledgerHelpStep5": { - "description": "Cinquième étape de dépannage pour les problèmes de connexion Ledger" - }, - "ledgerDefaultWalletLabel": "Portefeuille Ledger", - "@ledgerDefaultWalletLabel": { - "description": "Libellé par défaut pour le portefeuille Ledger importé" - }, - "exchangeBrandName": "BULL BITCOIN", - "@exchangeBrandName": { - "description": "The Bull Bitcoin brand name displayed on exchange screens" - }, - "exchangeLandingConnectAccount": "Connectez votre compte d'échange Bull Bitcoin", - "@exchangeLandingConnectAccount": { - "description": "Subtitle text on the exchange landing screen encouraging users to connect" - }, - "exchangeLandingRecommendedExchange": "Plateforme d'échange Bitcoin recommandée", - "@exchangeLandingRecommendedExchange": { - "description": "Subtitle on landing screen v2 describing Bull Bitcoin as recommended" - }, - "exchangeFeatureSelfCustody": "• Achetez du Bitcoin directement en auto-garde", - "@exchangeFeatureSelfCustody": { - "description": "Feature bullet point describing self-custody Bitcoin purchases" - }, - "exchangeFeatureDcaOrders": "• DCA, ordres limités et achat automatique", - "@exchangeFeatureDcaOrders": { - "description": "Feature bullet point describing DCA and automated buying features" - }, - "exchangeFeatureSellBitcoin": "• Vendez du Bitcoin, soyez payé en Bitcoin", - "@exchangeFeatureSellBitcoin": { - "description": "Feature bullet point describing selling Bitcoin functionality" - }, - "exchangeFeatureBankTransfers": "• Envoyez des virements bancaires et payez des factures", - "@exchangeFeatureBankTransfers": { - "description": "Feature bullet point describing bank transfer and bill payment features" - }, - "exchangeFeatureCustomerSupport": "• Discutez avec le support client", - "@exchangeFeatureCustomerSupport": { - "description": "Feature bullet point describing customer support chat feature" - }, - "exchangeFeatureUnifiedHistory": "• Historique des transactions unifié", - "@exchangeFeatureUnifiedHistory": { - "description": "Feature bullet point describing unified transaction history feature" - }, - "priceChartFetchingHistory": "Récupération de l'historique des prix...", - "@priceChartFetchingHistory": { - "description": "Message shown while fetching price history when no local data is available" - }, - "exchangeLandingDisclaimerLegal": "L'accès aux services d'échange sera limité aux pays où Bull Bitcoin peut légalement opérer et peut nécessiter une vérification KYC.", - "@exchangeLandingDisclaimerLegal": { - "description": "Legal disclaimer about exchange service availability and KYC requirements" - }, - "exchangeLandingDisclaimerNotAvailable": "Les services d'échange de cryptomonnaies ne sont pas disponibles dans l'application mobile Bull Bitcoin.", - "@exchangeLandingDisclaimerNotAvailable": { - "description": "Disclaimer informing users that exchange services are not available in the mobile app" - }, - "exchangeLoginButton": "Se connecter ou s'inscrire", - "@exchangeLoginButton": { - "description": "Button label for logging in or signing up to the exchange" - }, - "exchangeGoToWebsiteButton": "Aller sur le site web de l'échange Bull Bitcoin", - "@exchangeGoToWebsiteButton": { - "description": "Button label for navigating to the Bull Bitcoin exchange website" - }, - "exchangeAuthLoginFailedTitle": "Échec de la connexion", - "@exchangeAuthLoginFailedTitle": { - "description": "Title of the dialog shown when exchange login fails" - }, - "exchangeAuthLoginFailedMessage": "Une erreur s'est produite, veuillez réessayer de vous connecter.", - "@exchangeAuthLoginFailedMessage": { - "description": "Message shown when exchange login fails" - }, - "exchangeAuthLoginFailedOkButton": "OK", - "@exchangeAuthLoginFailedOkButton": { - "description": "OK button label in the login failed dialog" - }, - "exchangeHomeDepositButton": "Dépôt", - "@exchangeHomeDepositButton": { - "description": "Button label for depositing funds to the exchange" - }, - "exchangeHomeWithdrawButton": "Retrait", - "@exchangeHomeWithdrawButton": { - "description": "Button label for withdrawing funds from the exchange" - }, - "exchangeSupportChatTitle": "Chat de Support", - "@exchangeSupportChatTitle": { - "description": "Title for the support chat screen" - }, - "exchangeSupportChatEmptyState": "Aucun message pour le moment. Commencez une conversation !", - "@exchangeSupportChatEmptyState": { - "description": "Message shown when there are no chat messages" - }, - "exchangeSupportChatInputHint": "Tapez un message...", - "@exchangeSupportChatInputHint": { - "description": "Placeholder text for the message input field" - }, - "exchangeSupportChatMessageRequired": "Un message est requis", - "@exchangeSupportChatMessageRequired": { - "description": "Placeholder text when attachments are present but no message text" - }, - "exchangeSupportChatMessageEmptyError": "Le message ne peut pas être vide", - "@exchangeSupportChatMessageEmptyError": { - "description": "Error message when trying to send an empty message" - }, - "exchangeSupportChatYesterday": "Hier", - "@exchangeSupportChatYesterday": { - "description": "Label for yesterday in date formatting" - }, - "exchangeSupportChatWalletIssuesInfo": "Ce chat est uniquement pour les problèmes liés à l'échange dans Funding/Achat/Vente/Retrait/Paiement.\nPour les problèmes liés au portefeuille, rejoignez le groupe Telegram en cliquant ici.", - "@exchangeSupportChatWalletIssuesInfo": { - "description": "Info message about wallet issues and telegram group link" - }, - "exchangeDcaUnableToGetConfig": "Impossible d'obtenir la configuration DCA", - "@exchangeDcaUnableToGetConfig": { - "description": "Error message when DCA configuration cannot be retrieved" - }, - "exchangeDcaDeactivateTitle": "Désactiver l'achat récurrent", - "@exchangeDcaDeactivateTitle": { - "description": "Title shown when DCA is active and can be deactivated" - }, - "exchangeDcaActivateTitle": "Activer l'achat récurrent", - "@exchangeDcaActivateTitle": { - "description": "Title shown when DCA is inactive and can be activated" - }, - "exchangeDcaHideSettings": "Masquer les paramètres", - "@exchangeDcaHideSettings": { - "description": "Link text to hide DCA settings details" - }, - "exchangeDcaViewSettings": "Voir les paramètres", - "@exchangeDcaViewSettings": { - "description": "Link text to view DCA settings details" - }, - "exchangeDcaCancelDialogTitle": "Annuler l'achat récurrent de Bitcoin ?", - "@exchangeDcaCancelDialogTitle": { - "description": "Title of the dialog confirming DCA cancellation" - }, - "exchangeDcaCancelDialogMessage": "Votre plan d'achat récurrent de Bitcoin s'arrêtera et les achats planifiés prendront fin. Pour recommencer, vous devrez configurer un nouveau plan.", - "@exchangeDcaCancelDialogMessage": { - "description": "Message explaining the consequences of canceling DCA" - }, - "exchangeDcaCancelDialogCancelButton": "Annuler", - "@exchangeDcaCancelDialogCancelButton": { - "description": "Button label to cancel the DCA cancellation dialog" - }, - "exchangeDcaCancelDialogConfirmButton": "Oui, désactiver", - "@exchangeDcaCancelDialogConfirmButton": { - "description": "Button label to confirm DCA deactivation" - }, - "exchangeDcaFrequencyHour": "heure", - "@exchangeDcaFrequencyHour": { - "description": "DCA frequency unit: hour" - }, - "exchangeDcaFrequencyDay": "jour", - "@exchangeDcaFrequencyDay": { - "description": "DCA frequency unit: day" - }, - "exchangeDcaFrequencyWeek": "semaine", - "@exchangeDcaFrequencyWeek": { - "description": "DCA frequency unit: week" - }, - "exchangeDcaFrequencyMonth": "mois", - "@exchangeDcaFrequencyMonth": { - "description": "DCA frequency unit: month" - }, - "exchangeDcaNetworkBitcoin": "Réseau Bitcoin", - "@exchangeDcaNetworkBitcoin": { - "description": "DCA network option: Bitcoin" - }, - "exchangeDcaNetworkLightning": "Réseau Lightning", - "@exchangeDcaNetworkLightning": { - "description": "DCA network option: Lightning" - }, - "exchangeDcaNetworkLiquid": "Réseau Liquid", - "@exchangeDcaNetworkLiquid": { - "description": "DCA network option: Liquid" - }, - "exchangeDcaAddressLabelBitcoin": "Adresse Bitcoin", - "@exchangeDcaAddressLabelBitcoin": { - "description": "Label for Bitcoin address in DCA settings" - }, - "exchangeDcaAddressLabelLightning": "Adresse Lightning", - "@exchangeDcaAddressLabelLightning": { - "description": "Label for Lightning address in DCA settings" - }, - "exchangeDcaAddressLabelLiquid": "Adresse Liquid", - "@exchangeDcaAddressLabelLiquid": { - "description": "Label for Liquid address in DCA settings" - }, - "exchangeDcaSummaryMessage": "Vous achetez {amount} chaque {frequency} via {network} tant qu'il y a des fonds dans votre compte.", - "@exchangeDcaSummaryMessage": { - "description": "Summary message describing the DCA configuration", - "placeholders": { - "amount": { - "type": "String", - "description": "The amount being purchased (e.g., '$100 CAD')" - }, - "frequency": { - "type": "String" - }, - "network": { - "type": "String" - } - } - }, - "exchangeDcaAddressDisplay": "{addressLabel} : {address}", - "@exchangeDcaAddressDisplay": { - "description": "Format for displaying address label and address", - "placeholders": { - "addressLabel": { - "type": "String", - "description": "The address label (e.g., 'Bitcoin address')" - }, - "address": { - "type": "String", - "description": "The actual address" - } - } - }, - "exchangeCurrencyDropdownTitle": "Sélectionner la devise", - "@exchangeCurrencyDropdownTitle": { - "description": "Title for the currency selection dropdown" - }, - "exchangeCurrencyDropdownValidation": "Veuillez sélectionner une devise", - "@exchangeCurrencyDropdownValidation": { - "description": "Validation message when no currency is selected" - }, - "exchangeKycLevelLight": "Légère", - "@exchangeKycLevelLight": { - "description": "KYC verification level: Light" - }, - "exchangeKycLevelLimited": "Limitée", - "@exchangeKycLevelLimited": { - "description": "KYC verification level: Limited" - }, - "exchangeKycCardTitle": "Complétez votre vérification KYC", - "@exchangeKycCardTitle": { - "description": "Title of the KYC completion card" - }, - "exchangeKycCardSubtitle": "Pour supprimer les limites de transaction", - "@exchangeKycCardSubtitle": { - "description": "Subtitle explaining why to complete KYC" - }, - "exchangeAmountInputTitle": "Entrer le montant", - "@exchangeAmountInputTitle": { - "description": "Title for the amount input field" - }, - "exchangeAmountInputValidationEmpty": "Veuillez entrer un montant", - "@exchangeAmountInputValidationEmpty": { - "description": "Validation message when amount field is empty" - }, - "exchangeAmountInputValidationInvalid": "Montant invalide", - "@exchangeAmountInputValidationInvalid": { - "description": "Validation message when amount is invalid" - }, - "exchangeAmountInputValidationZero": "Le montant doit être supérieur à zéro", - "@exchangeAmountInputValidationZero": { - "description": "Validation message when amount is zero or negative" - }, - "exchangeAmountInputValidationInsufficient": "Solde insuffisant", - "@exchangeAmountInputValidationInsufficient": { - "description": "Validation message when amount exceeds available balance" - }, - "sellBitcoinPriceLabel": "Prix Bitcoin", - "@sellBitcoinPriceLabel": { - "description": "Label for Bitcoin price display" - }, - "sellViewDetailsButton": "Voir les détails", - "@sellViewDetailsButton": { - "description": "Button text to view order details" - }, - "sellKycPendingTitle": "Vérification KYC en attente", - "@sellKycPendingTitle": { - "description": "Title shown when KYC verification is pending" - }, - "sellKycPendingDescription": "Vous devez d'abord compléter la vérification d'identité", - "@sellKycPendingDescription": { - "description": "Description explaining user must complete KYC before proceeding" - }, - "sellErrorPrepareTransaction": "Échec de préparation de la transaction : {error}", - "@sellErrorPrepareTransaction": { - "description": "Error message when transaction preparation fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "sellErrorNoWalletSelected": "Aucun portefeuille sélectionné pour envoyer le paiement", - "@sellErrorNoWalletSelected": { - "description": "Error message when no wallet is selected for payment" - }, - "sellErrorFeesNotCalculated": "Frais de transaction non calculés. Veuillez réessayer.", - "@sellErrorFeesNotCalculated": { - "description": "Error message when transaction fees calculation failed" - }, - "sellErrorUnexpectedOrderType": "SellOrder attendu mais un type de commande différent reçu", - "@sellErrorUnexpectedOrderType": { - "description": "Error message when wrong order type is received" - }, - "sellErrorLoadUtxos": "Échec du chargement des UTXOs : {error}", - "@sellErrorLoadUtxos": { - "description": "Error message when loading UTXOs fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "sellErrorRecalculateFees": "Échec du recalcul des frais : {error}", - "@sellErrorRecalculateFees": { - "description": "Error message when fee recalculation fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "sellLoadingGeneric": "Chargement...", - "@sellLoadingGeneric": { - "description": "Generic loading message" - }, - "allSeedViewTitle": "Visualiseur de Graines", - "@allSeedViewTitle": { - "description": "Title for the seed viewer screen" - }, - "allSeedViewLoadingMessage": "Cela peut prendre un certain temps à charger si vous avez beaucoup de graines sur cet appareil.", - "@allSeedViewLoadingMessage": { - "description": "Loading message shown while fetching seeds" - }, - "allSeedViewNoSeedsFound": "Aucune graine trouvée.", - "@allSeedViewNoSeedsFound": { - "description": "Message shown when no seeds are found" - }, - "allSeedViewShowSeedsButton": "Afficher les Graines", - "@allSeedViewShowSeedsButton": { - "description": "Button label to show seed phrases" - }, - "allSeedViewExistingWallets": "Portefeuilles Existants ({count})", - "@allSeedViewExistingWallets": { - "description": "Section header for existing wallets with count", - "placeholders": { - "count": { - "type": "int", - "format": "decimalPattern" - } - } - }, - "allSeedViewOldWallets": "Anciens Portefeuilles ({count})", - "@allSeedViewOldWallets": { - "description": "Section header for old wallets with count", - "placeholders": { - "count": { - "type": "int", - "format": "decimalPattern" - } - } - }, - "allSeedViewSecurityWarningTitle": "Avertissement de Sécurité", - "@allSeedViewSecurityWarningTitle": { - "description": "Title for security warning dialog" - }, - "allSeedViewSecurityWarningMessage": "Afficher les phrases de récupération est un risque de sécurité. Toute personne qui voit votre phrase de récupération peut accéder à vos fonds. Assurez-vous d'être dans un endroit privé et que personne ne puisse voir votre écran.", - "@allSeedViewSecurityWarningMessage": { - "description": "Security warning message about displaying seed phrases" - }, - "allSeedViewIUnderstandButton": "Je Comprends", - "@allSeedViewIUnderstandButton": { - "description": "Button label to acknowledge security warning" - }, - "allSeedViewDeleteWarningTitle": "ATTENTION !", - "@allSeedViewDeleteWarningTitle": { - "description": "Title for delete seed warning dialog" - }, - "allSeedViewDeleteWarningMessage": "Supprimer la graine est une action irréversible. Ne faites cela que si vous avez des sauvegardes sécurisées de cette graine ou si les portefeuilles associés ont été complètement vidés.", - "@allSeedViewDeleteWarningMessage": { - "description": "Warning message about deleting a seed" - }, - "allSeedViewPassphraseLabel": "Phrase secrète :", - "@allSeedViewPassphraseLabel": { - "description": "Label for passphrase display" - }, - "cancel": "Annuler", - "@cancel": { - "description": "Generic cancel button label" - }, - "delete": "Supprimer", - "@delete": { - "description": "Generic delete button label" - }, - "statusCheckTitle": "État des Services", - "@statusCheckTitle": { - "description": "Title for the service status screen" - }, - "statusCheckLastChecked": "Dernière vérification : {time}", - "@statusCheckLastChecked": { - "description": "Label showing when services were last checked", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "statusCheckOnline": "En ligne", - "@statusCheckOnline": { - "description": "Status text when a service is online" - }, - "statusCheckOffline": "Hors ligne", - "@statusCheckOffline": { - "description": "Status text when a service is offline" - }, - "statusCheckUnknown": "Inconnu", - "@statusCheckUnknown": { - "description": "Status text when service status is unknown" - }, - "torSettingsTitle": "Paramètres Tor", - "@torSettingsTitle": { - "description": "AppBar title for the Tor settings screen" - }, - "torSettingsEnableProxy": "Activer le proxy Tor", - "@torSettingsEnableProxy": { - "description": "Label for the toggle to enable/disable Tor proxy" - }, - "torSettingsProxyPort": "Port du proxy Tor", - "@torSettingsProxyPort": { - "description": "Title for Tor proxy port settings" - }, - "torSettingsPortDisplay": "Port : {port}", - "@torSettingsPortDisplay": { - "description": "Display text showing current port number", - "placeholders": { - "port": { - "type": "int" - } - } - }, - "torSettingsPortNumber": "Numéro de port", - "@torSettingsPortNumber": { - "description": "Label for port number input field" - }, - "torSettingsPortHint": "9050", - "@torSettingsPortHint": { - "description": "Hint text for port input showing default value" - }, - "torSettingsPortHelper": "Port Orbot par défaut : 9050", - "@torSettingsPortHelper": { - "description": "Helper text explaining default Orbot port" - }, - "torSettingsPortValidationEmpty": "Veuillez entrer un numéro de port", - "@torSettingsPortValidationEmpty": { - "description": "Validation error when port is empty" - }, - "torSettingsPortValidationInvalid": "Veuillez entrer un nombre valide", - "@torSettingsPortValidationInvalid": { - "description": "Validation error when port is not a valid number" - }, - "torSettingsPortValidationRange": "Le port doit être entre 1 et 65535", - "@torSettingsPortValidationRange": { - "description": "Validation error when port is out of valid range" - }, - "torSettingsSaveButton": "Enregistrer", - "@torSettingsSaveButton": { - "description": "Save button label for Tor port settings" - }, - "torSettingsConnectionStatus": "État de connexion", - "@torSettingsConnectionStatus": { - "description": "Title for connection status card" - }, - "torSettingsStatusConnected": "Connecté", - "@torSettingsStatusConnected": { - "description": "Status title when Tor is connected" - }, - "torSettingsStatusConnecting": "Connexion en cours...", - "@torSettingsStatusConnecting": { - "description": "Status title when Tor is connecting" - }, - "torSettingsStatusDisconnected": "Déconnecté", - "@torSettingsStatusDisconnected": { - "description": "Status title when Tor is disconnected" - }, - "torSettingsStatusUnknown": "État inconnu", - "@torSettingsStatusUnknown": { - "description": "Status title when Tor status is unknown" - }, - "torSettingsDescConnected": "Le proxy Tor est actif et prêt", - "@torSettingsDescConnected": { - "description": "Description when Tor is connected" - }, - "torSettingsDescConnecting": "Établissement de la connexion Tor", - "@torSettingsDescConnecting": { - "description": "Description when Tor is connecting" - }, - "torSettingsDescDisconnected": "Le proxy Tor n'est pas actif", - "@torSettingsDescDisconnected": { - "description": "Description when Tor is disconnected" - }, - "torSettingsDescUnknown": "Impossible de déterminer l'état de Tor. Assurez-vous qu'Orbot est installé et en cours d'exécution.", - "@torSettingsDescUnknown": { - "description": "Description when Tor status is unknown" - }, - "torSettingsInfoTitle": "Informations importantes", - "@torSettingsInfoTitle": { - "description": "Title for the Tor information card" - }, - "torSettingsInfoDescription": "• Le proxy Tor s'applique uniquement à Bitcoin (pas Liquid)\n• Le port Orbot par défaut est 9050\n• Assurez-vous qu'Orbot est en cours d'exécution avant d'activer\n• La connexion peut être plus lente via Tor", - "@torSettingsInfoDescription": { - "description": "Information about Tor proxy usage" - }, - "withdrawSuccessTitle": "Retrait initié", - "@withdrawSuccessTitle": { - "description": "Title shown when withdrawal is successfully initiated" - }, - "withdrawSuccessOrderDetails": "Détails de la commande", - "@withdrawSuccessOrderDetails": { - "description": "Button label to view order details after withdrawal" - }, - "withdrawConfirmBankAccount": "Compte bancaire", - "@withdrawConfirmBankAccount": { - "description": "Default label for bank account in confirmation screen" - }, - "withdrawOwnershipQuestion": "À qui appartient ce compte ?", - "@withdrawOwnershipQuestion": { - "description": "Question asking about account ownership" - }, - "withdrawOwnershipMyAccount": "C'est mon compte", - "@withdrawOwnershipMyAccount": { - "description": "Option indicating the account belongs to the user" - }, - "withdrawOwnershipOtherAccount": "C'est le compte de quelqu'un d'autre", - "@withdrawOwnershipOtherAccount": { - "description": "Option indicating the account belongs to someone else" - }, - "walletAutoTransferBlockedTitle": "Transfert automatique bloqué", - "@walletAutoTransferBlockedTitle": { - "description": "Title for auto-swap fee warning when fees exceed threshold" - }, - "walletAutoTransferBlockedMessage": "Tentative de transfert de {amount} BTC. Les frais actuels sont de {currentFee}% du montant du transfert et le seuil de frais est fixé à {thresholdFee}%", - "@walletAutoTransferBlockedMessage": { - "description": "Message explaining why auto-transfer was blocked", - "placeholders": { - "amount": { - "type": "String" - }, - "currentFee": { - "type": "String" - }, - "thresholdFee": { - "type": "String" - } - } - }, - "walletAutoTransferBlockButton": "Bloquer", - "@walletAutoTransferBlockButton": { - "description": "Button to block auto-transfer until next execution" - }, - "walletAutoTransferAllowButton": "Autoriser", - "@walletAutoTransferAllowButton": { - "description": "Button to allow auto-transfer despite high fees" - }, - "navigationTabWallet": "Portefeuille", - "@navigationTabWallet": { - "description": "Label for the Wallet tab in bottom navigation" - }, - "navigationTabExchange": "Échange", - "@navigationTabExchange": { - "description": "Label for the Exchange tab in bottom navigation" - }, - "buyUnauthenticatedError": "Vous n'êtes pas authentifié. Veuillez vous connecter pour continuer.", - "@buyUnauthenticatedError": { - "description": "Error message for unauthenticated user during buy" - }, - "buyBelowMinAmountError": "Vous essayez d'acheter en dessous du montant minimum.", - "@buyBelowMinAmountError": { - "description": "Error message for amount below minimum during buy" - }, - "buyAboveMaxAmountError": "Vous essayez d'acheter au-dessus du montant maximum.", - "@buyAboveMaxAmountError": { - "description": "Error message for amount above maximum during buy" - }, - "buyInsufficientFundsError": "Fonds insuffisants dans votre compte Bull Bitcoin pour compléter cet achat.", - "@buyInsufficientFundsError": { - "description": "Error message for insufficient funds during buy" - }, - "buyOrderNotFoundError": "La commande d'achat n'a pas été trouvée. Veuillez réessayer.", - "@buyOrderNotFoundError": { - "description": "Error message for order not found during buy" - }, - "buyOrderAlreadyConfirmedError": "Cette commande d'achat a déjà été confirmée.", - "@buyOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed buy order" - }, - "withdrawUnauthenticatedError": "Vous n'êtes pas authentifié. Veuillez vous connecter pour continuer.", - "@withdrawUnauthenticatedError": { - "description": "Error message for unauthenticated user during withdraw" - }, - "withdrawBelowMinAmountError": "Vous essayez de retirer en dessous du montant minimum.", - "@withdrawBelowMinAmountError": { - "description": "Error message for amount below minimum during withdraw" - }, - "withdrawAboveMaxAmountError": "Vous essayez de retirer au-dessus du montant maximum.", - "@withdrawAboveMaxAmountError": { - "description": "Error message for amount above maximum during withdraw" - }, - "withdrawOrderNotFoundError": "L'ordre de retrait n'a pas été trouvé. Veuillez réessayer.", - "@withdrawOrderNotFoundError": { - "description": "Error message for order not found during withdraw" - }, - "withdrawOrderAlreadyConfirmedError": "Cet ordre de retrait a déjà été confirmé.", - "@withdrawOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed withdrawal order" - }, - "coreScreensPageNotFound": "Page non trouvée", - "@coreScreensPageNotFound": { - "description": "Error message shown when a page/route is not found" - }, - "coreScreensLogsTitle": "Journaux", - "@coreScreensLogsTitle": { - "description": "AppBar title for logs viewer screen" - }, - "coreScreensConfirmSend": "Confirmer l'envoi", - "@coreScreensConfirmSend": { - "description": "Title for confirm send action" - }, - "coreScreensExternalTransfer": "Transfert externe", - "@coreScreensExternalTransfer": { - "description": "Title for external transfer action" - }, - "coreScreensInternalTransfer": "Transfert interne", - "@coreScreensInternalTransfer": { - "description": "Title for internal transfer action" - }, - "coreScreensConfirmTransfer": "Confirmer le transfert", - "@coreScreensConfirmTransfer": { - "description": "Title for confirm transfer action" - }, - "coreScreensFromLabel": "De", - "@coreScreensFromLabel": { - "description": "Label for source/sender field" - }, - "coreScreensToLabel": "À", - "@coreScreensToLabel": { - "description": "Label for destination/receiver field" - }, - "coreScreensAmountLabel": "Montant", - "@coreScreensAmountLabel": { - "description": "Label for amount field" - }, - "coreScreensNetworkFeesLabel": "Frais de réseau", - "@coreScreensNetworkFeesLabel": { - "description": "Label for network fees field" - }, - "coreScreensFeePriorityLabel": "Priorité des frais", - "@coreScreensFeePriorityLabel": { - "description": "Label for fee priority field" - }, - "coreScreensTransferIdLabel": "ID de transfert", - "@coreScreensTransferIdLabel": { - "description": "Label for transfer ID field" - }, - "coreScreensTotalFeesLabel": "Frais totaux", - "@coreScreensTotalFeesLabel": { - "description": "Label for total fees field" - }, - "coreScreensTransferFeeLabel": "Frais de transfert", - "@coreScreensTransferFeeLabel": { - "description": "Label for transfer fee field" - }, - "coreScreensFeeDeductionExplanation": "Ceci est le total des frais déduits du montant envoyé", - "@coreScreensFeeDeductionExplanation": { - "description": "Explanation text for fee deduction" - }, - "coreScreensReceiveNetworkFeeLabel": "Frais de réseau de réception", - "@coreScreensReceiveNetworkFeeLabel": { - "description": "Label for receive network fee field" - }, - "coreScreensServerNetworkFeesLabel": "Frais de réseau du serveur", - "@coreScreensServerNetworkFeesLabel": { - "description": "Label for server network fees field" - }, - "coreScreensSendAmountLabel": "Montant envoyé", - "@coreScreensSendAmountLabel": { - "description": "Label for send amount field" - }, - "coreScreensReceiveAmountLabel": "Montant reçu", - "@coreScreensReceiveAmountLabel": { - "description": "Label for receive amount field" - }, - "coreScreensSendNetworkFeeLabel": "Frais de réseau d'envoi", - "@coreScreensSendNetworkFeeLabel": { - "description": "Label for send network fee field" - }, - "coreScreensConfirmButton": "Confirmer", - "@coreScreensConfirmButton": { - "description": "Text for confirm button" - }, - "recoverbullErrorRejected": "Rejeté par le serveur de clés", - "@recoverbullErrorRejected": { - "description": "Error message when request is rejected by the key server" - }, - "recoverbullErrorServiceUnavailable": "Service indisponible. Veuillez vérifier votre connexion.", - "@recoverbullErrorServiceUnavailable": { - "description": "Error message when key server service is unavailable" - }, - "recoverbullErrorInvalidVaultFile": "Fichier de coffre invalide.", - "@recoverbullErrorInvalidVaultFile": { - "description": "Error message when vault file format is invalid" - }, - "systemLabelSwaps": "Swaps", - "@systemLabelSwaps": { - "description": "System label for swap transactions" - }, - "systemLabelAutoSwap": "Auto Swap", - "@systemLabelAutoSwap": { - "description": "System label for automatic swap transactions" - }, - "systemLabelPayjoin": "Payjoin", - "@systemLabelPayjoin": { - "description": "System label for payjoin transactions" - }, - "systemLabelSelfSpend": "Auto transfert", - "@systemLabelSelfSpend": { - "description": "System label for self-spend transactions" - }, - "systemLabelExchangeBuy": "Achat", - "@systemLabelExchangeBuy": { - "description": "System label for exchange buy transactions" - }, - "systemLabelExchangeSell": "Vente", - "@systemLabelExchangeSell": { - "description": "System label for exchange sell transactions" - }, - "labelErrorNotFound": "Label \"{label}\" introuvable.", - "@labelErrorNotFound": { - "description": "Error message when a label is not found", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "labelErrorUnsupportedType": "Ce type {type} n'est pas pris en charge", - "@labelErrorUnsupportedType": { - "description": "Error message when label type is not supported", - "placeholders": { - "type": { - "type": "String" - } - } - }, - "labelErrorUnexpected": "Erreur inattendue : {message}", - "@labelErrorUnexpected": { - "description": "Error message for unexpected label errors", - "placeholders": { - "message": { - "type": "String" - } - } - }, - "labelErrorSystemCannotDelete": "Les labels système ne peuvent pas être supprimés.", - "@labelErrorSystemCannotDelete": { - "description": "Error message when trying to delete a system label" - }, - "labelDeleteFailed": "Impossible de supprimer \"{label}\". Veuillez réessayer.", - "@labelDeleteFailed": { - "description": "Error message when label deletion fails", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "bitcoinSettingsMempoolServerTitle": "Configurations serveur Mempool", - "@bitcoinSettingsMempoolServerTitle": { - "description": "Title for the Mempool server settings section in Bitcoin settings" - }, - "save": "Sauvegarder", - "@save": { - "description": "Generic save button label" - }, + "@@locale": "fr", + "translationWarningTitle": "Traductions générées par IA", + "translationWarningDescription": "La plupart des traductions de cette application ont été générées par IA et peuvent contenir des inexactitudes. Si vous remarquez des erreurs ou souhaitez aider à améliorer les traductions, vous pouvez contribuer via notre plateforme de traduction communautaire.", + "translationWarningContributeButton": "Aider à améliorer les traductions", + "translationWarningDismissButton": "Compris", + "durationSeconds": "{seconds} secondes", + "@durationSeconds": { + "placeholders": { + "seconds": { + "type": "String" + } + } + }, "durationMinute": "{minutes} minute", "@durationMinute": { - "description": "Duration format for singular minute", "placeholders": { "minutes": { "type": "String" @@ -12190,7 +22,6 @@ }, "durationMinutes": "{minutes} minutes", "@durationMinutes": { - "description": "Duration format for plural minutes", "placeholders": { "minutes": { "type": "String" @@ -12198,240 +29,65 @@ } }, "coreSwapsStatusPending": "En attente", - "@coreSwapsStatusPending": { - "description": "Display name for pending swap status" - }, "coreSwapsStatusInProgress": "En cours", - "@coreSwapsStatusInProgress": { - "description": "Display name for in-progress swap status (paid, claimable, refundable, canCoop)" - }, "coreSwapsStatusCompleted": "Terminé", - "@coreSwapsStatusCompleted": { - "description": "Display name for completed swap status" - }, "coreSwapsStatusExpired": "Expiré", - "@coreSwapsStatusExpired": { - "description": "Display name for expired swap status" - }, "coreSwapsStatusFailed": "Échoué", - "@coreSwapsStatusFailed": { - "description": "Display name for failed swap status" - }, "coreSwapsActionClaim": "Réclamer", - "@coreSwapsActionClaim": { - "description": "Action label for claiming a swap" - }, "coreSwapsActionClose": "Fermer", - "@coreSwapsActionClose": { - "description": "Action label for closing a swap cooperatively" - }, "coreSwapsActionRefund": "Rembourser", - "@coreSwapsActionRefund": { - "description": "Action label for refunding a swap" - }, "coreSwapsLnReceivePending": "L'échange n'est pas encore initialisé.", - "@coreSwapsLnReceivePending": { - "description": "Status message for pending Lightning receive swap" - }, "coreSwapsLnReceivePaid": "L'expéditeur a payé la facture.", - "@coreSwapsLnReceivePaid": { - "description": "Status message for paid Lightning receive swap" - }, "coreSwapsLnReceiveClaimable": "L'échange est prêt à être réclamé.", - "@coreSwapsLnReceiveClaimable": { - "description": "Status message for claimable Lightning receive swap" - }, "coreSwapsLnReceiveRefundable": "L'échange est prêt à être remboursé.", - "@coreSwapsLnReceiveRefundable": { - "description": "Status message for refundable Lightning receive swap" - }, "coreSwapsLnReceiveCanCoop": "L'échange sera complété sous peu.", - "@coreSwapsLnReceiveCanCoop": { - "description": "Status message for Lightning receive swap that can complete cooperatively" - }, "coreSwapsLnReceiveCompleted": "L'échange est terminé.", - "@coreSwapsLnReceiveCompleted": { - "description": "Status message for completed Lightning receive swap" - }, "coreSwapsLnReceiveExpired": "Échange expiré.", - "@coreSwapsLnReceiveExpired": { - "description": "Status message for expired Lightning receive swap" - }, "coreSwapsLnReceiveFailed": "Échange échoué.", - "@coreSwapsLnReceiveFailed": { - "description": "Status message for failed Lightning receive swap" - }, "coreSwapsLnSendPending": "L'échange n'est pas encore initialisé.", - "@coreSwapsLnSendPending": { - "description": "Status message for pending Lightning send swap" - }, "coreSwapsLnSendPaid": "La facture sera payée après confirmation de votre paiement.", - "@coreSwapsLnSendPaid": { - "description": "Status message for paid Lightning send swap" - }, "coreSwapsLnSendClaimable": "L'échange est prêt à être réclamé.", - "@coreSwapsLnSendClaimable": { - "description": "Status message for claimable Lightning send swap" - }, "coreSwapsLnSendRefundable": "L'échange est prêt à être remboursé.", - "@coreSwapsLnSendRefundable": { - "description": "Status message for refundable Lightning send swap" - }, "coreSwapsLnSendCanCoop": "L'échange sera complété sous peu.", - "@coreSwapsLnSendCanCoop": { - "description": "Status message for Lightning send swap that can complete cooperatively" - }, "coreSwapsLnSendCompletedRefunded": "L'échange a été remboursé.", - "@coreSwapsLnSendCompletedRefunded": { - "description": "Status message for Lightning send swap completed via refund" - }, "coreSwapsLnSendCompletedSuccess": "L'échange est terminé avec succès.", - "@coreSwapsLnSendCompletedSuccess": { - "description": "Status message for successfully completed Lightning send swap" - }, "coreSwapsLnSendExpired": "Échange expiré", - "@coreSwapsLnSendExpired": { - "description": "Status message for expired Lightning send swap" - }, "coreSwapsLnSendFailedRefunding": "L'échange sera remboursé sous peu.", - "@coreSwapsLnSendFailedRefunding": { - "description": "Status message for failed Lightning send swap that will be refunded" - }, "coreSwapsLnSendFailed": "Échange échoué.", - "@coreSwapsLnSendFailed": { - "description": "Status message for failed Lightning send swap" - }, "coreSwapsChainPending": "Le transfert n'est pas encore initialisé.", - "@coreSwapsChainPending": { - "description": "Status message for pending chain swap" - }, "coreSwapsChainPaid": "En attente de la confirmation du paiement du fournisseur de transfert. Cela peut prendre un certain temps.", - "@coreSwapsChainPaid": { - "description": "Status message for paid chain swap" - }, "coreSwapsChainClaimable": "Le transfert est prêt à être réclamé.", - "@coreSwapsChainClaimable": { - "description": "Status message for claimable chain swap" - }, "coreSwapsChainRefundable": "Le transfert est prêt à être remboursé.", - "@coreSwapsChainRefundable": { - "description": "Status message for refundable chain swap" - }, "coreSwapsChainCanCoop": "Le transfert sera complété sous peu.", - "@coreSwapsChainCanCoop": { - "description": "Status message for chain swap that can complete cooperatively" - }, "coreSwapsChainCompletedRefunded": "Le transfert a été remboursé.", - "@coreSwapsChainCompletedRefunded": { - "description": "Status message for chain swap completed via refund" - }, "coreSwapsChainCompletedSuccess": "Le transfert est terminé avec succès.", - "@coreSwapsChainCompletedSuccess": { - "description": "Status message for successfully completed chain swap" - }, "coreSwapsChainExpired": "Transfert expiré", - "@coreSwapsChainExpired": { - "description": "Status message for expired chain swap" - }, "coreSwapsChainFailedRefunding": "Le transfert sera remboursé sous peu.", - "@coreSwapsChainFailedRefunding": { - "description": "Status message for failed chain swap that will be refunded" - }, "coreSwapsChainFailed": "Transfert échoué.", - "@coreSwapsChainFailed": { - "description": "Status message for failed chain swap" - }, "coreWalletTransactionStatusPending": "En attente", - "@coreWalletTransactionStatusPending": { - "description": "Display name for pending wallet transaction status" - }, "coreWalletTransactionStatusConfirmed": "Confirmé", - "@coreWalletTransactionStatusConfirmed": { - "description": "Display name for confirmed wallet transaction status" - }, "onboardingScreenTitle": "Bienvenue", - "@onboardingScreenTitle": { - "description": "Le titre de l'écran d'intégration" - }, "onboardingCreateWalletButtonLabel": "Créer un portefeuille", - "@onboardingCreateWalletButtonLabel": { - "description": "Le libellé du bouton pour créer un portefeuille depuis l'écran d'intégration" - }, "onboardingRecoverWalletButtonLabel": "Restaurer un portefeuille", - "@onboardingRecoverWalletButtonLabel": { - "description": "Le libellé du bouton pour restaurer un portefeuille depuis l'écran d'intégration" - }, "settingsScreenTitle": "Paramètres", - "@settingsScreenTitle": { - "description": "Le titre de l'écran des paramètres" - }, "testnetModeSettingsLabel": "Mode Testnet", - "@testnetModeSettingsLabel": { - "description": "Le libellé des paramètres du mode Testnet" - }, "satsBitcoinUnitSettingsLabel": "Afficher l'unité en sats", - "@satsBitcoinUnitSettingsLabel": { - "description": "Le libellé pour basculer l'unité Bitcoin en sats dans les paramètres" - }, "pinCodeSettingsLabel": "Code PIN", - "@pinCodeSettingsLabel": { - "description": "Le libellé du bouton pour accéder aux paramètres du code PIN" - }, "languageSettingsLabel": "Langue", - "@languageSettingsLabel": { - "description": "Le libellé du bouton pour accéder aux paramètres de langue" - }, "backupSettingsLabel": "Sauvegarde du portefeuille", - "@backupSettingsLabel": { - "description": "Le libellé du bouton pour accéder aux paramètres de sauvegarde" - }, "electrumServerSettingsLabel": "Serveur Electrum (nœud Bitcoin)", - "@electrumServerSettingsLabel": { - "description": "Le libellé du bouton pour accéder aux paramètres du serveur Electrum" - }, "fiatCurrencySettingsLabel": "Devise fiduciaire", - "@fiatCurrencySettingsLabel": { - "description": "Le libellé du bouton pour accéder aux paramètres de devise fiduciaire" - }, "languageSettingsScreenTitle": "Langue", - "@languageSettingsScreenTitle": { - "description": "Le titre de l'écran des paramètres de langue" - }, "backupSettingsScreenTitle": "Paramètres de sauvegarde", - "@backupSettingsScreenTitle": { - "description": "AppBar title for backup settings screen" - }, "settingsExchangeSettingsTitle": "Paramètres d'échange", - "@settingsExchangeSettingsTitle": { - "description": "Titre de la section des paramètres d'échange dans le menu des paramètres" - }, "settingsWalletBackupTitle": "Sauvegarde du portefeuille", - "@settingsWalletBackupTitle": { - "description": "Titre de la section de sauvegarde du portefeuille dans le menu des paramètres" - }, "settingsBitcoinSettingsTitle": "Paramètres Bitcoin", - "@settingsBitcoinSettingsTitle": { - "description": "Titre de la section des paramètres Bitcoin dans le menu des paramètres" - }, "settingsSecurityPinTitle": "Code PIN de sécurité", - "@settingsSecurityPinTitle": { - "description": "Titre de la section du code PIN de sécurité dans le menu des paramètres" - }, "pinCodeAuthentication": "Authentification", - "@pinCodeAuthentication": { - "description": "Titre de la barre d'application pour les écrans d'authentification par code PIN" - }, "pinCodeCreateTitle": "Créer un nouveau code PIN", - "@pinCodeCreateTitle": { - "description": "Titre pour la création d'un nouveau code PIN" - }, "pinCodeCreateDescription": "Votre code PIN protège l'accès à votre portefeuille et à vos paramètres. Gardez-le mémorisable.", - "@pinCodeCreateDescription": { - "description": "Description expliquant le but du code PIN" - }, "pinCodeMinLengthError": "Le code PIN doit contenir au moins {minLength} chiffres", "@pinCodeMinLengthError": { - "description": "Message d'erreur lorsque le code PIN est trop court", "placeholders": { "minLength": { "type": "String" @@ -12439,928 +95,237 @@ } }, "pinCodeConfirmTitle": "Confirmer le nouveau code PIN", - "@pinCodeConfirmTitle": { - "description": "Titre pour confirmer le nouveau code PIN" - }, "pinCodeMismatchError": "Les codes PIN ne correspondent pas", - "@pinCodeMismatchError": { - "description": "Message d'erreur lorsque la confirmation du code PIN ne correspond pas" - }, "pinCodeSecurityPinTitle": "Code PIN de sécurité", - "@pinCodeSecurityPinTitle": { - "description": "Titre de la barre d'application pour l'écran des paramètres du code PIN" - }, "pinCodeManageTitle": "Gérer votre code PIN de sécurité", - "@pinCodeManageTitle": { - "description": "Titre d'en-tête pour la section de gestion du code PIN" - }, "pinCodeChangeButton": "Modifier le code PIN", - "@pinCodeChangeButton": { - "description": "Libellé du bouton pour modifier le code PIN existant" - }, "pinCodeCreateButton": "Créer un code PIN", - "@pinCodeCreateButton": { - "description": "Libellé du bouton pour créer un nouveau code PIN" - }, "pinCodeRemoveButton": "Supprimer le code PIN de sécurité", - "@pinCodeRemoveButton": { - "description": "Libellé du bouton pour supprimer le code PIN de sécurité" - }, "pinCodeContinue": "Continuer", - "@pinCodeContinue": { - "description": "Libellé du bouton pour continuer avec la saisie du code PIN" - }, "pinCodeConfirm": "Confirmer", - "@pinCodeConfirm": { - "description": "Libellé du bouton pour confirmer la saisie du code PIN" - }, "pinCodeLoading": "Chargement", - "@pinCodeLoading": { - "description": "Titre de l'écran d'état lors du chargement des paramètres du code PIN" - }, "pinCodeCheckingStatus": "Vérification du statut du code PIN", - "@pinCodeCheckingStatus": { - "description": "Description de l'écran d'état lors de la vérification du statut du code PIN" - }, "pinCodeProcessing": "Traitement", - "@pinCodeProcessing": { - "description": "Titre de l'écran d'état lors du traitement des modifications du code PIN" - }, "pinCodeSettingUp": "Configuration de votre code PIN", - "@pinCodeSettingUp": { - "description": "Description de l'écran d'état lors de la configuration du code PIN" - }, "settingsCurrencyTitle": "Devise", - "@settingsCurrencyTitle": { - "description": "Titre de la section des paramètres de devise dans le menu des paramètres" - }, "settingsAppSettingsTitle": "Paramètres de l'application", - "@settingsAppSettingsTitle": { - "description": "Titre de la section des paramètres de l'application dans le menu des paramètres" - }, "settingsTermsOfServiceTitle": "Conditions d'utilisation", - "@settingsTermsOfServiceTitle": { - "description": "Titre de la section des conditions d'utilisation dans le menu des paramètres" - }, "settingsAppVersionLabel": "Version de l'application : ", - "@settingsAppVersionLabel": { - "description": "Libellé affiché avant le numéro de version de l'application dans les paramètres" - }, "settingsTelegramLabel": "Telegram", - "@settingsTelegramLabel": { - "description": "Libellé du lien Telegram dans les paramètres" - }, "settingsGithubLabel": "Github", - "@settingsGithubLabel": { - "description": "Libellé du lien Github dans les paramètres" - }, "settingsServicesStatusTitle": "État des services", - "@settingsServicesStatusTitle": { - "description": "Title for the services status section in the settings menu" - }, "settingsTorSettingsTitle": "Paramètres Tor", - "@settingsTorSettingsTitle": { - "description": "Title for the Tor settings section in app settings" - }, "settingsRecoverbullTitle": "Recoverbull", - "@settingsRecoverbullTitle": { - "description": "Title for the Recoverbull backup section in app settings" - }, "settingsLanguageTitle": "Langue", - "@settingsLanguageTitle": { - "description": "Title for the language selection in app settings" - }, "settingsThemeTitle": "Thème", - "@settingsThemeTitle": { - "description": "Title for the theme selection in app settings" - }, "settingsArkTitle": "Ark", - "@settingsArkTitle": { - "description": "Title for the Ark protocol section in Bitcoin settings" - }, "settingsDevModeWarningTitle": "Mode développeur", - "@settingsDevModeWarningTitle": { - "description": "Title for the developer mode warning dialog" - }, "settingsDevModeWarningMessage": "Ce mode est risqué. En l'activant, vous reconnaissez que vous pourriez perdre de l'argent", - "@settingsDevModeWarningMessage": { - "description": "Warning message displayed when enabling developer mode" - }, "settingsDevModeUnderstandButton": "Je comprends", - "@settingsDevModeUnderstandButton": { - "description": "Button label to acknowledge developer mode warning" - }, "settingsSuperuserModeDisabledMessage": "Mode superutilisateur désactivé.", - "@settingsSuperuserModeDisabledMessage": { - "description": "Message shown when superuser mode is disabled" - }, "settingsSuperuserModeUnlockedMessage": "Mode superutilisateur déverrouillé !", - "@settingsSuperuserModeUnlockedMessage": { - "description": "Message shown when superuser mode is enabled" - }, "walletOptionsUnnamedWalletFallback": "Portefeuille sans nom", - "@walletOptionsUnnamedWalletFallback": { - "description": "Nom de secours affiché pour les portefeuilles sans nom spécifié" - }, "walletOptionsNotFoundMessage": "Portefeuille introuvable", - "@walletOptionsNotFoundMessage": { - "description": "Message d'erreur affiché lorsqu'un portefeuille ne peut pas être trouvé" - }, "walletOptionsWalletDetailsTitle": "Détails du portefeuille", - "@walletOptionsWalletDetailsTitle": { - "description": "Titre de l'écran des détails du portefeuille" - }, "addressViewAddressesTitle": "Adresses", - "@addressViewAddressesTitle": { - "description": "Titre de la section des adresses dans les options du portefeuille" - }, "walletDetailsDeletingMessage": "Suppression du portefeuille...", - "@walletDetailsDeletingMessage": { - "description": "Message affiché pendant la suppression d'un portefeuille" - }, "walletDetailsWalletFingerprintLabel": "Empreinte du portefeuille", - "@walletDetailsWalletFingerprintLabel": { - "description": "Libellé du champ d'empreinte du portefeuille dans les détails du portefeuille" - }, "walletDetailsPubkeyLabel": "Clé publique", - "@walletDetailsPubkeyLabel": { - "description": "Libellé du champ de clé publique dans les détails du portefeuille" - }, "walletDetailsDescriptorLabel": "Descripteur", - "@walletDetailsDescriptorLabel": { - "description": "Libellé du champ de descripteur du portefeuille dans les détails du portefeuille" - }, "walletDetailsAddressTypeLabel": "Type d'adresse", - "@walletDetailsAddressTypeLabel": { - "description": "Libellé du champ de type d'adresse dans les détails du portefeuille" - }, "walletDetailsNetworkLabel": "Réseau", - "@walletDetailsNetworkLabel": { - "description": "Libellé du champ de réseau dans les détails du portefeuille" - }, "walletDetailsDerivationPathLabel": "Chemin de dérivation", - "@walletDetailsDerivationPathLabel": { - "description": "Libellé du champ de chemin de dérivation dans les détails du portefeuille" - }, "walletDetailsSignerLabel": "Signataire", - "@walletDetailsSignerLabel": { - "description": "Libellé du champ de signataire dans les détails du portefeuille" - }, "walletDetailsSignerDeviceLabel": "Dispositif signataire", - "@walletDetailsSignerDeviceLabel": { - "description": "Libellé du champ de dispositif signataire dans les détails du portefeuille" - }, "walletDetailsSignerDeviceNotSupported": "Non pris en charge", - "@walletDetailsSignerDeviceNotSupported": { - "description": "Message affiché lorsqu'un dispositif signataire n'est pas pris en charge" - }, "walletDetailsCopyButton": "Copier", - "@walletDetailsCopyButton": { - "description": "Libellé du bouton pour copier les détails du portefeuille dans le presse-papiers" - }, "bitcoinSettingsWalletsTitle": "Portefeuilles", - "@bitcoinSettingsWalletsTitle": { - "description": "Titre de la section des portefeuilles dans les paramètres Bitcoin" - }, "bitcoinSettingsElectrumServerTitle": "Paramètres du serveur Electrum", - "@bitcoinSettingsElectrumServerTitle": { - "description": "Titre de la section des paramètres du serveur Electrum dans les paramètres Bitcoin" - }, "mempoolSettingsTitle": "Mempool Server", - "@mempoolSettingsTitle": { - "description": "Title for mempool settings screen" - }, "mempoolSettingsDescription": "Configure custom mempool servers for different networks. Each network can use its own server for block explorer and fee estimation.", - "@mempoolSettingsDescription": { - "description": "Description text for mempool settings screen" - }, "mempoolSettingsDefaultServer": "Default Server", - "@mempoolSettingsDefaultServer": { - "description": "Label for default mempool server section" - }, "mempoolSettingsCustomServer": "Custom Server", - "@mempoolSettingsCustomServer": { - "description": "Label for custom mempool server section" - }, "mempoolNetworkBitcoinMainnet": "Bitcoin Mainnet", - "@mempoolNetworkBitcoinMainnet": { - "description": "Label for Bitcoin mainnet network option" - }, "mempoolNetworkBitcoinTestnet": "Bitcoin Testnet", - "@mempoolNetworkBitcoinTestnet": { - "description": "Label for Bitcoin testnet network option" - }, "mempoolNetworkLiquidMainnet": "Liquid Mainnet", - "@mempoolNetworkLiquidMainnet": { - "description": "Label for Liquid mainnet network option" - }, "mempoolNetworkLiquidTestnet": "Liquid Testnet", - "@mempoolNetworkLiquidTestnet": { - "description": "Label for Liquid testnet network option" - }, "mempoolCustomServerAdd": "Add Custom Server", - "@mempoolCustomServerAdd": { - "description": "Button text to add a custom mempool server" - }, "mempoolCustomServerEdit": "Edit", - "@mempoolCustomServerEdit": { - "description": "Button text to edit custom server" - }, "mempoolCustomServerDelete": "Delete", - "@mempoolCustomServerDelete": { - "description": "Button text to delete custom server" - }, "mempoolCustomServerLabel": "CUSTOM", - "@mempoolCustomServerLabel": { - "description": "Label badge for custom server" - }, "mempoolServerNotUsed": "Not used (custom server active)", - "@mempoolServerNotUsed": { - "description": "Label shown when default server is not used because custom server is active" - }, "mempoolCustomServerDeleteTitle": "Delete Custom Server?", - "@mempoolCustomServerDeleteTitle": { - "description": "Title for delete confirmation dialog" - }, "mempoolCustomServerDeleteMessage": "Are you sure you want to delete this custom mempool server? The default server will be used instead.", - "@mempoolCustomServerDeleteMessage": { - "description": "Message for delete confirmation dialog" - }, "mempoolCustomServerUrl": "Server URL", - "@mempoolCustomServerUrl": { - "description": "Label for server URL input field" - }, "mempoolCustomServerUrlEmpty": "Please enter a server URL", - "@mempoolCustomServerUrlEmpty": { - "description": "Error message when URL is empty" - }, "mempoolCustomServerSaveSuccess": "Custom server saved successfully", - "@mempoolCustomServerSaveSuccess": { - "description": "Success message after saving custom server" - }, "mempoolCustomServerBottomSheetDescription": "Enter the URL of your custom mempool server. The server will be validated before saving.", - "@mempoolCustomServerBottomSheetDescription": { - "description": "Description text in add custom server bottom sheet" - }, "mempoolSettingsUseForFeeEstimation": "Use for Fee Estimation", - "@mempoolSettingsUseForFeeEstimation": { - "description": "Label for fee estimation toggle" - }, "mempoolSettingsUseForFeeEstimationDescription": "When enabled, this server will be used for fee estimation. When disabled, Bull Bitcoin's mempool server will be used instead.", - "@mempoolSettingsUseForFeeEstimationDescription": { - "description": "Description for fee estimation toggle" - }, "bitcoinSettingsAutoTransferTitle": "Paramètres de transfert automatique", - "@bitcoinSettingsAutoTransferTitle": { - "description": "Titre de la section des paramètres de transfert automatique dans les paramètres Bitcoin" - }, "bitcoinSettingsLegacySeedsTitle": "Phrases de récupération héritées", - "@bitcoinSettingsLegacySeedsTitle": { - "description": "Titre de la section des phrases de récupération héritées dans les paramètres Bitcoin" - }, "bitcoinSettingsImportWalletTitle": "Importer un portefeuille", - "@bitcoinSettingsImportWalletTitle": { - "description": "Titre de l'option d'importation de portefeuille dans les paramètres Bitcoin" - }, "bitcoinSettingsBroadcastTransactionTitle": "Diffuser une transaction", - "@bitcoinSettingsBroadcastTransactionTitle": { - "description": "Titre de l'option de diffusion de transaction dans les paramètres Bitcoin" - }, "bitcoinSettingsTestnetModeTitle": "Mode Testnet", - "@bitcoinSettingsTestnetModeTitle": { - "description": "Titre du bouton de mode Testnet dans les paramètres Bitcoin" - }, "bitcoinSettingsBip85EntropiesTitle": "Entropies déterministes BIP85", - "@bitcoinSettingsBip85EntropiesTitle": { - "description": "Titre de la section des entropies déterministes BIP85 dans les paramètres Bitcoin" - }, "logSettingsLogsTitle": "Journaux", - "@logSettingsLogsTitle": { - "description": "Titre de la section des journaux dans les paramètres" - }, "logSettingsErrorLoadingMessage": "Erreur lors du chargement des journaux : ", - "@logSettingsErrorLoadingMessage": { - "description": "Message d'erreur affiché lorsque les journaux ne peuvent pas être chargés" - }, "appSettingsDevModeTitle": "Mode développeur", - "@appSettingsDevModeTitle": { - "description": "Titre du bouton de mode développeur dans les paramètres de l'application" - }, "currencySettingsDefaultFiatCurrencyLabel": "Devise fiduciaire par défaut", - "@currencySettingsDefaultFiatCurrencyLabel": { - "description": "Libellé du paramètre de devise fiduciaire par défaut" - }, "exchangeSettingsAccountInformationTitle": "Informations du compte", - "@exchangeSettingsAccountInformationTitle": { - "description": "Titre de la section des informations du compte dans les paramètres d'échange" - }, "exchangeSettingsSecuritySettingsTitle": "Paramètres de sécurité", - "@exchangeSettingsSecuritySettingsTitle": { - "description": "Titre de la section des paramètres de sécurité dans les paramètres d'échange" - }, "exchangeSettingsReferralsTitle": "Parrainages", - "@exchangeSettingsReferralsTitle": { - "description": "Titre de la section des parrainages dans les paramètres d'échange" - }, "exchangeSettingsLogInTitle": "Se connecter", - "@exchangeSettingsLogInTitle": { - "description": "Titre de l'option de connexion dans les paramètres d'échange" - }, "exchangeSettingsLogOutTitle": "Se déconnecter", - "@exchangeSettingsLogOutTitle": { - "description": "Titre de l'option de déconnexion dans les paramètres d'échange" - }, "exchangeTransactionsTitle": "Transactions", - "@exchangeTransactionsTitle": { - "description": "Titre de la section des transactions dans l'échange" - }, "exchangeTransactionsComingSoon": "Transactions - Disponible prochainement", - "@exchangeTransactionsComingSoon": { - "description": "Message indiquant que la fonctionnalité des transactions sera bientôt disponible" - }, "exchangeSecurityManage2FAPasswordLabel": "Gérer l'authentification à deux facteurs et le mot de passe", - "@exchangeSecurityManage2FAPasswordLabel": { - "description": "Libellé pour gérer l'authentification à deux facteurs et le mot de passe dans les paramètres de sécurité de l'échange" - }, "exchangeSecurityAccessSettingsButton": "Accéder aux paramètres", - "@exchangeSecurityAccessSettingsButton": { - "description": "Libellé du bouton pour accéder aux paramètres de sécurité dans l'échange" - }, "exchangeReferralsTitle": "Codes de parrainage", - "@exchangeReferralsTitle": { - "description": "Titre de la section des codes de parrainage" - }, "exchangeReferralsJoinMissionTitle": "Rejoignez la mission", - "@exchangeReferralsJoinMissionTitle": { - "description": "Titre encourageant les utilisateurs à rejoindre la mission de parrainage" - }, "exchangeReferralsContactSupportMessage": "Contactez le support pour en savoir plus sur notre programme de parrainage", - "@exchangeReferralsContactSupportMessage": { - "description": "Message invitant les utilisateurs à contacter le support concernant le programme de parrainage" - }, "exchangeReferralsApplyToJoinMessage": "Postulez pour rejoindre le programme ici", - "@exchangeReferralsApplyToJoinMessage": { - "description": "Message avec lien pour postuler au programme de parrainage" - }, "exchangeReferralsMissionLink": "bullbitcoin.com/mission", - "@exchangeReferralsMissionLink": { - "description": "Lien vers la page de mission de Bull Bitcoin" - }, "exchangeRecipientsTitle": "Destinataires", - "@exchangeRecipientsTitle": { - "description": "Titre de la section des destinataires dans l'échange" - }, "exchangeRecipientsComingSoon": "Destinataires - Disponible prochainement", - "@exchangeRecipientsComingSoon": { - "description": "Message indiquant que la fonctionnalité des destinataires sera bientôt disponible" - }, "exchangeLogoutComingSoon": "Déconnexion - Disponible prochainement", - "@exchangeLogoutComingSoon": { - "description": "Message indiquant que la fonctionnalité de déconnexion sera bientôt disponible" - }, "exchangeLegacyTransactionsTitle": "Transactions héritées", - "@exchangeLegacyTransactionsTitle": { - "description": "Titre de la section des transactions héritées dans l'échange" - }, "exchangeLegacyTransactionsComingSoon": "Transactions héritées - Disponible prochainement", - "@exchangeLegacyTransactionsComingSoon": { - "description": "Message indiquant que la fonctionnalité des transactions héritées sera bientôt disponible" - }, "exchangeFileUploadTitle": "Téléversement sécurisé de fichiers", - "@exchangeFileUploadTitle": { - "description": "Titre de la section de téléversement sécurisé de fichiers dans l'échange" - }, "exchangeFileUploadDocumentTitle": "Téléverser un document", - "@exchangeFileUploadDocumentTitle": { - "description": "Titre pour téléverser des documents dans l'échange" - }, "exchangeFileUploadInstructions": "Si vous devez envoyer d'autres documents, téléversez-les ici.", - "@exchangeFileUploadInstructions": { - "description": "Instructions pour téléverser des documents dans l'échange" - }, "exchangeFileUploadButton": "Téléverser", - "@exchangeFileUploadButton": { - "description": "Libellé du bouton pour téléverser des fichiers dans l'échange" - }, "exchangeAccountTitle": "Compte d'échange", - "@exchangeAccountTitle": { - "description": "Titre de la section du compte d'échange" - }, "exchangeAccountSettingsTitle": "Paramètres du compte d'échange", - "@exchangeAccountSettingsTitle": { - "description": "Titre de l'écran des paramètres du compte d'échange" - }, "exchangeAccountComingSoon": "Cette fonctionnalité sera bientôt disponible.", - "@exchangeAccountComingSoon": { - "description": "Message indiquant qu'une fonctionnalité sera bientôt disponible" - }, "exchangeBitcoinWalletsTitle": "Portefeuilles Bitcoin par défaut", - "@exchangeBitcoinWalletsTitle": { - "description": "Titre de la section des portefeuilles Bitcoin par défaut dans l'échange" - }, "exchangeBitcoinWalletsBitcoinAddressLabel": "Adresse Bitcoin", - "@exchangeBitcoinWalletsBitcoinAddressLabel": { - "description": "Libellé du champ d'adresse Bitcoin dans les portefeuilles Bitcoin de l'échange" - }, "exchangeBitcoinWalletsLightningAddressLabel": "Lightning (adresse LN)", - "@exchangeBitcoinWalletsLightningAddressLabel": { - "description": "Libellé du champ d'adresse Lightning dans les portefeuilles Bitcoin de l'échange" - }, "exchangeBitcoinWalletsLiquidAddressLabel": "Adresse Liquid", - "@exchangeBitcoinWalletsLiquidAddressLabel": { - "description": "Libellé du champ d'adresse Liquid dans les portefeuilles Bitcoin de l'échange" - }, "exchangeBitcoinWalletsEnterAddressHint": "Entrez l'adresse", - "@exchangeBitcoinWalletsEnterAddressHint": { - "description": "Texte d'indication pour saisir une adresse dans les portefeuilles Bitcoin de l'échange" - }, "exchangeAppSettingsSaveSuccessMessage": "Paramètres enregistrés avec succès", - "@exchangeAppSettingsSaveSuccessMessage": { - "description": "Message de succès affiché lorsque les paramètres de l'application d'échange sont enregistrés" - }, "exchangeAppSettingsPreferredLanguageLabel": "Langue préférée", - "@exchangeAppSettingsPreferredLanguageLabel": { - "description": "Libellé du paramètre de langue préférée dans les paramètres de l'application d'échange" - }, "exchangeAppSettingsDefaultCurrencyLabel": "Devise par défaut", - "@exchangeAppSettingsDefaultCurrencyLabel": { - "description": "Libellé du paramètre de devise par défaut dans les paramètres de l'application d'échange" - }, "exchangeAppSettingsValidationWarning": "Veuillez définir à la fois la langue et les préférences de devise avant d'enregistrer.", - "@exchangeAppSettingsValidationWarning": { - "description": "Message d'avertissement lorsque les préférences de langue et de devise ne sont pas toutes les deux définies" - }, "exchangeAppSettingsSaveButton": "Enregistrer", - "@exchangeAppSettingsSaveButton": { - "description": "Libellé du bouton pour enregistrer les paramètres de l'application d'échange" - }, "exchangeAccountInfoTitle": "Informations du compte", - "@exchangeAccountInfoTitle": { - "description": "Titre de la section des informations du compte" - }, "exchangeAccountInfoLoadErrorMessage": "Impossible de charger les informations du compte", - "@exchangeAccountInfoLoadErrorMessage": { - "description": "Message d'erreur lorsque les informations du compte ne peuvent pas être chargées" - }, "exchangeAccountInfoUserNumberLabel": "Numéro d'utilisateur", - "@exchangeAccountInfoUserNumberLabel": { - "description": "Libellé du champ de numéro d'utilisateur dans les informations du compte" - }, "exchangeAccountInfoVerificationLevelLabel": "Niveau de vérification", - "@exchangeAccountInfoVerificationLevelLabel": { - "description": "Libellé du champ de niveau de vérification dans les informations du compte" - }, "exchangeAccountInfoEmailLabel": "Courriel", - "@exchangeAccountInfoEmailLabel": { - "description": "Libellé du champ de courriel dans les informations du compte" - }, "exchangeAccountInfoFirstNameLabel": "Prénom", - "@exchangeAccountInfoFirstNameLabel": { - "description": "Libellé du champ de prénom dans les informations du compte" - }, "exchangeAccountInfoLastNameLabel": "Nom de famille", - "@exchangeAccountInfoLastNameLabel": { - "description": "Libellé du champ de nom de famille dans les informations du compte" - }, "exchangeAccountInfoVerificationIdentityVerified": "Identité vérifiée", - "@exchangeAccountInfoVerificationIdentityVerified": { - "description": "Libellé de statut pour le niveau de vérification d'identité vérifiée" - }, "exchangeAccountInfoVerificationLightVerification": "Vérification légère", - "@exchangeAccountInfoVerificationLightVerification": { - "description": "Libellé de statut pour le niveau de vérification légère" - }, "exchangeAccountInfoVerificationLimitedVerification": "Vérification limitée", - "@exchangeAccountInfoVerificationLimitedVerification": { - "description": "Libellé de statut pour le niveau de vérification limitée" - }, "exchangeAccountInfoVerificationNotVerified": "Non vérifié", - "@exchangeAccountInfoVerificationNotVerified": { - "description": "Libellé de statut pour le niveau non vérifié" - }, "exchangeAccountInfoUserNumberCopiedMessage": "Numéro d'utilisateur copié dans le presse-papiers", - "@exchangeAccountInfoUserNumberCopiedMessage": { - "description": "Message de succès lorsque le numéro d'utilisateur est copié dans le presse-papiers" - }, "walletsListTitle": "Détails du portefeuille", - "@walletsListTitle": { - "description": "Titre de l'écran de la liste des détails du portefeuille" - }, "walletsListNoWalletsMessage": "Aucun portefeuille trouvé", - "@walletsListNoWalletsMessage": { - "description": "Message affiché lorsqu'aucun portefeuille n'est trouvé" - }, "walletDeletionConfirmationTitle": "Supprimer le portefeuille", - "@walletDeletionConfirmationTitle": { - "description": "Titre de la boîte de dialogue de confirmation de suppression du portefeuille" - }, "walletDeletionConfirmationMessage": "Êtes-vous sûr de vouloir supprimer ce portefeuille ?", - "@walletDeletionConfirmationMessage": { - "description": "Message dans la boîte de dialogue de confirmation de suppression du portefeuille" - }, "walletDeletionConfirmationCancelButton": "Annuler", - "@walletDeletionConfirmationCancelButton": { - "description": "Libellé du bouton Annuler dans la boîte de dialogue de confirmation de suppression du portefeuille" - }, "walletDeletionConfirmationDeleteButton": "Supprimer", - "@walletDeletionConfirmationDeleteButton": { - "description": "Libellé du bouton Supprimer dans la boîte de dialogue de confirmation de suppression du portefeuille" - }, "walletDeletionFailedTitle": "Échec de la suppression", - "@walletDeletionFailedTitle": { - "description": "Titre de la boîte de dialogue d'échec de suppression du portefeuille" - }, "walletDeletionErrorDefaultWallet": "Vous ne pouvez pas supprimer un portefeuille par défaut.", - "@walletDeletionErrorDefaultWallet": { - "description": "Message d'erreur lors de la tentative de suppression d'un portefeuille par défaut" - }, "walletDeletionErrorOngoingSwaps": "Vous ne pouvez pas supprimer un portefeuille avec des échanges en cours.", - "@walletDeletionErrorOngoingSwaps": { - "description": "Message d'erreur lors de la tentative de suppression d'un portefeuille avec des échanges en cours" - }, "walletDeletionErrorWalletNotFound": "Le portefeuille que vous essayez de supprimer n'existe pas.", - "@walletDeletionErrorWalletNotFound": { - "description": "Message d'erreur lorsque le portefeuille à supprimer ne peut pas être trouvé" - }, "walletDeletionErrorGeneric": "Échec de la suppression du portefeuille, veuillez réessayer.", - "@walletDeletionErrorGeneric": { - "description": "Message d'erreur générique lorsque la suppression du portefeuille échoue" - }, "walletDeletionFailedOkButton": "OK", - "@walletDeletionFailedOkButton": { - "description": "Libellé du bouton OK dans la boîte de dialogue d'échec de suppression du portefeuille" - }, "addressCardUsedLabel": "Utilisée", - "@addressCardUsedLabel": { - "description": "Libellé indiquant qu'une adresse a été utilisée" - }, "addressCardUnusedLabel": "Non utilisée", - "@addressCardUnusedLabel": { - "description": "Libellé indiquant qu'une adresse n'a pas été utilisée" - }, "addressCardCopiedMessage": "Adresse copiée dans le presse-papiers", - "@addressCardCopiedMessage": { - "description": "Message de succès lorsqu'une adresse est copiée dans le presse-papiers" - }, "addressCardIndexLabel": "Index : ", - "@addressCardIndexLabel": { - "description": "Libellé du champ d'index de l'adresse dans la carte d'adresse" - }, "addressCardBalanceLabel": "Solde : ", - "@addressCardBalanceLabel": { - "description": "Libellé du champ de solde dans la carte d'adresse" - }, "onboardingRecoverYourWallet": "Restaurez votre portefeuille", - "@onboardingRecoverYourWallet": { - "description": "Titre de la section de restauration du portefeuille dans l'intégration" - }, "onboardingEncryptedVault": "Coffre-fort chiffré", - "@onboardingEncryptedVault": { - "description": "Titre de l'option de récupération par coffre-fort chiffré dans l'intégration" - }, "onboardingEncryptedVaultDescription": "Récupérez votre sauvegarde via le cloud en utilisant votre code PIN.", - "@onboardingEncryptedVaultDescription": { - "description": "Description de l'option de récupération par coffre-fort chiffré dans l'intégration" - }, "onboardingPhysicalBackup": "Sauvegarde physique", - "@onboardingPhysicalBackup": { - "description": "Titre de l'option de récupération par sauvegarde physique dans l'intégration" - }, "onboardingPhysicalBackupDescription": "Récupérez votre portefeuille via 12 mots.", - "@onboardingPhysicalBackupDescription": { - "description": "Description de l'option de récupération par sauvegarde physique dans l'intégration" - }, "onboardingRecover": "Restaurer", - "@onboardingRecover": { - "description": "Libellé du bouton pour restaurer un portefeuille dans l'intégration" - }, "onboardingBullBitcoin": "Bull Bitcoin", - "@onboardingBullBitcoin": { - "description": "Nom de marque affiché dans l'intégration" - }, "onboardingOwnYourMoney": "Possédez votre argent", - "@onboardingOwnYourMoney": { - "description": "Slogan affiché dans l'écran d'accueil de l'intégration" - }, "onboardingSplashDescription": "Portefeuille Bitcoin à auto-garde souveraine et service d'échange exclusivement Bitcoin.", - "@onboardingSplashDescription": { - "description": "Description de l'application affichée dans l'écran d'accueil de l'intégration" - }, "onboardingRecoverWallet": "Restaurer le portefeuille", - "@onboardingRecoverWallet": { - "description": "Titre de l'écran de restauration du portefeuille dans l'intégration" - }, "onboardingRecoverWalletButton": "Restaurer le portefeuille", - "@onboardingRecoverWalletButton": { - "description": "Libellé du bouton pour restaurer un portefeuille dans l'intégration" - }, "onboardingCreateNewWallet": "Créer un nouveau portefeuille", - "@onboardingCreateNewWallet": { - "description": "Libellé du bouton pour créer un nouveau portefeuille dans l'intégration" - }, "sendTitle": "Envoyer", - "@sendTitle": { - "description": "Titre de l'écran d'envoi" - }, "sendRecipientAddressOrInvoice": "Adresse ou facture du destinataire", - "@sendRecipientAddressOrInvoice": { - "description": "Libellé du champ de saisie de l'adresse ou de la facture du destinataire" - }, "sendPasteAddressOrInvoice": "Collez une adresse de paiement ou une facture", - "@sendPasteAddressOrInvoice": { - "description": "Texte de substitution pour le champ de saisie de l'adresse de paiement ou de la facture" - }, "sendContinue": "Continuer", - "@sendContinue": { - "description": "Libellé du bouton pour continuer dans le flux d'envoi" - }, "sendSelectNetworkFee": "Sélectionnez les frais de réseau", - "@sendSelectNetworkFee": { - "description": "Libellé pour sélectionner les frais de réseau dans le flux d'envoi" - }, "sendSelectAmount": "Sélectionnez le montant", - "@sendSelectAmount": { - "description": "Libellé pour sélectionner le montant à envoyer" - }, "sendAmountRequested": "Montant demandé : ", - "@sendAmountRequested": { - "description": "Libellé du montant demandé dans une demande de paiement" - }, "sendDone": "Terminé", - "@sendDone": { - "description": "Libellé du bouton pour terminer le flux d'envoi" - }, "sendSelectedUtxosInsufficient": "Les UTXO sélectionnés ne couvrent pas le montant requis", - "@sendSelectedUtxosInsufficient": { - "description": "Message d'erreur lorsque les UTXO sélectionnés ne couvrent pas le montant requis" - }, "sendAdvancedOptions": "Options avancées", - "@sendAdvancedOptions": { - "description": "Section header for advanced sending features" - }, "sendReplaceByFeeActivated": "Remplacement par frais activé", - "@sendReplaceByFeeActivated": { - "description": "Message indiquant que le remplacement par frais (RBF) est activé" - }, "sendSelectCoinsManually": "Sélectionner les pièces manuellement", - "@sendSelectCoinsManually": { - "description": "Libellé pour sélectionner manuellement les pièces (UTXOs) dans le flux d'envoi" - }, "sendRecipientAddress": "Adresse du destinataire", - "@sendRecipientAddress": { - "description": "Libellé du champ d'adresse du destinataire" - }, "sendInsufficientBalance": "Solde insuffisant", - "@sendInsufficientBalance": { - "description": "Message d'erreur lorsque le portefeuille a un solde insuffisant pour envoyer" - }, "sendScanBitcoinQRCode": "Scannez n'importe quel code QR Bitcoin ou Lightning pour payer avec Bitcoin.", - "@sendScanBitcoinQRCode": { - "description": "Instructions pour scanner un code QR pour effectuer un paiement Bitcoin" - }, "sendOpenTheCamera": "Ouvrir la caméra", - "@sendOpenTheCamera": { - "description": "Libellé du bouton pour ouvrir la caméra afin de scanner des codes QR" - }, "sendCustomFee": "Frais personnalisés", - "@sendCustomFee": { - "description": "Libellé pour définir des frais de transaction personnalisés" - }, "sendAbsoluteFees": "Frais absolus", - "@sendAbsoluteFees": { - "description": "Libellé pour le mode d'affichage des frais absolus (total en sats)" - }, "sendRelativeFees": "Frais relatifs", - "@sendRelativeFees": { - "description": "Libellé pour le mode d'affichage des frais relatifs (sats par vByte)" - }, "sendSats": "sats", - "@sendSats": { - "description": "Libellé d'unité pour les satoshis" - }, "sendSatsPerVB": "sats/vB", - "@sendSatsPerVB": { - "description": "Libellé d'unité pour les satoshis par octet virtuel" - }, "sendConfirmCustomFee": "Confirmer les frais personnalisés", - "@sendConfirmCustomFee": { - "description": "Libellé du bouton pour confirmer des frais personnalisés" - }, "sendEstimatedDelivery10Minutes": "10 minutes", - "@sendEstimatedDelivery10Minutes": { - "description": "Temps de livraison estimé d'environ 10 minutes" - }, "sendEstimatedDelivery10to30Minutes": "10-30 minutes", - "@sendEstimatedDelivery10to30Minutes": { - "description": "Temps de livraison estimé de 10 à 30 minutes" - }, "sendEstimatedDeliveryFewHours": "quelques heures", - "@sendEstimatedDeliveryFewHours": { - "description": "Temps de livraison estimé de quelques heures" - }, "sendEstimatedDeliveryHoursToDays": "heures à jours", - "@sendEstimatedDeliveryHoursToDays": { - "description": "Temps de livraison estimé allant de quelques heures à plusieurs jours" - }, "sendEstimatedDelivery": "Livraison estimée ~ ", - "@sendEstimatedDelivery": { - "description": "Préfixe du libellé pour le temps de livraison estimé" - }, "sendAddress": "Adresse : ", - "@sendAddress": { - "description": "Préfixe du libellé pour le champ d'adresse" - }, "sendType": "Type : ", - "@sendType": { - "description": "Préfixe du libellé pour le champ de type de transaction" - }, "sendReceive": "Recevoir", - "@sendReceive": { - "description": "Libellé pour le type de transaction de réception" - }, "sendChange": "Monnaie", - "@sendChange": { - "description": "Libellé pour la sortie de monnaie dans une transaction" - }, "sendCouldNotBuildTransaction": "Impossible de construire la transaction", - "@sendCouldNotBuildTransaction": { - "description": "Message d'erreur lorsqu'une transaction ne peut pas être construite" - }, "sendHighFeeWarning": "Avertissement de frais élevés", - "@sendHighFeeWarning": { - "description": "Titre d'avertissement pour les frais de transaction élevés" - }, "sendSlowPaymentWarning": "Avertissement de paiement lent", - "@sendSlowPaymentWarning": { - "description": "Titre d'avertissement pour une confirmation de paiement lente" - }, "sendSlowPaymentWarningDescription": "Les échanges Bitcoin prendront du temps pour être confirmés.", - "@sendSlowPaymentWarningDescription": { - "description": "Description de l'avertissement de paiement lent" - }, "sendAdvancedSettings": "Paramètres avancés", - "@sendAdvancedSettings": { - "description": "Titre des paramètres avancés dans le flux d'envoi" - }, "sendConfirm": "Confirmer", - "@sendConfirm": { - "description": "Libellé du bouton pour confirmer une transaction d'envoi" - }, "sendBroadcastTransaction": "Diffuser la transaction", - "@sendBroadcastTransaction": { - "description": "Libellé du bouton pour diffuser une transaction sur le réseau" - }, "sendFrom": "De", - "@sendFrom": { - "description": "Libellé pour l'expéditeur/source dans une transaction" - }, "sendTo": "À", - "@sendTo": { - "description": "Libellé pour le destinataire/destination dans une transaction" - }, "sendAmount": "Montant", - "@sendAmount": { - "description": "Libellé pour le montant de la transaction" - }, "sendNetworkFees": "Frais de réseau", - "@sendNetworkFees": { - "description": "Libellé pour les frais de transaction du réseau" - }, "sendFeePriority": "Priorité des frais", - "@sendFeePriority": { - "description": "Libellé pour sélectionner le niveau de priorité des frais" - }, "receiveTitle": "Recevoir", - "@receiveTitle": { - "description": "Main screen title for receive feature" - }, "receiveBitcoin": "Bitcoin", - "@receiveBitcoin": { - "description": "Libellé pour recevoir du Bitcoin sur la couche de base" - }, "receiveLightning": "Lightning", - "@receiveLightning": { - "description": "Libellé pour recevoir du Bitcoin via le réseau Lightning" - }, "receiveLiquid": "Liquid", - "@receiveLiquid": { - "description": "Libellé pour recevoir du Bitcoin via le réseau Liquid" - }, "receiveAddLabel": "Ajouter une étiquette", - "@receiveAddLabel": { - "description": "Libellé du bouton pour ajouter une étiquette à une adresse de réception" - }, "receiveNote": "Note", - "@receiveNote": { - "description": "Libellé pour ajouter une note à une transaction de réception" - }, "receiveSave": "Enregistrer", - "@receiveSave": { - "description": "Libellé du bouton pour enregistrer les détails de réception" - }, "receivePayjoinActivated": "Payjoin activé", - "@receivePayjoinActivated": { - "description": "Message indiquant que payjoin est activé pour la transaction de réception" - }, "receiveLightningInvoice": "Facture Lightning", - "@receiveLightningInvoice": { - "description": "Libellé pour une facture du réseau Lightning" - }, "receiveAddress": "Adresse de réception", - "@receiveAddress": { - "description": "Label for generated address" - }, "receiveAmount": "Montant (optionnel)", - "@receiveAmount": { - "description": "Optional amount field for invoice" - }, "receiveNoteLabel": "Note", - "@receiveNoteLabel": { - "description": "Libellé du champ de note dans la réception" - }, "receiveEnterHere": "Entrez ici...", - "@receiveEnterHere": { - "description": "Texte de substitution pour les champs de saisie dans la réception" - }, "receiveSwapID": "ID d'échange", - "@receiveSwapID": { - "description": "Libellé pour l'identifiant d'échange dans une transaction de réception" - }, "receiveTotalFee": "Frais totaux", - "@receiveTotalFee": { - "description": "Libellé pour les frais totaux dans une transaction de réception" - }, "receiveNetworkFee": "Frais de réseau", - "@receiveNetworkFee": { - "description": "Libellé pour les frais de réseau dans une transaction de réception" - }, "receiveBoltzSwapFee": "Frais d'échange Boltz", - "@receiveBoltzSwapFee": { - "description": "Libellé pour les frais du service d'échange Boltz dans une transaction de réception" - }, "receiveCopyOrScanAddressOnly": "Copier ou scanner l'adresse uniquement", - "@receiveCopyOrScanAddressOnly": { - "description": "Option pour copier ou scanner uniquement l'adresse sans le montant ou d'autres détails" - }, "receiveNewAddress": "Nouvelle adresse", - "@receiveNewAddress": { - "description": "Libellé du bouton pour générer une nouvelle adresse de réception" - }, "receiveVerifyAddressOnLedger": "Vérifier l'adresse sur Ledger", - "@receiveVerifyAddressOnLedger": { - "description": "Libellé du bouton pour vérifier une adresse sur un portefeuille matériel Ledger" - }, "receiveUnableToVerifyAddress": "Impossible de vérifier l'adresse : Informations de portefeuille ou d'adresse manquantes", - "@receiveUnableToVerifyAddress": { - "description": "Message d'erreur lorsque la vérification de l'adresse n'est pas possible" - }, "receivePaymentReceived": "Paiement reçu !", - "@receivePaymentReceived": { - "description": "Success message after receiving payment" - }, "receiveDetails": "Détails", - "@receiveDetails": { - "description": "Libellé pour afficher les détails de la transaction" - }, "receivePaymentInProgress": "Paiement en cours", - "@receivePaymentInProgress": { - "description": "Message de statut lorsqu'un paiement est en cours de traitement" - }, "receiveBitcoinTransactionWillTakeTime": "La transaction Bitcoin prendra du temps pour être confirmée.", - "@receiveBitcoinTransactionWillTakeTime": { - "description": "Message d'information sur le temps de confirmation de la transaction Bitcoin" - }, "receiveConfirmedInFewSeconds": "Elle sera confirmée dans quelques secondes", - "@receiveConfirmedInFewSeconds": { - "description": "Message indiquant un temps de confirmation rapide pour les transactions Lightning" - }, "receivePayjoinInProgress": "Payjoin en cours", - "@receivePayjoinInProgress": { - "description": "Message de statut lorsqu'une transaction payjoin est en cours" - }, "receiveWaitForSenderToFinish": "Attendez que l'expéditeur termine la transaction payjoin", - "@receiveWaitForSenderToFinish": { - "description": "Instructions pour attendre l'expéditeur pendant une transaction payjoin" - }, "receiveNoTimeToWait": "Pas le temps d'attendre ou le payjoin a-t-il échoué du côté de l'expéditeur ?", - "@receiveNoTimeToWait": { - "description": "Question demandant à l'utilisateur s'il souhaite procéder sans payjoin" - }, "receivePaymentNormally": "Recevoir le paiement normalement", - "@receivePaymentNormally": { - "description": "Option pour recevoir le paiement sans payjoin s'il échoue" - }, "receiveContinue": "Continuer", - "@receiveContinue": { - "description": "Libellé du bouton pour continuer dans le flux de réception" - }, "receiveCopyAddressOnly": "Copier ou scanner l'adresse uniquement", - "@receiveCopyAddressOnly": { - "description": "Option pour copier ou scanner uniquement l'adresse sans le montant ou d'autres détails" - }, "receiveError": "Erreur : {error}", "@receiveError": { - "description": "Message d'erreur générique avec détails de l'erreur", "placeholders": { "error": { "type": "String" @@ -13368,160 +333,45 @@ } }, "receiveFeeExplanation": "Ces frais seront déduits du montant envoyé", - "@receiveFeeExplanation": { - "description": "Explication que les frais sont déduits du montant envoyé" - }, "receiveNotePlaceholder": "Note", - "@receiveNotePlaceholder": { - "description": "Texte de substitution pour le champ de saisie de note" - }, "receiveReceiveAmount": "Montant à recevoir", - "@receiveReceiveAmount": { - "description": "Libellé pour le montant qui sera reçu après les frais" - }, "receiveSendNetworkFee": "Frais de réseau d'envoi", - "@receiveSendNetworkFee": { - "description": "Libellé pour les frais de réseau sur le réseau d'envoi dans une transaction d'échange" - }, "receiveServerNetworkFees": "Frais de réseau du serveur", - "@receiveServerNetworkFees": { - "description": "Libellé pour les frais de réseau facturés par le serveur d'échange" - }, "receiveSwapId": "ID d'échange", - "@receiveSwapId": { - "description": "Libellé pour l'identifiant d'échange dans une transaction de réception" - }, "receiveTransferFee": "Frais de transfert", - "@receiveTransferFee": { - "description": "Libellé pour les frais de transfert dans une transaction de réception" - }, "receiveVerifyAddressError": "Impossible de vérifier l'adresse : Informations de portefeuille ou d'adresse manquantes", - "@receiveVerifyAddressError": { - "description": "Message d'erreur lorsque la vérification de l'adresse n'est pas possible" - }, "receiveVerifyAddressLedger": "Vérifier l'adresse sur Ledger", - "@receiveVerifyAddressLedger": { - "description": "Libellé du bouton pour vérifier une adresse sur un portefeuille matériel Ledger" - }, "receiveBitcoinConfirmationMessage": "La transaction Bitcoin prendra du temps pour être confirmée.", - "@receiveBitcoinConfirmationMessage": { - "description": "Message d'information sur le temps de confirmation de la transaction Bitcoin" - }, "receiveLiquidConfirmationMessage": "Elle sera confirmée dans quelques secondes", - "@receiveLiquidConfirmationMessage": { - "description": "Message indiquant un temps de confirmation rapide pour les transactions Liquid" - }, "receiveWaitForPayjoin": "Attendez que l'expéditeur termine la transaction payjoin", - "@receiveWaitForPayjoin": { - "description": "Instructions pour attendre l'expéditeur pendant une transaction payjoin" - }, "receivePayjoinFailQuestion": "Pas le temps d'attendre ou le payjoin a-t-il échoué du côté de l'expéditeur ?", - "@receivePayjoinFailQuestion": { - "description": "Question demandant à l'utilisateur s'il souhaite procéder sans payjoin" - }, "buyTitle": "Acheter du Bitcoin", - "@buyTitle": { - "description": "Titre de l'écran d'achat de Bitcoin" - }, "buyEnterAmount": "Entrez le montant", - "@buyEnterAmount": { - "description": "Libellé du champ de saisie du montant dans le flux d'achat" - }, "buyPaymentMethod": "Méthode de paiement", - "@buyPaymentMethod": { - "description": "Libellé du menu déroulant de méthode de paiement" - }, "buyMax": "Max", - "@buyMax": { - "description": "Bouton pour remplir le montant maximum" - }, "buySelectWallet": "Sélectionner le portefeuille", - "@buySelectWallet": { - "description": "Libellé du menu déroulant de sélection du portefeuille" - }, "buyEnterBitcoinAddress": "Entrez l'adresse Bitcoin", - "@buyEnterBitcoinAddress": { - "description": "Libellé du champ de saisie de l'adresse Bitcoin" - }, "buyBitcoinAddressHint": "BC1QYL7J673H...6Y6ALV70M0", - "@buyBitcoinAddressHint": { - "description": "Texte d'indication de substitution pour la saisie de l'adresse Bitcoin" - }, "buyExternalBitcoinWallet": "Portefeuille Bitcoin externe", - "@buyExternalBitcoinWallet": { - "description": "Libellé de l'option de portefeuille externe" - }, "buySecureBitcoinWallet": "Portefeuille Bitcoin sécurisé", - "@buySecureBitcoinWallet": { - "description": "Libellé du portefeuille Bitcoin sécurisé" - }, "buyInstantPaymentWallet": "Portefeuille de paiement instantané", - "@buyInstantPaymentWallet": { - "description": "Libellé du portefeuille de paiement instantané (Liquid)" - }, "buyShouldBuyAtLeast": "Vous devez acheter au moins", - "@buyShouldBuyAtLeast": { - "description": "Message d'erreur pour un montant inférieur au minimum" - }, "buyCantBuyMoreThan": "Vous ne pouvez pas acheter plus de", - "@buyCantBuyMoreThan": { - "description": "Message d'erreur pour un montant supérieur au maximum" - }, "buyKycPendingTitle": "Vérification d'identité KYC en attente", - "@buyKycPendingTitle": { - "description": "Titre de la carte de vérification KYC requise" - }, "buyKycPendingDescription": "Vous devez d'abord compléter la vérification d'identité", - "@buyKycPendingDescription": { - "description": "Description de la vérification KYC requise" - }, "buyCompleteKyc": "Compléter le KYC", - "@buyCompleteKyc": { - "description": "Bouton pour compléter la vérification KYC" - }, "buyInsufficientBalanceTitle": "Solde insuffisant", - "@buyInsufficientBalanceTitle": { - "description": "Titre de l'erreur de solde insuffisant" - }, "buyInsufficientBalanceDescription": "Vous n'avez pas assez de solde pour créer cette commande.", - "@buyInsufficientBalanceDescription": { - "description": "Description de l'erreur de solde insuffisant" - }, "buyFundYourAccount": "Alimenter votre compte", - "@buyFundYourAccount": { - "description": "Bouton pour alimenter le compte d'échange" - }, "buyContinue": "Continuer", - "@buyContinue": { - "description": "Bouton pour passer à l'étape suivante" - }, "buyYouPay": "Vous payez", - "@buyYouPay": { - "description": "Libellé du montant que l'utilisateur paie" - }, "buyYouReceive": "Vous recevez", - "@buyYouReceive": { - "description": "Libellé du montant que l'utilisateur reçoit" - }, "buyBitcoinPrice": "Prix du Bitcoin", - "@buyBitcoinPrice": { - "description": "Libellé du taux de change du Bitcoin" - }, "buyPayoutMethod": "Méthode de paiement", - "@buyPayoutMethod": { - "description": "Libellé de la méthode de paiement" - }, "buyAwaitingConfirmation": "En attente de confirmation ", - "@buyAwaitingConfirmation": { - "description": "Texte affiché en attendant la confirmation de la commande" - }, "buyConfirmPurchase": "Confirmer l'achat", - "@buyConfirmPurchase": { - "description": "Button to confirm purchase" - }, "buyYouBought": "Vous avez acheté {amount}", "@buyYouBought": { - "description": "Message de succès avec le montant acheté", "placeholders": { "amount": { "type": "String" @@ -13529,340 +379,90 @@ } }, "buyPayoutWillBeSentIn": "Votre paiement sera envoyé dans ", - "@buyPayoutWillBeSentIn": { - "description": "Texte avant le compte à rebours pour le paiement" - }, "buyViewDetails": "Voir les détails", - "@buyViewDetails": { - "description": "Bouton pour voir les détails de la commande" - }, "buyAccelerateTransaction": "Accélérer la transaction", - "@buyAccelerateTransaction": { - "description": "Titre de l'option d'accélération de transaction" - }, "buyGetConfirmedFaster": "Faites-la confirmer plus rapidement", - "@buyGetConfirmedFaster": { - "description": "Sous-titre de l'option d'accélération" - }, "buyConfirmExpressWithdrawal": "Confirmer le retrait express", - "@buyConfirmExpressWithdrawal": { - "description": "Titre de l'écran de confirmation du retrait express" - }, "buyNetworkFeeExplanation": "Les frais de réseau Bitcoin seront déduits du montant que vous recevez et collectés par les mineurs de Bitcoin", - "@buyNetworkFeeExplanation": { - "description": "Explication des frais de réseau pour le retrait express" - }, "buyNetworkFees": "Frais de réseau", - "@buyNetworkFees": { - "description": "Libellé du montant des frais de réseau" - }, "buyEstimatedFeeValue": "Valeur estimée des frais", - "@buyEstimatedFeeValue": { - "description": "Libellé de la valeur estimée des frais en devise fiduciaire" - }, "buyNetworkFeeRate": "Taux des frais de réseau", - "@buyNetworkFeeRate": { - "description": "Libellé du taux des frais de réseau" - }, "buyConfirmationTime": "Temps de confirmation", - "@buyConfirmationTime": { - "description": "Libellé du temps de confirmation estimé" - }, "buyConfirmationTimeValue": "~10 minutes", - "@buyConfirmationTimeValue": { - "description": "Valeur du temps de confirmation estimé" - }, "buyWaitForFreeWithdrawal": "Attendre le retrait gratuit", - "@buyWaitForFreeWithdrawal": { - "description": "Bouton pour attendre le retrait gratuit (plus lent)" - }, "buyConfirmExpress": "Confirmer l'express", - "@buyConfirmExpress": { - "description": "Bouton pour confirmer le retrait express" - }, "buyBitcoinSent": "Bitcoin envoyé !", - "@buyBitcoinSent": { - "description": "Message de succès pour la transaction accélérée" - }, "buyThatWasFast": "C'était rapide, n'est-ce pas ?", - "@buyThatWasFast": { - "description": "Message de succès supplémentaire pour la transaction accélérée" - }, "sellTitle": "Vendre du Bitcoin", - "@sellTitle": { - "description": "AppBar title for sell screen" - }, "sellSelectWallet": "Sélectionner le portefeuille", - "@sellSelectWallet": { - "description": "Dropdown to choose source wallet" - }, "sellWhichWalletQuestion": "De quel portefeuille voulez-vous vendre ?", - "@sellWhichWalletQuestion": { - "description": "Question invitant l'utilisateur à sélectionner le portefeuille" - }, "sellExternalWallet": "Portefeuille externe", - "@sellExternalWallet": { - "description": "Option pour le portefeuille externe" - }, "sellFromAnotherWallet": "Vendre depuis un autre portefeuille Bitcoin", - "@sellFromAnotherWallet": { - "description": "Sous-titre de l'option de portefeuille externe" - }, "sellAboveMaxAmountError": "Vous essayez de vendre au-dessus du montant maximum qui peut être vendu avec ce portefeuille.", - "@sellAboveMaxAmountError": { - "description": "Message d'erreur pour un montant supérieur au maximum" - }, "sellBelowMinAmountError": "Vous essayez de vendre en dessous du montant minimum qui peut être vendu avec ce portefeuille.", - "@sellBelowMinAmountError": { - "description": "Message d'erreur pour un montant inférieur au minimum" - }, "sellInsufficientBalanceError": "Solde insuffisant dans le portefeuille sélectionné pour compléter cette commande de vente.", - "@sellInsufficientBalanceError": { - "description": "Message d'erreur pour solde insuffisant" - }, "sellUnauthenticatedError": "Vous n'êtes pas authentifié. Veuillez vous connecter pour continuer.", - "@sellUnauthenticatedError": { - "description": "Message d'erreur pour utilisateur non authentifié" - }, "sellOrderNotFoundError": "La commande de vente n'a pas été trouvée. Veuillez réessayer.", - "@sellOrderNotFoundError": { - "description": "Message d'erreur pour commande introuvable" - }, "sellOrderAlreadyConfirmedError": "Cette commande de vente a déjà été confirmée.", - "@sellOrderAlreadyConfirmedError": { - "description": "Message d'erreur pour commande déjà confirmée" - }, "sellSelectNetwork": "Sélectionner le réseau", - "@sellSelectNetwork": { - "description": "Titre de l'écran de sélection du réseau" - }, "sellHowToPayInvoice": "Comment voulez-vous payer cette facture ?", - "@sellHowToPayInvoice": { - "description": "Question pour la sélection de la méthode de paiement" - }, "sellBitcoinOnChain": "Bitcoin on-chain", - "@sellBitcoinOnChain": { - "description": "Option pour le paiement Bitcoin on-chain" - }, "sellLightningNetwork": "Réseau Lightning", - "@sellLightningNetwork": { - "description": "Option pour le paiement sur le réseau Lightning" - }, "sellLiquidNetwork": "Réseau Liquid", - "@sellLiquidNetwork": { - "description": "Option pour le paiement sur le réseau Liquid" - }, "sellConfirmPayment": "Confirmer le paiement", - "@sellConfirmPayment": { - "description": "Titre de l'écran de confirmation du paiement" - }, "sellPriceWillRefreshIn": "Le prix sera actualisé dans ", - "@sellPriceWillRefreshIn": { - "description": "Texte avant le compte à rebours pour l'actualisation du prix" - }, "sellOrderNumber": "Numéro de commande", - "@sellOrderNumber": { - "description": "Libellé du numéro de commande" - }, "sellPayoutRecipient": "Bénéficiaire du paiement", - "@sellPayoutRecipient": { - "description": "Libellé du bénéficiaire du paiement" - }, "sellCadBalance": "Solde CAD", - "@sellCadBalance": { - "description": "Texte d'affichage pour la méthode de paiement en solde CAD" - }, "sellCrcBalance": "Solde CRC", - "@sellCrcBalance": { - "description": "Texte d'affichage pour la méthode de paiement en solde CRC" - }, "sellEurBalance": "Solde EUR", - "@sellEurBalance": { - "description": "Texte d'affichage pour la méthode de paiement en solde EUR" - }, "sellUsdBalance": "Solde USD", - "@sellUsdBalance": { - "description": "Texte d'affichage pour la méthode de paiement en solde USD" - }, "sellMxnBalance": "Solde MXN", - "@sellMxnBalance": { - "description": "Texte d'affichage pour la méthode de paiement en solde MXN" - }, "sellArsBalance": "Solde ARS", - "@sellArsBalance": { - "description": "Texte d'affichage pour la méthode de paiement en solde ARS" - }, "sellCopBalance": "Solde COP", - "@sellCopBalance": { - "description": "Texte d'affichage pour la méthode de paiement en solde COP" - }, "sellPayinAmount": "Montant à payer", - "@sellPayinAmount": { - "description": "Libellé du montant que l'utilisateur paie" - }, "sellPayoutAmount": "Montant à recevoir", - "@sellPayoutAmount": { - "description": "Libellé du montant que l'utilisateur reçoit" - }, "sellExchangeRate": "Taux de change", - "@sellExchangeRate": { - "description": "Libellé du taux de change" - }, "sellPayFromWallet": "Payer depuis le portefeuille", - "@sellPayFromWallet": { - "description": "Libellé du portefeuille utilisé pour le paiement" - }, "sellInstantPayments": "Paiements instantanés", - "@sellInstantPayments": { - "description": "Texte d'affichage pour le portefeuille de paiement instantané" - }, "sellSecureBitcoinWallet": "Portefeuille Bitcoin sécurisé", - "@sellSecureBitcoinWallet": { - "description": "Texte d'affichage pour le portefeuille Bitcoin sécurisé" - }, "sellFeePriority": "Priorité des frais", - "@sellFeePriority": { - "description": "Libellé de la sélection de la priorité des frais" - }, "sellFastest": "Le plus rapide", - "@sellFastest": { - "description": "Texte d'affichage pour l'option de frais la plus rapide" - }, "sellCalculating": "Calcul en cours...", - "@sellCalculating": { - "description": "Texte affiché pendant le calcul des frais" - }, "sellAdvancedSettings": "Paramètres avancés", - "@sellAdvancedSettings": { - "description": "Bouton pour les paramètres avancés" - }, "sellAdvancedOptions": "Options avancées", - "@sellAdvancedOptions": { - "description": "Titre de la feuille inférieure des options avancées" - }, "sellReplaceByFeeActivated": "Remplacement par frais activé", - "@sellReplaceByFeeActivated": { - "description": "Libellé du bouton à bascule RBF" - }, "sellSelectCoinsManually": "Sélectionner les pièces manuellement", - "@sellSelectCoinsManually": { - "description": "Option pour sélectionner manuellement les UTXOs" - }, "sellDone": "Terminé", - "@sellDone": { - "description": "Bouton pour fermer la feuille inférieure" - }, "sellPleasePayInvoice": "Veuillez payer cette facture", - "@sellPleasePayInvoice": { - "description": "Titre de l'écran de réception du paiement" - }, "sellBitcoinAmount": "Montant Bitcoin", - "@sellBitcoinAmount": { - "description": "Libellé du montant Bitcoin" - }, "sellCopyInvoice": "Copier la facture", - "@sellCopyInvoice": { - "description": "Bouton pour copier la facture" - }, "sellShowQrCode": "Afficher le code QR", - "@sellShowQrCode": { - "description": "Bouton pour afficher le code QR" - }, "sellQrCode": "Code QR", - "@sellQrCode": { - "description": "Titre de la feuille inférieure du code QR" - }, "sellNoInvoiceData": "Aucune donnée de facture disponible", - "@sellNoInvoiceData": { - "description": "Message lorsqu'aucune donnée de facture n'est disponible" - }, "sellInProgress": "Vente en cours...", - "@sellInProgress": { - "description": "Message pour une vente en cours" - }, "sellGoHome": "Aller à l'accueil", - "@sellGoHome": { - "description": "Bouton pour aller à l'écran d'accueil" - }, "sellOrderCompleted": "Commande terminée !", - "@sellOrderCompleted": { - "description": "Message de succès pour une commande terminée" - }, "sellBalanceWillBeCredited": "Le solde de votre compte sera crédité après que votre transaction reçoive 1 confirmation on-chain.", - "@sellBalanceWillBeCredited": { - "description": "Information sur le crédit du solde" - }, "payTitle": "Payer", - "@payTitle": { - "description": "Titre de l'écran de paiement" - }, "paySelectRecipient": "Sélectionner le destinataire", - "@paySelectRecipient": { - "description": "Titre de l'écran de sélection du destinataire" - }, "payWhoAreYouPaying": "Qui payez-vous ?", - "@payWhoAreYouPaying": { - "description": "Question invitant l'utilisateur à sélectionner le destinataire" - }, "payNewRecipients": "Nouveaux destinataires", - "@payNewRecipients": { - "description": "Libellé de l'onglet pour les nouveaux destinataires" - }, "payMyFiatRecipients": "Mes destinataires fiduciaires", - "@payMyFiatRecipients": { - "description": "Libellé de l'onglet pour les destinataires enregistrés" - }, "payNoRecipientsFound": "Aucun destinataire trouvé à payer.", - "@payNoRecipientsFound": { - "description": "Message lorsqu'aucun destinataire n'est trouvé" - }, "payLoadingRecipients": "Chargement des destinataires...", - "@payLoadingRecipients": { - "description": "Message pendant le chargement des destinataires" - }, "payNotLoggedIn": "Non connecté", - "@payNotLoggedIn": { - "description": "Titre de la carte non connecté" - }, "payNotLoggedInDescription": "Vous n'êtes pas connecté. Veuillez vous connecter pour continuer à utiliser la fonction de paiement.", - "@payNotLoggedInDescription": { - "description": "Description de l'état non connecté" - }, "paySelectCountry": "Sélectionner le pays", - "@paySelectCountry": { - "description": "Indication pour le menu déroulant du pays" - }, "payPayoutMethod": "Méthode de paiement", - "@payPayoutMethod": { - "description": "Libellé de la section de méthode de paiement" - }, "payEmail": "Courriel", - "@payEmail": { - "description": "Libellé du champ de courriel" - }, "payEmailHint": "Entrez l'adresse courriel", - "@payEmailHint": { - "description": "Indication pour la saisie du courriel" - }, "payName": "Nom", - "@payName": { - "description": "Libellé du champ de nom" - }, "payNameHint": "Entrez le nom du destinataire", - "@payNameHint": { - "description": "Indication pour la saisie du nom" - }, "paySecurityQuestion": "Question de sécurité", - "@paySecurityQuestion": { - "description": "Libellé du champ de question de sécurité" - }, "paySecurityQuestionHint": "Entrez la question de sécurité (10-40 caractères)", - "@paySecurityQuestionHint": { - "description": "Indication pour la saisie de la question de sécurité" - }, "paySecurityQuestionLength": "{count}/40 caractères", "@paySecurityQuestionLength": { - "description": "Compte de caractères pour la question de sécurité", "placeholders": { "count": { "type": "int" @@ -13870,520 +470,135 @@ } }, "paySecurityQuestionLengthError": "Doit contenir 10-40 caractères", - "@paySecurityQuestionLengthError": { - "description": "Erreur pour longueur de question de sécurité invalide" - }, "paySecurityAnswer": "Réponse de sécurité", - "@paySecurityAnswer": { - "description": "Libellé du champ de réponse de sécurité" - }, "paySecurityAnswerHint": "Entrez la réponse de sécurité", - "@paySecurityAnswerHint": { - "description": "Indication pour la saisie de la réponse de sécurité" - }, "payLabelOptional": "Étiquette (facultatif)", - "@payLabelOptional": { - "description": "Libellé du champ d'étiquette facultatif" - }, "payLabelHint": "Entrez une étiquette pour ce destinataire", - "@payLabelHint": { - "description": "Indication pour la saisie de l'étiquette" - }, "payBillerName": "Nom du facturier", - "@payBillerName": { - "description": "Libellé du champ de nom du facturier" - }, "payBillerNameValue": "Nom du facturier sélectionné", - "@payBillerNameValue": { - "description": "Espace réservé pour le nom du facturier" - }, "payBillerSearchHint": "Entrez les 3 premières lettres du nom du facturier", - "@payBillerSearchHint": { - "description": "Indication pour le champ de recherche du facturier" - }, "payPayeeAccountNumber": "Numéro de compte du bénéficiaire", - "@payPayeeAccountNumber": { - "description": "Libellé du numéro de compte du bénéficiaire" - }, "payPayeeAccountNumberHint": "Entrez le numéro de compte", - "@payPayeeAccountNumberHint": { - "description": "Indication pour la saisie du numéro de compte" - }, "payInstitutionNumber": "Numéro d'institution", - "@payInstitutionNumber": { - "description": "Libellé du numéro d'institution" - }, "payInstitutionNumberHint": "Entrez le numéro d'institution", - "@payInstitutionNumberHint": { - "description": "Indication pour la saisie du numéro d'institution" - }, "payTransitNumber": "Numéro de transit", - "@payTransitNumber": { - "description": "Libellé du numéro de transit" - }, "payTransitNumberHint": "Entrez le numéro de transit", - "@payTransitNumberHint": { - "description": "Indication pour la saisie du numéro de transit" - }, "payAccountNumber": "Numéro de compte", - "@payAccountNumber": { - "description": "Libellé du numéro de compte" - }, "payAccountNumberHint": "Entrez le numéro de compte", - "@payAccountNumberHint": { - "description": "Indication pour la saisie du numéro de compte" - }, "payDefaultCommentOptional": "Commentaire par défaut (facultatif)", - "@payDefaultCommentOptional": { - "description": "Libellé du champ de commentaire par défaut" - }, "payDefaultCommentHint": "Entrez le commentaire par défaut", - "@payDefaultCommentHint": { - "description": "Indication pour la saisie du commentaire par défaut" - }, "payIban": "IBAN", - "@payIban": { - "description": "Libellé du champ IBAN" - }, "payIbanHint": "Entrez l'IBAN", - "@payIbanHint": { - "description": "Indication pour la saisie de l'IBAN" - }, "payCorporate": "Entreprise", - "@payCorporate": { - "description": "Libellé de la case à cocher entreprise" - }, "payIsCorporateAccount": "Est-ce un compte d'entreprise ?", - "@payIsCorporateAccount": { - "description": "Question pour la case à cocher de compte d'entreprise" - }, "payFirstName": "Prénom", - "@payFirstName": { - "description": "Libellé du champ de prénom" - }, "payFirstNameHint": "Entrez le prénom", - "@payFirstNameHint": { - "description": "Indication pour la saisie du prénom" - }, "payLastName": "Nom de famille", - "@payLastName": { - "description": "Libellé du champ de nom de famille" - }, "payLastNameHint": "Entrez le nom de famille", - "@payLastNameHint": { - "description": "Indication pour la saisie du nom de famille" - }, "payCorporateName": "Nom de l'entreprise", - "@payCorporateName": { - "description": "Libellé du champ de nom d'entreprise" - }, "payCorporateNameHint": "Entrez le nom de l'entreprise", - "@payCorporateNameHint": { - "description": "Indication pour la saisie du nom d'entreprise" - }, "payClabe": "CLABE", - "@payClabe": { - "description": "Libellé du champ CLABE" - }, "payClabeHint": "Entrez le numéro CLABE", - "@payClabeHint": { - "description": "Indication pour la saisie du CLABE" - }, "payInstitutionCode": "Code de l'institution", - "@payInstitutionCode": { - "description": "Libellé du champ de code d'institution" - }, "payInstitutionCodeHint": "Entrez le code de l'institution", - "@payInstitutionCodeHint": { - "description": "Indication pour la saisie du code d'institution" - }, "payPhoneNumber": "Numéro de téléphone", - "@payPhoneNumber": { - "description": "Libellé du champ de numéro de téléphone" - }, "payPhoneNumberHint": "Entrez le numéro de téléphone", - "@payPhoneNumberHint": { - "description": "Indication pour la saisie du numéro de téléphone" - }, "payDebitCardNumber": "Numéro de carte de débit", - "@payDebitCardNumber": { - "description": "Libellé du champ de numéro de carte de débit" - }, "payDebitCardNumberHint": "Entrez le numéro de carte de débit", - "@payDebitCardNumberHint": { - "description": "Indication pour la saisie du numéro de carte de débit" - }, "payOwnerName": "Nom du titulaire", - "@payOwnerName": { - "description": "Libellé du champ de nom du titulaire" - }, "payOwnerNameHint": "Entrez le nom du titulaire", - "@payOwnerNameHint": { - "description": "Indication pour la saisie du nom du titulaire" - }, "payValidating": "Validation en cours...", - "@payValidating": { - "description": "Texte affiché pendant la validation SINPE" - }, "payInvalidSinpe": "SINPE invalide", - "@payInvalidSinpe": { - "description": "Message d'erreur pour SINPE invalide" - }, "payFilterByType": "Filtrer par type", - "@payFilterByType": { - "description": "Libellé du menu déroulant de filtre par type" - }, "payAllTypes": "Tous les types", - "@payAllTypes": { - "description": "Option pour le filtre tous les types" - }, "payAllCountries": "Tous les pays", - "@payAllCountries": { - "description": "Option pour le filtre tous les pays" - }, "payRecipientType": "Type de destinataire", - "@payRecipientType": { - "description": "Libellé du type de destinataire" - }, "payRecipientName": "Nom du destinataire", - "@payRecipientName": { - "description": "Libellé du nom du destinataire" - }, "payRecipientDetails": "Détails du destinataire", - "@payRecipientDetails": { - "description": "Libellé des détails du destinataire" - }, "payAccount": "Compte", - "@payAccount": { - "description": "Libellé des détails du compte" - }, "payPayee": "Bénéficiaire", - "@payPayee": { - "description": "Libellé des détails du bénéficiaire" - }, "payCard": "Carte", - "@payCard": { - "description": "Libellé des détails de la carte" - }, "payPhone": "Téléphone", - "@payPhone": { - "description": "Libellé des détails du téléphone" - }, "payNoDetailsAvailable": "Aucun détail disponible", - "@payNoDetailsAvailable": { - "description": "Message lorsque les détails du destinataire ne sont pas disponibles" - }, "paySelectWallet": "Sélectionner le Portefeuille", - "@paySelectWallet": { - "description": "Label for wallet selection dropdown in payment" - }, "payWhichWalletQuestion": "De quel portefeuille voulez-vous payer ?", - "@payWhichWalletQuestion": { - "description": "Question invitant l'utilisateur à sélectionner le portefeuille" - }, "payExternalWallet": "Portefeuille externe", - "@payExternalWallet": { - "description": "Option pour le portefeuille externe" - }, "payFromAnotherWallet": "Payer depuis un autre portefeuille Bitcoin", - "@payFromAnotherWallet": { - "description": "Sous-titre de l'option de portefeuille externe" - }, "payAboveMaxAmountError": "Vous essayez de payer au-dessus du montant maximum qui peut être payé avec ce portefeuille.", - "@payAboveMaxAmountError": { - "description": "Message d'erreur pour un montant supérieur au maximum" - }, "payBelowMinAmountError": "Vous essayez de payer en dessous du montant minimum qui peut être payé avec ce portefeuille.", - "@payBelowMinAmountError": { - "description": "Message d'erreur pour un montant inférieur au minimum" - }, "payInsufficientBalanceError": "Solde insuffisant dans le portefeuille sélectionné pour compléter cette commande de paiement.", - "@payInsufficientBalanceError": { - "description": "Message d'erreur pour solde insuffisant" - }, "payUnauthenticatedError": "Vous n'êtes pas authentifié. Veuillez vous connecter pour continuer.", - "@payUnauthenticatedError": { - "description": "Message d'erreur pour utilisateur non authentifié" - }, "payOrderNotFoundError": "La commande de paiement n'a pas été trouvée. Veuillez réessayer.", - "@payOrderNotFoundError": { - "description": "Message d'erreur pour commande introuvable" - }, "payOrderAlreadyConfirmedError": "Cette commande de paiement a déjà été confirmée.", - "@payOrderAlreadyConfirmedError": { - "description": "Message d'erreur pour commande déjà confirmée" - }, "paySelectNetwork": "Sélectionner le réseau", - "@paySelectNetwork": { - "description": "Titre de l'écran de sélection du réseau" - }, "payHowToPayInvoice": "Comment voulez-vous payer cette facture ?", - "@payHowToPayInvoice": { - "description": "Question pour la sélection de la méthode de paiement" - }, "payBitcoinOnChain": "Bitcoin on-chain", - "@payBitcoinOnChain": { - "description": "Option pour le paiement Bitcoin on-chain" - }, "payLightningNetwork": "Réseau Lightning", - "@payLightningNetwork": { - "description": "Option pour le paiement sur le réseau Lightning" - }, "payLiquidNetwork": "Réseau Liquid", - "@payLiquidNetwork": { - "description": "Option pour le paiement sur le réseau Liquid" - }, "payConfirmPayment": "Confirmer le Paiement", - "@payConfirmPayment": { - "description": "Button text to confirm and execute payment" - }, "payPriceWillRefreshIn": "Le prix sera actualisé dans ", - "@payPriceWillRefreshIn": { - "description": "Texte avant le compte à rebours pour l'actualisation du prix" - }, "payOrderNumber": "Numéro de commande", - "@payOrderNumber": { - "description": "Libellé du numéro de commande" - }, "payPayinAmount": "Montant à payer", - "@payPayinAmount": { - "description": "Libellé du montant que l'utilisateur paie" - }, "payPayoutAmount": "Montant à recevoir", - "@payPayoutAmount": { - "description": "Libellé du montant que l'utilisateur reçoit" - }, "payExchangeRate": "Taux de change", - "@payExchangeRate": { - "description": "Libellé du taux de change" - }, "payPayFromWallet": "Payer depuis le portefeuille", - "@payPayFromWallet": { - "description": "Libellé du portefeuille utilisé pour le paiement" - }, "payInstantPayments": "Paiements instantanés", - "@payInstantPayments": { - "description": "Texte d'affichage pour le portefeuille de paiement instantané" - }, "paySecureBitcoinWallet": "Portefeuille Bitcoin sécurisé", - "@paySecureBitcoinWallet": { - "description": "Texte d'affichage pour le portefeuille Bitcoin sécurisé" - }, "payFeePriority": "Priorité des frais", - "@payFeePriority": { - "description": "Libellé de la sélection de la priorité des frais" - }, "payFastest": "Le plus rapide", - "@payFastest": { - "description": "Texte d'affichage pour l'option de frais la plus rapide" - }, "payNetworkFees": "Frais de réseau", - "@payNetworkFees": { - "description": "Libellé du montant des frais de réseau" - }, "payCalculating": "Calcul en cours...", - "@payCalculating": { - "description": "Texte affiché pendant le calcul des frais" - }, "payAdvancedSettings": "Paramètres avancés", - "@payAdvancedSettings": { - "description": "Bouton pour les paramètres avancés" - }, "payAdvancedOptions": "Options avancées", - "@payAdvancedOptions": { - "description": "Titre de la feuille inférieure des options avancées" - }, "payReplaceByFeeActivated": "Remplacement par frais activé", - "@payReplaceByFeeActivated": { - "description": "Libellé du bouton à bascule RBF" - }, "paySelectCoinsManually": "Sélectionner les pièces manuellement", - "@paySelectCoinsManually": { - "description": "Option pour sélectionner manuellement les UTXOs" - }, "payDone": "Terminé", - "@payDone": { - "description": "Bouton pour fermer la feuille inférieure" - }, "payContinue": "Continuer", - "@payContinue": { - "description": "Bouton pour passer à l'étape suivante" - }, "payPleasePayInvoice": "Veuillez payer cette facture", - "@payPleasePayInvoice": { - "description": "Titre de l'écran de réception du paiement" - }, "payBitcoinAmount": "Montant Bitcoin", - "@payBitcoinAmount": { - "description": "Libellé du montant Bitcoin" - }, "payBitcoinPrice": "Prix du Bitcoin", - "@payBitcoinPrice": { - "description": "Libellé du taux de change du Bitcoin" - }, "payCopyInvoice": "Copier la Facture", - "@payCopyInvoice": { - "description": "Button text to copy invoice to clipboard" - }, "payShowQrCode": "Afficher le code QR", - "@payShowQrCode": { - "description": "Bouton pour afficher le code QR" - }, "payQrCode": "Code QR", - "@payQrCode": { - "description": "Titre de la feuille inférieure du code QR" - }, "payNoInvoiceData": "Aucune donnée de facture disponible", - "@payNoInvoiceData": { - "description": "Message lorsqu'aucune donnée de facture n'est disponible" - }, "payInvalidState": "État invalide", - "@payInvalidState": { - "description": "Message d'erreur pour état invalide" - }, "payInProgress": "Paiement en cours !", - "@payInProgress": { - "description": "Titre de l'écran de paiement en cours" - }, "payInProgressDescription": "Votre paiement a été initié et le destinataire recevra les fonds après que votre transaction reçoive 1 confirmation on-chain.", - "@payInProgressDescription": { - "description": "Description du paiement en cours" - }, "payViewDetails": "Voir les détails", - "@payViewDetails": { - "description": "Bouton pour voir les détails de la commande" - }, "payCompleted": "Paiement terminé !", - "@payCompleted": { - "description": "Titre de l'écran de paiement terminé" - }, "payCompletedDescription": "Votre paiement a été complété et le destinataire a reçu les fonds.", - "@payCompletedDescription": { - "description": "Description du paiement terminé" - }, "paySinpeEnviado": "SINPE ENVIADO !", - "@paySinpeEnviado": { - "description": "Message de succès pour le paiement SINPE (espagnol, conservé tel quel)" - }, "payOrderDetails": "Détails de la commande", - "@payOrderDetails": { - "description": "Titre de l'écran des détails de commande SINPE" - }, "paySinpeMonto": "Montant", - "@paySinpeMonto": { - "description": "Libellé pour le montant dans les détails de commande SINPE" - }, "paySinpeNumeroOrden": "Numéro de commande", - "@paySinpeNumeroOrden": { - "description": "Libellé pour le numéro de commande dans les détails SINPE" - }, "paySinpeNumeroComprobante": "Numéro de référence", - "@paySinpeNumeroComprobante": { - "description": "Libellé pour le numéro de référence dans les détails SINPE" - }, "paySinpeBeneficiario": "Bénéficiaire", - "@paySinpeBeneficiario": { - "description": "Libellé pour le bénéficiaire dans les détails SINPE" - }, "paySinpeOrigen": "Origine", - "@paySinpeOrigen": { - "description": "Libellé pour l'origine dans les détails SINPE" - }, "payNotAvailable": "N/D", - "@payNotAvailable": { - "description": "Texte pour information non disponible" - }, "payBitcoinOnchain": "Bitcoin on-chain", - "@payBitcoinOnchain": { - "description": "Option pour le paiement Bitcoin on-chain" - }, "payAboveMaxAmount": "Vous essayez de payer un montant supérieur au montant maximum pouvant être payé avec ce portefeuille.", - "@payAboveMaxAmount": { - "description": "Message d'erreur lorsque le montant de paiement dépasse le maximum" - }, "payBelowMinAmount": "Vous essayez de payer un montant inférieur au montant minimum pouvant être payé avec ce portefeuille.", - "@payBelowMinAmount": { - "description": "Message d'erreur lorsque le montant de paiement est inférieur au minimum" - }, "payNotAuthenticated": "Vous n'êtes pas authentifié. Veuillez vous connecter pour continuer.", - "@payNotAuthenticated": { - "description": "Message d'erreur lorsque l'utilisateur n'est pas authentifié" - }, "payOrderNotFound": "La commande de paiement n'a pas été trouvée. Veuillez réessayer.", - "@payOrderNotFound": { - "description": "Message d'erreur lorsque la commande de paiement n'est pas trouvée" - }, "payOrderAlreadyConfirmed": "Cette commande de paiement a déjà été confirmée.", - "@payOrderAlreadyConfirmed": { - "description": "Message d'erreur lorsque la commande de paiement est déjà confirmée" - }, "payPaymentInProgress": "Paiement en cours!", - "@payPaymentInProgress": { - "description": "Titre pour l'écran de paiement en cours" - }, "payPaymentInProgressDescription": "Votre paiement a été initié et le destinataire recevra les fonds après que votre transaction reçoive 1 confirmation on-chain.", - "@payPaymentInProgressDescription": { - "description": "Description pour le paiement en cours" - }, "payPriceRefreshIn": "Le prix sera actualisé dans ", - "@payPriceRefreshIn": { - "description": "Texte avant le compte à rebours" - }, "payFor": "Pour", - "@payFor": { - "description": "Libellé pour la section d'informations du destinataire" - }, "payRecipient": "Destinataire", - "@payRecipient": { - "description": "Libellé pour le destinataire" - }, "payAmount": "Montant", - "@payAmount": { - "description": "Libellé pour le montant" - }, "payFee": "Frais", - "@payFee": { - "description": "Libellé pour les frais" - }, "payNetwork": "Réseau", - "@payNetwork": { - "description": "Libellé pour le réseau" - }, "payViewRecipient": "Voir le destinataire", - "@payViewRecipient": { - "description": "Bouton pour voir les détails du destinataire" - }, "payOpenInvoice": "Ouvrir la facture", - "@payOpenInvoice": { - "description": "Bouton pour ouvrir la facture" - }, "payCopied": "Copié!", - "@payCopied": { - "description": "Message de succès après la copie" - }, "payWhichWallet": "De quel portefeuille souhaitez-vous payer?", - "@payWhichWallet": { - "description": "Question pour la sélection du portefeuille" - }, "payExternalWalletDescription": "Payer depuis un autre portefeuille Bitcoin", - "@payExternalWalletDescription": { - "description": "Description pour l'option de portefeuille externe" - }, "payInsufficientBalance": "Solde insuffisant dans le portefeuille sélectionné pour compléter cette commande de paiement.", - "@payInsufficientBalance": { - "description": "Message d'erreur pour solde insuffisant" - }, "payRbfActivated": "Replace-by-fee activé", - "@payRbfActivated": { - "description": "Libellé pour le bouton RBF" - }, "transactionTitle": "Transactions", - "@transactionTitle": { - "description": "Titre de l'écran des transactions" - }, "transactionError": "Erreur - {error}", "@transactionError": { - "description": "Message d'erreur affiché lorsque le chargement de la transaction échoue", "placeholders": { "error": { "type": "String" @@ -14391,20 +606,10 @@ } }, "transactionDetailTitle": "Détails de la transaction", - "@transactionDetailTitle": { - "description": "Titre de l'écran des détails de la transaction" - }, "transactionDetailTransferProgress": "Progression du transfert", - "@transactionDetailTransferProgress": { - "description": "Titre des détails du transfert en cours" - }, "transactionDetailSwapProgress": "Progression de l'échange", - "@transactionDetailSwapProgress": { - "description": "Titre des détails de l'échange en cours" - }, "transactionDetailRetryTransfer": "Réessayer le transfert {action}", "@transactionDetailRetryTransfer": { - "description": "Libellé du bouton pour réessayer une action de transfert échouée", "placeholders": { "action": { "type": "String" @@ -14413,7 +618,6 @@ }, "transactionDetailRetrySwap": "Réessayer l'échange {action}", "@transactionDetailRetrySwap": { - "description": "Libellé du bouton pour réessayer une action d'échange échouée", "placeholders": { "action": { "type": "String" @@ -14421,1404 +625,356 @@ } }, "transactionDetailAddNote": "Ajouter une note", - "@transactionDetailAddNote": { - "description": "Libellé du bouton pour ajouter une note à une transaction" - }, "transactionDetailBumpFees": "Augmenter les frais", - "@transactionDetailBumpFees": { - "description": "Libellé du bouton pour augmenter les frais de transaction via RBF" - }, "transactionFilterAll": "Tous", - "@transactionFilterAll": { - "description": "Option de filtre pour afficher toutes les transactions" - }, "transactionFilterSend": "Envoyer", - "@transactionFilterSend": { - "description": "Option de filtre pour afficher uniquement les transactions envoyées" - }, "transactionFilterReceive": "Recevoir", - "@transactionFilterReceive": { - "description": "Option de filtre pour afficher uniquement les transactions reçues" - }, "transactionFilterTransfer": "Transfert", - "@transactionFilterTransfer": { - "description": "Option de filtre pour afficher uniquement les transactions de transfert/échange" - }, "transactionFilterPayjoin": "Payjoin", - "@transactionFilterPayjoin": { - "description": "Option de filtre pour afficher uniquement les transactions payjoin" - }, "transactionFilterSell": "Vendre", - "@transactionFilterSell": { - "description": "Option de filtre pour afficher uniquement les commandes de vente" - }, "transactionFilterBuy": "Acheter", - "@transactionFilterBuy": { - "description": "Option de filtre pour afficher uniquement les commandes d'achat" - }, "transactionNetworkLightning": "Lightning", - "@transactionNetworkLightning": { - "description": "Libellé pour les transactions du réseau Lightning" - }, "transactionNetworkBitcoin": "Bitcoin", - "@transactionNetworkBitcoin": { - "description": "Libellé pour les transactions du réseau Bitcoin" - }, "transactionNetworkLiquid": "Liquid", - "@transactionNetworkLiquid": { - "description": "Libellé pour les transactions du réseau Liquid" - }, "transactionSwapLiquidToBitcoin": "L-BTC → BTC", - "@transactionSwapLiquidToBitcoin": { - "description": "Libellé pour l'échange Liquid vers Bitcoin" - }, "transactionSwapBitcoinToLiquid": "BTC → L-BTC", - "@transactionSwapBitcoinToLiquid": { - "description": "Libellé pour l'échange Bitcoin vers Liquid" - }, "transactionStatusInProgress": "En cours", - "@transactionStatusInProgress": { - "description": "Libellé de statut pour les transactions en cours" - }, "transactionStatusPending": "En attente", - "@transactionStatusPending": { - "description": "Libellé de statut pour les transactions en attente" - }, "transactionStatusConfirmed": "Confirmée", - "@transactionStatusConfirmed": { - "description": "Libellé de statut pour les transactions confirmées" - }, "transactionStatusTransferCompleted": "Transfert terminé", - "@transactionStatusTransferCompleted": { - "description": "Libellé de statut pour les transferts terminés" - }, "transactionStatusTransferInProgress": "Transfert en cours", - "@transactionStatusTransferInProgress": { - "description": "Libellé de statut pour les transferts en cours" - }, "transactionStatusPaymentInProgress": "Paiement en cours", - "@transactionStatusPaymentInProgress": { - "description": "Libellé de statut pour les paiements Lightning en cours" - }, "transactionStatusPaymentRefunded": "Paiement remboursé", - "@transactionStatusPaymentRefunded": { - "description": "Libellé de statut pour les paiements remboursés" - }, "transactionStatusTransferFailed": "Transfert échoué", - "@transactionStatusTransferFailed": { - "description": "Libellé de statut pour les transferts échoués" - }, "transactionStatusSwapFailed": "Échange échoué", - "@transactionStatusSwapFailed": { - "description": "Libellé de statut pour les échanges échoués" - }, "transactionStatusTransferExpired": "Transfert expiré", - "@transactionStatusTransferExpired": { - "description": "Libellé de statut pour les transferts expirés" - }, "transactionStatusSwapExpired": "Échange expiré", - "@transactionStatusSwapExpired": { - "description": "Libellé de statut pour les échanges expirés" - }, "transactionStatusPayjoinRequested": "Payjoin demandé", - "@transactionStatusPayjoinRequested": { - "description": "Libellé de statut pour les demandes de transaction payjoin" - }, "transactionLabelTransactionId": "ID de transaction", - "@transactionLabelTransactionId": { - "description": "Libellé du champ d'ID de transaction" - }, "transactionLabelToWallet": "Vers le portefeuille", - "@transactionLabelToWallet": { - "description": "Libellé du portefeuille de destination" - }, "transactionLabelFromWallet": "Depuis le portefeuille", - "@transactionLabelFromWallet": { - "description": "Libellé du portefeuille source" - }, "transactionLabelRecipientAddress": "Adresse du destinataire", - "@transactionLabelRecipientAddress": { - "description": "Libellé de l'adresse du destinataire" - }, "transactionLabelAddress": "Adresse", - "@transactionLabelAddress": { - "description": "Libellé de l'adresse de transaction" - }, "transactionLabelAddressNotes": "Notes d'adresse", - "@transactionLabelAddressNotes": { - "description": "Libellé des notes/étiquettes d'adresse" - }, "transactionLabelAmountReceived": "Montant reçu", - "@transactionLabelAmountReceived": { - "description": "Libellé du montant reçu" - }, "transactionLabelAmountSent": "Montant envoyé", - "@transactionLabelAmountSent": { - "description": "Libellé du montant envoyé" - }, "transactionLabelTransactionFee": "Frais de transaction", - "@transactionLabelTransactionFee": { - "description": "Libellé des frais de transaction" - }, "transactionLabelStatus": "Statut", - "@transactionLabelStatus": { - "description": "Libellé du statut de la transaction" - }, "transactionLabelConfirmationTime": "Heure de confirmation", - "@transactionLabelConfirmationTime": { - "description": "Libellé de l'horodatage de confirmation de la transaction" - }, "transactionLabelTransferId": "ID de transfert", - "@transactionLabelTransferId": { - "description": "Libellé de l'ID de transfert/échange" - }, "transactionLabelSwapId": "ID d'échange", - "@transactionLabelSwapId": { - "description": "Libellé de l'ID d'échange" - }, "transactionLabelTransferStatus": "Statut du transfert", - "@transactionLabelTransferStatus": { - "description": "Libellé du statut du transfert" - }, "transactionLabelSwapStatus": "Statut de l'échange", - "@transactionLabelSwapStatus": { - "description": "Libellé du statut de l'échange" - }, "transactionLabelSwapStatusRefunded": "Remboursé", - "@transactionLabelSwapStatusRefunded": { - "description": "Libellé de statut pour les échanges remboursés" - }, "transactionLabelLiquidTransactionId": "ID de transaction Liquid", - "@transactionLabelLiquidTransactionId": { - "description": "Libellé de l'ID de transaction du réseau Liquid" - }, "transactionLabelBitcoinTransactionId": "ID de transaction Bitcoin", - "@transactionLabelBitcoinTransactionId": { - "description": "Libellé de l'ID de transaction du réseau Bitcoin" - }, "transactionLabelTotalTransferFees": "Frais de transfert totaux", - "@transactionLabelTotalTransferFees": { - "description": "Libellé des frais de transfert totaux" - }, "transactionLabelTotalSwapFees": "Frais d'échange totaux", - "@transactionLabelTotalSwapFees": { - "description": "Libellé des frais d'échange totaux" - }, "transactionLabelNetworkFee": "Frais de réseau", - "@transactionLabelNetworkFee": { - "description": "Libellé de la composante des frais de réseau" - }, "transactionLabelTransferFee": "Frais de transfert", - "@transactionLabelTransferFee": { - "description": "Libellé de la composante des frais de transfert" - }, "transactionLabelBoltzSwapFee": "Frais d'échange Boltz", - "@transactionLabelBoltzSwapFee": { - "description": "Libellé de la composante des frais d'échange Boltz" - }, "transactionLabelCreatedAt": "Créé le", - "@transactionLabelCreatedAt": { - "description": "Libellé de l'horodatage de création" - }, "transactionLabelCompletedAt": "Complété le", - "@transactionLabelCompletedAt": { - "description": "Libellé de l'horodatage de complétion" - }, "transactionLabelPayjoinStatus": "Statut du payjoin", - "@transactionLabelPayjoinStatus": { - "description": "Libellé du statut du payjoin" - }, "transactionLabelPayjoinCreationTime": "Heure de création du payjoin", - "@transactionLabelPayjoinCreationTime": { - "description": "Libellé de l'horodatage de création du payjoin" - }, "transactionPayjoinStatusCompleted": "Complété", - "@transactionPayjoinStatusCompleted": { - "description": "Statut du payjoin : complété" - }, "transactionPayjoinStatusExpired": "Expiré", - "@transactionPayjoinStatusExpired": { - "description": "Statut du payjoin : expiré" - }, "transactionOrderLabelOrderType": "Type de commande", - "@transactionOrderLabelOrderType": { - "description": "Libellé du type de commande" - }, "transactionOrderLabelOrderNumber": "Numéro de commande", - "@transactionOrderLabelOrderNumber": { - "description": "Libellé du numéro de commande" - }, "transactionOrderLabelPayinAmount": "Montant à payer", - "@transactionOrderLabelPayinAmount": { - "description": "Libellé du montant à payer de la commande" - }, "transactionOrderLabelPayoutAmount": "Montant à recevoir", - "@transactionOrderLabelPayoutAmount": { - "description": "Libellé du montant à recevoir de la commande" - }, "transactionOrderLabelExchangeRate": "Taux de change", - "@transactionOrderLabelExchangeRate": { - "description": "Libellé du taux de change de la commande" - }, "transactionOrderLabelPayinMethod": "Méthode de paiement", - "@transactionOrderLabelPayinMethod": { - "description": "Libellé de la méthode de paiement de la commande" - }, "transactionOrderLabelPayoutMethod": "Méthode de paiement", - "@transactionOrderLabelPayoutMethod": { - "description": "Libellé de la méthode de paiement de la commande" - }, "transactionOrderLabelPayinStatus": "Statut du paiement", - "@transactionOrderLabelPayinStatus": { - "description": "Libellé du statut du paiement de la commande" - }, "transactionOrderLabelOrderStatus": "Statut de la commande", - "@transactionOrderLabelOrderStatus": { - "description": "Libellé du statut de la commande" - }, "transactionOrderLabelPayoutStatus": "Statut du paiement", - "@transactionOrderLabelPayoutStatus": { - "description": "Libellé du statut du paiement de la commande" - }, "transactionNotesLabel": "Notes de transaction", - "@transactionNotesLabel": { - "description": "Libellé de la section des notes de transaction" - }, "transactionNoteAddTitle": "Ajouter une note", - "@transactionNoteAddTitle": { - "description": "Titre de la boîte de dialogue d'ajout de note" - }, "transactionNoteEditTitle": "Modifier la note", - "@transactionNoteEditTitle": { - "description": "Titre de la boîte de dialogue de modification de note" - }, "transactionNoteHint": "Note", - "@transactionNoteHint": { - "description": "Texte d'indication pour le champ de saisie de note" - }, "transactionNoteSaveButton": "Enregistrer", - "@transactionNoteSaveButton": { - "description": "Libellé du bouton pour enregistrer une note" - }, "transactionNoteUpdateButton": "Mettre à jour", - "@transactionNoteUpdateButton": { - "description": "Libellé du bouton pour mettre à jour une note" - }, "transactionPayjoinNoProposal": "Vous ne recevez pas de proposition de payjoin du destinataire ?", - "@transactionPayjoinNoProposal": { - "description": "Message affiché lorsque la proposition de payjoin n'est pas reçue" - }, "transactionPayjoinSendWithout": "Envoyer sans payjoin", - "@transactionPayjoinSendWithout": { - "description": "Libellé du bouton pour envoyer la transaction sans payjoin" - }, "transactionSwapProgressInitiated": "Initié", - "@transactionSwapProgressInitiated": { - "description": "Étape de progression de l'échange : initié" - }, "transactionSwapProgressPaymentMade": "Paiement\nEffectué", - "@transactionSwapProgressPaymentMade": { - "description": "Étape de progression de l'échange : paiement effectué" - }, "transactionSwapProgressFundsClaimed": "Fonds\nRéclamés", - "@transactionSwapProgressFundsClaimed": { - "description": "Étape de progression de l'échange : fonds réclamés" - }, "transactionSwapProgressBroadcasted": "Diffusée", - "@transactionSwapProgressBroadcasted": { - "description": "Étape de progression de l'échange : transaction diffusée" - }, "transactionSwapProgressInvoicePaid": "Facture\nPayée", - "@transactionSwapProgressInvoicePaid": { - "description": "Étape de progression de l'échange : facture Lightning payée" - }, "transactionSwapProgressConfirmed": "Confirmée", - "@transactionSwapProgressConfirmed": { - "description": "Étape de progression de l'échange : confirmée" - }, "transactionSwapProgressClaim": "Réclamer", - "@transactionSwapProgressClaim": { - "description": "Étape de progression de l'échange : réclamer" - }, "transactionSwapProgressCompleted": "Complétée", - "@transactionSwapProgressCompleted": { - "description": "Étape de progression de l'échange : complétée" - }, "transactionSwapProgressInProgress": "En cours", - "@transactionSwapProgressInProgress": { - "description": "Étape de progression générique de l'échange : en cours" - }, "transactionSwapStatusTransferStatus": "Statut du transfert", - "@transactionSwapStatusTransferStatus": { - "description": "En-tête de la section du statut du transfert" - }, "transactionSwapStatusSwapStatus": "Statut de l'échange", - "@transactionSwapStatusSwapStatus": { - "description": "En-tête de la section du statut de l'échange" - }, "transactionSwapDescLnReceivePending": "Votre échange a été initié. Nous attendons qu'un paiement soit reçu sur le réseau Lightning.", - "@transactionSwapDescLnReceivePending": { - "description": "Description pour l'échange de réception Lightning en attente" - }, "transactionSwapDescLnReceivePaid": "Le paiement a été reçu ! Nous diffusons maintenant la transaction on-chain vers votre portefeuille.", - "@transactionSwapDescLnReceivePaid": { - "description": "Description pour l'échange de réception Lightning payé" - }, "transactionSwapDescLnReceiveClaimable": "La transaction on-chain a été confirmée. Nous réclamons maintenant les fonds pour compléter votre échange.", - "@transactionSwapDescLnReceiveClaimable": { - "description": "Description pour l'échange de réception Lightning réclamable" - }, "transactionSwapDescLnReceiveCompleted": "Votre échange a été complété avec succès ! Les fonds devraient maintenant être disponibles dans votre portefeuille.", - "@transactionSwapDescLnReceiveCompleted": { - "description": "Description pour l'échange de réception Lightning complété" - }, "transactionSwapDescLnReceiveFailed": "Il y a eu un problème avec votre échange. Veuillez contacter le support si les fonds n'ont pas été retournés dans les 24 heures.", - "@transactionSwapDescLnReceiveFailed": { - "description": "Description pour l'échange de réception Lightning échoué" - }, "transactionSwapDescLnReceiveExpired": "Cet échange a expiré. Tous les fonds envoyés seront automatiquement retournés à l'expéditeur.", - "@transactionSwapDescLnReceiveExpired": { - "description": "Description pour l'échange de réception Lightning expiré" - }, "transactionSwapDescLnReceiveDefault": "Votre échange est en cours. Ce processus est automatisé et peut prendre du temps pour se compléter.", - "@transactionSwapDescLnReceiveDefault": { - "description": "Description par défaut pour l'échange de réception Lightning" - }, "transactionSwapDescLnSendPending": "Votre échange a été initié. Nous diffusons la transaction on-chain pour verrouiller vos fonds.", - "@transactionSwapDescLnSendPending": { - "description": "Description pour l'échange d'envoi Lightning en attente" - }, "transactionSwapDescLnSendPaid": "Votre transaction on-chain a été diffusée. Après 1 confirmation, le paiement Lightning sera envoyé.", - "@transactionSwapDescLnSendPaid": { - "description": "Description pour l'échange d'envoi Lightning payé" - }, "transactionSwapDescLnSendCompleted": "Le paiement Lightning a été envoyé avec succès ! Votre échange est maintenant complété.", - "@transactionSwapDescLnSendCompleted": { - "description": "Description pour l'échange d'envoi Lightning complété" - }, "transactionSwapDescLnSendFailed": "Il y a eu un problème avec votre échange. Vos fonds seront retournés automatiquement à votre portefeuille.", - "@transactionSwapDescLnSendFailed": { - "description": "Description pour l'échange d'envoi Lightning échoué" - }, "transactionSwapDescLnSendExpired": "Cet échange a expiré. Vos fonds seront automatiquement retournés à votre portefeuille.", - "@transactionSwapDescLnSendExpired": { - "description": "Description pour l'échange d'envoi Lightning expiré" - }, "transactionSwapDescLnSendDefault": "Votre échange est en cours. Ce processus est automatisé et peut prendre du temps pour se compléter.", - "@transactionSwapDescLnSendDefault": { - "description": "Description par défaut pour l'échange d'envoi Lightning" - }, "transactionSwapDescChainPending": "Votre transfert a été créé mais n'a pas encore été initié.", - "@transactionSwapDescChainPending": { - "description": "Description pour l'échange de chaîne en attente" - }, "transactionSwapDescChainPaid": "Votre transaction a été diffusée. Nous attendons maintenant que la transaction de verrouillage soit confirmée.", - "@transactionSwapDescChainPaid": { - "description": "Description pour l'échange de chaîne payé" - }, "transactionSwapDescChainClaimable": "La transaction de verrouillage a été confirmée. Vous réclamez maintenant les fonds pour compléter votre transfert.", - "@transactionSwapDescChainClaimable": { - "description": "Description pour l'échange de chaîne réclamable" - }, "transactionSwapDescChainRefundable": "Le transfert sera remboursé. Vos fonds seront retournés automatiquement à votre portefeuille.", - "@transactionSwapDescChainRefundable": { - "description": "Description pour l'échange de chaîne remboursable" - }, "transactionSwapDescChainCompleted": "Votre transfert a été complété avec succès ! Les fonds devraient maintenant être disponibles dans votre portefeuille.", - "@transactionSwapDescChainCompleted": { - "description": "Description pour l'échange de chaîne complété" - }, "transactionSwapDescChainFailed": "Il y a eu un problème avec votre transfert. Veuillez contacter le support si les fonds n'ont pas été retournés dans les 24 heures.", - "@transactionSwapDescChainFailed": { - "description": "Description pour l'échange de chaîne échoué" - }, "transactionSwapDescChainExpired": "Ce transfert a expiré. Vos fonds seront automatiquement retournés à votre portefeuille.", - "@transactionSwapDescChainExpired": { - "description": "Description pour l'échange de chaîne expiré" - }, "transactionSwapDescChainDefault": "Votre transfert est en cours. Ce processus est automatisé et peut prendre du temps pour se compléter.", - "@transactionSwapDescChainDefault": { - "description": "Description par défaut pour l'échange de chaîne" - }, "transactionSwapInfoFailedExpired": "Si vous avez des questions ou des préoccupations, veuillez contacter le support pour obtenir de l'aide.", - "@transactionSwapInfoFailedExpired": { - "description": "Information supplémentaire pour les échanges échoués ou expirés" - }, "transactionSwapInfoChainDelay": "Les transferts on-chain peuvent prendre du temps pour se compléter en raison des temps de confirmation de la blockchain.", - "@transactionSwapInfoChainDelay": { - "description": "Information supplémentaire sur les délais de transfert de chaîne" - }, "transactionSwapInfoClaimableTransfer": "Le transfert sera complété automatiquement dans quelques secondes. Si ce n'est pas le cas, vous pouvez tenter une réclamation manuelle en cliquant sur le bouton « Réessayer la réclamation du transfert ».", - "@transactionSwapInfoClaimableTransfer": { - "description": "Information supplémentaire pour les transferts réclamables" - }, "transactionSwapInfoClaimableSwap": "L'échange sera complété automatiquement dans quelques secondes. Si ce n'est pas le cas, vous pouvez tenter une réclamation manuelle en cliquant sur le bouton « Réessayer la réclamation de l'échange ».", - "@transactionSwapInfoClaimableSwap": { - "description": "Information supplémentaire pour les échanges réclamables" - }, "transactionSwapInfoRefundableTransfer": "Ce transfert sera remboursé automatiquement dans quelques secondes. Si ce n'est pas le cas, vous pouvez tenter un remboursement manuel en cliquant sur le bouton « Réessayer le remboursement du transfert ».", - "@transactionSwapInfoRefundableTransfer": { - "description": "Information supplémentaire pour les transferts remboursables" - }, "transactionSwapInfoRefundableSwap": "Cet échange sera remboursé automatiquement dans quelques secondes. Si ce n'est pas le cas, vous pouvez tenter un remboursement manuel en cliquant sur le bouton « Réessayer le remboursement de l'échange ».", - "@transactionSwapInfoRefundableSwap": { - "description": "Information supplémentaire pour les échanges remboursables" - }, "transactionListOngoingTransfersTitle": "Transferts en cours", - "@transactionListOngoingTransfersTitle": { - "description": "Titre de la section des transferts en cours" - }, "transactionListOngoingTransfersDescription": "Ces transferts sont actuellement en cours. Vos fonds sont en sécurité et seront disponibles lorsque le transfert se terminera.", - "@transactionListOngoingTransfersDescription": { - "description": "Description de la section des transferts en cours" - }, "transactionListLoadingTransactions": "Chargement des transactions...", - "@transactionListLoadingTransactions": { - "description": "Message affiché pendant le chargement des transactions" - }, "transactionListNoTransactions": "Aucune transaction pour le moment.", - "@transactionListNoTransactions": { - "description": "Message affiché lorsqu'il n'y a aucune transaction" - }, "transactionListToday": "Aujourd'hui", - "@transactionListToday": { - "description": "Libellé de date pour les transactions d'aujourd'hui" - }, "transactionListYesterday": "Hier", - "@transactionListYesterday": { - "description": "Libellé de date pour les transactions d'hier" - }, "transactionSwapDoNotUninstall": "Ne désinstallez pas l'application tant que l'échange n'est pas terminé.", - "@transactionSwapDoNotUninstall": { - "description": "Message d'avertissement pour ne pas désinstaller l'app pendant un échange" - }, "transactionFeesDeductedFrom": "Ces frais seront déduits du montant envoyé", - "@transactionFeesDeductedFrom": { - "description": "Explication des frais déduits pour les échanges entrants" - }, "transactionFeesTotalDeducted": "Ceci est le total des frais déduits du montant envoyé", - "@transactionFeesTotalDeducted": { - "description": "Explication des frais déduits pour les échanges sortants" - }, "transactionLabelSendAmount": "Montant envoyé", - "@transactionLabelSendAmount": { - "description": "Libellé pour le montant envoyé dans les détails d'échange" - }, "transactionLabelReceiveAmount": "Montant reçu", - "@transactionLabelReceiveAmount": { - "description": "Libellé pour le montant reçu dans les détails d'échange" - }, "transactionLabelSendNetworkFees": "Frais réseau d'envoi", - "@transactionLabelSendNetworkFees": { - "description": "Libellé pour les frais réseau d'envoi dans les détails d'échange" - }, "transactionLabelReceiveNetworkFee": "Frais réseau de réception", - "@transactionLabelReceiveNetworkFee": { - "description": "Libellé pour les frais réseau de réception dans les détails d'échange" - }, "transactionLabelServerNetworkFees": "Frais réseau serveur", - "@transactionLabelServerNetworkFees": { - "description": "Libellé pour les frais réseau serveur dans les détails d'échange" - }, "transactionLabelPreimage": "Préimage", - "@transactionLabelPreimage": { - "description": "Libellé pour la préimage dans les détails d'échange Lightning" - }, "transactionOrderLabelReferenceNumber": "Numéro de référence", - "@transactionOrderLabelReferenceNumber": { - "description": "Libellé pour le numéro de référence dans les détails de commande" - }, "transactionOrderLabelOriginName": "Nom d'origine", - "@transactionOrderLabelOriginName": { - "description": "Libellé pour le nom d'origine dans la commande de paiement fiat" - }, "transactionOrderLabelOriginCedula": "Cédula d'origine", - "@transactionOrderLabelOriginCedula": { - "description": "Libellé pour la cédula d'origine dans la commande de paiement fiat" - }, "transactionDetailAccelerate": "Accélérer", - "@transactionDetailAccelerate": { - "description": "Libellé du bouton pour accélérer (RBF) une transaction non confirmée" - }, "transactionDetailLabelTransactionId": "ID de transaction", - "@transactionDetailLabelTransactionId": { - "description": "Libellé pour l'ID de transaction" - }, "transactionDetailLabelToWallet": "Vers le portefeuille", - "@transactionDetailLabelToWallet": { - "description": "Libellé pour le portefeuille de destination" - }, "transactionDetailLabelFromWallet": "Du portefeuille", - "@transactionDetailLabelFromWallet": { - "description": "Libellé pour le portefeuille source" - }, "transactionDetailLabelRecipientAddress": "Adresse du destinataire", - "@transactionDetailLabelRecipientAddress": { - "description": "Libellé pour l'adresse du destinataire" - }, "transactionDetailLabelAddress": "Adresse", - "@transactionDetailLabelAddress": { - "description": "Libellé pour l'adresse" - }, "transactionDetailLabelAddressNotes": "Notes d'adresse", - "@transactionDetailLabelAddressNotes": { - "description": "Libellé pour les notes d'adresse" - }, "transactionDetailLabelAmountReceived": "Montant reçu", - "@transactionDetailLabelAmountReceived": { - "description": "Libellé pour le montant reçu" - }, "transactionDetailLabelAmountSent": "Montant envoyé", - "@transactionDetailLabelAmountSent": { - "description": "Libellé pour le montant envoyé" - }, "transactionDetailLabelTransactionFee": "Frais de transaction", - "@transactionDetailLabelTransactionFee": { - "description": "Libellé pour les frais de transaction" - }, "transactionDetailLabelStatus": "Statut", - "@transactionDetailLabelStatus": { - "description": "Libellé pour le statut" - }, "transactionDetailLabelConfirmationTime": "Heure de confirmation", - "@transactionDetailLabelConfirmationTime": { - "description": "Libellé pour l'heure de confirmation" - }, "transactionDetailLabelOrderType": "Type de commande", - "@transactionDetailLabelOrderType": { - "description": "Libellé pour le type de commande" - }, "transactionDetailLabelOrderNumber": "Numéro de commande", - "@transactionDetailLabelOrderNumber": { - "description": "Libellé pour le numéro de commande" - }, "transactionDetailLabelPayinAmount": "Montant payé", - "@transactionDetailLabelPayinAmount": { - "description": "Libellé pour le montant payé" - }, "transactionDetailLabelPayoutAmount": "Montant reçu", - "@transactionDetailLabelPayoutAmount": { - "description": "Libellé pour le montant reçu" - }, "transactionDetailLabelExchangeRate": "Taux de change", - "@transactionDetailLabelExchangeRate": { - "description": "Libellé pour le taux de change" - }, "transactionDetailLabelPayinMethod": "Méthode de paiement", - "@transactionDetailLabelPayinMethod": { - "description": "Libellé pour la méthode de paiement" - }, "transactionDetailLabelPayoutMethod": "Méthode de réception", - "@transactionDetailLabelPayoutMethod": { - "description": "Libellé pour la méthode de réception" - }, "transactionDetailLabelPayinStatus": "Statut du paiement", - "@transactionDetailLabelPayinStatus": { - "description": "Libellé pour le statut du paiement" - }, "transactionDetailLabelOrderStatus": "Statut de la commande", - "@transactionDetailLabelOrderStatus": { - "description": "Libellé pour le statut de la commande" - }, "transactionDetailLabelPayoutStatus": "Statut du versement", - "@transactionDetailLabelPayoutStatus": { - "description": "Libellé pour le statut du versement" - }, "transactionDetailLabelCreatedAt": "Créé le", - "@transactionDetailLabelCreatedAt": { - "description": "Libellé pour la date de création" - }, "transactionDetailLabelCompletedAt": "Terminé le", - "@transactionDetailLabelCompletedAt": { - "description": "Libellé pour la date de fin" - }, "transactionDetailLabelTransferId": "ID du transfert", - "@transactionDetailLabelTransferId": { - "description": "Libellé pour l'ID du transfert" - }, "transactionDetailLabelSwapId": "ID de l'échange", - "@transactionDetailLabelSwapId": { - "description": "Libellé pour l'ID de l'échange" - }, "transactionDetailLabelTransferStatus": "Statut du transfert", - "@transactionDetailLabelTransferStatus": { - "description": "Libellé pour le statut du transfert" - }, "transactionDetailLabelSwapStatus": "Statut de l'échange", - "@transactionDetailLabelSwapStatus": { - "description": "Libellé pour le statut de l'échange" - }, "transactionDetailLabelRefunded": "Remboursé", - "@transactionDetailLabelRefunded": { - "description": "Libellé pour le statut remboursé" - }, "transactionDetailLabelLiquidTxId": "ID de transaction Liquid", - "@transactionDetailLabelLiquidTxId": { - "description": "Libellé pour l'ID de transaction Liquid" - }, "transactionDetailLabelBitcoinTxId": "ID de transaction Bitcoin", - "@transactionDetailLabelBitcoinTxId": { - "description": "Libellé pour l'ID de transaction Bitcoin" - }, "transactionDetailLabelTransferFees": "Frais de transfert", - "@transactionDetailLabelTransferFees": { - "description": "Libellé pour les frais de transfert" - }, "transactionDetailLabelSwapFees": "Frais d'échange", - "@transactionDetailLabelSwapFees": { - "description": "Libellé pour les frais d'échange" - }, "transactionDetailLabelSendNetworkFee": "Frais réseau d'envoi", - "@transactionDetailLabelSendNetworkFee": { - "description": "Libellé pour les frais réseau d'envoi" - }, "transactionDetailLabelTransferFee": "Frais de transfert", - "@transactionDetailLabelTransferFee": { - "description": "Libellé pour les frais de transfert (frais Boltz)" - }, "transactionDetailLabelPayjoinStatus": "Statut Payjoin", - "@transactionDetailLabelPayjoinStatus": { - "description": "Libellé pour le statut Payjoin" - }, "transactionDetailLabelPayjoinCompleted": "Terminé", - "@transactionDetailLabelPayjoinCompleted": { - "description": "Statut Payjoin terminé" - }, "transactionDetailLabelPayjoinExpired": "Expiré", - "@transactionDetailLabelPayjoinExpired": { - "description": "Statut Payjoin expiré" - }, "transactionDetailLabelPayjoinCreationTime": "Heure de création Payjoin", - "@transactionDetailLabelPayjoinCreationTime": { - "description": "Libellé pour l'heure de création Payjoin" - }, "globalDefaultBitcoinWalletLabel": "Bitcoin sécurisé", - "@globalDefaultBitcoinWalletLabel": { - "description": "Étiquette par défaut pour les portefeuilles Bitcoin lorsqu'ils sont utilisés par défaut" - }, "globalDefaultLiquidWalletLabel": "Paiements instantanés", - "@globalDefaultLiquidWalletLabel": { - "description": "Étiquette par défaut pour les portefeuilles Liquid/paiements instantanés lorsqu'ils sont utilisés par défaut" - }, "walletTypeWatchOnly": "Lecture seule", - "@walletTypeWatchOnly": { - "description": "Libellé de type de portefeuille pour les portefeuilles en lecture seule" - }, "walletTypeWatchSigner": "Lecture-Signataire", - "@walletTypeWatchSigner": { - "description": "Libellé de type de portefeuille pour les portefeuilles lecture-signataire" - }, "walletTypeBitcoinNetwork": "Réseau Bitcoin", - "@walletTypeBitcoinNetwork": { - "description": "Libellé de type de portefeuille pour le réseau Bitcoin" - }, "walletTypeLiquidLightningNetwork": "Réseau Liquid et Lightning", - "@walletTypeLiquidLightningNetwork": { - "description": "Libellé de type de portefeuille pour le réseau Liquid et Lightning" - }, "walletNetworkBitcoin": "Réseau Bitcoin", - "@walletNetworkBitcoin": { - "description": "Libellé de réseau pour Bitcoin mainnet" - }, "walletNetworkBitcoinTestnet": "Bitcoin Testnet", - "@walletNetworkBitcoinTestnet": { - "description": "Libellé de réseau pour Bitcoin testnet" - }, "walletNetworkLiquid": "Réseau Liquid", - "@walletNetworkLiquid": { - "description": "Libellé de réseau pour Liquid mainnet" - }, "walletNetworkLiquidTestnet": "Liquid Testnet", - "@walletNetworkLiquidTestnet": { - "description": "Libellé de réseau pour Liquid testnet" - }, "walletAddressTypeConfidentialSegwit": "Segwit confidentiel", - "@walletAddressTypeConfidentialSegwit": { - "description": "Type d'adresse pour les portefeuilles Liquid" - }, "walletAddressTypeNativeSegwit": "Segwit natif", - "@walletAddressTypeNativeSegwit": { - "description": "Type d'adresse pour les portefeuilles BIP84" - }, "walletAddressTypeNestedSegwit": "Segwit imbriqué", - "@walletAddressTypeNestedSegwit": { - "description": "Type d'adresse pour les portefeuilles BIP49" - }, "walletAddressTypeLegacy": "Hérité", - "@walletAddressTypeLegacy": { - "description": "Type d'adresse pour les portefeuilles BIP44" - }, "walletBalanceUnconfirmedIncoming": "En cours", - "@walletBalanceUnconfirmedIncoming": { - "description": "Libellé pour le solde entrant non confirmé" - }, "walletButtonReceive": "Recevoir", - "@walletButtonReceive": { - "description": "Libellé du bouton pour recevoir des fonds" - }, "walletButtonSend": "Envoyer", - "@walletButtonSend": { - "description": "Libellé du bouton pour envoyer des fonds" - }, "walletArkInstantPayments": "Paiements instantanés Ark", - "@walletArkInstantPayments": { - "description": "Titre de la carte de portefeuille Ark" - }, "walletArkExperimental": "Expérimental", - "@walletArkExperimental": { - "description": "Description du portefeuille Ark indiquant le statut expérimental" - }, "fundExchangeTitle": "Financement", - "@fundExchangeTitle": { - "description": "AppBar title for funding screen" - }, "fundExchangeAccountTitle": "Approvisionner votre compte", - "@fundExchangeAccountTitle": { - "description": "Titre principal sur l'écran d'approvisionnement du compte d'échange" - }, "fundExchangeAccountSubtitle": "Sélectionnez votre pays et votre mode de paiement", - "@fundExchangeAccountSubtitle": { - "description": "Sous-titre sur l'écran d'approvisionnement du compte invitant l'utilisateur à sélectionner le pays et le mode de paiement" - }, "fundExchangeWarningTitle": "Attention aux escrocs", - "@fundExchangeWarningTitle": { - "description": "Titre de l'écran d'avertissement contre les escrocs" - }, "fundExchangeWarningDescription": "Si quelqu'un vous demande d'acheter du Bitcoin ou vous « aide », soyez prudent, il pourrait essayer de vous escroquer !", - "@fundExchangeWarningDescription": { - "description": "Message d'avertissement concernant les escrocs potentiels lors de l'approvisionnement du compte" - }, "fundExchangeWarningTacticsTitle": "Tactiques courantes des escrocs", - "@fundExchangeWarningTacticsTitle": { - "description": "Titre pour la liste des tactiques courantes des escrocs" - }, "fundExchangeWarningTactic1": "Ils promettent des rendements sur investissement", - "@fundExchangeWarningTactic1": { - "description": "Premier avertissement sur les tactiques des escrocs" - }, "fundExchangeWarningTactic2": "Ils vous offrent un prêt", - "@fundExchangeWarningTactic2": { - "description": "Deuxième avertissement sur les tactiques des escrocs" - }, "fundExchangeWarningTactic3": "Ils disent travailler pour le recouvrement de dettes ou d'impôts", - "@fundExchangeWarningTactic3": { - "description": "Troisième avertissement sur les tactiques des escrocs" - }, "fundExchangeWarningTactic4": "Ils demandent d'envoyer du Bitcoin à leur adresse", - "@fundExchangeWarningTactic4": { - "description": "Quatrième avertissement sur les tactiques des escrocs" - }, "fundExchangeWarningTactic5": "Ils demandent d'envoyer du Bitcoin sur une autre plateforme", - "@fundExchangeWarningTactic5": { - "description": "Cinquième avertissement sur les tactiques des escrocs" - }, "fundExchangeWarningTactic6": "Ils veulent que vous partagiez votre écran", - "@fundExchangeWarningTactic6": { - "description": "Sixième avertissement sur les tactiques des escrocs" - }, "fundExchangeWarningTactic7": "Ils vous disent de ne pas vous inquiéter de cet avertissement", - "@fundExchangeWarningTactic7": { - "description": "Septième avertissement sur les tactiques des escrocs" - }, "fundExchangeWarningTactic8": "Ils vous pressent d'agir rapidement", - "@fundExchangeWarningTactic8": { - "description": "Huitième avertissement sur les tactiques des escrocs" - }, "fundExchangeWarningConfirmation": "Je confirme que personne ne me demande d'acheter du Bitcoin.", - "@fundExchangeWarningConfirmation": { - "description": "Texte de la case à cocher confirmant que l'utilisateur n'est pas contraint d'acheter du Bitcoin" - }, "fundExchangeContinueButton": "Continuer", - "@fundExchangeContinueButton": { - "description": "Libellé du bouton pour continuer de l'écran d'avertissement aux détails du mode de paiement" - }, "fundExchangeDoneButton": "Terminé", - "@fundExchangeDoneButton": { - "description": "Libellé du bouton pour terminer et quitter le flux de financement" - }, "fundExchangeJurisdictionCanada": "🇨🇦 Canada", - "@fundExchangeJurisdictionCanada": { - "description": "Option déroulante pour la juridiction canadienne" - }, "fundExchangeJurisdictionEurope": "🇪🇺 Europe (SEPA)", - "@fundExchangeJurisdictionEurope": { - "description": "Option déroulante pour la juridiction SEPA européenne" - }, "fundExchangeJurisdictionMexico": "🇲🇽 Mexique", - "@fundExchangeJurisdictionMexico": { - "description": "Option déroulante pour la juridiction mexicaine" - }, "fundExchangeJurisdictionCostaRica": "🇨🇷 Costa Rica", - "@fundExchangeJurisdictionCostaRica": { - "description": "Option déroulante pour la juridiction costaricaine" - }, "fundExchangeJurisdictionArgentina": "🇦🇷 Argentine", - "@fundExchangeJurisdictionArgentina": { - "description": "Option déroulante pour la juridiction argentine" - }, "fundExchangeMethodEmailETransfer": "Virement électronique", - "@fundExchangeMethodEmailETransfer": { - "description": "Mode de paiement : virement électronique (Canada)" - }, "fundExchangeMethodEmailETransferSubtitle": "Méthode la plus simple et la plus rapide (instantané)", - "@fundExchangeMethodEmailETransferSubtitle": { - "description": "Sous-titre pour le mode de paiement par virement électronique" - }, "fundExchangeMethodBankTransferWire": "Virement bancaire (Wire ou TEF)", - "@fundExchangeMethodBankTransferWire": { - "description": "Mode de paiement : virement bancaire Wire ou TEF (Canada)" - }, "fundExchangeMethodBankTransferWireSubtitle": "Meilleure option la plus fiable pour les montants importants (jour même ou jour suivant)", - "@fundExchangeMethodBankTransferWireSubtitle": { - "description": "Sous-titre pour le mode de paiement par virement bancaire Wire" - }, "fundExchangeMethodOnlineBillPayment": "Paiement de facture en ligne", - "@fundExchangeMethodOnlineBillPayment": { - "description": "Mode de paiement : paiement de facture en ligne (Canada)" - }, "fundExchangeMethodOnlineBillPaymentSubtitle": "Option la plus lente, mais peut être effectuée via les services bancaires en ligne (3-4 jours ouvrables)", - "@fundExchangeMethodOnlineBillPaymentSubtitle": { - "description": "Sous-titre pour le mode de paiement de facture en ligne" - }, "fundExchangeMethodCanadaPost": "Espèces ou débit en personne à Postes Canada", - "@fundExchangeMethodCanadaPost": { - "description": "Mode de paiement : en personne à Postes Canada" - }, "fundExchangeMethodCanadaPostSubtitle": "Idéal pour ceux qui préfèrent payer en personne", - "@fundExchangeMethodCanadaPostSubtitle": { - "description": "Sous-titre pour le mode de paiement Postes Canada" - }, "fundExchangeMethodInstantSepa": "SEPA instantané", - "@fundExchangeMethodInstantSepa": { - "description": "Mode de paiement : SEPA instantané (Europe)" - }, "fundExchangeMethodInstantSepaSubtitle": "Le plus rapide - Uniquement pour les transactions inférieures à 20 000 €", - "@fundExchangeMethodInstantSepaSubtitle": { - "description": "Sous-titre pour le mode de paiement SEPA instantané" - }, "fundExchangeMethodRegularSepa": "SEPA régulier", - "@fundExchangeMethodRegularSepa": { - "description": "Mode de paiement : SEPA régulier (Europe)" - }, "fundExchangeMethodRegularSepaSubtitle": "À utiliser uniquement pour les transactions supérieures à 20 000 €", - "@fundExchangeMethodRegularSepaSubtitle": { - "description": "Sous-titre pour le mode de paiement SEPA régulier" - }, "fundExchangeMethodSpeiTransfer": "Virement SPEI", - "@fundExchangeMethodSpeiTransfer": { - "description": "Mode de paiement : virement SPEI (Mexique)" - }, "fundExchangeMethodSpeiTransferSubtitle": "Transférez des fonds en utilisant votre CLABE", - "@fundExchangeMethodSpeiTransferSubtitle": { - "description": "Sous-titre pour le mode de paiement par virement SPEI" - }, "fundExchangeMethodSinpeTransfer": "Virement SINPE", - "@fundExchangeMethodSinpeTransfer": { - "description": "Mode de paiement : virement SINPE (Costa Rica)" - }, "fundExchangeMethodSinpeTransferSubtitle": "Transférez des colones en utilisant SINPE", - "@fundExchangeMethodSinpeTransferSubtitle": { - "description": "Sous-titre pour le mode de paiement par virement SINPE" - }, "fundExchangeMethodCrIbanCrc": "IBAN Costa Rica (CRC)", - "@fundExchangeMethodCrIbanCrc": { - "description": "Mode de paiement : IBAN Costa Rica en colones" - }, "fundExchangeMethodCrIbanCrcSubtitle": "Transférez des fonds en colón costaricain (CRC)", - "@fundExchangeMethodCrIbanCrcSubtitle": { - "description": "Sous-titre pour le mode de paiement IBAN Costa Rica CRC" - }, "fundExchangeMethodCrIbanUsd": "IBAN Costa Rica (USD)", - "@fundExchangeMethodCrIbanUsd": { - "description": "Mode de paiement : IBAN Costa Rica en dollars américains" - }, "fundExchangeMethodCrIbanUsdSubtitle": "Transférez des fonds en dollars américains (USD)", - "@fundExchangeMethodCrIbanUsdSubtitle": { - "description": "Sous-titre pour le mode de paiement IBAN Costa Rica USD" - }, "fundExchangeMethodArsBankTransfer": "Virement bancaire", - "@fundExchangeMethodArsBankTransfer": { - "description": "Mode de paiement : virement bancaire (Argentine)" - }, "fundExchangeMethodArsBankTransferSubtitle": "Envoyez un virement bancaire depuis votre compte bancaire", - "@fundExchangeMethodArsBankTransferSubtitle": { - "description": "Sous-titre pour le mode de paiement par virement bancaire argentin" - }, "fundExchangeBankTransferWireTitle": "Virement bancaire (wire)", - "@fundExchangeBankTransferWireTitle": { - "description": "Titre de l'écran pour les détails du virement bancaire wire" - }, "fundExchangeBankTransferWireDescription": "Envoyez un virement bancaire depuis votre compte bancaire en utilisant les coordonnées bancaires de Bull Bitcoin ci-dessous. Votre banque peut ne nécessiter qu'une partie de ces informations.", - "@fundExchangeBankTransferWireDescription": { - "description": "Description de l'utilisation du mode de virement bancaire wire" - }, "fundExchangeBankTransferWireTimeframe": "Tous les fonds que vous envoyez seront ajoutés à votre Bull Bitcoin dans un délai de 1 à 2 jours ouvrables.", - "@fundExchangeBankTransferWireTimeframe": { - "description": "Délai pour que les fonds du virement bancaire wire soient crédités" - }, "fundExchangeLabelBeneficiaryName": "Nom du bénéficiaire", - "@fundExchangeLabelBeneficiaryName": { - "description": "Libellé pour le champ nom du bénéficiaire" - }, "fundExchangeHelpBeneficiaryName": "Utilisez notre nom corporatif officiel. N'utilisez pas « Bull Bitcoin ».", - "@fundExchangeHelpBeneficiaryName": { - "description": "Texte d'aide pour le champ nom du bénéficiaire" - }, "fundExchangeLabelTransferCode": "Code de transfert (ajoutez-le comme description de paiement)", - "@fundExchangeLabelTransferCode": { - "description": "Libellé pour le champ code de transfert" - }, "fundExchangeHelpTransferCode": "Ajoutez ceci comme raison du transfert", - "@fundExchangeHelpTransferCode": { - "description": "Texte d'aide pour le champ code de transfert" - }, "fundExchangeInfoTransferCode": "Vous devez ajouter le code de transfert comme « message » ou « raison » lors du paiement.", - "@fundExchangeInfoTransferCode": { - "description": "Message de la carte d'information sur l'importance du code de transfert" - }, "fundExchangeLabelBankAccountDetails": "Détails du compte bancaire", - "@fundExchangeLabelBankAccountDetails": { - "description": "Libellé pour le champ détails du compte bancaire" - }, "fundExchangeLabelSwiftCode": "Code SWIFT", - "@fundExchangeLabelSwiftCode": { - "description": "Libellé pour le champ code SWIFT" - }, "fundExchangeLabelInstitutionNumber": "Numéro d'institution", - "@fundExchangeLabelInstitutionNumber": { - "description": "Libellé pour le champ numéro d'institution" - }, "fundExchangeLabelTransitNumber": "Numéro de transit", - "@fundExchangeLabelTransitNumber": { - "description": "Libellé pour le champ numéro de transit" - }, "fundExchangeLabelRoutingNumber": "Numéro d'acheminement", - "@fundExchangeLabelRoutingNumber": { - "description": "Libellé pour le champ numéro d'acheminement" - }, "fundExchangeLabelBeneficiaryAddress": "Adresse du bénéficiaire", - "@fundExchangeLabelBeneficiaryAddress": { - "description": "Libellé pour le champ adresse du bénéficiaire" - }, "fundExchangeLabelBankName": "Nom de la banque", - "@fundExchangeLabelBankName": { - "description": "Libellé pour le champ nom de la banque" - }, "fundExchangeLabelBankAddress": "Adresse de notre banque", - "@fundExchangeLabelBankAddress": { - "description": "Libellé pour le champ adresse de la banque" - }, "fundExchangeETransferTitle": "Détails du virement électronique", - "@fundExchangeETransferTitle": { - "description": "Titre de l'écran pour les détails du virement électronique" - }, "fundExchangeETransferDescription": "Tout montant que vous envoyez depuis votre banque par virement électronique en utilisant les informations ci-dessous sera crédité sur votre solde de compte Bull Bitcoin dans quelques minutes.", - "@fundExchangeETransferDescription": { - "description": "Description du fonctionnement du virement électronique et du délai" - }, "fundExchangeETransferLabelBeneficiaryName": "Utilisez ceci comme nom du bénéficiaire du virement électronique", - "@fundExchangeETransferLabelBeneficiaryName": { - "description": "Libellé pour le nom du bénéficiaire du virement électronique" - }, "fundExchangeETransferLabelEmail": "Envoyez le virement électronique à cette adresse courriel", - "@fundExchangeETransferLabelEmail": { - "description": "Libellé pour l'adresse courriel du destinataire du virement électronique" - }, "fundExchangeETransferLabelSecretQuestion": "Question secrète", - "@fundExchangeETransferLabelSecretQuestion": { - "description": "Libellé pour la question de sécurité du virement électronique" - }, "fundExchangeETransferLabelSecretAnswer": "Réponse secrète", - "@fundExchangeETransferLabelSecretAnswer": { - "description": "Libellé pour la réponse de sécurité du virement électronique" - }, "fundExchangeOnlineBillPaymentTitle": "Paiement de facture en ligne", - "@fundExchangeOnlineBillPaymentTitle": { - "description": "Titre de l'écran pour les détails du paiement de facture en ligne" - }, "fundExchangeOnlineBillPaymentDescription": "Tout montant que vous envoyez via la fonctionnalité de paiement de facture en ligne de votre banque en utilisant les informations ci-dessous sera crédité sur votre solde de compte Bull Bitcoin dans un délai de 3 à 4 jours ouvrables.", - "@fundExchangeOnlineBillPaymentDescription": { - "description": "Description du fonctionnement du paiement de facture en ligne et du délai" - }, "fundExchangeOnlineBillPaymentLabelBillerName": "Recherchez dans la liste des fournisseurs de votre banque ce nom", - "@fundExchangeOnlineBillPaymentLabelBillerName": { - "description": "Libellé pour le nom du fournisseur dans le paiement de facture en ligne" - }, "fundExchangeOnlineBillPaymentHelpBillerName": "Ajoutez cette entreprise comme bénéficiaire - c'est le processeur de paiement de Bull Bitcoin", - "@fundExchangeOnlineBillPaymentHelpBillerName": { - "description": "Texte d'aide pour le champ nom du fournisseur" - }, "fundExchangeOnlineBillPaymentLabelAccountNumber": "Ajoutez ceci comme numéro de compte", - "@fundExchangeOnlineBillPaymentLabelAccountNumber": { - "description": "Libellé pour le numéro de compte dans le paiement de facture en ligne" - }, "fundExchangeOnlineBillPaymentHelpAccountNumber": "Ce numéro de compte unique est créé spécialement pour vous", - "@fundExchangeOnlineBillPaymentHelpAccountNumber": { - "description": "Texte d'aide pour le champ numéro de compte" - }, "fundExchangeCanadaPostTitle": "Espèces ou débit en personne à Postes Canada", - "@fundExchangeCanadaPostTitle": { - "description": "Titre de l'écran pour le mode de paiement Postes Canada" - }, "fundExchangeCanadaPostStep1": "1. Rendez-vous dans n'importe quel bureau de Postes Canada", - "@fundExchangeCanadaPostStep1": { - "description": "Étape 1 du processus de paiement Postes Canada" - }, "fundExchangeCanadaPostStep2": "2. Demandez au caissier de scanner le code QR « Loadhub »", - "@fundExchangeCanadaPostStep2": { - "description": "Étape 2 du processus de paiement Postes Canada" - }, "fundExchangeCanadaPostStep3": "3. Indiquez au caissier le montant que vous souhaitez charger", - "@fundExchangeCanadaPostStep3": { - "description": "Étape 3 du processus de paiement Postes Canada" - }, "fundExchangeCanadaPostStep4": "4. Le caissier vous demandera de présenter une pièce d'identité émise par le gouvernement et vérifiera que le nom sur votre pièce d'identité correspond à votre compte Bull Bitcoin", - "@fundExchangeCanadaPostStep4": { - "description": "Étape 4 du processus de paiement Postes Canada - vérification de l'identité" - }, "fundExchangeCanadaPostStep5": "5. Payez en espèces ou par carte de débit", - "@fundExchangeCanadaPostStep5": { - "description": "Étape 5 du processus de paiement Postes Canada" - }, "fundExchangeCanadaPostStep6": "6. Le caissier vous remettra un reçu, conservez-le comme preuve de paiement", - "@fundExchangeCanadaPostStep6": { - "description": "Étape 6 du processus de paiement Postes Canada" - }, "fundExchangeCanadaPostStep7": "7. Les fonds seront ajoutés à votre solde de compte Bull Bitcoin dans les 30 minutes", - "@fundExchangeCanadaPostStep7": { - "description": "Étape 7 du processus de paiement Postes Canada - délai" - }, "fundExchangeCanadaPostQrCodeLabel": "Code QR Loadhub", - "@fundExchangeCanadaPostQrCodeLabel": { - "description": "Libellé pour l'affichage du code QR Loadhub" - }, "fundExchangeSepaTitle": "Virement SEPA", - "@fundExchangeSepaTitle": { - "description": "Titre de l'écran pour les détails du virement SEPA" - }, "fundExchangeSepaDescription": "Envoyez un virement SEPA depuis votre compte bancaire en utilisant les détails ci-dessous ", - "@fundExchangeSepaDescription": { - "description": "Description du virement SEPA (première partie, avant « exactement »)" - }, "fundExchangeSepaDescriptionExactly": "exactement.", - "@fundExchangeSepaDescriptionExactly": { - "description": "Mot souligné « exactement » dans la description SEPA" - }, "fundExchangeInstantSepaInfo": "À utiliser uniquement pour les transactions inférieures à 20 000 €. Pour les transactions plus importantes, utilisez l'option SEPA régulier.", - "@fundExchangeInstantSepaInfo": { - "description": "Message d'information pour les limites de transaction SEPA instantané" - }, "fundExchangeRegularSepaInfo": "À utiliser uniquement pour les transactions supérieures à 20 000 €. Pour les transactions plus petites, utilisez l'option SEPA instantané.", - "@fundExchangeRegularSepaInfo": { - "description": "Message d'information pour les limites de transaction SEPA régulier" - }, "fundExchangeLabelIban": "Numéro de compte IBAN", - "@fundExchangeLabelIban": { - "description": "Libellé pour le champ numéro de compte IBAN" - }, "fundExchangeLabelBicCode": "Code BIC", - "@fundExchangeLabelBicCode": { - "description": "Libellé pour le champ code BIC" - }, "fundExchangeLabelBankAccountCountry": "Pays du compte bancaire", - "@fundExchangeLabelBankAccountCountry": { - "description": "Libellé pour le champ pays du compte bancaire" - }, "fundExchangeInfoBankCountryUk": "Le pays de notre banque est le Royaume-Uni.", - "@fundExchangeInfoBankCountryUk": { - "description": "Message d'information indiquant que le pays de la banque est le Royaume-Uni" - }, "fundExchangeInfoBeneficiaryNameLeonod": "Le nom du bénéficiaire doit être LEONOD. Si vous mettez autre chose, votre paiement sera rejeté.", - "@fundExchangeInfoBeneficiaryNameLeonod": { - "description": "Information critique concernant le nom du bénéficiaire LEONOD" - }, "fundExchangeInfoPaymentDescription": "Dans la description du paiement, ajoutez votre code de transfert.", - "@fundExchangeInfoPaymentDescription": { - "description": "Information sur l'ajout du code de transfert à la description du paiement" - }, "fundExchangeHelpBeneficiaryAddress": "Notre adresse officielle, au cas où votre banque l'exigerait", - "@fundExchangeHelpBeneficiaryAddress": { - "description": "Texte d'aide pour le champ adresse du bénéficiaire" - }, "fundExchangeLabelRecipientName": "Nom du destinataire", - "@fundExchangeLabelRecipientName": { - "description": "Libellé pour le champ nom du destinataire (alternative au nom du bénéficiaire)" - }, "fundExchangeLabelBankCountry": "Pays de la banque", - "@fundExchangeLabelBankCountry": { - "description": "Libellé pour le champ pays de la banque" - }, "fundExchangeLabelRecipientAddress": "Adresse du destinataire", - "@fundExchangeLabelRecipientAddress": { - "description": "Libellé pour le champ adresse du destinataire" - }, "fundExchangeSpeiTitle": "Virement SPEI", - "@fundExchangeSpeiTitle": { - "description": "Titre de l'écran pour le virement SPEI (Mexique)" - }, "fundExchangeSpeiDescription": "Transférez des fonds en utilisant votre CLABE", - "@fundExchangeSpeiDescription": { - "description": "Description pour le mode de virement SPEI" - }, "fundExchangeSpeiInfo": "Effectuez un dépôt par virement SPEI (instantané).", - "@fundExchangeSpeiInfo": { - "description": "Message d'information indiquant que le virement SPEI est instantané" - }, "fundExchangeLabelClabe": "CLABE", - "@fundExchangeLabelClabe": { - "description": "Libellé pour le champ numéro CLABE (Mexique)" - }, "fundExchangeLabelMemo": "Mémo", - "@fundExchangeLabelMemo": { - "description": "Libellé pour le champ mémo/référence" - }, "fundExchangeSinpeTitle": "Virement SINPE", - "@fundExchangeSinpeTitle": { - "description": "Titre de l'écran pour le virement SINPE (Costa Rica)" - }, "fundExchangeSinpeDescription": "Transférez des colones en utilisant SINPE", - "@fundExchangeSinpeDescription": { - "description": "Description pour le mode de virement SINPE" - }, "fundExchangeCrIbanCrcTitle": "Virement bancaire (CRC)", - "@fundExchangeCrIbanCrcTitle": { - "description": "Titre de l'écran pour le virement bancaire costaricain en colones" - }, "fundExchangeCrIbanUsdTitle": "Virement bancaire (USD)", - "@fundExchangeCrIbanUsdTitle": { - "description": "Titre de l'écran pour le virement bancaire costaricain en dollars américains" - }, "fundExchangeCrBankTransferDescription1": "Envoyez un virement bancaire depuis votre compte bancaire en utilisant les détails ci-dessous ", - "@fundExchangeCrBankTransferDescription1": { - "description": "Première partie de la description du virement bancaire costaricain" - }, "fundExchangeCrBankTransferDescriptionExactly": "exactement", - "@fundExchangeCrBankTransferDescriptionExactly": { - "description": "Mot souligné « exactement » dans la description costaricaine" - }, "fundExchangeCrBankTransferDescription2": ". Les fonds seront ajoutés à votre solde de compte.", - "@fundExchangeCrBankTransferDescription2": { - "description": "Deuxième partie de la description du virement bancaire costaricain" - }, "fundExchangeLabelIbanCrcOnly": "Numéro de compte IBAN (pour les colones uniquement)", - "@fundExchangeLabelIbanCrcOnly": { - "description": "Libellé pour le champ IBAN - colones uniquement" - }, "fundExchangeLabelIbanUsdOnly": "Numéro de compte IBAN (pour les dollars américains uniquement)", - "@fundExchangeLabelIbanUsdOnly": { - "description": "Libellé pour le champ IBAN - dollars américains uniquement" - }, "fundExchangeLabelPaymentDescription": "Description du paiement", - "@fundExchangeLabelPaymentDescription": { - "description": "Libellé pour le champ description du paiement" - }, "fundExchangeHelpPaymentDescription": "Votre code de transfert.", - "@fundExchangeHelpPaymentDescription": { - "description": "Texte d'aide pour le champ description du paiement" - }, "fundExchangeInfoTransferCodeRequired": "Vous devez ajouter le code de transfert comme « message » ou « raison » ou « description » lors du paiement. Si vous oubliez de mettre ce code, votre paiement pourrait être rejeté.", - "@fundExchangeInfoTransferCodeRequired": { - "description": "Information importante sur l'exigence du code de transfert pour les virements costaricains" - }, "fundExchangeLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeLabelCedulaJuridica": { - "description": "Libellé pour Cédula Jurídica (numéro d'identification d'entreprise au Costa Rica)" - }, "fundExchangeArsBankTransferTitle": "Virement bancaire", - "@fundExchangeArsBankTransferTitle": { - "description": "Titre de l'écran pour le virement bancaire argentin" - }, "fundExchangeArsBankTransferDescription": "Envoyez un virement bancaire depuis votre compte bancaire en utilisant les coordonnées bancaires exactes de l'Argentine ci-dessous.", - "@fundExchangeArsBankTransferDescription": { - "description": "Description pour le mode de virement bancaire argentin" - }, "fundExchangeLabelRecipientNameArs": "Nom du destinataire", - "@fundExchangeLabelRecipientNameArs": { - "description": "Libellé pour le nom du destinataire dans le virement argentin" - }, "fundExchangeLabelCvu": "CVU", - "@fundExchangeLabelCvu": { - "description": "Libellé pour le numéro CVU (Clave Virtual Uniforme) en Argentine" - }, "fundExchangeErrorLoadingDetails": "Les détails du paiement n'ont pas pu être chargés pour le moment. Veuillez revenir en arrière et réessayer, choisir un autre mode de paiement ou revenir plus tard.", - "@fundExchangeErrorLoadingDetails": { - "description": "Message d'erreur lorsque les détails de financement ne peuvent pas être chargés" - }, "fundExchangeSinpeDescriptionBold": "il sera rejeté.", - "@fundExchangeSinpeDescriptionBold": { - "description": "Texte en gras avertissant que le paiement depuis un mauvais numéro sera rejeté" - }, "fundExchangeSinpeAddedToBalance": "Une fois le paiement envoyé, il sera ajouté au solde de votre compte.", - "@fundExchangeSinpeAddedToBalance": { - "description": "Message expliquant que le paiement sera ajouté au solde du compte" - }, "fundExchangeSinpeWarningNoBitcoin": "Ne mettez pas", - "@fundExchangeSinpeWarningNoBitcoin": { - "description": "Texte d'avertissement en gras au début du message d'avertissement bitcoin" - }, "fundExchangeSinpeWarningNoBitcoinDescription": " le mot « Bitcoin » ou « Crypto » dans la description du paiement. Cela bloquera votre paiement.", - "@fundExchangeSinpeWarningNoBitcoinDescription": { - "description": "Avertissement que l'inclusion de Bitcoin ou Crypto dans la description bloquera le paiement" - }, "fundExchangeSinpeLabelPhone": "Envoyer à ce numéro de téléphone", - "@fundExchangeSinpeLabelPhone": { - "description": "Libellé pour le champ du numéro de téléphone SINPE Móvil" - }, "fundExchangeSinpeLabelRecipientName": "Nom du destinataire", - "@fundExchangeSinpeLabelRecipientName": { - "description": "Libellé pour le nom du destinataire dans le virement SINPE" - }, "fundExchangeCrIbanCrcDescription": "Envoyez un virement bancaire depuis votre compte bancaire en utilisant les détails ci-dessous ", - "@fundExchangeCrIbanCrcDescription": { - "description": "Première partie de la description pour le virement CR IBAN CRC" - }, "fundExchangeCrIbanCrcDescriptionBold": "exactement", - "@fundExchangeCrIbanCrcDescriptionBold": { - "description": "Mot d'emphase en gras pour les instructions de virement CR IBAN" - }, "fundExchangeCrIbanCrcDescriptionEnd": ". Les fonds seront ajoutés au solde de votre compte.", - "@fundExchangeCrIbanCrcDescriptionEnd": { - "description": "Fin de la description pour le virement CR IBAN CRC" - }, "fundExchangeCrIbanCrcLabelIban": "Numéro de compte IBAN (Colones seulement)", - "@fundExchangeCrIbanCrcLabelIban": { - "description": "Libellé pour le champ du numéro IBAN pour CRC (Colones) uniquement" - }, "fundExchangeCrIbanCrcLabelPaymentDescription": "Description du paiement", - "@fundExchangeCrIbanCrcLabelPaymentDescription": { - "description": "Libellé pour le champ de description du paiement dans le virement CR IBAN" - }, "fundExchangeCrIbanCrcPaymentDescriptionHelp": "Votre code de virement.", - "@fundExchangeCrIbanCrcPaymentDescriptionHelp": { - "description": "Texte d'aide expliquant que la description du paiement est le code de virement" - }, "fundExchangeCrIbanCrcTransferCodeWarning": "Vous devez ajouter le code de virement comme « message » ou « raison » ou « description » lors du paiement. Si vous oubliez d'inclure ce code, votre paiement peut être rejeté.", - "@fundExchangeCrIbanCrcTransferCodeWarning": { - "description": "Avertissement concernant l'inclusion du code de virement dans le paiement" - }, "fundExchangeCrIbanCrcLabelRecipientName": "Nom du destinataire", - "@fundExchangeCrIbanCrcLabelRecipientName": { - "description": "Libellé pour le nom du destinataire dans le virement CR IBAN CRC" - }, "fundExchangeCrIbanCrcRecipientNameHelp": "Utilisez notre nom d'entreprise officiel. N'utilisez pas « Bull Bitcoin ».", - "@fundExchangeCrIbanCrcRecipientNameHelp": { - "description": "Texte d'aide pour le champ du nom du destinataire expliquant d'utiliser le nom d'entreprise" - }, "fundExchangeCrIbanCrcLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanCrcLabelCedulaJuridica": { - "description": "Libellé pour Cédula Jurídica (numéro d'identification légale au Costa Rica)" - }, "fundExchangeCrIbanUsdDescription": "Envoyez un virement bancaire depuis votre compte bancaire en utilisant les détails ci-dessous ", - "@fundExchangeCrIbanUsdDescription": { - "description": "Première partie de la description pour le virement CR IBAN USD" - }, "fundExchangeCrIbanUsdDescriptionBold": "exactement", - "@fundExchangeCrIbanUsdDescriptionBold": { - "description": "Mot d'emphase en gras pour les instructions de virement CR IBAN USD" - }, "fundExchangeCrIbanUsdDescriptionEnd": ". Les fonds seront ajoutés au solde de votre compte.", - "@fundExchangeCrIbanUsdDescriptionEnd": { - "description": "Fin de la description pour le virement CR IBAN USD" - }, "fundExchangeCrIbanUsdLabelIban": "Numéro de compte IBAN (dollars américains seulement)", - "@fundExchangeCrIbanUsdLabelIban": { - "description": "Libellé pour le champ du numéro IBAN pour USD uniquement" - }, "fundExchangeCrIbanUsdLabelPaymentDescription": "Description du paiement", - "@fundExchangeCrIbanUsdLabelPaymentDescription": { - "description": "Libellé pour le champ de description du paiement dans le virement CR IBAN USD" - }, "fundExchangeCrIbanUsdPaymentDescriptionHelp": "Votre code de virement.", - "@fundExchangeCrIbanUsdPaymentDescriptionHelp": { - "description": "Texte d'aide expliquant que la description du paiement est le code de virement" - }, "fundExchangeCrIbanUsdTransferCodeWarning": "Vous devez ajouter le code de virement comme « message » ou « raison » ou « description » lors du paiement. Si vous oubliez d'inclure ce code, votre paiement peut être rejeté.", - "@fundExchangeCrIbanUsdTransferCodeWarning": { - "description": "Avertissement concernant l'inclusion du code de virement dans le paiement pour les virements USD" - }, "fundExchangeCrIbanUsdLabelRecipientName": "Nom du destinataire", - "@fundExchangeCrIbanUsdLabelRecipientName": { - "description": "Libellé pour le nom du destinataire dans le virement CR IBAN USD" - }, "fundExchangeCrIbanUsdRecipientNameHelp": "Utilisez notre nom d'entreprise officiel. N'utilisez pas « Bull Bitcoin ».", - "@fundExchangeCrIbanUsdRecipientNameHelp": { - "description": "Texte d'aide pour le champ du nom du destinataire expliquant d'utiliser le nom d'entreprise" - }, "fundExchangeCrIbanUsdLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanUsdLabelCedulaJuridica": { - "description": "Libellé pour Cédula Jurídica (numéro d'identification légale au Costa Rica) pour USD" - }, "fundExchangeCostaRicaMethodSinpeTitle": "SINPE Móvil", - "@fundExchangeCostaRicaMethodSinpeTitle": { - "description": "Titre de la méthode de paiement pour SINPE Móvil dans la liste des méthodes" - }, "fundExchangeCostaRicaMethodSinpeSubtitle": "Transférer des Colones en utilisant SINPE", - "@fundExchangeCostaRicaMethodSinpeSubtitle": { - "description": "Description sous-titre pour la méthode de paiement SINPE Móvil" - }, "fundExchangeCostaRicaMethodIbanCrcTitle": "IBAN Costa Rica (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcTitle": { - "description": "Titre de la méthode de paiement pour IBAN CRC dans la liste des méthodes" - }, "fundExchangeCostaRicaMethodIbanCrcSubtitle": "Transférer des fonds en Colón costaricain (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcSubtitle": { - "description": "Description sous-titre pour la méthode de paiement IBAN CRC" - }, "fundExchangeCostaRicaMethodIbanUsdTitle": "IBAN Costa Rica (USD)", - "@fundExchangeCostaRicaMethodIbanUsdTitle": { - "description": "Titre de la méthode de paiement pour IBAN USD dans la liste des méthodes" - }, "fundExchangeCostaRicaMethodIbanUsdSubtitle": "Transférer des fonds en dollars américains (USD)", - "@fundExchangeCostaRicaMethodIbanUsdSubtitle": { - "description": "Description sous-titre pour la méthode de paiement IBAN USD" - }, "backupWalletTitle": "Sauvegarder votre portefeuille", - "@backupWalletTitle": { - "description": "AppBar title for main backup options screen" - }, "testBackupTitle": "Tester son backup", - "@testBackupTitle": { - "description": "AppBar title for main backup options screen" - }, "backupImportanceMessage": "Sans sauvegarde, vous finirez par perdre l'accès à votre argent. Il est essentiel de faire une sauvegarde.", - "@backupImportanceMessage": { - "description": "Message d'avertissement critique sur l'importance de sauvegarder le portefeuille" - }, "encryptedVaultTitle": "Coffre-fort chiffré", - "@encryptedVaultTitle": { - "description": "Titre pour l'option de sauvegarde par coffre-fort chiffré" - }, "encryptedVaultDescription": "Sauvegarde anonyme avec chiffrement fort utilisant votre nuage.", - "@encryptedVaultDescription": { - "description": "Description de la méthode de sauvegarde par coffre-fort chiffré" - }, "encryptedVaultTag": "Facile et simple (1 minute)", - "@encryptedVaultTag": { - "description": "Étiquette indiquant que le coffre-fort chiffré est rapide et facile" - }, "physicalBackupTitle": "Sauvegarde physique", - "@physicalBackupTitle": { - "description": "Titre pour l'option de sauvegarde physique" - }, "physicalBackupDescription": "Notez 12 mots sur une feuille de papier. Gardez-les en sécurité et assurez-vous de ne pas les perdre.", - "@physicalBackupDescription": { - "description": "Description de la méthode de sauvegarde physique" - }, "physicalBackupTag": "Sans confiance (prenez votre temps)", - "@physicalBackupTag": { - "description": "Étiquette indiquant que la sauvegarde physique est sans confiance mais prend du temps" - }, "howToDecideButton": "Comment décider ?", - "@howToDecideButton": { - "description": "Libellé du bouton pour afficher des informations sur le choix des méthodes de sauvegarde" - }, "backupBestPracticesTitle": "Meilleures pratiques de sauvegarde", - "@backupBestPracticesTitle": { - "description": "Titre de l'écran des meilleures pratiques de sauvegarde" - }, "lastBackupTestLabel": "Dernier test de sauvegarde : {date}", "@lastBackupTestLabel": { - "description": "Libellé affichant la date du dernier test de sauvegarde", "placeholders": { "date": { "type": "String", @@ -15827,120 +983,35 @@ } }, "backupInstruction1": "Si vous perdez votre sauvegarde de 12 mots, vous ne pourrez pas récupérer l'accès au portefeuille Bitcoin.", - "@backupInstruction1": { - "description": "Première instruction de sauvegarde avertissant de la perte de la sauvegarde de 12 mots" - }, "backupInstruction2": "Sans sauvegarde, si vous perdez ou cassez votre téléphone, ou si vous désinstallez l'application Bull Bitcoin, vos bitcoins seront perdus à jamais.", - "@backupInstruction2": { - "description": "Deuxième instruction de sauvegarde avertissant de la perte du téléphone ou de l'application" - }, "backupInstruction3": "Toute personne ayant accès à votre sauvegarde de 12 mots peut voler vos bitcoins. Cachez-la bien.", - "@backupInstruction3": { - "description": "Troisième instruction de sauvegarde avertissant de la sécurité de la sauvegarde" - }, "backupInstruction4": "Ne faites pas de copies numériques de votre sauvegarde. Écrivez-la sur une feuille de papier ou gravez-la dans du métal.", - "@backupInstruction4": { - "description": "Quatrième instruction de sauvegarde concernant l'absence de copies numériques" - }, "backupInstruction5": "Votre sauvegarde n'est pas protégée par une phrase de passe. Ajoutez une phrase de passe à votre sauvegarde ultérieurement en créant un nouveau portefeuille.", - "@backupInstruction5": { - "description": "Cinquième instruction de sauvegarde concernant la protection par phrase de passe" - }, "backupButton": "Sauvegarder", - "@backupButton": { - "description": "Libellé du bouton pour démarrer le processus de sauvegarde" - }, "backupCompletedTitle": "Sauvegarde terminée !", - "@backupCompletedTitle": { - "description": "Titre affiché lorsque la sauvegarde est terminée avec succès" - }, "backupCompletedDescription": "Testons maintenant votre sauvegarde pour nous assurer que tout a été fait correctement.", - "@backupCompletedDescription": { - "description": "Description invitant l'utilisateur à tester sa sauvegarde" - }, "testBackupButton": "Tester la sauvegarde", - "@testBackupButton": { - "description": "Libellé du bouton pour tester la sauvegarde" - }, "keyServerLabel": "Serveur de clés ", - "@keyServerLabel": { - "description": "Libellé pour l'état du serveur de clés" - }, "physicalBackupStatusLabel": "Sauvegarde physique", - "@physicalBackupStatusLabel": { - "description": "Libellé d'état pour la sauvegarde physique" - }, "encryptedVaultStatusLabel": "Coffre-fort chiffré", - "@encryptedVaultStatusLabel": { - "description": "Libellé d'état pour le coffre-fort chiffré" - }, "testedStatus": "Testé", - "@testedStatus": { - "description": "Texte d'état indiquant que la sauvegarde a été testée" - }, "notTestedStatus": "Non testé", - "@notTestedStatus": { - "description": "Texte d'état indiquant que la sauvegarde n'a pas été testée" - }, "startBackupButton": "Démarrer la sauvegarde", - "@startBackupButton": { - "description": "Libellé du bouton pour démarrer le processus de sauvegarde" - }, "exportVaultButton": "Exporter le coffre-fort", - "@exportVaultButton": { - "description": "Libellé du bouton pour exporter le coffre-fort" - }, "exportingVaultButton": "Exportation...", - "@exportingVaultButton": { - "description": "Libellé du bouton affiché pendant l'exportation du coffre-fort" - }, "viewVaultKeyButton": "Afficher la clé du coffre-fort", - "@viewVaultKeyButton": { - "description": "Libellé du bouton pour afficher la clé du coffre-fort" - }, "revealingVaultKeyButton": "Révélation...", - "@revealingVaultKeyButton": { - "description": "Libellé du bouton affiché pendant la révélation de la clé du coffre-fort" - }, "errorLabel": "Erreur", - "@errorLabel": { - "description": "Libellé pour les messages d'erreur" - }, "backupKeyTitle": "Clé de sauvegarde", - "@backupKeyTitle": { - "description": "Titre de l'écran de la clé de sauvegarde" - }, "failedToDeriveBackupKey": "Échec de la dérivation de la clé de sauvegarde", - "@failedToDeriveBackupKey": { - "description": "Message d'erreur lorsque la dérivation de la clé de sauvegarde échoue" - }, "securityWarningTitle": "Avertissement de sécurité", - "@securityWarningTitle": { - "description": "Titre de la boîte de dialogue d'avertissement de sécurité" - }, "backupKeyWarningMessage": "Attention : Faites attention à l'endroit où vous enregistrez la clé de sauvegarde.", - "@backupKeyWarningMessage": { - "description": "Message d'avertissement concernant le stockage de la clé de sauvegarde" - }, "backupKeySeparationWarning": "Il est essentiel que vous n'enregistriez pas la clé de sauvegarde au même endroit que votre fichier de sauvegarde. Stockez-les toujours sur des appareils séparés ou des fournisseurs de cloud différents.", - "@backupKeySeparationWarning": { - "description": "Avertissement concernant le stockage séparé de la clé de sauvegarde et du fichier" - }, "backupKeyExampleWarning": "Par exemple, si vous avez utilisé Google Drive pour votre fichier de sauvegarde, n'utilisez pas Google Drive pour votre clé de sauvegarde.", - "@backupKeyExampleWarning": { - "description": "Exemple d'avertissement sur l'utilisation du même fournisseur de cloud" - }, "cancelButton": "Annuler", - "@cancelButton": { - "description": "Button to cancel logout action" - }, "continueButton": "Continuer", - "@continueButton": { - "description": "Default button text for success state" - }, "testWalletTitle": "Tester {walletName}", "@testWalletTitle": { - "description": "Titre pour tester la sauvegarde du portefeuille", "placeholders": { "walletName": { "type": "String", @@ -15949,48 +1020,17 @@ } }, "defaultWalletsLabel": "Portefeuilles par défaut", - "@defaultWalletsLabel": { - "description": "Libellé pour les portefeuilles par défaut" - }, "confirmButton": "Confirmer", - "@confirmButton": { - "description": "Libellé du bouton pour confirmer l'action" - }, "recoveryPhraseTitle": "Notez votre phrase de récupération\ndans le bon ordre", - "@recoveryPhraseTitle": { - "description": "Titre demandant à l'utilisateur de noter la phrase de récupération" - }, "storeItSafelyMessage": "Conservez-la dans un endroit sûr.", - "@storeItSafelyMessage": { - "description": "Instruction de conserver la phrase de récupération en lieu sûr" - }, "doNotShareWarning": "NE LA PARTAGEZ AVEC PERSONNE", - "@doNotShareWarning": { - "description": "Avertissement de ne pas partager la phrase de récupération avec qui que ce soit" - }, "transcribeLabel": "Transcrire", - "@transcribeLabel": { - "description": "Libellé indiquant que l'utilisateur doit transcrire les mots" - }, "digitalCopyLabel": "Copie numérique", - "@digitalCopyLabel": { - "description": "Libellé pour copie numérique (avec marque X)" - }, "screenshotLabel": "Capture d'écran", - "@screenshotLabel": { - "description": "Libellé pour capture d'écran (avec marque X)" - }, "nextButton": "Suivant", - "@nextButton": { - "description": "Libellé du bouton pour passer à l'étape suivante" - }, "tapWordsInOrderTitle": "Appuyez sur les mots de récupération dans\nle bon ordre", - "@tapWordsInOrderTitle": { - "description": "Titre demandant à l'utilisateur d'appuyer sur les mots dans l'ordre" - }, "whatIsWordNumberPrompt": "Quel est le mot numéro {number} ?", "@whatIsWordNumberPrompt": { - "description": "Invite demandant un numéro de mot spécifique", "placeholders": { "number": { "type": "int", @@ -15999,96 +1039,29 @@ } }, "allWordsSelectedMessage": "Vous avez sélectionné tous les mots", - "@allWordsSelectedMessage": { - "description": "Message affiché lorsque tous les mots sont sélectionnés" - }, "verifyButton": "Vérifier", - "@verifyButton": { - "description": "Libellé du bouton pour vérifier la phrase de récupération" - }, "passphraseLabel": "Phrase secrète", - "@passphraseLabel": { - "description": "Label for optional passphrase input field" - }, "testYourWalletTitle": "Testez votre portefeuille", - "@testYourWalletTitle": { - "description": "Titre de l'écran de test de votre portefeuille" - }, "vaultSuccessfullyImported": "Votre coffre-fort a été importé avec succès", - "@vaultSuccessfullyImported": { - "description": "Message affiché lorsque le coffre-fort est importé avec succès" - }, "backupIdLabel": "ID de sauvegarde :", - "@backupIdLabel": { - "description": "Libellé pour l'ID de sauvegarde" - }, "createdAtLabel": "Créé le :", - "@createdAtLabel": { - "description": "Libellé pour la date de création" - }, "enterBackupKeyManuallyButton": "Entrer la clé de sauvegarde manuellement >>", - "@enterBackupKeyManuallyButton": { - "description": "Libellé du bouton pour entrer la clé de sauvegarde manuellement" - }, "decryptVaultButton": "Déchiffrer le coffre-fort", - "@decryptVaultButton": { - "description": "Libellé du bouton pour déchiffrer le coffre-fort" - }, "testCompletedSuccessTitle": "Test terminé avec succès !", - "@testCompletedSuccessTitle": { - "description": "Titre affiché lorsque le test de sauvegarde est réussi" - }, "testCompletedSuccessMessage": "Vous êtes en mesure de récupérer l'accès à un portefeuille Bitcoin perdu", - "@testCompletedSuccessMessage": { - "description": "Message affiché lorsque le test de sauvegarde est réussi" - }, "gotItButton": "Compris", - "@gotItButton": { - "description": "Libellé du bouton pour confirmer la compréhension du test réussi" - }, "legacySeedViewScreenTitle": "Graines héritées", - "@legacySeedViewScreenTitle": { - "description": "AppBar title for legacy seeds screen" - }, "legacySeedViewNoSeedsMessage": "Aucune seed héritée trouvée.", - "@legacySeedViewNoSeedsMessage": { - "description": "Message affiché lorsqu'aucune seed héritée n'est trouvée" - }, "legacySeedViewMnemonicLabel": "Mnémonique", - "@legacySeedViewMnemonicLabel": { - "description": "Libellé pour les mots mnémoniques" - }, "legacySeedViewPassphrasesLabel": "Phrases de passe :", - "@legacySeedViewPassphrasesLabel": { - "description": "Libellé pour la section des phrases de passe" - }, "legacySeedViewEmptyPassphrase": "(vide)", - "@legacySeedViewEmptyPassphrase": { - "description": "Texte affiché pour une phrase de passe vide" - }, "enterBackupKeyManuallyTitle": "Entrer la clé de sauvegarde manuellement", - "@enterBackupKeyManuallyTitle": { - "description": "Titre de l'écran d'entrée manuelle de la clé de sauvegarde" - }, "enterBackupKeyManuallyDescription": "Si vous avez exporté votre clé de sauvegarde et l'avez enregistrée dans un emplacement séparé par vous-même, vous pouvez l'entrer manuellement ici. Sinon, retournez à l'écran précédent.", - "@enterBackupKeyManuallyDescription": { - "description": "Description pour l'entrée manuelle de la clé de sauvegarde" - }, "enterBackupKeyLabel": "Entrer la clé de sauvegarde", - "@enterBackupKeyLabel": { - "description": "Libellé pour le champ de saisie de la clé de sauvegarde" - }, "backupKeyHint": "acc8b7b12daf06412f45a90b7fd2…", - "@backupKeyHint": { - "description": "Texte d'indication pour la saisie de la clé de sauvegarde" - }, "automaticallyFetchKeyButton": "Récupérer automatiquement la clé >>", - "@automaticallyFetchKeyButton": { - "description": "Libellé du bouton pour récupérer automatiquement la clé" - }, "enterYourPinTitle": "Entrez votre {pinOrPassword}", "@enterYourPinTitle": { - "description": "Titre pour entrer le code PIN ou le mot de passe", "placeholders": { "pinOrPassword": { "type": "String", @@ -16098,7 +1071,6 @@ }, "enterYourBackupPinTitle": "Entrez votre {pinOrPassword} de sauvegarde", "@enterYourBackupPinTitle": { - "description": "Titre pour entrer le code PIN ou le mot de passe de sauvegarde", "placeholders": { "pinOrPassword": { "type": "String", @@ -16108,7 +1080,6 @@ }, "enterPinToContinueMessage": "Entrez votre {pinOrPassword} pour continuer", "@enterPinToContinueMessage": { - "description": "Message invitant l'utilisateur à entrer le code PIN/mot de passe pour continuer", "placeholders": { "pinOrPassword": { "type": "String", @@ -16118,7 +1089,6 @@ }, "testBackupPinMessage": "Testez pour vous assurer que vous vous souvenez de votre {pinOrPassword} de sauvegarde", "@testBackupPinMessage": { - "description": "Message invitant l'utilisateur à tester le code PIN/mot de passe de sauvegarde", "placeholders": { "pinOrPassword": { "type": "String", @@ -16127,104 +1097,31 @@ } }, "passwordLabel": "Mot de passe", - "@passwordLabel": { - "description": "Libellé pour le champ de saisie du mot de passe" - }, "pickPasswordInsteadButton": "Choisir un mot de passe >>", - "@pickPasswordInsteadButton": { - "description": "Libellé du bouton pour passer à la saisie du mot de passe" - }, "pickPinInsteadButton": "Choisir un code PIN à la place >>", - "@pickPinInsteadButton": { - "description": "Libellé du bouton pour passer à la saisie du code PIN" - }, "recoverYourWalletTitle": "Récupérer votre portefeuille", - "@recoverYourWalletTitle": { - "description": "Titre de l'écran de récupération du portefeuille" - }, "recoverViaCloudDescription": "Récupérez votre sauvegarde via le cloud en utilisant votre code PIN.", - "@recoverViaCloudDescription": { - "description": "Description pour la récupération via le cloud" - }, "recoverVia12WordsDescription": "Récupérez votre portefeuille via 12 mots.", - "@recoverVia12WordsDescription": { - "description": "Description pour la récupération via 12 mots" - }, "recoverButton": "Récupérer", - "@recoverButton": { - "description": "Libellé du bouton pour récupérer le portefeuille" - }, "recoverWalletButton": "Récupérer le portefeuille", - "@recoverWalletButton": { - "description": "Libellé du bouton pour récupérer le portefeuille" - }, "importMnemonicTitle": "Importer une mnémonique", - "@importMnemonicTitle": { - "description": "AppBar title for mnemonic import screen" - }, "howToDecideBackupTitle": "Comment décider", - "@howToDecideBackupTitle": { - "description": "Titre de la fenêtre modale sur le choix de la méthode de sauvegarde" - }, "howToDecideBackupText1": "L'une des façons les plus courantes de perdre ses bitcoins est de perdre la sauvegarde physique. Toute personne qui trouve votre sauvegarde physique pourra prendre tous vos bitcoins. Si vous êtes très confiant de pouvoir bien la cacher et de ne jamais la perdre, c'est une bonne option.", - "@howToDecideBackupText1": { - "description": "Premier paragraphe expliquant le choix de la méthode de sauvegarde" - }, "howToDecideBackupText2": "Le coffre-fort chiffré vous protège contre les voleurs cherchant à voler votre sauvegarde. Il vous évite également de perdre accidentellement votre sauvegarde puisqu'elle sera stockée dans votre cloud. Les fournisseurs de stockage cloud comme Google ou Apple n'auront pas accès à vos bitcoins car le mot de passe de chiffrement est trop fort. Il existe une faible possibilité que le serveur web qui stocke la clé de chiffrement de votre sauvegarde soit compromis. Dans ce cas, la sécurité de la sauvegarde dans votre compte cloud pourrait être menacée.", - "@howToDecideBackupText2": { - "description": "Deuxième paragraphe expliquant les avantages et les risques du coffre-fort chiffré" - }, "physicalBackupRecommendation": "Sauvegarde physique : ", - "@physicalBackupRecommendation": { - "description": "Libellé en gras pour la recommandation de sauvegarde physique" - }, "physicalBackupRecommendationText": "Vous êtes confiant dans vos propres capacités de sécurité opérationnelle pour cacher et préserver vos mots de seed Bitcoin.", - "@physicalBackupRecommendationText": { - "description": "Texte expliquant quand utiliser la sauvegarde physique" - }, "encryptedVaultRecommendation": "Coffre-fort chiffré : ", - "@encryptedVaultRecommendation": { - "description": "Libellé en gras pour la recommandation de coffre-fort chiffré" - }, "encryptedVaultRecommendationText": "Vous n'êtes pas sûr et vous avez besoin de plus de temps pour en apprendre davantage sur les pratiques de sécurité des sauvegardes.", - "@encryptedVaultRecommendationText": { - "description": "Texte expliquant quand utiliser le coffre-fort chiffré" - }, "visitRecoverBullMessage": "Visitez recoverbull.com pour plus d'informations.", - "@visitRecoverBullMessage": { - "description": "Message avec lien vers plus d'informations" - }, "howToDecideVaultLocationText1": "Les fournisseurs de stockage cloud comme Google ou Apple n'auront pas accès à vos bitcoins car le mot de passe de chiffrement est trop fort. Ils ne peuvent accéder à vos bitcoins que dans le cas improbable où ils colluderaient avec le serveur de clés (le service en ligne qui stocke votre mot de passe de chiffrement). Si le serveur de clés est piraté, vos bitcoins pourraient être à risque avec le cloud Google ou Apple.", - "@howToDecideVaultLocationText1": { - "description": "Premier paragraphe expliquant le choix de l'emplacement du coffre-fort" - }, "howToDecideVaultLocationText2": "Un emplacement personnalisé peut être beaucoup plus sécurisé, selon l'emplacement que vous choisissez. Vous devez également vous assurer de ne pas perdre le fichier de sauvegarde ou l'appareil sur lequel votre fichier de sauvegarde est stocké.", - "@howToDecideVaultLocationText2": { - "description": "Deuxième paragraphe expliquant les avantages de l'emplacement personnalisé" - }, "customLocationRecommendation": "Emplacement personnalisé : ", - "@customLocationRecommendation": { - "description": "Libellé en gras pour la recommandation d'emplacement personnalisé" - }, "customLocationRecommendationText": "vous êtes confiant de ne pas perdre le fichier de coffre-fort et qu'il restera accessible si vous perdez votre téléphone.", - "@customLocationRecommendationText": { - "description": "Texte expliquant quand utiliser l'emplacement personnalisé" - }, "googleAppleCloudRecommendation": "Cloud Google ou Apple : ", - "@googleAppleCloudRecommendation": { - "description": "Libellé en gras pour la recommandation de cloud Google/Apple" - }, "googleAppleCloudRecommendationText": "vous voulez vous assurer de ne jamais perdre l'accès à votre fichier de coffre-fort même si vous perdez vos appareils.", - "@googleAppleCloudRecommendationText": { - "description": "Texte expliquant quand utiliser le cloud Google/Apple" - }, "chooseVaultLocationTitle": "Choisir l'emplacement du coffre-fort", - "@chooseVaultLocationTitle": { - "description": "Titre de l'écran de choix de l'emplacement du coffre-fort" - }, "lastKnownEncryptedVault": "Dernier coffre-fort chiffré connu : {date}", "@lastKnownEncryptedVault": { - "description": "Libellé affichant la date du dernier coffre-fort chiffré connu", "placeholders": { "date": { "type": "String", @@ -16233,80 +1130,25 @@ } }, "googleDriveSignInMessage": "Vous devrez vous connecter à Google Drive", - "@googleDriveSignInMessage": { - "description": "Message concernant la nécessité de se connecter à Google Drive" - }, "googleDrivePrivacyMessage": "Google vous demandera de partager des informations personnelles avec cette application.", - "@googleDrivePrivacyMessage": { - "description": "Message concernant la demande de Google de partager des informations personnelles" - }, "informationWillNotLeave": "Ces informations ", - "@informationWillNotLeave": { - "description": "Première partie du message d'assurance de confidentialité" - }, "willNot": "ne quitteront pas ", - "@willNot": { - "description": "Partie en gras de l'assurance de confidentialité (ne quitteront pas)" - }, "leaveYourPhone": "votre téléphone et ne seront ", - "@leaveYourPhone": { - "description": "Partie centrale du message d'assurance de confidentialité" - }, "never": "jamais ", - "@never": { - "description": "Partie en gras de l'assurance de confidentialité (jamais)" - }, "sharedWithBullBitcoin": "partagées avec Bull Bitcoin.", - "@sharedWithBullBitcoin": { - "description": "Partie finale du message d'assurance de confidentialité" - }, "savingToDevice": "Enregistrement sur votre appareil.", - "@savingToDevice": { - "description": "Message affiché lors de l'enregistrement sur l'appareil" - }, "loadingBackupFile": "Chargement du fichier de sauvegarde...", - "@loadingBackupFile": { - "description": "Message affiché pendant le chargement du fichier de sauvegarde" - }, "pleaseWaitFetching": "Veuillez patienter pendant que nous récupérons votre fichier de sauvegarde.", - "@pleaseWaitFetching": { - "description": "Message demandant à l'utilisateur de patienter pendant la récupération de la sauvegarde" - }, "googleDriveProvider": "Google Drive", - "@googleDriveProvider": { - "description": "Nom du fournisseur Google Drive" - }, "appleICloudProvider": "Apple iCloud", - "@appleICloudProvider": { - "description": "Nom du fournisseur Apple iCloud" - }, "customLocationProvider": "Emplacement personnalisé", - "@customLocationProvider": { - "description": "Nom du fournisseur d'emplacement personnalisé" - }, "quickAndEasyTag": "Rapide et facile", - "@quickAndEasyTag": { - "description": "Étiquette pour les options rapides et faciles" - }, "takeYourTimeTag": "Prenez votre temps", - "@takeYourTimeTag": { - "description": "Étiquette pour les options nécessitant plus de temps" - }, "customLocationTitle": "Emplacement personnalisé", - "@customLocationTitle": { - "description": "Titre de l'écran d'emplacement personnalisé" - }, "recoverWalletScreenTitle": "Récupérer le portefeuille", - "@recoverWalletScreenTitle": { - "description": "Titre de l'écran de récupération du portefeuille" - }, "recoverbullVaultRecoveryTitle": "Récupération du coffre-fort Recoverbull", - "@recoverbullVaultRecoveryTitle": { - "description": "Titre de l'écran de récupération du coffre-fort Recoverbull" - }, "chooseAccessPinTitle": "Choisir le {pinOrPassword} d'accès", "@chooseAccessPinTitle": { - "description": "Titre pour choisir le code PIN ou le mot de passe d'accès", "placeholders": { "pinOrPassword": { "type": "String", @@ -16316,7 +1158,6 @@ }, "memorizePasswordWarning": "Vous devez mémoriser ce {pinOrPassword} pour récupérer l'accès à votre portefeuille. Il doit comporter au moins 6 chiffres. Si vous perdez ce {pinOrPassword}, vous ne pourrez pas récupérer votre sauvegarde.", "@memorizePasswordWarning": { - "description": "Avertissement concernant la mémorisation du code PIN/mot de passe", "placeholders": { "pinOrPassword": { "type": "String", @@ -16326,7 +1167,6 @@ }, "passwordTooCommonError": "Ce {pinOrPassword} est trop courant. Veuillez en choisir un différent.", "@passwordTooCommonError": { - "description": "Message d'erreur pour un mot de passe courant", "placeholders": { "pinOrPassword": { "type": "String", @@ -16336,7 +1176,6 @@ }, "passwordMinLengthError": "Le {pinOrPassword} doit comporter au moins 6 chiffres", "@passwordMinLengthError": { - "description": "Message d'erreur pour la longueur minimale du mot de passe", "placeholders": { "pinOrPassword": { "type": "String", @@ -16346,7 +1185,6 @@ }, "pickPasswordOrPinButton": "Choisir un {pinOrPassword} à la place >>", "@pickPasswordOrPinButton": { - "description": "Bouton pour basculer entre code PIN et mot de passe", "placeholders": { "pinOrPassword": { "type": "String", @@ -16356,7 +1194,6 @@ }, "confirmAccessPinTitle": "Confirmer le {pinOrPassword} d'accès", "@confirmAccessPinTitle": { - "description": "Titre pour confirmer le code PIN ou le mot de passe d'accès", "placeholders": { "pinOrPassword": { "type": "String", @@ -16366,7 +1203,6 @@ }, "enterPinAgainMessage": "Entrez à nouveau votre {pinOrPassword} pour continuer.", "@enterPinAgainMessage": { - "description": "Message demandant de ressaisir le code PIN/mot de passe", "placeholders": { "pinOrPassword": { "type": "String", @@ -16376,7 +1212,6 @@ }, "usePasswordInsteadButton": "Utiliser un {pinOrPassword} à la place >>", "@usePasswordInsteadButton": { - "description": "Bouton pour utiliser un mot de passe/code PIN à la place", "placeholders": { "pinOrPassword": { "type": "String", @@ -16385,84 +1220,26 @@ } }, "oopsSomethingWentWrong": "Oups ! Une erreur s'est produite", - "@oopsSomethingWentWrong": { - "description": "Titre d'erreur lorsque quelque chose ne va pas" - }, "connectingToKeyServer": "Connexion au serveur de clés via Tor.\nCela peut prendre jusqu'à une minute.", - "@connectingToKeyServer": { - "description": "Message affiché lors de la connexion au serveur de clés via Tor" - }, "anErrorOccurred": "Une erreur s'est produite", - "@anErrorOccurred": { - "description": "Message d'erreur générique" - }, "dcaSetRecurringBuyTitle": "Configurer un achat récurrent", - "@dcaSetRecurringBuyTitle": { - "description": "AppBar title for the main DCA setup screen" - }, "dcaInsufficientBalanceTitle": "Solde insuffisant", - "@dcaInsufficientBalanceTitle": { - "description": "InfoCard title when user has insufficient funds" - }, "dcaInsufficientBalanceDescription": "Vous n'avez pas assez de solde pour créer cette commande.", - "@dcaInsufficientBalanceDescription": { - "description": "InfoCard description explaining insufficient balance error" - }, "dcaFundAccountButton": "Alimenter votre compte", - "@dcaFundAccountButton": { - "description": "Button label to navigate to funding screen" - }, "dcaScheduleDescription": "Les achats de Bitcoin seront effectués automatiquement selon ce calendrier.", - "@dcaScheduleDescription": { - "description": "Explanation text at the top of DCA setup form" - }, "dcaFrequencyValidationError": "Veuillez sélectionner une fréquence", - "@dcaFrequencyValidationError": { - "description": "Form validation error when no frequency is selected" - }, "dcaContinueButton": "Continuer", - "@dcaContinueButton": { - "description": "Button label to proceed to next step in DCA flow" - }, "dcaConfirmRecurringBuyTitle": "Confirmer l'achat récurrent", - "@dcaConfirmRecurringBuyTitle": { - "description": "AppBar title for confirmation screen" - }, "dcaConfirmationDescription": "Les ordres d'achat seront placés automatiquement selon ces paramètres. Vous pouvez les désactiver à tout moment.", - "@dcaConfirmationDescription": { - "description": "Explanation text at the top of confirmation screen" - }, "dcaFrequencyLabel": "Fréquence", - "@dcaFrequencyLabel": { - "description": "Label for frequency detail row" - }, "dcaFrequencyHourly": "heure", - "@dcaFrequencyHourly": { - "description": "Hourly DCA frequency" - }, "dcaFrequencyDaily": "jour", - "@dcaFrequencyDaily": { - "description": "Daily DCA frequency" - }, "dcaFrequencyWeekly": "semaine", - "@dcaFrequencyWeekly": { - "description": "Weekly DCA frequency" - }, "dcaFrequencyMonthly": "mois", - "@dcaFrequencyMonthly": { - "description": "Monthly DCA frequency" - }, "dcaAmountLabel": "Montant", - "@dcaAmountLabel": { - "description": "Label for amount detail row" - }, "dcaPaymentMethodLabel": "Méthode de paiement", - "@dcaPaymentMethodLabel": { - "description": "Label for payment method detail row" - }, "dcaPaymentMethodValue": "Solde {currency}", "@dcaPaymentMethodValue": { - "description": "Value for payment method with currency code placeholder", "placeholders": { "currency": { "type": "String" @@ -16470,36 +1247,14 @@ } }, "dcaOrderTypeLabel": "Type de commande", - "@dcaOrderTypeLabel": { - "description": "Label for order type detail row" - }, "dcaOrderTypeValue": "Achat récurrent", - "@dcaOrderTypeValue": { - "description": "Value for order type" - }, "dcaNetworkLabel": "Réseau", - "@dcaNetworkLabel": { - "description": "Label for network detail row" - }, "dcaNetworkBitcoin": "Réseau Bitcoin", - "@dcaNetworkBitcoin": { - "description": "Bitcoin network label for DCA" - }, "dcaNetworkLightning": "Réseau Lightning", - "@dcaNetworkLightning": { - "description": "Lightning network label for DCA" - }, "dcaNetworkLiquid": "Réseau Liquid", - "@dcaNetworkLiquid": { - "description": "Liquid network label for DCA" - }, "dcaLightningAddressLabel": "Adresse Lightning", - "@dcaLightningAddressLabel": { - "description": "Label for Lightning address detail row (shown only for Lightning network)" - }, "dcaConfirmationError": "Une erreur s'est produite : {error}", "@dcaConfirmationError": { - "description": "Error message displayed when confirmation fails", "placeholders": { "error": { "type": "String" @@ -16507,16 +1262,9 @@ } }, "dcaConfirmButton": "Continuer", - "@dcaConfirmButton": { - "description": "Button label to confirm and activate DCA" - }, "dcaSuccessTitle": "Achat récurrent activé !", - "@dcaSuccessTitle": { - "description": "Success screen title after DCA is activated" - }, "dcaSuccessMessageHourly": "Vous achèterez {amount} chaque heure", "@dcaSuccessMessageHourly": { - "description": "Success message for hourly frequency", "placeholders": { "amount": { "type": "String" @@ -16525,7 +1273,6 @@ }, "dcaSuccessMessageDaily": "Vous achèterez {amount} chaque jour", "@dcaSuccessMessageDaily": { - "description": "Success message for daily frequency", "placeholders": { "amount": { "type": "String" @@ -16534,7 +1281,6 @@ }, "dcaSuccessMessageWeekly": "Vous achèterez {amount} chaque semaine", "@dcaSuccessMessageWeekly": { - "description": "Success message for weekly frequency", "placeholders": { "amount": { "type": "String" @@ -16543,7 +1289,6 @@ }, "dcaSuccessMessageMonthly": "Vous achèterez {amount} chaque mois", "@dcaSuccessMessageMonthly": { - "description": "Success message for monthly frequency", "placeholders": { "amount": { "type": "String" @@ -16551,172 +1296,48 @@ } }, "dcaBackToHomeButton": "Retour à l'accueil", - "@dcaBackToHomeButton": { - "description": "Button label to return to exchange home screen" - }, "dcaChooseWalletTitle": "Choisir un portefeuille Bitcoin", - "@dcaChooseWalletTitle": { - "description": "AppBar title for wallet selection screen" - }, "dcaWalletSelectionDescription": "Les achats de Bitcoin seront effectués automatiquement selon ce calendrier.", - "@dcaWalletSelectionDescription": { - "description": "Explanation text at the top of wallet selection screen" - }, "dcaNetworkValidationError": "Veuillez sélectionner un réseau", - "@dcaNetworkValidationError": { - "description": "Form validation error when no network is selected" - }, "dcaEnterLightningAddressLabel": "Entrer une adresse Lightning", - "@dcaEnterLightningAddressLabel": { - "description": "Label for Lightning address text input field" - }, "dcaLightningAddressEmptyError": "Veuillez entrer une adresse Lightning", - "@dcaLightningAddressEmptyError": { - "description": "Validation error when Lightning address field is empty" - }, "dcaLightningAddressInvalidError": "Veuillez entrer une adresse Lightning valide", - "@dcaLightningAddressInvalidError": { - "description": "Validation error when Lightning address format is invalid" - }, "dcaUseDefaultLightningAddress": "Utiliser mon adresse Lightning par défaut.", - "@dcaUseDefaultLightningAddress": { - "description": "Checkbox label to use default Lightning address" - }, "dcaWalletSelectionContinueButton": "Continuer", - "@dcaWalletSelectionContinueButton": { - "description": "Button label to proceed to confirmation screen" - }, "dcaSelectFrequencyLabel": "Sélectionner la fréquence", - "@dcaSelectFrequencyLabel": { - "description": "Label above frequency selection radio buttons" - }, "dcaSelectWalletTypeLabel": "Sélectionner le type de portefeuille Bitcoin", - "@dcaSelectWalletTypeLabel": { - "description": "Label above wallet type selection radio buttons" - }, "dcaWalletTypeBitcoin": "Bitcoin (BTC)", - "@dcaWalletTypeBitcoin": { - "description": "Radio button option for Bitcoin wallet" - }, "dcaWalletTypeLightning": "Lightning Network (LN)", - "@dcaWalletTypeLightning": { - "description": "Radio button option for Lightning wallet" - }, "dcaWalletTypeLiquid": "Liquid (LBTC)", - "@dcaWalletTypeLiquid": { - "description": "Radio button option for Liquid wallet" - }, "dcaWalletBitcoinSubtitle": "Minimum 0,001 BTC", - "@dcaWalletBitcoinSubtitle": { - "description": "Subtitle/description for Bitcoin wallet option" - }, "dcaWalletLightningSubtitle": "Nécessite un portefeuille compatible, maximum 0,25 BTC", - "@dcaWalletLightningSubtitle": { - "description": "Subtitle/description for Lightning wallet option" - }, "dcaWalletLiquidSubtitle": "Nécessite un portefeuille compatible", - "@dcaWalletLiquidSubtitle": { - "description": "Subtitle/description for Liquid wallet option" - }, "swapInternalTransferTitle": "Transfert interne", - "@swapInternalTransferTitle": { - "description": "AppBar title on the amount entry page" - }, "swapConfirmTransferTitle": "Confirmer le transfert", - "@swapConfirmTransferTitle": { - "description": "AppBar title on the confirmation page" - }, "swapInfoDescription": "Transférez des Bitcoin facilement entre vos portefeuilles. Ne conservez des fonds dans le portefeuille de paiement instantané que pour les dépenses quotidiennes.", - "@swapInfoDescription": { - "description": "Information banner text on amount page" - }, "swapTransferFrom": "Transférer depuis", - "@swapTransferFrom": { - "description": "Label for source wallet dropdown" - }, "swapTransferTo": "Transférer vers", - "@swapTransferTo": { - "description": "Label for destination wallet dropdown" - }, "swapTransferAmount": "Montant du transfert", - "@swapTransferAmount": { - "description": "Label for amount input field" - }, "swapYouPay": "Vous payez", - "@swapYouPay": { - "description": "Label in swap card for payment amount" - }, "swapYouReceive": "Vous recevez", - "@swapYouReceive": { - "description": "Label in swap card for receiving amount" - }, "swapAvailableBalance": "Solde disponible", - "@swapAvailableBalance": { - "description": "Available balance label" - }, "swapMaxButton": "MAX", - "@swapMaxButton": { - "description": "Button to use maximum available balance" - }, "swapTotalFees": "Frais totaux ", - "@swapTotalFees": { - "description": "Total fees label" - }, "swapContinueButton": "Continuer", - "@swapContinueButton": { - "description": "Button to proceed from amount page to confirmation" - }, "swapGoHomeButton": "Retour à l'accueil", - "@swapGoHomeButton": { - "description": "Button to return home from progress page" - }, "swapTransferPendingTitle": "Transfert en attente", - "@swapTransferPendingTitle": { - "description": "Title during pending swap status" - }, "swapTransferPendingMessage": "Le transfert est en cours. Les transactions Bitcoin peuvent prendre un certain temps pour être confirmées. Vous pouvez retourner à l'accueil et attendre.", - "@swapTransferPendingMessage": { - "description": "Message shown during pending swap" - }, "swapTransferCompletedTitle": "Transfert terminé", - "@swapTransferCompletedTitle": { - "description": "Title when swap completes successfully" - }, "swapTransferCompletedMessage": "Bravo, vous avez attendu ! Le transfert s'est terminé avec succès.", - "@swapTransferCompletedMessage": { - "description": "Success message after transfer completion" - }, "swapTransferRefundInProgressTitle": "Remboursement du transfert en cours", - "@swapTransferRefundInProgressTitle": { - "description": "Title when swap is being refunded" - }, "swapTransferRefundInProgressMessage": "Une erreur s'est produite lors du transfert. Votre remboursement est en cours.", - "@swapTransferRefundInProgressMessage": { - "description": "Message during refund process" - }, "swapTransferRefundedTitle": "Transfert remboursé", - "@swapTransferRefundedTitle": { - "description": "Title when swap has been refunded" - }, "swapTransferRefundedMessage": "Le transfert a été remboursé avec succès.", - "@swapTransferRefundedMessage": { - "description": "Refund completion message" - }, "swapAmountPlaceholder": "0", - "@swapAmountPlaceholder": { - "description": "Placeholder for amount input fields" - }, "swapErrorBalanceTooLow": "Solde trop bas pour le montant minimum d'échange", - "@swapErrorBalanceTooLow": { - "description": "Error when balance is below minimum swap limit" - }, "swapErrorAmountExceedsMaximum": "Le montant dépasse le montant maximum d'échange", - "@swapErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum swap limit" - }, "swapErrorAmountBelowMinimum": "Le montant est inférieur au montant minimum d'échange : {min} sats", "@swapErrorAmountBelowMinimum": { - "description": "Error shown when amount is below minimum", "placeholders": { "min": { "type": "String" @@ -16725,7 +1346,6 @@ }, "swapErrorAmountAboveMaximum": "Le montant dépasse le montant maximum d'échange : {max} sats", "@swapErrorAmountAboveMaximum": { - "description": "Error shown when amount is above maximum", "placeholders": { "max": { "type": "String" @@ -16733,56 +1353,19 @@ } }, "swapErrorInsufficientFunds": "Impossible de construire la transaction. Probablement dû à des fonds insuffisants pour couvrir les frais et le montant.", - "@swapErrorInsufficientFunds": { - "description": "Error when transaction cannot be built due to insufficient funds" - }, "swapTransferTitle": "Transfert", - "@swapTransferTitle": { - "description": "AppBar title on the main swap page" - }, "swapExternalTransferLabel": "Transfert externe", - "@swapExternalTransferLabel": { - "description": "Label for external transfer toggle" - }, "swapFromLabel": "De", - "@swapFromLabel": { - "description": "Label for source wallet dropdown" - }, "swapToLabel": "Vers", - "@swapToLabel": { - "description": "Label for destination wallet dropdown or address input" - }, "swapAmountLabel": "Montant", - "@swapAmountLabel": { - "description": "Label for amount input section" - }, "swapReceiveExactAmountLabel": "Recevoir le montant exact", - "@swapReceiveExactAmountLabel": { - "description": "Label when receive exact amount toggle is on" - }, "swapSubtractFeesLabel": "Soustraire les frais du montant", - "@swapSubtractFeesLabel": { - "description": "Label when receive exact amount toggle is off" - }, "swapExternalAddressHint": "Entrez l'adresse du portefeuille externe", - "@swapExternalAddressHint": { - "description": "Hint text for external address input" - }, "swapValidationEnterAmount": "Veuillez entrer un montant", - "@swapValidationEnterAmount": { - "description": "Validation error when amount is empty" - }, "swapValidationPositiveAmount": "Entrez un montant positif", - "@swapValidationPositiveAmount": { - "description": "Validation error when amount is not positive" - }, "swapValidationInsufficientBalance": "Solde insuffisant", - "@swapValidationInsufficientBalance": { - "description": "Validation error when amount exceeds wallet balance" - }, "swapValidationMinimumAmount": "Le montant minimum est {amount} {currency}", "@swapValidationMinimumAmount": { - "description": "Validation error when amount is below minimum", "placeholders": { "amount": { "type": "String" @@ -16794,7 +1377,6 @@ }, "swapValidationMaximumAmount": "Le montant maximum est {amount} {currency}", "@swapValidationMaximumAmount": { - "description": "Validation error when amount exceeds maximum", "placeholders": { "amount": { "type": "String" @@ -16805,56 +1387,19 @@ } }, "swapValidationSelectFromWallet": "Veuillez sélectionner un portefeuille source", - "@swapValidationSelectFromWallet": { - "description": "Validation error when no source wallet selected" - }, "swapValidationSelectToWallet": "Veuillez sélectionner un portefeuille de destination", - "@swapValidationSelectToWallet": { - "description": "Validation error when no destination wallet selected" - }, "swapDoNotUninstallWarning": "Ne désinstallez pas l'application avant que le transfert ne soit terminé !", - "@swapDoNotUninstallWarning": { - "description": "Warning message during pending transfer" - }, "pinSecurityTitle": "Code PIN de sécurité", - "@pinSecurityTitle": { - "description": "AppBar title for PIN settings screen" - }, "pinManageDescription": "Gérer votre code PIN de sécurité", - "@pinManageDescription": { - "description": "Headline text on PIN settings screen" - }, "pinProtectionDescription": "Votre code PIN protège l'accès à votre portefeuille et à vos paramètres. Choisissez-en un mémorable.", - "@pinProtectionDescription": { - "description": "Informational text explaining PIN purpose" - }, "pinButtonChange": "Modifier le code PIN", - "@pinButtonChange": { - "description": "Button label when PIN already exists" - }, "pinButtonCreate": "Créer un code PIN", - "@pinButtonCreate": { - "description": "Button label when no PIN exists" - }, "pinButtonRemove": "Supprimer le code PIN de sécurité", - "@pinButtonRemove": { - "description": "Button label to delete existing PIN" - }, "pinAuthenticationTitle": "Authentification", - "@pinAuthenticationTitle": { - "description": "AppBar title for create/confirm PIN screens" - }, "appUnlockScreenTitle": "Authentification", - "@appUnlockScreenTitle": { - "description": "Titre de l'écran de déverrouillage de l'application" - }, "pinCreateHeadline": "Créer un nouveau code PIN", - "@pinCreateHeadline": { - "description": "Headline text on PIN creation screen" - }, "pinValidationError": "Le code PIN doit contenir au moins {minLength} chiffres", "@pinValidationError": { - "description": "Error message when PIN is too short", "placeholders": { "minLength": { "type": "String" @@ -16862,28 +1407,12 @@ } }, "pinButtonContinue": "Continuer", - "@pinButtonContinue": { - "description": "Button label to proceed after entering new PIN" - }, "pinConfirmHeadline": "Confirmer le nouveau code PIN", - "@pinConfirmHeadline": { - "description": "Headline text on PIN confirmation screen" - }, "pinConfirmMismatchError": "Les codes PIN ne correspondent pas", - "@pinConfirmMismatchError": { - "description": "Error message when confirmation PIN doesn't match original" - }, "pinButtonConfirm": "Confirmer", - "@pinButtonConfirm": { - "description": "Button label to submit confirmed PIN" - }, "appUnlockEnterPinMessage": "Entrez votre code PIN pour déverrouiller", - "@appUnlockEnterPinMessage": { - "description": "Message invitant l'utilisateur à entrer son code PIN pour déverrouiller l'application" - }, "appUnlockIncorrectPinError": "Code PIN incorrect. Veuillez réessayer. ({failedAttempts} {attemptsWord})", "@appUnlockIncorrectPinError": { - "description": "Message d'erreur affiché lorsque l'utilisateur entre un code PIN incorrect", "placeholders": { "failedAttempts": { "type": "int" @@ -16894,108 +1423,32 @@ } }, "appUnlockAttemptSingular": "tentative échouée", - "@appUnlockAttemptSingular": { - "description": "Forme singulière de 'tentative' pour les tentatives de déverrouillage échouées" - }, "appUnlockAttemptPlural": "tentatives échouées", - "@appUnlockAttemptPlural": { - "description": "Forme plurielle de 'tentatives' pour les tentatives de déverrouillage échouées" - }, "appUnlockButton": "Déverrouiller", - "@appUnlockButton": { - "description": "Libellé du bouton pour déverrouiller l'application" - }, "pinStatusLoading": "Chargement", - "@pinStatusLoading": { - "description": "Status screen title during initialization" - }, "pinStatusCheckingDescription": "Vérification du statut du code PIN", - "@pinStatusCheckingDescription": { - "description": "Status screen description during initialization" - }, "pinStatusProcessing": "Traitement en cours", - "@pinStatusProcessing": { - "description": "Status screen title during PIN save/delete operations" - }, "pinStatusSettingUpDescription": "Configuration de votre code PIN", - "@pinStatusSettingUpDescription": { - "description": "Status screen description during PIN save/delete operations" - }, "autoswapSettingsTitle": "Paramètres de Transfert Automatique", - "@autoswapSettingsTitle": { - "description": "Main header/title of the auto swap settings bottom sheet" - }, "autoswapEnableToggleLabel": "Activer le Transfert Automatique", - "@autoswapEnableToggleLabel": { - "description": "Label for the main toggle switch to enable/disable auto transfer feature" - }, "autoswapMaxBalanceLabel": "Solde Maximum du Portefeuille Instantané", - "@autoswapMaxBalanceLabel": { - "description": "Label for amount threshold input field" - }, "autoswapMaxBalanceInfoText": "Lorsque le solde du portefeuille dépasse le double de ce montant, le transfert automatique se déclenchera pour réduire le solde à ce niveau", - "@autoswapMaxBalanceInfoText": { - "description": "Help text explaining how the max balance threshold works" - }, "autoswapBaseBalanceInfoText": "Le solde de votre portefeuille de paiements instantanés reviendra à ce solde après un échange automatique.", - "@autoswapBaseBalanceInfoText": { - "description": "Info text explaining what happens to the balance after an autoswap" - }, "autoswapTriggerAtBalanceInfoText": "L'échange automatique se déclenchera lorsque votre solde dépasse ce montant.", - "@autoswapTriggerAtBalanceInfoText": { - "description": "Info text explaining when autoswap will trigger" - }, "autoswapMaxFeeLabel": "Frais de Transfert Maximum", - "@autoswapMaxFeeLabel": { - "description": "Label for fee threshold percentage input field" - }, "autoswapMaxFeeInfoText": "Si les frais de transfert totaux dépassent le pourcentage défini, le transfert automatique sera bloqué", - "@autoswapMaxFeeInfoText": { - "description": "Help text explaining how the max fee threshold works" - }, "autoswapRecipientWalletLabel": "Portefeuille Bitcoin Destinataire", - "@autoswapRecipientWalletLabel": { - "description": "Label for wallet selection dropdown" - }, "autoswapRecipientWalletRequired": "*", - "@autoswapRecipientWalletRequired": { - "description": "Required field indicator asterisk" - }, "autoswapRecipientWalletPlaceholder": "Sélectionnez un portefeuille Bitcoin", - "@autoswapRecipientWalletPlaceholder": { - "description": "Dropdown placeholder text when no wallet is selected" - }, "autoswapRecipientWalletPlaceholderRequired": "Sélectionnez un portefeuille Bitcoin *", - "@autoswapRecipientWalletPlaceholderRequired": { - "description": "Dropdown placeholder with required indicator when auto transfer is enabled" - }, "autoswapRecipientWalletInfoText": "Choisissez quel portefeuille Bitcoin recevra les fonds transférés (requis)", - "@autoswapRecipientWalletInfoText": { - "description": "Help text explaining wallet selection" - }, "autoswapRecipientWalletDefaultLabel": "Portefeuille Bitcoin", - "@autoswapRecipientWalletDefaultLabel": { - "description": "Default label shown for wallets without a custom label in the dropdown" - }, "autoswapAlwaysBlockLabel": "Toujours Bloquer les Frais Élevés", - "@autoswapAlwaysBlockLabel": { - "description": "Label for toggle to always block high fee transfers" - }, "autoswapAlwaysBlockInfoEnabled": "Lorsque activé, les transferts automatiques avec des frais dépassant la limite définie seront toujours bloqués", - "@autoswapAlwaysBlockInfoEnabled": { - "description": "Help text when always block is enabled" - }, "autoswapAlwaysBlockInfoDisabled": "Lorsque désactivé, vous aurez la possibilité d'autoriser un transfert automatique bloqué en raison de frais élevés", - "@autoswapAlwaysBlockInfoDisabled": { - "description": "Help text when always block is disabled" - }, "autoswapSaveButton": "Enregistrer", - "@autoswapSaveButton": { - "description": "Save button label at bottom of settings sheet" - }, "autoswapSaveErrorMessage": "Échec de l'enregistrement des paramètres : {error}", "@autoswapSaveErrorMessage": { - "description": "SnackBar error message when save fails", "placeholders": { "error": { "type": "String" @@ -17003,64 +1456,21 @@ } }, "autoswapWarningCardTitle": "Le transfert automatique est activé.", - "@autoswapWarningCardTitle": { - "description": "Texte du titre affiché sur la carte d'avertissement de transfert automatique sur l'écran d'accueil" - }, "autoswapWarningCardSubtitle": "Un échange sera déclenché si le solde de votre portefeuille de paiements instantanés dépasse 0,02 BTC.", - "@autoswapWarningCardSubtitle": { - "description": "Texte du sous-titre affiché sur la carte d'avertissement de transfert automatique sur l'écran d'accueil" - }, "autoswapWarningDescription": "Le transfert automatique garantit qu'un bon équilibre est maintenu entre votre portefeuille de paiements instantanés et votre portefeuille Bitcoin sécurisé.", - "@autoswapWarningDescription": { - "description": "Texte de description en haut de la feuille d'avertissement de transfert automatique" - }, "autoswapWarningTitle": "Le transfert automatique est activé avec les paramètres suivants :", - "@autoswapWarningTitle": { - "description": "Texte du titre dans la feuille d'avertissement de transfert automatique" - }, "autoswapWarningBaseBalance": "Solde de base 0,01 BTC", - "@autoswapWarningBaseBalance": { - "description": "Texte du solde de base affiché dans la feuille d'avertissement de transfert automatique" - }, "autoswapWarningTriggerAmount": "Montant de déclenchement de 0,02 BTC", - "@autoswapWarningTriggerAmount": { - "description": "Texte du montant de déclenchement affiché dans la feuille d'avertissement de transfert automatique" - }, "autoswapWarningExplanation": "Lorsque votre solde dépasse le montant de déclenchement, un échange sera déclenché. Le montant de base sera conservé dans votre portefeuille de paiements instantanés et le montant restant sera échangé dans votre portefeuille Bitcoin sécurisé.", - "@autoswapWarningExplanation": { - "description": "Texte d'explication dans la feuille d'avertissement de transfert automatique" - }, "autoswapWarningDontShowAgain": "Ne plus afficher cet avertissement.", - "@autoswapWarningDontShowAgain": { - "description": "Libellé de la case à cocher pour ignorer l'avertissement de transfert automatique" - }, "autoswapWarningSettingsLink": "Me conduire aux paramètres de transfert automatique", - "@autoswapWarningSettingsLink": { - "description": "Texte du lien pour naviguer vers les paramètres de transfert automatique depuis la feuille d'avertissement" - }, "autoswapWarningOkButton": "OK", - "@autoswapWarningOkButton": { - "description": "Libellé du bouton OK dans la feuille d'avertissement de transfert automatique" - }, "autoswapLoadSettingsError": "Échec du chargement des paramètres de transfert automatique", - "@autoswapLoadSettingsError": { - "description": "Error message when loading settings fails" - }, "autoswapUpdateSettingsError": "Échec de la mise à jour des paramètres de transfert automatique", - "@autoswapUpdateSettingsError": { - "description": "Error message when updating settings fails" - }, "autoswapSelectWalletError": "Veuillez sélectionner un portefeuille Bitcoin destinataire", - "@autoswapSelectWalletError": { - "description": "Validation error when trying to enable auto transfer without selecting a wallet" - }, "autoswapAutoSaveError": "Échec de l'enregistrement des paramètres", - "@autoswapAutoSaveError": { - "description": "Error message when auto-save on disable fails" - }, "autoswapMinimumThresholdErrorBtc": "Le seuil de solde minimum est de {amount} BTC", "@autoswapMinimumThresholdErrorBtc": { - "description": "Validation error shown when amount threshold is below minimum (BTC display)", "placeholders": { "amount": { "type": "String" @@ -17069,7 +1479,6 @@ }, "autoswapMinimumThresholdErrorSats": "Le seuil de solde minimum est de {amount} sats", "@autoswapMinimumThresholdErrorSats": { - "description": "Validation error shown when amount threshold is below minimum (sats display)", "placeholders": { "amount": { "type": "String" @@ -17078,7 +1487,6 @@ }, "autoswapMaximumFeeError": "Le seuil de frais maximum est de {threshold}%", "@autoswapMaximumFeeError": { - "description": "Validation error shown when fee threshold exceeds maximum", "placeholders": { "threshold": { "type": "String" @@ -17086,108 +1494,32 @@ } }, "autoswapTriggerBalanceError": "Le solde de déclenchement doit être au moins 2x le solde de base", - "@autoswapTriggerBalanceError": { - "description": "Validation error shown when trigger balance is less than 2x the base balance" - }, "arkNoTransactionsYet": "Aucune transaction pour le moment.", - "@arkNoTransactionsYet": { - "description": "Empty state message shown when user has no transaction history" - }, "arkToday": "Aujourd'hui", - "@arkToday": { - "description": "Date label for transactions from today" - }, "arkYesterday": "Hier", - "@arkYesterday": { - "description": "Date label for transactions from yesterday" - }, "arkSettleTransactions": "Régler les Transactions", - "@arkSettleTransactions": { - "description": "Bottom sheet title for settling pending transactions" - }, "arkSettleDescription": "Finaliser les transactions en attente et inclure les vtxos récupérables si nécessaire", - "@arkSettleDescription": { - "description": "Description explaining what settling transactions does" - }, "arkIncludeRecoverableVtxos": "Inclure les vtxos récupérables", - "@arkIncludeRecoverableVtxos": { - "description": "Label for toggle switch to include recoverable vtxos when settling" - }, "arkCancelButton": "Annuler", - "@arkCancelButton": { - "description": "Cancel button label in settle bottom sheet" - }, "arkSettleButton": "Régler", - "@arkSettleButton": { - "description": "Settle button label" - }, "arkReceiveTitle": "Recevoir Ark", - "@arkReceiveTitle": { - "description": "AppBar title for Ark receive screen" - }, "arkUnifiedAddressCopied": "Adresse unifiée copiée", - "@arkUnifiedAddressCopied": { - "description": "SnackBar message when unified address is copied to clipboard" - }, "arkCopyAddress": "Copier l'adresse", - "@arkCopyAddress": { - "description": "Button label to expand and show address details for copying" - }, "arkUnifiedAddressBip21": "Adresse unifiée (BIP21)", - "@arkUnifiedAddressBip21": { - "description": "Label for the BIP21 unified address field" - }, "arkBtcAddress": "Adresse BTC", - "@arkBtcAddress": { - "description": "Label for the Bitcoin address field" - }, "arkArkAddress": "Adresse Ark", - "@arkArkAddress": { - "description": "Label for the Ark address field" - }, "arkSendTitle": "Envoyer", - "@arkSendTitle": { - "description": "AppBar title for Ark send screen" - }, "arkRecipientAddress": "Adresse du destinataire", - "@arkRecipientAddress": { - "description": "Label for recipient address input field" - }, "arkAddressPlaceholder": "ark1qp9wsjfpsj5v5ex022v6…", - "@arkAddressPlaceholder": { - "description": "Placeholder text for recipient address input" - }, "arkConfirmedBalance": "Solde Confirmé", - "@arkConfirmedBalance": { - "description": "Label for confirmed balance row" - }, "arkPendingBalance": "Solde en Attente", - "@arkPendingBalance": { - "description": "Label for pending balance row" - }, "arkConfirmButton": "Confirmer", - "@arkConfirmButton": { - "description": "Confirm button to proceed with send transaction" - }, "arkCollaborativeRedeem": "Remboursement Collaboratif", - "@arkCollaborativeRedeem": { - "description": "Bottom sheet title for collaborative redeem for BTC address sends" - }, "arkRecoverableVtxos": "Vtxos Récupérables", - "@arkRecoverableVtxos": { - "description": "Label for switch to include recoverable vtxos in redeem" - }, "arkRedeemButton": "Rembourser", - "@arkRedeemButton": { - "description": "Confirm button to execute collaborative redeem" - }, "arkInstantPayments": "Paiements Instantanés Ark", - "@arkInstantPayments": { - "description": "Main page title in top bar" - }, "arkSettleTransactionCount": "Régler {count} {transaction}", "@arkSettleTransactionCount": { - "description": "Button label showing number of unsettled transactions", "placeholders": { "count": { "type": "String" @@ -17198,132 +1530,38 @@ } }, "arkTransaction": "transaction", - "@arkTransaction": { - "description": "Singular form for transaction count" - }, "arkTransactions": "transactions", - "@arkTransactions": { - "description": "Plural form for transaction count" - }, "arkReceiveButton": "Recevoir", - "@arkReceiveButton": { - "description": "Bottom button to navigate to receive page" - }, "arkSendButton": "Envoyer", - "@arkSendButton": { - "description": "Bottom button to navigate to send page" - }, "arkTxTypeBoarding": "Embarquement", - "@arkTxTypeBoarding": { - "description": "Transaction type label for boarding transactions" - }, "arkTxTypeCommitment": "Engagement", - "@arkTxTypeCommitment": { - "description": "Transaction type label for commitment transactions" - }, "arkTxTypeRedeem": "Rachat", - "@arkTxTypeRedeem": { - "description": "Transaction type label for redeem transactions" - }, "arkTransactionDetails": "Détails de la transaction", - "@arkTransactionDetails": { - "description": "AppBar title for transaction details page" - }, "arkStatusConfirmed": "Confirmé", - "@arkStatusConfirmed": { - "description": "Status label for confirmed boarding transactions" - }, "arkStatusPending": "En attente", - "@arkStatusPending": { - "description": "Status label for pending transactions" - }, "arkStatusSettled": "Réglé", - "@arkStatusSettled": { - "description": "Status label for settled redeem transactions" - }, "arkTransactionId": "ID de transaction", - "@arkTransactionId": { - "description": "Label for transaction ID field in details table" - }, "arkType": "Type", - "@arkType": { - "description": "Label for transaction type field in details table" - }, "arkStatus": "Statut", - "@arkStatus": { - "description": "Label for transaction status field in details table" - }, "arkAmount": "Montant", - "@arkAmount": { - "description": "Label for transaction amount field in details table" - }, "arkDate": "Date", - "@arkDate": { - "description": "Label for transaction date field in details table" - }, "arkBalanceBreakdown": "Répartition du solde", - "@arkBalanceBreakdown": { - "description": "Title of bottom sheet showing balance breakdown" - }, "arkConfirmed": "Confirmé", - "@arkConfirmed": { - "description": "Label for confirmed balance in breakdown" - }, "arkPending": "En attente", - "@arkPending": { - "description": "Label for pending balance in breakdown" - }, "arkTotal": "Total", - "@arkTotal": { - "description": "Label for total balance in breakdown" - }, "arkBalanceBreakdownTooltip": "Répartition du solde", - "@arkBalanceBreakdownTooltip": { - "description": "Tooltip for info button that opens balance breakdown" - }, "arkAboutTitle": "À propos", - "@arkAboutTitle": { - "description": "AppBar title for Ark about screen" - }, "arkServerUrl": "URL du serveur", - "@arkServerUrl": { - "description": "Label for server URL field" - }, "arkServerPubkey": "Clé publique du serveur", - "@arkServerPubkey": { - "description": "Label for server public key field" - }, "arkForfeitAddress": "Adresse de confiscation", - "@arkForfeitAddress": { - "description": "Label for forfeit address field" - }, "arkNetwork": "Réseau", - "@arkNetwork": { - "description": "Label for network field" - }, "arkDust": "Poussière", - "@arkDust": { - "description": "Label for dust amount field" - }, "arkSessionDuration": "Durée de session", - "@arkSessionDuration": { - "description": "Label for session duration field" - }, "arkBoardingExitDelay": "Délai de sortie d'embarquement", - "@arkBoardingExitDelay": { - "description": "Label for boarding exit delay field" - }, "arkUnilateralExitDelay": "Délai de sortie unilatérale", - "@arkUnilateralExitDelay": { - "description": "Label for unilateral exit delay field" - }, "arkEsploraUrl": "URL Esplora", - "@arkEsploraUrl": { - "description": "Label for Esplora URL field" - }, "arkDurationSeconds": "{seconds} secondes", "@arkDurationSeconds": { - "description": "Duration format for seconds", "placeholders": { "seconds": { "type": "String" @@ -17332,7 +1570,6 @@ }, "arkDurationMinute": "{minutes} minute", "@arkDurationMinute": { - "description": "Duration format for singular minute", "placeholders": { "minutes": { "type": "String" @@ -17341,7 +1578,6 @@ }, "arkDurationMinutes": "{minutes} minutes", "@arkDurationMinutes": { - "description": "Duration format for plural minutes", "placeholders": { "minutes": { "type": "String" @@ -17350,7 +1586,6 @@ }, "arkDurationHour": "{hours} heure", "@arkDurationHour": { - "description": "Duration format for singular hour", "placeholders": { "hours": { "type": "String" @@ -17359,7 +1594,6 @@ }, "arkDurationHours": "{hours} heures", "@arkDurationHours": { - "description": "Duration format for plural hours", "placeholders": { "hours": { "type": "String" @@ -17368,7 +1602,6 @@ }, "arkDurationDay": "{days} jour", "@arkDurationDay": { - "description": "Duration format for singular day", "placeholders": { "days": { "type": "String" @@ -17377,7 +1610,6 @@ }, "arkDurationDays": "{days} jours", "@arkDurationDays": { - "description": "Duration format for plural days", "placeholders": { "days": { "type": "String" @@ -17385,12 +1617,8 @@ } }, "arkCopy": "Copier", - "@arkCopy": { - "description": "Button label to copy field value to clipboard" - }, "arkCopiedToClipboard": "{label} copié dans le presse-papiers", "@arkCopiedToClipboard": { - "description": "SnackBar message when field is copied", "placeholders": { "label": { "type": "String" @@ -17398,260 +1626,70 @@ } }, "arkSendSuccessTitle": "Envoi réussi", - "@arkSendSuccessTitle": { - "description": "Title shown after successful Ark send transaction" - }, "arkSendSuccessMessage": "Votre transaction Ark a été effectuée avec succès !", - "@arkSendSuccessMessage": { - "description": "Success message shown after Ark send transaction completes" - }, "arkBoardingUnconfirmed": "Embarquement non confirmé", - "@arkBoardingUnconfirmed": { - "description": "Label for unconfirmed boarding balance in Ark balance breakdown" - }, "arkBoardingConfirmed": "Embarquement confirmé", - "@arkBoardingConfirmed": { - "description": "Label for confirmed boarding balance in Ark balance breakdown" - }, "arkPreconfirmed": "Préconfirmé", - "@arkPreconfirmed": { - "description": "Label for preconfirmed balance in Ark balance breakdown" - }, "arkSettled": "Réglé", - "@arkSettled": { - "description": "Label for settled balance in Ark balance breakdown" - }, "arkAvailable": "Disponible", - "@arkAvailable": { - "description": "Label for available balance in Ark balance breakdown" - }, "arkNoBalanceData": "Aucune donnée de solde disponible", - "@arkNoBalanceData": { - "description": "Message shown when Ark balance data is not available" - }, "arkTxPending": "En attente", - "@arkTxPending": { - "description": "Status label for pending Ark transactions" - }, "arkTxBoarding": "Embarquement", - "@arkTxBoarding": { - "description": "Transaction type label for Ark boarding transactions" - }, "arkTxSettlement": "Règlement", - "@arkTxSettlement": { - "description": "Transaction type label for Ark settlement transactions" - }, "arkTxPayment": "Paiement", - "@arkTxPayment": { - "description": "Transaction type label for Ark payment transactions" - }, "arkSatsUnit": "sats", - "@arkSatsUnit": { - "description": "Unit label for satoshis in Ark transaction details" - }, "bitboxErrorPermissionDenied": "Les autorisations USB sont nécessaires pour se connecter aux appareils BitBox.", - "@bitboxErrorPermissionDenied": { - "description": "Error when USB permissions are not granted for BitBox" - }, "bitboxErrorNoDevicesFound": "Aucun appareil BitBox trouvé. Assurez-vous que votre appareil est allumé et connecté via USB.", - "@bitboxErrorNoDevicesFound": { - "description": "Error when no BitBox devices are detected" - }, "bitboxErrorMultipleDevicesFound": "Plusieurs appareils BitBox trouvés. Veuillez vous assurer qu'un seul appareil est connecté.", - "@bitboxErrorMultipleDevicesFound": { - "description": "Error when multiple BitBox devices are connected" - }, "bitboxErrorDeviceNotFound": "Appareil BitBox introuvable.", - "@bitboxErrorDeviceNotFound": { - "description": "Error when BitBox device cannot be found" - }, "bitboxErrorConnectionTypeNotInitialized": "Type de connexion non initialisé.", - "@bitboxErrorConnectionTypeNotInitialized": { - "description": "Error when connection type is not initialized" - }, "bitboxErrorNoActiveConnection": "Aucune connexion active à l'appareil BitBox.", - "@bitboxErrorNoActiveConnection": { - "description": "Error when there is no active connection to BitBox" - }, "bitboxErrorDeviceMismatch": "Incompatibilité d'appareil détectée.", - "@bitboxErrorDeviceMismatch": { - "description": "Error when connected device does not match expected device" - }, "bitboxErrorInvalidMagicBytes": "Format PSBT invalide détecté.", - "@bitboxErrorInvalidMagicBytes": { - "description": "Error when PSBT has invalid magic bytes" - }, "bitboxErrorDeviceNotPaired": "Appareil non appairé. Veuillez d'abord compléter le processus d'appairage.", - "@bitboxErrorDeviceNotPaired": { - "description": "Error when BitBox device is not paired" - }, "bitboxErrorHandshakeFailed": "Échec de l'établissement de la connexion sécurisée. Veuillez réessayer.", - "@bitboxErrorHandshakeFailed": { - "description": "Error when handshake with BitBox device fails" - }, "bitboxErrorOperationTimeout": "L'opération a expiré. Veuillez réessayer.", - "@bitboxErrorOperationTimeout": { - "description": "Error when BitBox operation times out" - }, "bitboxErrorConnectionFailed": "Échec de la connexion à l'appareil BitBox. Veuillez vérifier votre connexion.", - "@bitboxErrorConnectionFailed": { - "description": "Error when connection to BitBox device fails" - }, "bitboxErrorInvalidResponse": "Réponse invalide de l'appareil BitBox. Veuillez réessayer.", - "@bitboxErrorInvalidResponse": { - "description": "Error when BitBox returns an invalid response" - }, "bitboxErrorOperationCancelled": "L'opération a été annulée. Veuillez réessayer.", - "@bitboxErrorOperationCancelled": { - "description": "Error when BitBox operation is cancelled" - }, "bitboxActionUnlockDeviceTitle": "Déverrouiller l'appareil BitBox", - "@bitboxActionUnlockDeviceTitle": { - "description": "Title for unlock device action" - }, "bitboxActionPairDeviceTitle": "Appairer l'appareil BitBox", - "@bitboxActionPairDeviceTitle": { - "description": "Title for pair device action" - }, "bitboxActionImportWalletTitle": "Importer le portefeuille BitBox", - "@bitboxActionImportWalletTitle": { - "description": "Title for import wallet action" - }, "bitboxActionSignTransactionTitle": "Signer la transaction", - "@bitboxActionSignTransactionTitle": { - "description": "Title for sign transaction action" - }, "bitboxActionVerifyAddressTitle": "Vérifier l'adresse sur BitBox", - "@bitboxActionVerifyAddressTitle": { - "description": "Title for verify address action" - }, "bitboxActionUnlockDeviceButton": "Déverrouiller l'appareil", - "@bitboxActionUnlockDeviceButton": { - "description": "Button text for unlock device" - }, "bitboxActionPairDeviceButton": "Démarrer l'appairage", - "@bitboxActionPairDeviceButton": { - "description": "Button text for pair device" - }, "bitboxActionImportWalletButton": "Démarrer l'importation", - "@bitboxActionImportWalletButton": { - "description": "Button text for import wallet" - }, "bitboxActionSignTransactionButton": "Démarrer la signature", - "@bitboxActionSignTransactionButton": { - "description": "Button text for sign transaction" - }, "bitboxActionVerifyAddressButton": "Vérifier l'adresse", - "@bitboxActionVerifyAddressButton": { - "description": "Button text for verify address" - }, "bitboxActionUnlockDeviceProcessing": "Déverrouillage de l'appareil", - "@bitboxActionUnlockDeviceProcessing": { - "description": "Processing text for unlock device" - }, "bitboxActionPairDeviceProcessing": "Appairage de l'appareil", - "@bitboxActionPairDeviceProcessing": { - "description": "Processing text for pair device" - }, "bitboxActionImportWalletProcessing": "Importation du portefeuille", - "@bitboxActionImportWalletProcessing": { - "description": "Processing text for import wallet" - }, "bitboxActionSignTransactionProcessing": "Signature de la transaction", - "@bitboxActionSignTransactionProcessing": { - "description": "Processing text for sign transaction" - }, "bitboxActionVerifyAddressProcessing": "Affichage de l'adresse sur BitBox...", - "@bitboxActionVerifyAddressProcessing": { - "description": "Processing text for verify address" - }, "bitboxActionUnlockDeviceSuccess": "Appareil déverrouillé avec succès", - "@bitboxActionUnlockDeviceSuccess": { - "description": "Success text for unlock device" - }, "bitboxActionPairDeviceSuccess": "Appareil appairé avec succès", - "@bitboxActionPairDeviceSuccess": { - "description": "Success text for pair device" - }, "bitboxActionImportWalletSuccess": "Portefeuille importé avec succès", - "@bitboxActionImportWalletSuccess": { - "description": "Success text for import wallet" - }, "bitboxActionSignTransactionSuccess": "Transaction signée avec succès", - "@bitboxActionSignTransactionSuccess": { - "description": "Success text for sign transaction" - }, "bitboxActionVerifyAddressSuccess": "Adresse vérifiée avec succès", - "@bitboxActionVerifyAddressSuccess": { - "description": "Success text for verify address" - }, "bitboxActionUnlockDeviceSuccessSubtext": "Votre appareil BitBox est maintenant déverrouillé et prêt à être utilisé.", - "@bitboxActionUnlockDeviceSuccessSubtext": { - "description": "Success subtext for unlock device" - }, "bitboxActionPairDeviceSuccessSubtext": "Votre appareil BitBox est maintenant appairé et prêt à être utilisé.", - "@bitboxActionPairDeviceSuccessSubtext": { - "description": "Success subtext for pair device" - }, "bitboxActionImportWalletSuccessSubtext": "Votre portefeuille BitBox a été importé avec succès.", - "@bitboxActionImportWalletSuccessSubtext": { - "description": "Success subtext for import wallet" - }, "bitboxActionSignTransactionSuccessSubtext": "Votre transaction a été signée avec succès.", - "@bitboxActionSignTransactionSuccessSubtext": { - "description": "Success subtext for sign transaction" - }, "bitboxActionVerifyAddressSuccessSubtext": "L'adresse a été vérifiée sur votre appareil BitBox.", - "@bitboxActionVerifyAddressSuccessSubtext": { - "description": "Success subtext for verify address" - }, "bitboxActionUnlockDeviceProcessingSubtext": "Veuillez entrer votre mot de passe sur l'appareil BitBox...", - "@bitboxActionUnlockDeviceProcessingSubtext": { - "description": "Processing subtext for unlock device" - }, "bitboxActionPairDeviceProcessingSubtext": "Veuillez vérifier le code d'appairage sur votre appareil BitBox...", - "@bitboxActionPairDeviceProcessingSubtext": { - "description": "Processing subtext for pair device" - }, "bitboxActionImportWalletProcessingSubtext": "Configuration de votre portefeuille en lecture seule...", - "@bitboxActionImportWalletProcessingSubtext": { - "description": "Processing subtext for import wallet" - }, "bitboxActionSignTransactionProcessingSubtext": "Veuillez confirmer la transaction sur votre appareil BitBox...", - "@bitboxActionSignTransactionProcessingSubtext": { - "description": "Processing subtext for sign transaction" - }, "bitboxActionVerifyAddressProcessingSubtext": "Veuillez confirmer l'adresse sur votre appareil BitBox.", - "@bitboxActionVerifyAddressProcessingSubtext": { - "description": "Processing subtext for verify address" - }, "bitboxScreenConnectDevice": "Connectez votre appareil BitBox", - "@bitboxScreenConnectDevice": { - "description": "Main text when in initial state" - }, "bitboxScreenScanning": "Recherche d'appareils", - "@bitboxScreenScanning": { - "description": "Main text when scanning for devices" - }, "bitboxScreenConnecting": "Connexion au BitBox", - "@bitboxScreenConnecting": { - "description": "Main text when connecting to device" - }, "bitboxScreenPairingCode": "Code d'appairage", - "@bitboxScreenPairingCode": { - "description": "Main text when showing pairing code" - }, "bitboxScreenEnterPassword": "Entrer le mot de passe", - "@bitboxScreenEnterPassword": { - "description": "Main text when waiting for password" - }, "bitboxScreenVerifyAddress": "Vérifier l'adresse", - "@bitboxScreenVerifyAddress": { - "description": "Main text when showing address verification" - }, "bitboxScreenActionFailed": "{action} a échoué", "@bitboxScreenActionFailed": { - "description": "Main text when action fails", "placeholders": { "action": { "type": "String" @@ -17659,180 +1697,50 @@ } }, "bitboxScreenConnectSubtext": "Assurez-vous que votre BitBox02 est déverrouillé et connecté via USB.", - "@bitboxScreenConnectSubtext": { - "description": "Subtext for initial state" - }, "bitboxScreenScanningSubtext": "Recherche de votre appareil BitBox...", - "@bitboxScreenScanningSubtext": { - "description": "Subtext when scanning" - }, "bitboxScreenConnectingSubtext": "Établissement d'une connexion sécurisée...", - "@bitboxScreenConnectingSubtext": { - "description": "Subtext when connecting" - }, "bitboxScreenPairingCodeSubtext": "Vérifiez que ce code correspond à celui affiché sur votre BitBox02, puis confirmez sur l'appareil.", - "@bitboxScreenPairingCodeSubtext": { - "description": "Subtext when showing pairing code" - }, "bitboxScreenEnterPasswordSubtext": "Veuillez entrer votre mot de passe sur l'appareil BitBox pour continuer.", - "@bitboxScreenEnterPasswordSubtext": { - "description": "Subtext when waiting for password" - }, "bitboxScreenVerifyAddressSubtext": "Comparez cette adresse avec celle affichée sur votre BitBox02", - "@bitboxScreenVerifyAddressSubtext": { - "description": "Subtext when showing address verification" - }, "bitboxScreenUnknownError": "Une erreur inconnue s'est produite", - "@bitboxScreenUnknownError": { - "description": "Fallback error message" - }, "bitboxScreenWaitingConfirmation": "En attente de confirmation sur BitBox02...", - "@bitboxScreenWaitingConfirmation": { - "description": "Message shown while waiting for device confirmation" - }, "bitboxScreenAddressToVerify": "Adresse à vérifier :", - "@bitboxScreenAddressToVerify": { - "description": "Label for address verification" - }, "bitboxScreenVerifyOnDevice": "Veuillez vérifier cette adresse sur votre appareil BitBox", - "@bitboxScreenVerifyOnDevice": { - "description": "Instruction to verify address on device" - }, "bitboxScreenWalletTypeLabel": "Type de portefeuille :", - "@bitboxScreenWalletTypeLabel": { - "description": "Label for wallet type selector" - }, "bitboxScreenSelectWalletType": "Sélectionner le type de portefeuille", - "@bitboxScreenSelectWalletType": { - "description": "Title for wallet type selection modal" - }, "bitboxScreenSegwitBip84": "Segwit (BIP84)", - "@bitboxScreenSegwitBip84": { - "description": "Script type display name for BIP84" - }, "bitboxScreenSegwitBip84Subtitle": "Native SegWit - Recommandé", - "@bitboxScreenSegwitBip84Subtitle": { - "description": "Subtitle for BIP84 option" - }, "bitboxScreenNestedSegwitBip49": "Nested Segwit (BIP49)", - "@bitboxScreenNestedSegwitBip49": { - "description": "Script type display name for BIP49" - }, "bitboxScreenNestedSegwitBip49Subtitle": "P2WPKH-nested-in-P2SH", - "@bitboxScreenNestedSegwitBip49Subtitle": { - "description": "Subtitle for BIP49 option" - }, "bitboxScreenTroubleshootingTitle": "Dépannage BitBox02", - "@bitboxScreenTroubleshootingTitle": { - "description": "Title for troubleshooting instructions" - }, "bitboxScreenTroubleshootingSubtitle": "Tout d'abord, assurez-vous que votre appareil BitBox02 est connecté au port USB de votre téléphone. Si votre appareil ne se connecte toujours pas à l'application, essayez ce qui suit :", - "@bitboxScreenTroubleshootingSubtitle": { - "description": "Subtitle for troubleshooting instructions" - }, "bitboxScreenTroubleshootingStep1": "Assurez-vous d'avoir le dernier firmware installé sur votre BitBox.", - "@bitboxScreenTroubleshootingStep1": { - "description": "Troubleshooting step 1" - }, "bitboxScreenTroubleshootingStep2": "Assurez-vous que les permissions USB sont activées sur votre téléphone.", - "@bitboxScreenTroubleshootingStep2": { - "description": "Troubleshooting step 2" - }, "bitboxScreenTroubleshootingStep3": "Redémarrez votre appareil BitBox02 en le débranchant et en le reconnectant.", - "@bitboxScreenTroubleshootingStep3": { - "description": "Troubleshooting step 3" - }, "bitboxScreenTryAgainButton": "Réessayer", - "@bitboxScreenTryAgainButton": { - "description": "Button to retry failed action" - }, "bitboxScreenManagePermissionsButton": "Gérer les permissions de l'application", - "@bitboxScreenManagePermissionsButton": { - "description": "Button to open app permissions settings" - }, "bitboxScreenNeedHelpButton": "Besoin d'aide ?", - "@bitboxScreenNeedHelpButton": { - "description": "Button to show help instructions" - }, "bitboxScreenDefaultWalletLabel": "Portefeuille BitBox", - "@bitboxScreenDefaultWalletLabel": { - "description": "Default label for imported BitBox wallet" - }, "bitboxCubitPermissionDenied": "Permission USB refusée. Veuillez accorder la permission pour accéder à votre appareil BitBox.", - "@bitboxCubitPermissionDenied": { - "description": "Error interpretation for permission denied" - }, "bitboxCubitDeviceNotFound": "Aucun appareil BitBox trouvé. Veuillez connecter votre appareil et réessayer.", - "@bitboxCubitDeviceNotFound": { - "description": "Error interpretation for device not found" - }, "bitboxCubitDeviceNotPaired": "Appareil non appairé. Veuillez d'abord compléter le processus d'appairage.", - "@bitboxCubitDeviceNotPaired": { - "description": "Error interpretation for device not paired" - }, "bitboxCubitHandshakeFailed": "Échec de l'établissement d'une connexion sécurisée. Veuillez réessayer.", - "@bitboxCubitHandshakeFailed": { - "description": "Error interpretation for handshake failure" - }, "bitboxCubitOperationTimeout": "L'opération a expiré. Veuillez réessayer.", - "@bitboxCubitOperationTimeout": { - "description": "Error interpretation for timeout" - }, "bitboxCubitConnectionFailed": "Échec de la connexion à l'appareil BitBox. Veuillez vérifier votre connexion.", - "@bitboxCubitConnectionFailed": { - "description": "Error interpretation for connection failure" - }, "bitboxCubitInvalidResponse": "Réponse invalide de l'appareil BitBox. Veuillez réessayer.", - "@bitboxCubitInvalidResponse": { - "description": "Error interpretation for invalid response" - }, "bitboxCubitOperationCancelled": "L'opération a été annulée. Veuillez réessayer.", - "@bitboxCubitOperationCancelled": { - "description": "Error interpretation for cancelled operation" - }, "advancedOptionsTitle": "Options avancées", - "@advancedOptionsTitle": { - "description": "Bottom sheet header/title for advanced sending options" - }, "replaceByFeeActivatedLabel": "Remplacement par frais activé", - "@replaceByFeeActivatedLabel": { - "description": "Label for RBF toggle switch" - }, "replaceByFeeBroadcastButton": "Diffuser", - "@replaceByFeeBroadcastButton": { - "description": "Button to broadcast the replacement transaction" - }, "replaceByFeeCustomFeeTitle": "Frais personnalisés", - "@replaceByFeeCustomFeeTitle": { - "description": "Title for custom fee input section" - }, "replaceByFeeErrorFeeRateTooLow": "Vous devez augmenter le taux de frais d'au moins 1 sat/vbyte par rapport à la transaction originale", - "@replaceByFeeErrorFeeRateTooLow": { - "description": "Error message when new fee rate is not high enough" - }, "replaceByFeeErrorNoFeeRateSelected": "Veuillez sélectionner un taux de frais", - "@replaceByFeeErrorNoFeeRateSelected": { - "description": "Error message when no fee rate is selected" - }, "replaceByFeeErrorTransactionConfirmed": "La transaction originale a été confirmée", - "@replaceByFeeErrorTransactionConfirmed": { - "description": "Error message when original transaction is already confirmed" - }, "replaceByFeeErrorGeneric": "Une erreur s'est produite lors de la tentative de remplacement de la transaction", - "@replaceByFeeErrorGeneric": { - "description": "Generic error message for replace-by-fee operation failures" - }, "replaceByFeeFastestDescription": "Livraison estimée ~ 10 minutes", - "@replaceByFeeFastestDescription": { - "description": "Description for fastest fee option" - }, "replaceByFeeFastestTitle": "Le plus rapide", - "@replaceByFeeFastestTitle": { - "description": "Title for fastest fee option" - }, "replaceByFeeFeeRateDisplay": "Taux de frais : {feeRate} sat/vbyte", "@replaceByFeeFeeRateDisplay": { - "description": "Display text showing the fee rate", "placeholders": { "feeRate": { "type": "String" @@ -17840,68 +1748,22 @@ } }, "replaceByFeeOriginalTransactionTitle": "Transaction originale", - "@replaceByFeeOriginalTransactionTitle": { - "description": "Title for original transaction section" - }, "replaceByFeeSatsVbUnit": "sats/vB", - "@replaceByFeeSatsVbUnit": { - "description": "Unit label for satoshis per virtual byte" - }, "replaceByFeeScreenTitle": "Remplacement par frais", - "@replaceByFeeScreenTitle": { - "description": "Screen title for replace by fee feature" - }, "selectCoinsManuallyLabel": "Sélectionner les pièces manuellement", - "@selectCoinsManuallyLabel": { - "description": "List tile option to manually select UTXOs" - }, "doneButton": "Terminé", - "@doneButton": { - "description": "Button to close advanced options bottom sheet" - }, "confirmLogoutTitle": "Confirmer la déconnexion", - "@confirmLogoutTitle": { - "description": "Dialog title for logout confirmation" - }, "confirmLogoutMessage": "Êtes-vous sûr de vouloir vous déconnecter de votre compte Bull Bitcoin ? Vous devrez vous reconnecter pour accéder aux fonctionnalités d'échange.", - "@confirmLogoutMessage": { - "description": "Confirmation message explaining logout consequences" - }, "logoutButton": "Déconnexion", - "@logoutButton": { - "description": "Button to confirm logout action" - }, "comingSoonDefaultMessage": "Cette fonctionnalité est actuellement en développement et sera bientôt disponible.", - "@comingSoonDefaultMessage": { - "description": "Default message for features under development" - }, "featureComingSoonTitle": "Fonctionnalité à venir", - "@featureComingSoonTitle": { - "description": "Title for coming soon bottom sheet" - }, "okButton": "OK", - "@okButton": { - "description": "Button to dismiss coming soon message" - }, "notLoggedInTitle": "Vous n'êtes pas connecté", - "@notLoggedInTitle": { - "description": "Title for not logged in state" - }, "notLoggedInMessage": "Veuillez vous connecter à votre compte Bull Bitcoin pour accéder aux paramètres d'échange.", - "@notLoggedInMessage": { - "description": "Message prompting user to log in for exchange features" - }, "loginButton": "CONNEXION", - "@loginButton": { - "description": "Button to navigate to login screen" - }, "selectAmountTitle": "Sélectionner le montant", - "@selectAmountTitle": { - "description": "Title for manual coin selection bottom sheet" - }, "amountRequestedLabel": "Montant demandé : {amount}", "@amountRequestedLabel": { - "description": "Shows the requested amount to send", "placeholders": { "amount": { "type": "String" @@ -17909,36 +1771,14 @@ } }, "addressLabel": "Adresse : ", - "@addressLabel": { - "description": "Label for UTXO address in coin selection tile" - }, "typeLabel": "Type : ", - "@typeLabel": { - "description": "Label for address type (Receive/Change)" - }, "addressViewReceiveType": "Réception", - "@addressViewReceiveType": { - "description": "Address type label for external/receive addresses" - }, "addressViewChangeType": "Monnaie", - "@addressViewChangeType": { - "description": "Address type label for internal/change addresses" - }, "pasteInputDefaultHint": "Collez une adresse de paiement ou une facture", - "@pasteInputDefaultHint": { - "description": "Default placeholder hint for paste input field" - }, "copyDialogButton": "Copier", - "@copyDialogButton": { - "description": "Button in modal dialog to copy value to clipboard" - }, "closeDialogButton": "Fermer", - "@closeDialogButton": { - "description": "Button to close the value display modal dialog" - }, "scanningProgressLabel": "Analyse : {percent} %", "@scanningProgressLabel": { - "description": "Progress indicator for UR QR code scanning", "placeholders": { "percent": { "type": "String" @@ -17947,7 +1787,6 @@ }, "urProgressLabel": "Progression UR : {parts} parties", "@urProgressLabel": { - "description": "Progress message showing parts processed for multi-part UR codes", "placeholders": { "parts": { "type": "String" @@ -17955,32 +1794,13 @@ } }, "scanningCompletedMessage": "Analyse terminée", - "@scanningCompletedMessage": { - "description": "Success message when UR scanning completes" - }, "urDecodingFailedMessage": "Échec du décodage UR", - "@urDecodingFailedMessage": { - "description": "Error message when UR decoding fails" - }, "urProcessingFailedMessage": "Échec du traitement UR", - "@urProcessingFailedMessage": { - "description": "Error message when UR processing encounters an exception" - }, "scanNfcButton": "Scanner NFC", - "@scanNfcButton": { - "description": "Button label to initiate NFC scanning" - }, "shareLogsLabel": "Partager les journaux", - "@shareLogsLabel": { - "description": "List tile label to share application logs" - }, "viewLogsLabel": "Voir les journaux", - "@viewLogsLabel": { - "description": "List tile label to view logs inline or in viewer" - }, "errorSharingLogsMessage": "Erreur lors du partage des journaux : {error}", "@errorSharingLogsMessage": { - "description": "Error message when log sharing fails", "placeholders": { "error": { "type": "String" @@ -17988,208 +1808,57 @@ } }, "copiedToClipboardMessage": "Copié dans le presse-papiers", - "@copiedToClipboardMessage": { - "description": "Snackbar confirmation message after copying to clipboard" - }, "submitButton": "Soumettre", - "@submitButton": { - "description": "Default button label to submit mnemonic" - }, "optionalPassphraseHint": "Phrase secrète facultative", - "@optionalPassphraseHint": { - "description": "Placeholder hint for passphrase field" - }, "labelInputLabel": "Étiquette", - "@labelInputLabel": { - "description": "Label for wallet label input field" - }, "requiredHint": "Obligatoire", - "@requiredHint": { - "description": "Placeholder hint for required label field" - }, "wordsDropdownSuffix": " mots", - "@wordsDropdownSuffix": { - "description": "Suffix for mnemonic length dropdown" - }, "emptyMnemonicWordsError": "Entrez tous les mots de votre mnémonique", - "@emptyMnemonicWordsError": { - "description": "Error message when not all mnemonic words are filled in" - }, "tryAgainButton": "Réessayer", - "@tryAgainButton": { - "description": "Default button text for error state" - }, "errorGenericTitle": "Oups ! Une erreur s'est produite", - "@errorGenericTitle": { - "description": "Generic error title when hasError is true" - }, "confirmSendTitle": "Confirmer l'envoi", - "@confirmSendTitle": { - "description": "Title for send confirmation screen when sending bitcoin" - }, "confirmTransferTitle": "Confirmer le transfert", - "@confirmTransferTitle": { - "description": "Title for confirmation screen when transferring between wallets" - }, "fromLabel": "De", - "@fromLabel": { - "description": "Label for source wallet in transaction details" - }, "toLabel": "À", - "@toLabel": { - "description": "Label for destination address in transaction details" - }, "amountLabel": "Montant", - "@amountLabel": { - "description": "Label for transaction amount display" - }, "networkFeesLabel": "Frais de réseau", - "@networkFeesLabel": { - "description": "Label for network transaction fees in onchain send" - }, "feePriorityLabel": "Priorité des frais", - "@feePriorityLabel": { - "description": "Label for fee selection priority option" - }, "transferIdLabel": "ID de transfert", - "@transferIdLabel": { - "description": "Label for swap transfer ID" - }, "totalFeesLabel": "Frais totaux", - "@totalFeesLabel": { - "description": "Label for total fees in lightning swap" - }, "totalFeeLabel": "Frais total", - "@totalFeeLabel": { - "description": "Label for expandable total fee breakdown in swap" - }, "networkFeeLabel": "Frais de réseau", - "@networkFeeLabel": { - "description": "Breakdown component showing network fee portion" - }, "transferFeeLabel": "Frais de transfert", - "@transferFeeLabel": { - "description": "Breakdown component showing Boltz transfer fee portion" - }, "sendNetworkFeesLabel": "Frais de réseau d'envoi", - "@sendNetworkFeesLabel": { - "description": "Label for sending network fees in chain swap" - }, "confirmButtonLabel": "Confirmer", - "@confirmButtonLabel": { - "description": "Button label to confirm and execute the transaction" - }, "satsSuffix": " sats", - "@satsSuffix": { - "description": "Unit suffix for satoshi amounts" - }, "approximateFiatPrefix": "~", - "@approximateFiatPrefix": { - "description": "Prefix indicating approximate fiat equivalent value" - }, "routeErrorMessage": "Page introuvable", - "@routeErrorMessage": { - "description": "Error message displayed when user navigates to non-existent route" - }, "logsViewerTitle": "Journaux", - "@logsViewerTitle": { - "description": "AppBar title for logs viewer screen" - }, "payInvoiceTitle": "Payer la Facture", - "@payInvoiceTitle": { - "description": "AppBar title for the pay invoice screen" - }, "payEnterAmountTitle": "Entrer le Montant", - "@payEnterAmountTitle": { - "description": "Title for amount entry screen in payment flow" - }, "payInvalidInvoice": "Facture invalide", - "@payInvalidInvoice": { - "description": "Error message when invoice format is invalid" - }, "payInvoiceExpired": "Facture expirée", - "@payInvoiceExpired": { - "description": "Error message when Lightning invoice has expired" - }, "payNetworkError": "Erreur réseau. Veuillez réessayer", - "@payNetworkError": { - "description": "Error message for network connectivity issues during payment" - }, "payProcessingPayment": "Traitement du paiement...", - "@payProcessingPayment": { - "description": "Loading message while payment is being processed" - }, "payPaymentSuccessful": "Paiement réussi", - "@payPaymentSuccessful": { - "description": "Success message after payment completes" - }, "payPaymentFailed": "Échec du paiement", - "@payPaymentFailed": { - "description": "Error message when payment fails" - }, "payRetryPayment": "Réessayer le Paiement", - "@payRetryPayment": { - "description": "Button text to retry a failed payment" - }, "payScanQRCode": "Scanner le Code QR", - "@payScanQRCode": { - "description": "Button text to open QR code scanner for payment" - }, "payPasteInvoice": "Coller la Facture", - "@payPasteInvoice": { - "description": "Button text to paste invoice from clipboard" - }, "payEnterInvoice": "Entrer la Facture", - "@payEnterInvoice": { - "description": "Placeholder text for invoice input field" - }, "payTotal": "Total", - "@payTotal": { - "description": "Label for total payment amount (amount + fee)" - }, "payDescription": "Description", - "@payDescription": { - "description": "Label for payment description/memo field" - }, "payCancelPayment": "Annuler le Paiement", - "@payCancelPayment": { - "description": "Button text to cancel payment flow" - }, "payLightningInvoice": "Facture Lightning", - "@payLightningInvoice": { - "description": "Label indicating invoice type is Lightning Network" - }, "payBitcoinAddress": "Adresse Bitcoin", - "@payBitcoinAddress": { - "description": "Label indicating payment destination is on-chain address" - }, "payLiquidAddress": "Adresse Liquid", - "@payLiquidAddress": { - "description": "Label indicating payment destination is Liquid address" - }, "payInvoiceDetails": "Détails de la Facture", - "@payInvoiceDetails": { - "description": "Section header for invoice information" - }, "payAmountTooLow": "Le montant est inférieur au minimum", - "@payAmountTooLow": { - "description": "Error when payment amount is below minimum allowed" - }, "payAmountTooHigh": "Le montant dépasse le maximum", - "@payAmountTooHigh": { - "description": "Error when payment amount exceeds maximum allowed" - }, "payInvalidAmount": "Montant invalide", - "@payInvalidAmount": { - "description": "Error when entered amount is invalid" - }, "payFeeTooHigh": "Les frais sont anormalement élevés", - "@payFeeTooHigh": { - "description": "Warning when calculated fee is higher than expected" - }, "payConfirmHighFee": "Les frais pour ce paiement représentent {percentage}% du montant. Continuer?", "@payConfirmHighFee": { - "description": "Confirmation prompt when fee percentage is high", "placeholders": { "percentage": { "type": "String" @@ -18197,60 +1866,20 @@ } }, "payNoRouteFound": "Aucun itinéraire trouvé pour ce paiement", - "@payNoRouteFound": { - "description": "Error when Lightning routing cannot find a path" - }, "payRoutingFailed": "Échec du routage", - "@payRoutingFailed": { - "description": "Error when Lightning payment routing fails" - }, "payChannelBalanceLow": "Solde du canal trop faible", - "@payChannelBalanceLow": { - "description": "Error when Lightning channel lacks sufficient outbound liquidity" - }, "payOpenChannelRequired": "L'ouverture d'un canal est requise pour ce paiement", - "@payOpenChannelRequired": { - "description": "Message indicating a new Lightning channel is needed" - }, "payEstimatedFee": "Frais Estimés", - "@payEstimatedFee": { - "description": "Label for estimated network fee" - }, "payActualFee": "Frais Réels", - "@payActualFee": { - "description": "Label for actual fee paid after transaction" - }, "payTimeoutError": "Délai d'expiration du paiement. Veuillez vérifier le statut", - "@payTimeoutError": { - "description": "Error when payment takes too long to complete" - }, "payCheckingStatus": "Vérification du statut du paiement...", - "@payCheckingStatus": { - "description": "Loading message while verifying payment status" - }, "payPaymentPending": "Paiement en attente", - "@payPaymentPending": { - "description": "Status message for in-flight payment" - }, "payPaymentConfirmed": "Paiement confirmé", - "@payPaymentConfirmed": { - "description": "Status message for confirmed payment" - }, "payViewTransaction": "Voir la Transaction", - "@payViewTransaction": { - "description": "Button text to view transaction details" - }, "payShareInvoice": "Partager la Facture", - "@payShareInvoice": { - "description": "Button text to share payment invoice" - }, "payInvoiceCopied": "Facture copiée dans le presse-papiers", - "@payInvoiceCopied": { - "description": "Toast message after copying invoice" - }, "payExpiresIn": "Expire dans {time}", "@payExpiresIn": { - "description": "Label showing invoice expiration time", "placeholders": { "time": { "type": "String" @@ -18258,40 +1887,15 @@ } }, "payExpired": "Expiré", - "@payExpired": { - "description": "Status label for expired invoice" - }, "payLightningFee": "Frais Lightning", - "@payLightningFee": { - "description": "Label for Lightning Network routing fee" - }, "payOnChainFee": "Frais On-Chain", - "@payOnChainFee": { - "description": "Label for Bitcoin on-chain transaction fee" - }, "payLiquidFee": "Frais Liquid", - "@payLiquidFee": { - "description": "Label for Liquid Network transaction fee" - }, "paySwapFee": "Frais de Swap", - "@paySwapFee": { - "description": "Label for submarine swap fee" - }, "payServiceFee": "Frais de Service", - "@payServiceFee": { - "description": "Label for service provider fee" - }, "payTotalFees": "Frais Totaux", - "@payTotalFees": { - "description": "Label for sum of all fees" - }, "payFeeBreakdown": "Détail des Frais", - "@payFeeBreakdown": { - "description": "Section header for detailed fee information" - }, "payMinimumAmount": "Minimum: {amount}", "@payMinimumAmount": { - "description": "Label showing minimum payment amount", "placeholders": { "amount": { "type": "String" @@ -18300,7 +1904,6 @@ }, "payMaximumAmount": "Maximum: {amount}", "@payMaximumAmount": { - "description": "Label showing maximum payment amount", "placeholders": { "amount": { "type": "String" @@ -18309,7 +1912,6 @@ }, "payAvailableBalance": "Disponible: {amount}", "@payAvailableBalance": { - "description": "Label showing available wallet balance", "placeholders": { "amount": { "type": "String" @@ -18317,84 +1919,26 @@ } }, "payRequiresSwap": "Ce paiement nécessite un swap", - "@payRequiresSwap": { - "description": "Info message when payment needs submarine swap" - }, "paySwapInProgress": "Swap en cours...", - "@paySwapInProgress": { - "description": "Status message during submarine swap" - }, "paySwapCompleted": "Swap terminé", - "@paySwapCompleted": { - "description": "Status message after successful swap" - }, "paySwapFailed": "Échec du swap", - "@paySwapFailed": { - "description": "Error message when swap fails" - }, "payBroadcastingTransaction": "Diffusion de la transaction...", - "@payBroadcastingTransaction": { - "description": "Status message while broadcasting to network" - }, "payTransactionBroadcast": "Transaction diffusée", - "@payTransactionBroadcast": { - "description": "Success message after broadcasting" - }, "payBroadcastFailed": "Échec de la diffusion", - "@payBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, "payConfirmationRequired": "Confirmation requise", - "@payConfirmationRequired": { - "description": "Message when user confirmation is needed" - }, "payReviewPayment": "Vérifier le Paiement", - "@payReviewPayment": { - "description": "Title for payment review screen" - }, "payPaymentDetails": "Détails du Paiement", - "@payPaymentDetails": { - "description": "Section header for payment information" - }, "payFromWallet": "Depuis le Portefeuille", - "@payFromWallet": { - "description": "Label showing source wallet" - }, "payToAddress": "Vers l'Adresse", - "@payToAddress": { - "description": "Label showing destination address" - }, "payNetworkType": "Réseau", - "@payNetworkType": { - "description": "Label for network type (Lightning/Bitcoin/Liquid)" - }, "payPriority": "Priorité", - "@payPriority": { - "description": "Label for transaction priority/fee level" - }, "payLowPriority": "Faible", - "@payLowPriority": { - "description": "Low fee priority option" - }, "payMediumPriority": "Moyenne", - "@payMediumPriority": { - "description": "Medium fee priority option" - }, "payHighPriority": "Élevée", - "@payHighPriority": { - "description": "High fee priority option" - }, "payCustomFee": "Frais Personnalisés", - "@payCustomFee": { - "description": "Option to set custom fee amount" - }, "payFeeRate": "Taux de Frais", - "@payFeeRate": { - "description": "Label for fee rate (sat/vB)" - }, "paySatsPerByte": "{sats} sat/vB", "@paySatsPerByte": { - "description": "Fee rate format", "placeholders": { "sats": { "type": "String" @@ -18403,7 +1947,6 @@ }, "payEstimatedConfirmation": "Confirmation estimée: {time}", "@payEstimatedConfirmation": { - "description": "Estimated time until confirmation", "placeholders": { "time": { "type": "String" @@ -18411,52 +1954,18 @@ } }, "payReplaceByFee": "Replace-By-Fee (RBF)", - "@payReplaceByFee": { - "description": "Label for RBF feature" - }, "payEnableRBF": "Activer RBF", - "@payEnableRBF": { - "description": "Checkbox to enable Replace-By-Fee" - }, "payRBFEnabled": "RBF activé", - "@payRBFEnabled": { - "description": "Status when RBF is enabled" - }, "payRBFDisabled": "RBF désactivé", - "@payRBFDisabled": { - "description": "Status when RBF is disabled" - }, "payBumpFee": "Augmenter les Frais", - "@payBumpFee": { - "description": "Button to increase fee of pending transaction" - }, "payCannotBumpFee": "Impossible d'augmenter les frais pour cette transaction", - "@payCannotBumpFee": { - "description": "Error when RBF is not available" - }, "payFeeBumpSuccessful": "Augmentation des frais réussie", - "@payFeeBumpSuccessful": { - "description": "Success message after fee bump" - }, "payFeeBumpFailed": "Échec de l'augmentation des frais", - "@payFeeBumpFailed": { - "description": "Error when fee bump fails" - }, "payBatchPayment": "Paiement Groupé", - "@payBatchPayment": { - "description": "Option to combine multiple payments" - }, "payAddRecipient": "Ajouter un Destinataire", - "@payAddRecipient": { - "description": "Button to add another payment recipient" - }, "payRemoveRecipient": "Retirer le Destinataire", - "@payRemoveRecipient": { - "description": "Button to remove a recipient from batch" - }, "payRecipientCount": "{count} destinataires", "@payRecipientCount": { - "description": "Label showing number of recipients", "placeholders": { "count": { "type": "int" @@ -18464,136 +1973,39 @@ } }, "payTotalAmount": "Montant Total", - "@payTotalAmount": { - "description": "Label for sum of all payment amounts" - }, "paySendAll": "Tout Envoyer", - "@paySendAll": { - "description": "Button to send entire wallet balance" - }, "paySendMax": "Max", - "@paySendMax": { - "description": "Button to set amount to maximum available" - }, "payInvalidAddress": "Adresse invalide", - "@payInvalidAddress": { - "description": "Error for malformed address" - }, "payAddressRequired": "L'adresse est requise", - "@payAddressRequired": { - "description": "Validation error for empty address field" - }, "payAmountRequired": "Le montant est requis", - "@payAmountRequired": { - "description": "Validation error for empty amount field" - }, "payEnterValidAmount": "Veuillez entrer un montant valide", - "@payEnterValidAmount": { - "description": "Validation error for invalid amount format" - }, "payWalletNotSynced": "Portefeuille non synchronisé. Veuillez patienter", - "@payWalletNotSynced": { - "description": "Error when wallet sync is incomplete" - }, "paySyncingWallet": "Synchronisation du portefeuille...", - "@paySyncingWallet": { - "description": "Status message during wallet sync" - }, "payNoActiveWallet": "Aucun portefeuille actif", - "@payNoActiveWallet": { - "description": "Error when no wallet is selected" - }, "paySelectActiveWallet": "Veuillez sélectionner un portefeuille", - "@paySelectActiveWallet": { - "description": "Prompt to choose a wallet" - }, "payUnsupportedInvoiceType": "Type de facture non pris en charge", - "@payUnsupportedInvoiceType": { - "description": "Error for unknown invoice format" - }, "payDecodingInvoice": "Décodage de la facture...", - "@payDecodingInvoice": { - "description": "Loading message while parsing invoice" - }, "payInvoiceDecoded": "Facture décodée avec succès", - "@payInvoiceDecoded": { - "description": "Success message after decoding" - }, "payDecodeFailed": "Échec du décodage de la facture", - "@payDecodeFailed": { - "description": "Error when invoice parsing fails" - }, "payMemo": "Mémo", - "@payMemo": { - "description": "Label for optional payment note" - }, "payAddMemo": "Ajouter un mémo (optionnel)", - "@payAddMemo": { - "description": "Placeholder for memo input field" - }, "payPrivatePayment": "Paiement Privé", - "@payPrivatePayment": { - "description": "Label for privacy-enhanced payment option" - }, "payUseCoinjoin": "Utiliser CoinJoin", - "@payUseCoinjoin": { - "description": "Option to use CoinJoin for privacy" - }, "payCoinjoinInProgress": "CoinJoin en cours...", - "@payCoinjoinInProgress": { - "description": "Status during CoinJoin process" - }, "payCoinjoinCompleted": "CoinJoin terminé", - "@payCoinjoinCompleted": { - "description": "Success message after CoinJoin" - }, "payCoinjoinFailed": "Échec du CoinJoin", - "@payCoinjoinFailed": { - "description": "Error when CoinJoin fails" - }, "payPaymentHistory": "Historique des Paiements", - "@payPaymentHistory": { - "description": "Title for list of past payments" - }, "payNoPayments": "Aucun paiement pour le moment", - "@payNoPayments": { - "description": "Empty state message" - }, "payFilterPayments": "Filtrer les Paiements", - "@payFilterPayments": { - "description": "Button to filter payment list" - }, "paySearchPayments": "Rechercher des paiements...", - "@paySearchPayments": { - "description": "Search box placeholder" - }, "payAllPayments": "Tous les Paiements", - "@payAllPayments": { - "description": "Filter option to show all" - }, "paySuccessfulPayments": "Réussis", - "@paySuccessfulPayments": { - "description": "Filter for successful payments" - }, "payFailedPayments": "Échoués", - "@payFailedPayments": { - "description": "Filter for failed payments" - }, "payPendingPayments": "En Attente", - "@payPendingPayments": { - "description": "Filter for pending payments" - }, "sendCoinControl": "Contrôle des pièces", - "@sendCoinControl": { - "description": "Feature to manually select UTXOs" - }, "sendSelectCoins": "Sélectionner les pièces", - "@sendSelectCoins": { - "description": "Button to open UTXO selector" - }, "sendSelectedCoins": "{count} pièces sélectionnées", "@sendSelectedCoins": { - "description": "Label showing number of UTXOs selected", "placeholders": { "count": { "type": "int" @@ -18601,12 +2013,8 @@ } }, "sendClearSelection": "Effacer la sélection", - "@sendClearSelection": { - "description": "Button to deselect all UTXOs" - }, "sendCoinAmount": "Montant : {amount}", "@sendCoinAmount": { - "description": "Label for UTXO amount", "placeholders": { "amount": { "type": "String" @@ -18615,7 +2023,6 @@ }, "sendCoinConfirmations": "{count} confirmations", "@sendCoinConfirmations": { - "description": "Label for UTXO confirmation count", "placeholders": { "count": { "type": "int" @@ -18623,40 +2030,15 @@ } }, "sendUnconfirmed": "Non confirmé", - "@sendUnconfirmed": { - "description": "Status for 0-conf UTXO" - }, "sendFrozenCoin": "Gelé", - "@sendFrozenCoin": { - "description": "Status for manually frozen UTXO" - }, "sendFreezeCoin": "Geler la pièce", - "@sendFreezeCoin": { - "description": "Action to prevent UTXO from being spent" - }, "sendUnfreezeCoin": "Dégeler la pièce", - "@sendUnfreezeCoin": { - "description": "Action to allow spending frozen UTXO" - }, "sendSubmarineSwap": "Submarine Swap", - "@sendSubmarineSwap": { - "description": "Feature to swap on-chain to Lightning" - }, "sendInitiatingSwap": "Initialisation du swap...", - "@sendInitiatingSwap": { - "description": "Loading message during swap setup" - }, "sendSwapDetails": "Détails du swap", - "@sendSwapDetails": { - "description": "Section header for swap information" - }, "sendSwapAmount": "Montant du swap", - "@sendSwapAmount": { - "description": "Label for amount being swapped" - }, "sendSwapFeeEstimate": "Frais du swap estimés : {amount}", "@sendSwapFeeEstimate": { - "description": "Estimated cost of swap", "placeholders": { "amount": { "type": "String" @@ -18665,7 +2047,6 @@ }, "sendSwapTimeEstimate": "Temps estimé : {time}", "@sendSwapTimeEstimate": { - "description": "Expected swap duration", "placeholders": { "time": { "type": "String" @@ -18673,32 +2054,13 @@ } }, "sendConfirmSwap": "Confirmer le swap", - "@sendConfirmSwap": { - "description": "Button to proceed with swap" - }, "sendSwapCancelled": "Swap annulé", - "@sendSwapCancelled": { - "description": "Message when user cancels swap" - }, "sendSwapTimeout": "Délai du swap expiré", - "@sendSwapTimeout": { - "description": "Error when swap expires" - }, "sendCustomFeeRate": "Taux de frais personnalisé", - "@sendCustomFeeRate": { - "description": "Option to manually set fee" - }, "sendFeeRateTooLow": "Taux de frais trop bas", - "@sendFeeRateTooLow": { - "description": "Error for insufficient fee" - }, "sendFeeRateTooHigh": "Le taux de frais semble très élevé", - "@sendFeeRateTooHigh": { - "description": "Warning for excessive fee" - }, "sendRecommendedFee": "Recommandé : {rate} sat/vB", "@sendRecommendedFee": { - "description": "Suggested fee rate", "placeholders": { "rate": { "type": "String" @@ -18706,84 +2068,26 @@ } }, "sendEconomyFee": "Économique", - "@sendEconomyFee": { - "description": "Lowest fee tier" - }, "sendNormalFee": "Normal", - "@sendNormalFee": { - "description": "Standard fee tier" - }, "sendFastFee": "Rapide", - "@sendFastFee": { - "description": "Highest fee tier" - }, "sendHardwareWallet": "Portefeuille matériel", - "@sendHardwareWallet": { - "description": "Option to sign with hardware device" - }, "sendConnectDevice": "Connecter l'appareil", - "@sendConnectDevice": { - "description": "Prompt to plug in hardware wallet" - }, "sendDeviceConnected": "Appareil connecté", - "@sendDeviceConnected": { - "description": "Status when hardware wallet is detected" - }, "sendDeviceDisconnected": "Appareil déconnecté", - "@sendDeviceDisconnected": { - "description": "Error when hardware wallet unplugged" - }, "sendVerifyOnDevice": "Vérifier sur l'appareil", - "@sendVerifyOnDevice": { - "description": "Instruction to check hardware wallet screen" - }, "sendSigningTransaction": "Signature de la transaction...", - "@sendSigningTransaction": { - "description": "Status while hardware wallet signs" - }, "sendSignatureReceived": "Signature reçue", - "@sendSignatureReceived": { - "description": "Success after hardware wallet signs" - }, "sendSigningFailed": "Échec de la signature", - "@sendSigningFailed": { - "description": "Error during hardware wallet signing" - }, "sendUserRejected": "Refusé par l'utilisateur sur l'appareil", - "@sendUserRejected": { - "description": "Error when user declines on hardware wallet" - }, "sendBuildingTransaction": "Construction de la transaction...", - "@sendBuildingTransaction": { - "description": "Status while constructing transaction" - }, "sendTransactionBuilt": "Transaction prête", - "@sendTransactionBuilt": { - "description": "Success after transaction constructed" - }, "sendBuildFailed": "Échec de la construction de la transaction", - "@sendBuildFailed": { - "description": "Error during transaction construction" - }, "sendInsufficientFunds": "Fonds insuffisants", - "@sendInsufficientFunds": { - "description": "Error when balance too low" - }, "sendDustAmount": "Montant trop petit (poussière)", - "@sendDustAmount": { - "description": "Error for uneconomical amount" - }, "sendOutputTooSmall": "Sortie inférieure à la limite de poussière", - "@sendOutputTooSmall": { - "description": "Error for tiny output amount" - }, "sendScheduledPayment": "Paiement planifié", - "@sendScheduledPayment": { - "description": "Feature to delay transaction" - }, "sendScheduleFor": "Planifier pour le {date}", "@sendScheduleFor": { - "description": "Label for scheduled date", "placeholders": { "date": { "type": "String" @@ -18791,120 +2095,35 @@ } }, "sendSwapId": "ID d'échange", - "@sendSwapId": { - "description": "Label for swap identifier in transaction details" - }, "sendSendAmount": "Montant envoyé", - "@sendSendAmount": { - "description": "Label for amount being sent in swap" - }, "sendReceiveAmount": "Montant reçu", - "@sendReceiveAmount": { - "description": "Label for amount being received in swap" - }, "sendSendNetworkFee": "Frais de réseau d'envoi", - "@sendSendNetworkFee": { - "description": "Label for network fee on send side of swap" - }, "sendTransferFee": "Frais de transfert", - "@sendTransferFee": { - "description": "Label for total swap transfer fee" - }, "sendTransferFeeDescription": "Il s'agit des frais totaux déduits du montant envoyé", - "@sendTransferFeeDescription": { - "description": "Explanation of what the transfer fee represents" - }, "sendReceiveNetworkFee": "Frais de réseau de réception", - "@sendReceiveNetworkFee": { - "description": "Label for network fee on receive side" - }, "sendServerNetworkFees": "Frais de réseau du serveur", - "@sendServerNetworkFees": { - "description": "Label for Boltz server fees" - }, "sendConfirmSend": "Confirmer l'envoi", - "@sendConfirmSend": { - "description": "Title for send confirmation screen" - }, "sendSending": "Envoi en cours", - "@sendSending": { - "description": "Title shown while transaction is being sent" - }, "sendBroadcastingTransaction": "Diffusion de la transaction.", - "@sendBroadcastingTransaction": { - "description": "Message shown while broadcasting transaction to network" - }, "sendSwapInProgressInvoice": "L'échange est en cours. La facture sera payée dans quelques secondes.", - "@sendSwapInProgressInvoice": { - "description": "Message for Liquid swap in progress" - }, "sendSwapInProgressBitcoin": "L'échange est en cours. Les transactions Bitcoin peuvent prendre du temps à confirmer. Vous pouvez retourner à l'accueil et attendre.", - "@sendSwapInProgressBitcoin": { - "description": "Message for Bitcoin swap in progress" - }, "sendSwapRefundInProgress": "Remboursement d'échange en cours", - "@sendSwapRefundInProgress": { - "description": "Title when swap failed and refund is processing" - }, "sendSwapFailed": "L'échange a échoué. Votre remboursement sera traité sous peu.", - "@sendSwapFailed": { - "description": "Message explaining swap failure and refund" - }, "sendSwapRefundCompleted": "Remboursement d'échange terminé", - "@sendSwapRefundCompleted": { - "description": "Title when refund has completed" - }, "sendRefundProcessed": "Votre remboursement a été traité.", - "@sendRefundProcessed": { - "description": "Message confirming refund completion" - }, "sendInvoicePaid": "Facture payée", - "@sendInvoicePaid": { - "description": "Title when Lightning invoice payment succeeds" - }, "sendPaymentProcessing": "Le paiement est en cours de traitement. Cela peut prendre jusqu'à une minute", - "@sendPaymentProcessing": { - "description": "Message while payment processes" - }, "sendPaymentWillTakeTime": "Le paiement prendra du temps", - "@sendPaymentWillTakeTime": { - "description": "Title warning of delayed payment" - }, "sendSwapInitiated": "Échange initié", - "@sendSwapInitiated": { - "description": "Title when chain swap begins" - }, "sendSwapWillTakeTime": "Cela prendra du temps à confirmer", - "@sendSwapWillTakeTime": { - "description": "Message warning swap confirmation takes time" - }, "sendSuccessfullySent": "Envoyé avec succès", - "@sendSuccessfullySent": { - "description": "Title for successful send completion" - }, "sendViewDetails": "Voir les détails", - "@sendViewDetails": { - "description": "Button to view transaction details" - }, "sendShowPsbt": "Afficher PSBT", - "@sendShowPsbt": { - "description": "Button to display PSBT for external signing" - }, "sendSignWithLedger": "Signer avec Ledger", - "@sendSignWithLedger": { - "description": "Button to sign transaction with Ledger hardware wallet" - }, "sendSignWithBitBox": "Signer avec BitBox", - "@sendSignWithBitBox": { - "description": "Button to sign transaction with BitBox hardware wallet" - }, "sendTransactionSignedLedger": "Transaction signée avec succès avec Ledger", - "@sendTransactionSignedLedger": { - "description": "Success message after Ledger signing" - }, "sendHighFeeWarningDescription": "Les frais totaux représentent {feePercent}% du montant que vous envoyez", "@sendHighFeeWarningDescription": { - "description": "Warning message showing fee as percentage of send amount", "placeholders": { "feePercent": { "type": "String" @@ -18912,52 +2131,18 @@ } }, "sendEnterAbsoluteFee": "Entrer les frais absolus en sats", - "@sendEnterAbsoluteFee": { - "description": "Placeholder for absolute fee input field" - }, "sendEnterRelativeFee": "Entrer les frais relatifs en sats/vB", - "@sendEnterRelativeFee": { - "description": "Placeholder for relative fee rate input field" - }, "sendErrorArkExperimentalOnly": "Les demandes de paiement ARK ne sont disponibles que depuis la fonctionnalité expérimentale Ark.", - "@sendErrorArkExperimentalOnly": { - "description": "Error when ARK payment is attempted without experimental feature enabled" - }, "sendErrorSwapCreationFailed": "Échec de la création de l'échange.", - "@sendErrorSwapCreationFailed": { - "description": "Error when swap creation fails" - }, "sendErrorInsufficientBalanceForPayment": "Solde insuffisant pour couvrir ce paiement", - "@sendErrorInsufficientBalanceForPayment": { - "description": "Error when wallet balance is insufficient for payment" - }, "sendErrorInvalidAddressOrInvoice": "Adresse de paiement Bitcoin ou facture invalide", - "@sendErrorInvalidAddressOrInvoice": { - "description": "Error when payment request is invalid" - }, "sendErrorBuildFailed": "Échec de la construction", - "@sendErrorBuildFailed": { - "description": "Error title when transaction build fails" - }, "sendErrorConfirmationFailed": "Échec de la confirmation", - "@sendErrorConfirmationFailed": { - "description": "Error title when transaction confirmation fails" - }, "sendErrorInsufficientBalanceForSwap": "Solde insuffisant pour payer cet échange via Liquid et hors des limites d'échange pour payer via Bitcoin.", - "@sendErrorInsufficientBalanceForSwap": { - "description": "Error when balance insufficient for swap through either network" - }, "sendErrorAmountBelowSwapLimits": "Le montant est inférieur aux limites d'échange", - "@sendErrorAmountBelowSwapLimits": { - "description": "Error when amount is below minimum swap limit" - }, "sendErrorAmountAboveSwapLimits": "Le montant est supérieur aux limites d'échange", - "@sendErrorAmountAboveSwapLimits": { - "description": "Error when amount exceeds maximum swap limit" - }, "sendErrorAmountBelowMinimum": "Montant inférieur à la limite d'échange minimale : {minLimit} sats", "@sendErrorAmountBelowMinimum": { - "description": "Error with specific minimum swap amount", "placeholders": { "minLimit": { "type": "String" @@ -18966,7 +2151,6 @@ }, "sendErrorAmountAboveMaximum": "Montant supérieur à la limite d'échange maximale : {maxLimit} sats", "@sendErrorAmountAboveMaximum": { - "description": "Error with specific maximum swap amount", "placeholders": { "maxLimit": { "type": "String" @@ -18974,56 +2158,19 @@ } }, "sendErrorSwapFeesNotLoaded": "Frais d'échange non chargés", - "@sendErrorSwapFeesNotLoaded": { - "description": "Error when swap fee information is unavailable" - }, "sendErrorInsufficientFundsForFees": "Fonds insuffisants pour couvrir le montant et les frais", - "@sendErrorInsufficientFundsForFees": { - "description": "Error when wallet cannot cover transaction amount plus fees" - }, "sendErrorBroadcastFailed": "Échec de la diffusion de la transaction. Vérifiez votre connexion réseau et réessayez.", - "@sendErrorBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, "sendErrorBalanceTooLowForMinimum": "Solde trop bas pour le montant d'échange minimum", - "@sendErrorBalanceTooLowForMinimum": { - "description": "Error when balance is below minimum required for swap" - }, "sendErrorAmountExceedsMaximum": "Le montant dépasse le montant d'échange maximum", - "@sendErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum allowed for swap" - }, "sendErrorLiquidWalletRequired": "Un portefeuille Liquid doit être utilisé pour un échange de liquid vers lightning", - "@sendErrorLiquidWalletRequired": { - "description": "Error when wrong wallet type used for Liquid to Lightning swap" - }, "sendErrorBitcoinWalletRequired": "Un portefeuille Bitcoin doit être utilisé pour un échange de bitcoin vers lightning", - "@sendErrorBitcoinWalletRequired": { - "description": "Error when wrong wallet type used for Bitcoin to Lightning swap" - }, "sendErrorInsufficientFundsForPayment": "Fonds insuffisants disponibles pour effectuer ce paiement.", - "@sendErrorInsufficientFundsForPayment": { - "description": "Error when insufficient funds available" - }, "sendTypeSend": "Envoyer", - "@sendTypeSend": { - "description": "Send type name for Bitcoin/Liquid transactions" - }, "sendTypeSwap": "Échanger", - "@sendTypeSwap": { - "description": "Send type name for Lightning swap transactions" - }, "sellAmount": "Montant à vendre", - "@sellAmount": { - "description": "Label for Bitcoin amount input" - }, "sellReceiveAmount": "Vous recevrez", - "@sellReceiveAmount": { - "description": "Label showing fiat amount to receive" - }, "sellWalletBalance": "Solde : {amount}", "@sellWalletBalance": { - "description": "Shows available balance", "placeholders": { "amount": { "type": "String" @@ -19031,80 +2178,25 @@ } }, "sellPaymentMethod": "Méthode de paiement", - "@sellPaymentMethod": { - "description": "Section for selecting how to receive fiat" - }, "sellBankTransfer": "Virement bancaire", - "@sellBankTransfer": { - "description": "Option for bank deposit" - }, "sellInteracTransfer": "Virement Interac", - "@sellInteracTransfer": { - "description": "Option for Interac payment (Canada)" - }, "sellCashPickup": "Retrait en espèces", - "@sellCashPickup": { - "description": "Option for in-person cash" - }, "sellBankDetails": "Coordonnées bancaires", - "@sellBankDetails": { - "description": "Section header for bank account info" - }, "sellAccountName": "Nom du compte", - "@sellAccountName": { - "description": "Label for bank account holder name" - }, "sellAccountNumber": "Numéro de compte", - "@sellAccountNumber": { - "description": "Label for bank account number" - }, "sellRoutingNumber": "Numéro de routage", - "@sellRoutingNumber": { - "description": "Label for bank routing/transit number" - }, "sellInstitutionNumber": "Numéro d'institution", - "@sellInstitutionNumber": { - "description": "Label for bank institution code" - }, "sellSwiftCode": "Code SWIFT/BIC", - "@sellSwiftCode": { - "description": "Label for international bank code" - }, "sellIBAN": "IBAN", - "@sellIBAN": { - "description": "Label for International Bank Account Number" - }, "sellInteracEmail": "Courriel Interac", - "@sellInteracEmail": { - "description": "Label for email to receive Interac payment" - }, "sellReviewOrder": "Vérifier l'ordre de vente", - "@sellReviewOrder": { - "description": "Title for order confirmation screen" - }, "sellConfirmOrder": "Confirmer l'ordre de vente", - "@sellConfirmOrder": { - "description": "Button to submit sell order" - }, "sellProcessingOrder": "Traitement de l'ordre...", - "@sellProcessingOrder": { - "description": "Loading message during order submission" - }, "sellOrderPlaced": "Ordre de vente placé avec succès", - "@sellOrderPlaced": { - "description": "Success message after order submission" - }, "sellOrderFailed": "Échec du placement de l'ordre de vente", - "@sellOrderFailed": { - "description": "Error message when order fails" - }, "sellInsufficientBalance": "Solde du portefeuille insuffisant", - "@sellInsufficientBalance": { - "description": "Error when wallet lacks funds" - }, "sellMinimumAmount": "Montant minimum de vente : {amount}", "@sellMinimumAmount": { - "description": "Error for amount below minimum", "placeholders": { "amount": { "type": "String" @@ -19113,7 +2205,6 @@ }, "sellMaximumAmount": "Montant maximum de vente : {amount}", "@sellMaximumAmount": { - "description": "Error for amount above maximum", "placeholders": { "amount": { "type": "String" @@ -19121,24 +2212,11 @@ } }, "sellNetworkError": "Erreur réseau. Veuillez réessayer", - "@sellNetworkError": { - "description": "Error for connectivity issues" - }, "sellRateExpired": "Taux de change expiré. Actualisation...", - "@sellRateExpired": { - "description": "Message when rate quote times out" - }, "sellUpdatingRate": "Mise à jour du taux de change...", - "@sellUpdatingRate": { - "description": "Loading message while fetching new rate" - }, "sellCurrentRate": "Taux actuel", - "@sellCurrentRate": { - "description": "Label for BTC/fiat exchange rate" - }, "sellRateValidFor": "Taux valide pour {seconds}s", "@sellRateValidFor": { - "description": "Shows rate expiration countdown", "placeholders": { "seconds": { "type": "int" @@ -19147,7 +2225,6 @@ }, "sellEstimatedArrival": "Arrivée estimée : {time}", "@sellEstimatedArrival": { - "description": "Expected time to receive fiat", "placeholders": { "time": { "type": "String" @@ -19155,48 +2232,17 @@ } }, "sellTransactionFee": "Frais de transaction", - "@sellTransactionFee": { - "description": "Label for Bitcoin network fee" - }, "sellServiceFee": "Frais de service", - "@sellServiceFee": { - "description": "Label for Bull Bitcoin service fee" - }, "sellTotalFees": "Frais totaux", - "@sellTotalFees": { - "description": "Label for sum of all fees" - }, "sellNetAmount": "Montant net", - "@sellNetAmount": { - "description": "Label for amount after fees" - }, "sellKYCRequired": "Vérification KYC requise", - "@sellKYCRequired": { - "description": "Error when identity verification needed" - }, "sellKYCPending": "Vérification KYC en attente", - "@sellKYCPending": { - "description": "Message when verification in progress" - }, "sellKYCApproved": "KYC approuvé", - "@sellKYCApproved": { - "description": "Status when verification complete" - }, "sellKYCRejected": "Vérification KYC rejetée", - "@sellKYCRejected": { - "description": "Error when verification fails" - }, "sellCompleteKYC": "Compléter le KYC", - "@sellCompleteKYC": { - "description": "Button to start verification process" - }, "sellDailyLimitReached": "Limite quotidienne de vente atteinte", - "@sellDailyLimitReached": { - "description": "Error when hitting daily maximum" - }, "sellDailyLimit": "Limite quotidienne : {amount}", "@sellDailyLimit": { - "description": "Shows maximum daily sell amount", "placeholders": { "amount": { "type": "String" @@ -19205,7 +2251,6 @@ }, "sellRemainingLimit": "Reste aujourd'hui : {amount}", "@sellRemainingLimit": { - "description": "Shows remaining daily limit", "placeholders": { "amount": { "type": "String" @@ -19213,16 +2258,9 @@ } }, "buyExpressWithdrawal": "Retrait express", - "@buyExpressWithdrawal": { - "description": "Fast withdrawal option" - }, "buyExpressWithdrawalDesc": "Recevez vos Bitcoin instantanément après le paiement", - "@buyExpressWithdrawalDesc": { - "description": "Explanation of express withdrawal feature" - }, "buyExpressWithdrawalFee": "Frais express : {amount}", "@buyExpressWithdrawalFee": { - "description": "Additional fee for instant withdrawal", "placeholders": { "amount": { "type": "String" @@ -19230,36 +2268,14 @@ } }, "buyStandardWithdrawal": "Retrait standard", - "@buyStandardWithdrawal": { - "description": "Regular withdrawal option" - }, "buyStandardWithdrawalDesc": "Recevez vos Bitcoin après la compensation du paiement (1-3 jours)", - "@buyStandardWithdrawalDesc": { - "description": "Explanation of standard withdrawal timing" - }, "buyKYCLevel": "Niveau KYC", - "@buyKYCLevel": { - "description": "Label for verification tier" - }, "buyKYCLevel1": "Niveau 1 - Basique", - "@buyKYCLevel1": { - "description": "Basic verification tier" - }, "buyKYCLevel2": "Niveau 2 - Amélioré", - "@buyKYCLevel2": { - "description": "Enhanced verification tier" - }, "buyKYCLevel3": "Niveau 3 - Complet", - "@buyKYCLevel3": { - "description": "Full verification tier" - }, "buyUpgradeKYC": "Améliorer le niveau KYC", - "@buyUpgradeKYC": { - "description": "Button to increase verification tier" - }, "buyLevel1Limit": "Limite niveau 1 : {amount}", "@buyLevel1Limit": { - "description": "Purchase limit for basic KYC", "placeholders": { "amount": { "type": "String" @@ -19268,7 +2284,6 @@ }, "buyLevel2Limit": "Limite niveau 2 : {amount}", "@buyLevel2Limit": { - "description": "Purchase limit for enhanced KYC", "placeholders": { "amount": { "type": "String" @@ -19277,7 +2292,6 @@ }, "buyLevel3Limit": "Limite niveau 3 : {amount}", "@buyLevel3Limit": { - "description": "Purchase limit for full KYC", "placeholders": { "amount": { "type": "String" @@ -19285,24 +2299,11 @@ } }, "buyVerificationRequired": "Vérification requise pour ce montant", - "@buyVerificationRequired": { - "description": "Error when KYC needed for purchase size" - }, "buyVerifyIdentity": "Vérifier l'identité", - "@buyVerifyIdentity": { - "description": "Button to start KYC process" - }, "buyVerificationInProgress": "Vérification en cours...", - "@buyVerificationInProgress": { - "description": "Status during KYC review" - }, "buyVerificationComplete": "Vérification complète", - "@buyVerificationComplete": { - "description": "Success message after KYC approval" - }, "buyVerificationFailed": "Échec de la vérification : {reason}", "@buyVerificationFailed": { - "description": "Error message with failure reason", "placeholders": { "reason": { "type": "String" @@ -19310,92 +2311,28 @@ } }, "buyDocumentUpload": "Téléverser les documents", - "@buyDocumentUpload": { - "description": "Section for ID document submission" - }, "buyPhotoID": "Pièce d'identité avec photo", - "@buyPhotoID": { - "description": "Type of document required" - }, "buyProofOfAddress": "Preuve de résidence", - "@buyProofOfAddress": { - "description": "Type of document required" - }, "buySelfie": "Photo-selfie avec pièce d'identité", - "@buySelfie": { - "description": "Type of document required" - }, "receiveSelectNetwork": "Sélectionner le réseau", - "@receiveSelectNetwork": { - "description": "Dropdown to choose receiving network" - }, "receiveBitcoinNetwork": "Bitcoin", - "@receiveBitcoinNetwork": { - "description": "Bitcoin on-chain network option" - }, "receiveLightningNetwork": "Lightning", - "@receiveLightningNetwork": { - "description": "Lightning Network option" - }, "receiveLiquidNetwork": "Liquid", - "@receiveLiquidNetwork": { - "description": "Liquid Network option" - }, "receiveArkNetwork": "Ark", - "@receiveArkNetwork": { - "description": "Ark Instant Payments option" - }, "receiveInvoice": "Facture Lightning", - "@receiveInvoice": { - "description": "Label for Lightning invoice" - }, "receiveFixedAmount": "Montant", - "@receiveFixedAmount": { - "description": "Required amount field" - }, "receiveDescription": "Description (optionnelle)", - "@receiveDescription": { - "description": "Optional memo field" - }, "receiveGenerateInvoice": "Générer une facture", - "@receiveGenerateInvoice": { - "description": "Button to create Lightning invoice" - }, "receiveGenerateAddress": "Générer une nouvelle adresse", - "@receiveGenerateAddress": { - "description": "Button to create new on-chain address" - }, "receiveQRCode": "Code QR", - "@receiveQRCode": { - "description": "Section header for QR code display" - }, "receiveCopyAddress": "Copier l'adresse", - "@receiveCopyAddress": { - "description": "Button to copy address to clipboard" - }, "receiveCopyInvoice": "Copier la facture", - "@receiveCopyInvoice": { - "description": "Button to copy invoice to clipboard" - }, "receiveAddressCopied": "Adresse copiée dans le presse-papiers", - "@receiveAddressCopied": { - "description": "Toast message after copying address" - }, "receiveInvoiceCopied": "Facture copiée dans le presse-papiers", - "@receiveInvoiceCopied": { - "description": "Toast message after copying invoice" - }, "receiveShareAddress": "Partager l'adresse", - "@receiveShareAddress": { - "description": "Button to share via system share sheet" - }, "receiveShareInvoice": "Partager la facture", - "@receiveShareInvoice": { - "description": "Button to share invoice" - }, "receiveInvoiceExpiry": "La facture expire dans {time}", "@receiveInvoiceExpiry": { - "description": "Shows expiration countdown", "placeholders": { "time": { "type": "String" @@ -19403,16 +2340,9 @@ } }, "receiveInvoiceExpired": "Facture expirée", - "@receiveInvoiceExpired": { - "description": "Status when invoice is no longer valid" - }, "receiveAwaitingPayment": "En attente du paiement...", - "@receiveAwaitingPayment": { - "description": "Status while waiting for payment" - }, "receiveConfirming": "Confirmation en cours... ({count}/{required})", "@receiveConfirming": { - "description": "Shows confirmation progress", "placeholders": { "count": { "type": "int" @@ -19423,12 +2353,8 @@ } }, "receiveConfirmed": "Confirmé", - "@receiveConfirmed": { - "description": "Status when fully confirmed" - }, "receiveGenerationFailed": "Échec de la génération de {type}", "@receiveGenerationFailed": { - "description": "Error when address/invoice generation fails", "placeholders": { "type": { "type": "String" @@ -19437,7 +2363,6 @@ }, "receiveNetworkUnavailable": "{network} est actuellement indisponible", "@receiveNetworkUnavailable": { - "description": "Error when network is down", "placeholders": { "network": { "type": "String" @@ -19445,312 +2370,83 @@ } }, "receiveInsufficientInboundLiquidity": "Capacité de réception Lightning insuffisante", - "@receiveInsufficientInboundLiquidity": { - "description": "Error when Lightning channels lack inbound capacity" - }, "receiveRequestInboundLiquidity": "Demander une capacité de réception", - "@receiveRequestInboundLiquidity": { - "description": "Button to open channel for receiving" - }, "backupSettingsPhysicalBackup": "Sauvegarde physique", - "@backupSettingsPhysicalBackup": { - "description": "Label for physical backup status row" - }, "backupSettingsEncryptedVault": "Coffre-fort chiffré", - "@backupSettingsEncryptedVault": { - "description": "Label for encrypted vault backup status row" - }, "backupSettingsTested": "Testé", - "@backupSettingsTested": { - "description": "Status text shown when backup has been tested" - }, "backupSettingsNotTested": "Non testé", - "@backupSettingsNotTested": { - "description": "Status text shown when backup has not been tested" - }, "backupSettingsTestBackup": "Tester la sauvegarde", - "@backupSettingsTestBackup": { - "description": "Button text to test existing backup" - }, "backupSettingsStartBackup": "Démarrer la sauvegarde", - "@backupSettingsStartBackup": { - "description": "Button text to start new backup process" - }, "backupSettingsExportVault": "Exporter le coffre-fort", - "@backupSettingsExportVault": { - "description": "Button text to export encrypted vault file" - }, "backupSettingsExporting": "Exportation en cours...", - "@backupSettingsExporting": { - "description": "Button text while vault export is in progress" - }, "backupSettingsViewVaultKey": "Afficher la clé du coffre-fort", - "@backupSettingsViewVaultKey": { - "description": "Button text to view vault decryption key" - }, "backupSettingsRevealing": "Révélation en cours...", - "@backupSettingsRevealing": { - "description": "Button text while revealing vault key" - }, "backupSettingsKeyServer": "Serveur de clés ", - "@backupSettingsKeyServer": { - "description": "Label for key server connection status indicator" - }, "backupSettingsError": "Erreur", - "@backupSettingsError": { - "description": "Header text for error message display" - }, "backupSettingsBackupKey": "Clé de sauvegarde", - "@backupSettingsBackupKey": { - "description": "AppBar title for view backup key screen" - }, "backupSettingsFailedToDeriveKey": "Échec de la dérivation de la clé de sauvegarde", - "@backupSettingsFailedToDeriveKey": { - "description": "Error message when backup key derivation fails" - }, "backupSettingsSecurityWarning": "Avertissement de sécurité", - "@backupSettingsSecurityWarning": { - "description": "Title for backup key security warning modal" - }, "backupSettingsKeyWarningBold": "Attention : Faites attention à l'endroit où vous enregistrez la clé de sauvegarde.", - "@backupSettingsKeyWarningBold": { - "description": "Bold warning message in backup key warning modal" - }, "backupSettingsKeyWarningMessage": "Il est absolument essentiel de ne pas enregistrer la clé de sauvegarde au même endroit que votre fichier de sauvegarde. Conservez-les toujours sur des appareils distincts ou des fournisseurs de cloud distincts.", - "@backupSettingsKeyWarningMessage": { - "description": "Detailed warning about storing backup key separately" - }, "backupSettingsKeyWarningExample": "Par exemple, si vous avez utilisé Google Drive pour votre fichier de sauvegarde, n'utilisez pas Google Drive pour votre clé de sauvegarde.", - "@backupSettingsKeyWarningExample": { - "description": "Example explaining backup key storage separation" - }, "backupSettingsLabelsButton": "Étiquettes", - "@backupSettingsLabelsButton": { - "description": "Button text to manage transaction labels" - }, "backupSettingsRecoverBullSettings": "Recoverbull", - "@backupSettingsRecoverBullSettings": { - "description": "Button text for Recoverbull" - }, "backupWalletImportanceWarning": "Sans sauvegarde, vous finirez par perdre l'accès à votre argent. Il est absolument essentiel d'effectuer une sauvegarde.", - "@backupWalletImportanceWarning": { - "description": "Warning message emphasizing the importance of creating a backup" - }, "backupWalletEncryptedVaultTitle": "Coffre-fort chiffré", - "@backupWalletEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, "backupWalletEncryptedVaultDescription": "Sauvegarde anonyme avec chiffrement robuste utilisant votre cloud.", - "@backupWalletEncryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, "backupWalletEncryptedVaultTag": "Facile et simple (1 minute)", - "@backupWalletEncryptedVaultTag": { - "description": "Tag indicating difficulty and time for encrypted vault backup" - }, "backupWalletPhysicalBackupTitle": "Sauvegarde physique", - "@backupWalletPhysicalBackupTitle": { - "description": "Title for physical backup option" - }, "backupWalletPhysicalBackupDescription": "Écrivez 12 mots sur un morceau de papier. Gardez-les en sécurité et assurez-vous de ne pas les perdre.", - "@backupWalletPhysicalBackupDescription": { - "description": "Description of physical backup method" - }, "backupWalletPhysicalBackupTag": "Sans tiers de confiance (prenez votre temps)", - "@backupWalletPhysicalBackupTag": { - "description": "Tag indicating difficulty and trust model for physical backup" - }, "backupWalletHowToDecide": "Comment décider ?", - "@backupWalletHowToDecide": { - "description": "Link text to open modal explaining how to choose backup method" - }, "backupWalletChooseVaultLocationTitle": "Choisir l'emplacement du coffre-fort", - "@backupWalletChooseVaultLocationTitle": { - "description": "AppBar title for choosing encrypted vault provider screen" - }, "backupWalletLastKnownEncryptedVault": "Dernier coffre-fort chiffré connu : ", - "@backupWalletLastKnownEncryptedVault": { - "description": "Label prefix for displaying timestamp of last encrypted vault backup" - }, "backupWalletGoogleDriveSignInTitle": "Vous devrez vous connecter à Google Drive", - "@backupWalletGoogleDriveSignInTitle": { - "description": "Loading screen title when initiating Google Drive backup" - }, "backupWalletGoogleDrivePermissionWarning": "Google vous demandera de partager des informations personnelles avec cette application.", - "@backupWalletGoogleDrivePermissionWarning": { - "description": "Warning message about Google Drive permission request" - }, "backupWalletGoogleDrivePrivacyMessage1": "Ces informations ", - "@backupWalletGoogleDrivePrivacyMessage1": { - "description": "First part of privacy message about Google Drive data" - }, "backupWalletGoogleDrivePrivacyMessage2": "ne quitteront pas ", - "@backupWalletGoogleDrivePrivacyMessage2": { - "description": "Second part of privacy message (bold)" - }, "backupWalletGoogleDrivePrivacyMessage3": "votre téléphone et ne sont ", - "@backupWalletGoogleDrivePrivacyMessage3": { - "description": "Third part of privacy message" - }, "backupWalletGoogleDrivePrivacyMessage4": "jamais ", - "@backupWalletGoogleDrivePrivacyMessage4": { - "description": "Fourth part of privacy message (bold)" - }, "backupWalletGoogleDrivePrivacyMessage5": "partagées avec Bull Bitcoin.", - "@backupWalletGoogleDrivePrivacyMessage5": { - "description": "Fifth part of privacy message" - }, "backupWalletSavingToDeviceTitle": "Enregistrement sur votre appareil.", - "@backupWalletSavingToDeviceTitle": { - "description": "Loading screen title when saving to custom location" - }, "backupWalletBestPracticesTitle": "Meilleures pratiques de sauvegarde", - "@backupWalletBestPracticesTitle": { - "description": "AppBar title for physical backup checklist screen" - }, "backupWalletLastBackupTest": "Dernier test de sauvegarde : ", - "@backupWalletLastBackupTest": { - "description": "Label prefix for displaying timestamp of last physical backup test" - }, "backupWalletInstructionLoseBackup": "Si vous perdez votre sauvegarde de 12 mots, vous ne pourrez pas récupérer l'accès au portefeuille Bitcoin.", - "@backupWalletInstructionLoseBackup": { - "description": "Warning instruction about losing backup" - }, "backupWalletInstructionLosePhone": "Sans sauvegarde, si vous perdez ou cassez votre téléphone, ou si vous désinstallez l'application Bull Bitcoin, vos bitcoins seront perdus à jamais.", - "@backupWalletInstructionLosePhone": { - "description": "Warning instruction about consequences without backup" - }, "backupWalletInstructionSecurityRisk": "Toute personne ayant accès à votre sauvegarde de 12 mots peut voler vos bitcoins. Cachez-la bien.", - "@backupWalletInstructionSecurityRisk": { - "description": "Security warning about protecting backup from theft" - }, "backupWalletInstructionNoDigitalCopies": "Ne faites pas de copies numériques de votre sauvegarde. Écrivez-la sur un morceau de papier ou gravez-la dans du métal.", - "@backupWalletInstructionNoDigitalCopies": { - "description": "Instruction to avoid digital copies and use physical medium" - }, "backupWalletInstructionNoPassphrase": "Votre sauvegarde n'est pas protégée par une phrase de passe. Ajoutez une phrase de passe à votre sauvegarde ultérieurement en créant un nouveau portefeuille.", - "@backupWalletInstructionNoPassphrase": { - "description": "Information about passphrase protection option" - }, "backupWalletBackupButton": "Sauvegarder", - "@backupWalletBackupButton": { - "description": "Button text to proceed with physical backup" - }, "backupWalletSuccessTitle": "Sauvegarde terminée !", - "@backupWalletSuccessTitle": { - "description": "Success screen title after backup is completed" - }, "backupWalletSuccessDescription": "Testons maintenant votre sauvegarde pour nous assurer que tout a été fait correctement.", - "@backupWalletSuccessDescription": { - "description": "Success screen description prompting user to test backup" - }, "backupWalletSuccessTestButton": "Tester la sauvegarde", - "@backupWalletSuccessTestButton": { - "description": "Button text to proceed to backup testing" - }, "backupWalletHowToDecideBackupModalTitle": "Comment décider", - "@backupWalletHowToDecideBackupModalTitle": { - "description": "Modal title for backup method comparison help" - }, "backupWalletHowToDecideBackupLosePhysical": "L'une des façons les plus courantes de perdre ses Bitcoin est de perdre la sauvegarde physique. Toute personne qui trouve votre sauvegarde physique pourra prendre tous vos Bitcoin. Si vous êtes très confiant de pouvoir bien la cacher et de ne jamais la perdre, c'est une bonne option.", - "@backupWalletHowToDecideBackupLosePhysical": { - "description": "Explanation of physical backup risks in decision help modal" - }, "backupWalletHowToDecideBackupEncryptedVault": "Le coffre-fort chiffré vous protège des voleurs cherchant à voler votre sauvegarde. Il vous empêche également de perdre accidentellement votre sauvegarde puisqu'elle sera stockée dans votre cloud. Les fournisseurs de stockage cloud comme Google ou Apple n'auront pas accès à vos Bitcoin car le mot de passe de chiffrement est trop robuste. Il existe une petite possibilité que le serveur web qui stocke la clé de chiffrement de votre sauvegarde soit compromis. Dans ce cas, la sécurité de la sauvegarde dans votre compte cloud pourrait être à risque.", - "@backupWalletHowToDecideBackupEncryptedVault": { - "description": "Explanation of encrypted vault benefits and risks in decision help modal" - }, "backupWalletHowToDecideBackupPhysicalRecommendation": "Sauvegarde physique : ", - "@backupWalletHowToDecideBackupPhysicalRecommendation": { - "description": "Bold label for physical backup recommendation" - }, "backupWalletHowToDecideBackupPhysicalRecommendationText": "Vous êtes confiant dans vos propres capacités de sécurité opérationnelle pour cacher et préserver vos mots de récupération Bitcoin.", - "@backupWalletHowToDecideBackupPhysicalRecommendationText": { - "description": "Recommendation text for when to use physical backup" - }, "backupWalletHowToDecideBackupEncryptedRecommendation": "Coffre-fort chiffré : ", - "@backupWalletHowToDecideBackupEncryptedRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, "backupWalletHowToDecideBackupEncryptedRecommendationText": "Vous n'êtes pas sûr et vous avez besoin de plus de temps pour en apprendre davantage sur les pratiques de sécurité des sauvegardes.", - "@backupWalletHowToDecideBackupEncryptedRecommendationText": { - "description": "Recommendation text for when to use encrypted vault" - }, "backupWalletHowToDecideBackupMoreInfo": "Visitez recoverbull.com pour plus d'informations.", - "@backupWalletHowToDecideBackupMoreInfo": { - "description": "Link text to external resource" - }, "backupWalletHowToDecideVaultModalTitle": "Comment décider", - "@backupWalletHowToDecideVaultModalTitle": { - "description": "Modal title for vault location comparison help" - }, "backupWalletHowToDecideVaultCloudSecurity": "Les fournisseurs de stockage cloud comme Google ou Apple n'auront pas accès à vos Bitcoin car le mot de passe de chiffrement est trop robuste. Ils ne peuvent accéder à vos Bitcoin que dans l'éventualité peu probable qu'ils collaborent avec le serveur de clés (le service en ligne qui stocke votre mot de passe de chiffrement). Si le serveur de clés est un jour piraté, vos Bitcoin pourraient être à risque avec le cloud Google ou Apple.", - "@backupWalletHowToDecideVaultCloudSecurity": { - "description": "Explanation of cloud storage security in vault location decision help modal" - }, "backupWalletHowToDecideVaultCustomLocation": "Un emplacement personnalisé peut être beaucoup plus sécurisé, selon l'emplacement que vous choisissez. Vous devez également vous assurer de ne pas perdre le fichier de sauvegarde ou de perdre l'appareil sur lequel votre fichier de sauvegarde est stocké.", - "@backupWalletHowToDecideVaultCustomLocation": { - "description": "Explanation of custom location benefits and risks" - }, "backupWalletHowToDecideVaultCustomRecommendation": "Emplacement personnalisé : ", - "@backupWalletHowToDecideVaultCustomRecommendation": { - "description": "Bold label for custom location recommendation" - }, "backupWalletHowToDecideVaultCustomRecommendationText": "vous êtes confiant de ne pas perdre le fichier du coffre-fort et qu'il restera accessible si vous perdez votre téléphone.", - "@backupWalletHowToDecideVaultCustomRecommendationText": { - "description": "Recommendation text for when to use custom location" - }, "backupWalletHowToDecideVaultCloudRecommendation": "Cloud Google ou Apple : ", - "@backupWalletHowToDecideVaultCloudRecommendation": { - "description": "Bold label for cloud storage recommendation" - }, "backupWalletHowToDecideVaultCloudRecommendationText": "vous voulez vous assurer de ne jamais perdre l'accès à votre fichier de coffre-fort même si vous perdez vos appareils.", - "@backupWalletHowToDecideVaultCloudRecommendationText": { - "description": "Recommendation text for when to use cloud storage" - }, "backupWalletHowToDecideVaultMoreInfo": "Visitez recoverbull.com pour plus d'informations.", - "@backupWalletHowToDecideVaultMoreInfo": { - "description": "Link text to external resource about vault locations" - }, "backupWalletVaultProviderGoogleDrive": "Google Drive", - "@backupWalletVaultProviderGoogleDrive": { - "description": "Name of Google Drive vault provider option" - }, "backupWalletVaultProviderAppleICloud": "Apple iCloud", - "@backupWalletVaultProviderAppleICloud": { - "description": "Name of Apple iCloud vault provider option" - }, "backupWalletVaultProviderCustomLocation": "Emplacement personnalisé", - "@backupWalletVaultProviderCustomLocation": { - "description": "Name of custom location vault provider option" - }, "backupWalletVaultProviderQuickEasy": "Rapide et facile", - "@backupWalletVaultProviderQuickEasy": { - "description": "Tag for Google Drive and iCloud providers" - }, "backupWalletVaultProviderTakeYourTime": "Prenez votre temps", - "@backupWalletVaultProviderTakeYourTime": { - "description": "Tag for custom location provider" - }, "backupWalletErrorFileSystemPath": "Échec de la sélection du chemin du système de fichiers", - "@backupWalletErrorFileSystemPath": { - "description": "Error when file system path selection fails" - }, "backupWalletErrorGoogleDriveConnection": "Échec de la connexion à Google Drive", - "@backupWalletErrorGoogleDriveConnection": { - "description": "Error when Google Drive connection fails" - }, "backupWalletErrorSaveBackup": "Échec de l'enregistrement de la sauvegarde", - "@backupWalletErrorSaveBackup": { - "description": "Error when backup save operation fails" - }, "backupWalletErrorGoogleDriveSave": "Échec de l'enregistrement sur Google Drive", - "@backupWalletErrorGoogleDriveSave": { - "description": "Error when saving to Google Drive fails" - }, "testBackupWalletTitle": "Tester {walletName}", "@testBackupWalletTitle": { - "description": "Dynamic AppBar title showing which wallet is being tested", "placeholders": { "walletName": { "type": "String" @@ -19758,24 +2454,11 @@ } }, "testBackupDefaultWallets": "Portefeuilles par défaut", - "@testBackupDefaultWallets": { - "description": "Label shown when testing the default wallets" - }, "testBackupConfirm": "Confirmer", - "@testBackupConfirm": { - "description": "Button text to confirm wallet selection" - }, "testBackupWriteDownPhrase": "Écrivez votre phrase de récupération\ndans le bon ordre", - "@testBackupWriteDownPhrase": { - "description": "Main instruction header for physical backup screen" - }, "testBackupStoreItSafe": "Conservez-la dans un endroit sûr.", - "@testBackupStoreItSafe": { - "description": "Sub-instruction telling users to store recovery phrase safely" - }, "testBackupLastBackupTest": "Dernier test de sauvegarde : {timestamp}", "@testBackupLastBackupTest": { - "description": "Shows timestamp of last physical backup test", "placeholders": { "timestamp": { "type": "String" @@ -19783,32 +2466,13 @@ } }, "testBackupDoNotShare": "NE PARTAGEZ AVEC PERSONNE", - "@testBackupDoNotShare": { - "description": "Warning header about keeping recovery phrase secret" - }, "testBackupTranscribe": "Transcrire", - "@testBackupTranscribe": { - "description": "Label with checkmark indicating users should transcribe the phrase" - }, "testBackupDigitalCopy": "Copie numérique", - "@testBackupDigitalCopy": { - "description": "Label with X mark warning against making digital copies" - }, "testBackupScreenshot": "Capture d'écran", - "@testBackupScreenshot": { - "description": "Label with X mark warning against taking screenshots" - }, "testBackupNext": "Suivant", - "@testBackupNext": { - "description": "Button to proceed to verification quiz" - }, "testBackupTapWordsInOrder": "Appuyez sur les mots de récupération dans\nle bon ordre", - "@testBackupTapWordsInOrder": { - "description": "Instruction header for word selection quiz" - }, "testBackupWhatIsWordNumber": "Quel est le mot numéro {number} ?", "@testBackupWhatIsWordNumber": { - "description": "Quiz prompt asking for specific word number", "placeholders": { "number": { "type": "int" @@ -19816,64 +2480,21 @@ } }, "testBackupAllWordsSelected": "Vous avez sélectionné tous les mots", - "@testBackupAllWordsSelected": { - "description": "Message shown when user has selected all 12 words" - }, "testBackupVerify": "Vérifier", - "@testBackupVerify": { - "description": "Button text to verify the selected word order" - }, "testBackupPassphrase": "Phrase de passe", - "@testBackupPassphrase": { - "description": "Label for optional passphrase field" - }, "testBackupSuccessTitle": "Test réussi !", - "@testBackupSuccessTitle": { - "description": "Success screen title after completing backup verification" - }, "testBackupSuccessMessage": "Vous êtes capable de récupérer l'accès à un portefeuille Bitcoin perdu", - "@testBackupSuccessMessage": { - "description": "Success screen message confirming recovery capability" - }, "testBackupSuccessButton": "Compris", - "@testBackupSuccessButton": { - "description": "Button to dismiss success screen" - }, "testBackupWarningMessage": "Sans sauvegarde, vous finirez par perdre l'accès à votre argent. Il est absolument essentiel d'effectuer une sauvegarde.", - "@testBackupWarningMessage": { - "description": "Warning message emphasizing importance of backups" - }, "testBackupEncryptedVaultTitle": "Coffre-fort chiffré", - "@testBackupEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option card" - }, "testBackupEncryptedVaultDescription": "Sauvegarde anonyme avec chiffrement robuste utilisant votre cloud.", - "@testBackupEncryptedVaultDescription": { - "description": "Description for encrypted vault backup option" - }, "testBackupEncryptedVaultTag": "Facile et simple (1 minute)", - "@testBackupEncryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, "testBackupPhysicalBackupTitle": "Sauvegarde physique", - "@testBackupPhysicalBackupTitle": { - "description": "Title for physical backup option card" - }, "testBackupPhysicalBackupDescription": "Écrivez 12 mots sur un morceau de papier. Gardez-les en sécurité et assurez-vous de ne pas les perdre.", - "@testBackupPhysicalBackupDescription": { - "description": "Description for physical backup option" - }, "testBackupPhysicalBackupTag": "Sans tiers de confiance (prenez votre temps)", - "@testBackupPhysicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes longer" - }, "testBackupChooseVaultLocation": "Choisir l'emplacement du coffre-fort", - "@testBackupChooseVaultLocation": { - "description": "AppBar title for encrypted vault provider selection screen" - }, "testBackupLastKnownVault": "Dernier coffre-fort chiffré connu : {timestamp}", "@testBackupLastKnownVault": { - "description": "Shows timestamp of last encrypted vault backup", "placeholders": { "timestamp": { "type": "String" @@ -19881,80 +2502,25 @@ } }, "testBackupRetrieveVaultDescription": "Testez pour vous assurer que vous pouvez récupérer votre coffre-fort chiffré.", - "@testBackupRetrieveVaultDescription": { - "description": "Description explaining purpose of vault location selection" - }, "testBackupGoogleDriveSignIn": "Vous devrez vous connecter à Google Drive", - "@testBackupGoogleDriveSignIn": { - "description": "Progress screen title when fetching from Google Drive" - }, "testBackupGoogleDrivePermission": "Google vous demandera de partager des informations personnelles avec cette application.", - "@testBackupGoogleDrivePermission": { - "description": "Progress screen description explaining Google Drive permission request" - }, "testBackupGoogleDrivePrivacyPart1": "Ces informations ", - "@testBackupGoogleDrivePrivacyPart1": { - "description": "First part of privacy message" - }, "testBackupGoogleDrivePrivacyPart2": "ne quitteront pas ", - "@testBackupGoogleDrivePrivacyPart2": { - "description": "Second part (emphasized) of privacy message" - }, "testBackupGoogleDrivePrivacyPart3": "votre téléphone et ne sont ", - "@testBackupGoogleDrivePrivacyPart3": { - "description": "Third part of privacy message" - }, "testBackupGoogleDrivePrivacyPart4": "jamais ", - "@testBackupGoogleDrivePrivacyPart4": { - "description": "Fourth part (emphasized) of privacy message" - }, "testBackupGoogleDrivePrivacyPart5": "partagées avec Bull Bitcoin.", - "@testBackupGoogleDrivePrivacyPart5": { - "description": "Fifth part of privacy message" - }, "testBackupFetchingFromDevice": "Récupération depuis votre appareil.", - "@testBackupFetchingFromDevice": { - "description": "Progress screen title when fetching from local device" - }, "testBackupRecoverWallet": "Récupérer le portefeuille", - "@testBackupRecoverWallet": { - "description": "AppBar title for fetched backup info screen" - }, "testBackupVaultSuccessMessage": "Votre coffre-fort a été importé avec succès", - "@testBackupVaultSuccessMessage": { - "description": "Success message after vault is imported" - }, "testBackupBackupId": "ID de sauvegarde :", - "@testBackupBackupId": { - "description": "Label for backup ID field" - }, "testBackupCreatedAt": "Créé le :", - "@testBackupCreatedAt": { - "description": "Label for vault creation timestamp field" - }, "testBackupEnterKeyManually": "Entrer la clé de sauvegarde manuellement >>", - "@testBackupEnterKeyManually": { - "description": "Button text to manually enter backup key" - }, "testBackupDecryptVault": "Déchiffrer le coffre-fort", - "@testBackupDecryptVault": { - "description": "Button text to decrypt the vault" - }, "testBackupErrorNoMnemonic": "Aucune mnémonique chargée", - "@testBackupErrorNoMnemonic": { - "description": "Error when mnemonic is not loaded" - }, "testBackupErrorSelectAllWords": "Veuillez sélectionner tous les mots", - "@testBackupErrorSelectAllWords": { - "description": "Error when not all words are selected" - }, "testBackupErrorIncorrectOrder": "Ordre des mots incorrect. Veuillez réessayer.", - "@testBackupErrorIncorrectOrder": { - "description": "Error when words are selected in wrong order" - }, "testBackupErrorVerificationFailed": "Échec de la vérification : {error}", "@testBackupErrorVerificationFailed": { - "description": "Generic error message for verification failure", "placeholders": { "error": { "type": "String" @@ -19963,7 +2529,6 @@ }, "testBackupErrorFailedToFetch": "Échec de la récupération de la sauvegarde : {error}", "@testBackupErrorFailedToFetch": { - "description": "Error when backup fetch fails", "placeholders": { "error": { "type": "String" @@ -19971,20 +2536,10 @@ } }, "testBackupErrorInvalidFile": "Contenu du fichier invalide", - "@testBackupErrorInvalidFile": { - "description": "Error when selected file has invalid content" - }, "testBackupErrorUnexpectedSuccess": "Succès inattendu : la sauvegarde devrait correspondre au portefeuille existant", - "@testBackupErrorUnexpectedSuccess": { - "description": "Error for unexpected successful vault restoration" - }, "testBackupErrorWalletMismatch": "La sauvegarde ne correspond pas au portefeuille existant", - "@testBackupErrorWalletMismatch": { - "description": "Error when backup doesn't match current wallet" - }, "testBackupErrorWriteFailed": "Échec de l'écriture dans le stockage : {error}", "@testBackupErrorWriteFailed": { - "description": "Error when writing verification status to storage fails", "placeholders": { "error": { "type": "String" @@ -19993,7 +2548,6 @@ }, "testBackupErrorTestFailed": "Échec du test de la sauvegarde : {error}", "@testBackupErrorTestFailed": { - "description": "Generic error message for backup test failure", "placeholders": { "error": { "type": "String" @@ -20002,7 +2556,6 @@ }, "testBackupErrorLoadWallets": "Échec du chargement des portefeuilles : {error}", "@testBackupErrorLoadWallets": { - "description": "Error when loading wallets fails", "placeholders": { "error": { "type": "String" @@ -20011,7 +2564,6 @@ }, "testBackupErrorLoadMnemonic": "Échec du chargement de la mnémonique : {error}", "@testBackupErrorLoadMnemonic": { - "description": "Error when loading mnemonic fails", "placeholders": { "error": { "type": "String" @@ -20019,24 +2571,11 @@ } }, "recoverbullGoogleDriveCancelButton": "Annuler", - "@recoverbullGoogleDriveCancelButton": { - "description": "Cancel button text for delete confirmation dialog" - }, "recoverbullGoogleDriveDeleteButton": "Supprimer", - "@recoverbullGoogleDriveDeleteButton": { - "description": "Delete button text for vault backup" - }, "recoverbullGoogleDriveDeleteConfirmation": "Êtes-vous sûr de vouloir supprimer cette sauvegarde de coffre-fort ? Cette action ne peut pas être annulée.", - "@recoverbullGoogleDriveDeleteConfirmation": { - "description": "Confirmation message for deleting a vault backup" - }, "recoverbullGoogleDriveDeleteVaultTitle": "Supprimer le coffre-fort", - "@recoverbullGoogleDriveDeleteVaultTitle": { - "description": "Title for delete vault confirmation dialog" - }, "recoverbullGoogleDriveErrorDisplay": "Erreur : {error}", "@recoverbullGoogleDriveErrorDisplay": { - "description": "Error message display format", "placeholders": { "error": { "type": "String" @@ -20045,7 +2584,6 @@ }, "recoverbullBalance": "Solde : {balance}", "@recoverbullBalance": { - "description": "Label showing wallet balance during vault recovery", "placeholders": { "balance": { "type": "String" @@ -20053,16 +2591,9 @@ } }, "recoverbullCheckingConnection": "Vérification de la connexion pour RecoverBull", - "@recoverbullCheckingConnection": { - "description": "Screen title while checking connection status" - }, "recoverbullConfirm": "Confirmer", - "@recoverbullConfirm": { - "description": "Button text to confirm an action" - }, "recoverbullConfirmInput": "Confirmer {inputType}", "@recoverbullConfirmInput": { - "description": "Label to confirm input (PIN or password)", "placeholders": { "inputType": { "type": "String" @@ -20070,40 +2601,15 @@ } }, "recoverbullConnected": "Connecté", - "@recoverbullConnected": { - "description": "Status label indicating successful connection" - }, "recoverbullConnecting": "Connexion en cours", - "@recoverbullConnecting": { - "description": "Status label indicating connection in progress" - }, "recoverbullConnectingTor": "Connexion au serveur de clés via Tor.\nCela peut prendre jusqu'à une minute.", - "@recoverbullConnectingTor": { - "description": "Message shown while establishing Tor connection" - }, "recoverbullConnectionFailed": "Échec de la connexion", - "@recoverbullConnectionFailed": { - "description": "Status label indicating connection failure" - }, "recoverbullContinue": "Continuer", - "@recoverbullContinue": { - "description": "Button text to proceed to next step" - }, "recoverbullCreatingVault": "Création du coffre-fort chiffré", - "@recoverbullCreatingVault": { - "description": "Screen title while vault is being created" - }, "recoverbullDecryptVault": "Déchiffrer le coffre-fort", - "@recoverbullDecryptVault": { - "description": "Button text to decrypt the selected vault" - }, "recoverbullEncryptedVaultCreated": "Coffre-fort chiffré créé !", - "@recoverbullEncryptedVaultCreated": { - "description": "Success message title after vault creation" - }, "recoverbullEnterInput": "Entrez votre {inputType}", "@recoverbullEnterInput": { - "description": "Input field label prompting for PIN or password", "placeholders": { "inputType": { "type": "String" @@ -20112,7 +2618,6 @@ }, "recoverbullEnterToDecrypt": "Veuillez entrer votre {inputType} pour déchiffrer votre coffre-fort.", "@recoverbullEnterToDecrypt": { - "description": "Instruction to enter PIN or password for vault decryption", "placeholders": { "inputType": { "type": "String" @@ -20121,7 +2626,6 @@ }, "recoverbullEnterToTest": "Veuillez entrer votre {inputType} pour tester votre coffre-fort.", "@recoverbullEnterToTest": { - "description": "Instruction to enter PIN or password to test vault recovery", "placeholders": { "inputType": { "type": "String" @@ -20130,7 +2634,6 @@ }, "recoverbullEnterToView": "Veuillez entrer votre {inputType} pour voir votre clé de coffre-fort.", "@recoverbullEnterToView": { - "description": "Instruction to enter PIN or password to view vault key", "placeholders": { "inputType": { "type": "String" @@ -20138,56 +2641,19 @@ } }, "recoverbullEnterVaultKeyInstead": "Entrer une clé de coffre-fort", - "@recoverbullEnterVaultKeyInstead": { - "description": "Button text to switch to manual vault key entry" - }, "recoverbullErrorCheckStatusFailed": "Échec de la vérification de l'état du coffre-fort", - "@recoverbullErrorCheckStatusFailed": { - "description": "Error message when vault status check fails" - }, "recoverbullErrorConnectionFailed": "Échec de la connexion au serveur de clés cible. Veuillez réessayer plus tard !", - "@recoverbullErrorConnectionFailed": { - "description": "Error message when server connection fails" - }, "recoverbullErrorDecryptedVaultNotSet": "Le coffre-fort déchiffré n'est pas défini", - "@recoverbullErrorDecryptedVaultNotSet": { - "description": "Error when attempting operation without decrypted vault" - }, "recoverbullErrorDecryptFailed": "Échec du déchiffrement du coffre-fort", - "@recoverbullErrorDecryptFailed": { - "description": "Error message when vault decryption fails" - }, "recoverbullErrorFetchKeyFailed": "Échec de la récupération de la clé du coffre-fort depuis le serveur", - "@recoverbullErrorFetchKeyFailed": { - "description": "Error message when server key fetch fails" - }, "recoverbullErrorInvalidCredentials": "Mot de passe incorrect pour ce fichier de sauvegarde", - "@recoverbullErrorInvalidCredentials": { - "description": "Error message when wrong password is entered for vault" - }, "recoverbullErrorInvalidFlow": "Flux invalide", - "@recoverbullErrorInvalidFlow": { - "description": "Error message for invalid operation flow" - }, "recoverbullErrorMissingBytes": "Octets manquants dans la réponse Tor. Réessayez, mais si le problème persiste, il s'agit d'un problème connu pour certains appareils avec Tor.", - "@recoverbullErrorMissingBytes": { - "description": "Error message when Tor response is incomplete" - }, "recoverbullErrorPasswordNotSet": "Le mot de passe n'est pas défini", - "@recoverbullErrorPasswordNotSet": { - "description": "Error when attempting operation without setting password" - }, "recoverbullErrorRecoveryFailed": "Échec de la récupération du coffre-fort", - "@recoverbullErrorRecoveryFailed": { - "description": "Error message when vault recovery fails" - }, "recoverbullTorNotStarted": "Tor n'est pas démarré", - "@recoverbullTorNotStarted": { - "description": "Error message when Tor is not started" - }, "recoverbullErrorRateLimited": "Limite de taux atteinte. Veuillez réessayer dans {retryIn}", "@recoverbullErrorRateLimited": { - "description": "Error message when rate limited by the server", "placeholders": { "retryIn": { "type": "String" @@ -20195,60 +2661,20 @@ } }, "recoverbullErrorUnexpected": "Erreur inattendue, voir les logs", - "@recoverbullErrorUnexpected": { - "description": "Error message for unexpected errors" - }, "recoverbullUnexpectedError": "Erreur inattendue", - "@recoverbullUnexpectedError": { - "description": "Short unexpected error message" - }, "recoverbullErrorSelectVault": "Échec de la sélection du coffre-fort", - "@recoverbullErrorSelectVault": { - "description": "Error message when vault selection fails" - }, "recoverbullErrorVaultCreatedKeyNotStored": "Échec : Fichier de coffre-fort créé mais clé non stockée sur le serveur", - "@recoverbullErrorVaultCreatedKeyNotStored": { - "description": "Error when vault file created but server key storage failed" - }, "recoverbullErrorVaultCreationFailed": "Échec de la création du coffre-fort, cela peut être le fichier ou la clé", - "@recoverbullErrorVaultCreationFailed": { - "description": "Error message when overall vault creation fails" - }, "recoverbullErrorVaultNotSet": "Le coffre-fort n'est pas défini", - "@recoverbullErrorVaultNotSet": { - "description": "Error when attempting operation without selected vault" - }, "recoverbullFailed": "Échec", - "@recoverbullFailed": { - "description": "Status label indicating operation failure" - }, "recoverbullFetchingVaultKey": "Récupération de la clé de coffre-fort", - "@recoverbullFetchingVaultKey": { - "description": "Screen title while fetching vault key from server" - }, "recoverbullFetchVaultKey": "Récupérer la clé de coffre-fort", - "@recoverbullFetchVaultKey": { - "description": "Screen title for vault key fetch screen" - }, "recoverbullGoBackEdit": "<< Retour pour modifier", - "@recoverbullGoBackEdit": { - "description": "Button text to return to previous screen for editing" - }, "recoverbullGotIt": "Compris", - "@recoverbullGotIt": { - "description": "Button text to acknowledge and dismiss message" - }, "recoverbullKeyServer": "Serveur de clés ", - "@recoverbullKeyServer": { - "description": "Label for key server connection status" - }, "recoverbullLookingForBalance": "Recherche du solde et des transactions…", - "@recoverbullLookingForBalance": { - "description": "Loading message while scanning wallet" - }, "recoverbullMemorizeWarning": "Vous devez mémoriser ce {inputType} pour récupérer l'accès à votre portefeuille. Il doit contenir au moins 6 chiffres. Si vous perdez ce {inputType}, vous ne pourrez pas récupérer votre sauvegarde.", "@recoverbullMemorizeWarning": { - "description": "Warning message about memorizing PIN or password", "placeholders": { "inputType": { "type": "String" @@ -20256,36 +2682,14 @@ } }, "recoverbullPassword": "Mot de passe", - "@recoverbullPassword": { - "description": "Label for password input type" - }, "recoverbullPasswordMismatch": "Les mots de passe ne correspondent pas", - "@recoverbullPasswordMismatch": { - "description": "Validation error when passwords don't match" - }, "recoverbullPasswordRequired": "Le mot de passe est requis", - "@recoverbullPasswordRequired": { - "description": "Validation error when password field is empty" - }, "recoverbullPasswordTooCommon": "Ce mot de passe est trop courant. Veuillez en choisir un autre", - "@recoverbullPasswordTooCommon": { - "description": "Validation error for commonly used passwords" - }, "recoverbullPasswordTooShort": "Le mot de passe doit contenir au moins 6 caractères", - "@recoverbullPasswordTooShort": { - "description": "Validation error for passwords under minimum length" - }, "recoverbullPIN": "NIP", - "@recoverbullPIN": { - "description": "Label for PIN input type" - }, "recoverbullPleaseWait": "Veuillez patienter pendant que nous établissons une connexion sécurisée...", - "@recoverbullPleaseWait": { - "description": "Message shown during connection establishment" - }, "recoverbullReenterConfirm": "Veuillez re-saisir votre {inputType} pour confirmer.", "@recoverbullReenterConfirm": { - "description": "Instruction to re-enter PIN or password for confirmation", "placeholders": { "inputType": { "type": "String" @@ -20294,7 +2698,6 @@ }, "recoverbullReenterRequired": "Re-saisir votre {inputType}", "@recoverbullReenterRequired": { - "description": "Label for confirmation input field", "placeholders": { "inputType": { "type": "String" @@ -20302,160 +2705,45 @@ } }, "recoverbullGoogleDriveErrorDeleteFailed": "Échec de la suppression du coffre-fort de Google Drive", - "@recoverbullGoogleDriveErrorDeleteFailed": { - "description": "Error message when deleting a drive backup fails" - }, "recoverbullGoogleDriveErrorExportFailed": "Échec de l'exportation du coffre-fort de Google Drive", - "@recoverbullGoogleDriveErrorExportFailed": { - "description": "Error message when exporting a drive backup fails" - }, "recoverbullGoogleDriveErrorFetchFailed": "Échec de la récupération des coffres-forts de Google Drive", - "@recoverbullGoogleDriveErrorFetchFailed": { - "description": "Error message when fetching drive backups fails" - }, "recoverbullGoogleDriveErrorGeneric": "Une erreur s'est produite. Veuillez réessayer.", - "@recoverbullGoogleDriveErrorGeneric": { - "description": "Generic error message for unknown errors" - }, "recoverbullGoogleDriveErrorSelectFailed": "Échec de la sélection du coffre-fort de Google Drive", - "@recoverbullGoogleDriveErrorSelectFailed": { - "description": "Error message when selecting/loading a drive backup fails" - }, "recoverbullGoogleDriveExportButton": "Exporter", - "@recoverbullGoogleDriveExportButton": { - "description": "Export button text for vault backup" - }, "recoverbullGoogleDriveNoBackupsFound": "Aucune sauvegarde trouvée", - "@recoverbullGoogleDriveNoBackupsFound": { - "description": "Message displayed when no backups are found in Google Drive" - }, "recoverbullGoogleDriveScreenTitle": "Coffres-forts Google Drive", - "@recoverbullGoogleDriveScreenTitle": { - "description": "Screen title for Google Drive vaults management" - }, "recoverbullRecoverBullServer": "Serveur RecoverBull", - "@recoverbullRecoverBullServer": { - "description": "Label for RecoverBull server connection status" - }, "recoverbullRetry": "Réessayer", - "@recoverbullRetry": { - "description": "Button text to retry failed operation" - }, "recoverbullSecureBackup": "Sécurisez votre sauvegarde", - "@recoverbullSecureBackup": { - "description": "Screen title for backup security setup" - }, "recoverbullSeeMoreVaults": "Voir plus de coffres-forts", - "@recoverbullSeeMoreVaults": { - "description": "Button text to view additional vault options" - }, "recoverbullSelectRecoverWallet": "Récupérer le portefeuille", - "@recoverbullSelectRecoverWallet": { - "description": "AppBar title for initial provider selection screen" - }, "recoverbullSelectVaultSelected": "Coffre-fort sélectionné", - "@recoverbullSelectVaultSelected": { - "description": "AppBar title shown after vault has been selected" - }, "recoverbullSelectCustomLocation": "Emplacement personnalisé", - "@recoverbullSelectCustomLocation": { - "description": "AppBar title for custom location file picker screen" - }, "recoverbullSelectDriveBackups": "Sauvegardes Drive", - "@recoverbullSelectDriveBackups": { - "description": "AppBar title for screen showing list of Google Drive backups" - }, "recoverbullSelectGoogleDrive": "Google Drive", - "@recoverbullSelectGoogleDrive": { - "description": "Name label for Google Drive backup provider option" - }, "recoverbullSelectAppleIcloud": "Apple iCloud", - "@recoverbullSelectAppleIcloud": { - "description": "Name label for Apple iCloud backup provider option" - }, "recoverbullSelectCustomLocationProvider": "Emplacement personnalisé", - "@recoverbullSelectCustomLocationProvider": { - "description": "Name label for custom location backup provider option" - }, "recoverbullSelectQuickAndEasy": "Rapide et facile", - "@recoverbullSelectQuickAndEasy": { - "description": "Description tag for Google Drive and iCloud provider options" - }, "recoverbullSelectTakeYourTime": "Prenez votre temps", - "@recoverbullSelectTakeYourTime": { - "description": "Description tag for custom location provider option" - }, "recoverbullSelectVaultImportSuccess": "Votre coffre-fort a été importé avec succès", - "@recoverbullSelectVaultImportSuccess": { - "description": "Success message shown on vault selected page" - }, "recoverbullSelectEnterBackupKeyManually": "Entrer la clé de sauvegarde manuellement >>", - "@recoverbullSelectEnterBackupKeyManually": { - "description": "Button text to manually enter backup key" - }, "recoverbullSelectDecryptVault": "Déchiffrer le coffre-fort", - "@recoverbullSelectDecryptVault": { - "description": "Primary button text to proceed with vault decryption" - }, "recoverbullSelectNoBackupsFound": "Aucune sauvegarde trouvée", - "@recoverbullSelectNoBackupsFound": { - "description": "Empty state message when no backup files found in Google Drive" - }, "recoverbullSelectErrorPrefix": "Erreur :", - "@recoverbullSelectErrorPrefix": { - "description": "Prefix text shown before error messages" - }, "recoverbullSelectFetchDriveFilesError": "Échec de la récupération de toutes les sauvegardes Drive", - "@recoverbullSelectFetchDriveFilesError": { - "description": "Error when unable to retrieve backup list from Google Drive" - }, "recoverbullSelectFileNotSelectedError": "Fichier non sélectionné", - "@recoverbullSelectFileNotSelectedError": { - "description": "Error when user cancels file selection" - }, "recoverbullSelectCustomLocationError": "Échec de la sélection du fichier depuis l'emplacement personnalisé", - "@recoverbullSelectCustomLocationError": { - "description": "Error when file selection from custom location fails" - }, "recoverbullSelectBackupFileNotValidError": "Le fichier de sauvegarde RecoverBull n'est pas valide", - "@recoverbullSelectBackupFileNotValidError": { - "description": "Error when selected file is not a valid RecoverBull backup format" - }, "recoverbullSelectVaultProvider": "Sélectionnez le fournisseur de coffre-fort", - "@recoverbullSelectVaultProvider": { - "description": "Screen title for vault provider selection" - }, "recoverbullSwitchToPassword": "Choisir un mot de passe", - "@recoverbullSwitchToPassword": { - "description": "Button text to switch from PIN to password input" - }, "recoverbullSwitchToPIN": "Choisir un NIP plutôt", - "@recoverbullSwitchToPIN": { - "description": "Button text to switch from password to PIN input" - }, "recoverbullTestBackupDescription": "Maintenant, testons votre sauvegarde pour nous assurer que tout a été fait correctement.", - "@recoverbullTestBackupDescription": { - "description": "Description message before testing backup" - }, "recoverbullTestCompletedTitle": "Test réussi !", - "@recoverbullTestCompletedTitle": { - "description": "Success title after completing backup test" - }, "recoverbullTestRecovery": "Tester la récupération", - "@recoverbullTestRecovery": { - "description": "Button text to initiate recovery test" - }, "recoverbullTestSuccessDescription": "Vous pouvez récupérer l'accès à un portefeuille Bitcoin perdu", - "@recoverbullTestSuccessDescription": { - "description": "Description shown after successful recovery test" - }, "recoverbullTorNetwork": "Réseau Tor", - "@recoverbullTorNetwork": { - "description": "Label for Tor network connection status" - }, "recoverbullTransactions": "Transactions : {count}", "@recoverbullTransactions": { - "description": "Label showing transaction count during vault recovery", "placeholders": { "count": { "type": "int" @@ -20463,44 +2751,16 @@ } }, "recoverbullVaultCreatedSuccess": "Coffre-fort créé avec succès", - "@recoverbullVaultCreatedSuccess": { - "description": "Success message after vault creation" - }, "recoverbullVaultImportedSuccess": "Votre coffre-fort a été importé avec succès", - "@recoverbullVaultImportedSuccess": { - "description": "Success message after vault import" - }, "recoverbullVaultKey": "Clé de coffre-fort", - "@recoverbullVaultKey": { - "description": "Screen title and label for vault key" - }, "recoverbullVaultKeyInput": "Clé de coffre-fort", - "@recoverbullVaultKeyInput": { - "description": "Input field label for vault key entry" - }, "recoverbullVaultRecovery": "Récupération de coffre-fort", - "@recoverbullVaultRecovery": { - "description": "Screen title for vault recovery process" - }, "recoverbullVaultSelected": "Coffre-fort sélectionné", - "@recoverbullVaultSelected": { - "description": "Screen title after vault has been selected" - }, "recoverbullWaiting": "En attente", - "@recoverbullWaiting": { - "description": "Status label indicating waiting state" - }, "recoverbullRecoveryTitle": "Récupération du coffre-fort RecoverBull", - "@recoverbullRecoveryTitle": { - "description": "AppBar title for vault recovery screen" - }, "recoverbullRecoveryLoadingMessage": "Recherche du solde et des transactions…", - "@recoverbullRecoveryLoadingMessage": { - "description": "Loading message while checking wallet balance and transactions" - }, "recoverbullRecoveryBalanceLabel": "Solde : {amount}", "@recoverbullRecoveryBalanceLabel": { - "description": "Label showing total wallet balance found", "placeholders": { "amount": { "type": "String" @@ -20509,7 +2769,6 @@ }, "recoverbullRecoveryTransactionsLabel": "Transactions : {count}", "@recoverbullRecoveryTransactionsLabel": { - "description": "Label showing total number of transactions found", "placeholders": { "count": { "type": "int" @@ -20517,52 +2776,18 @@ } }, "recoverbullRecoveryContinueButton": "Continuer", - "@recoverbullRecoveryContinueButton": { - "description": "Button text to proceed with importing the wallet" - }, "recoverbullRecoveryErrorWalletExists": "Ce portefeuille existe déjà.", - "@recoverbullRecoveryErrorWalletExists": { - "description": "Error when attempting to restore vault that already exists" - }, "recoverbullRecoveryErrorWalletMismatch": "Un portefeuille par défaut différent existe déjà. Vous ne pouvez avoir qu'un seul portefeuille par défaut.", - "@recoverbullRecoveryErrorWalletMismatch": { - "description": "Error when different default wallet already exists" - }, "recoverbullRecoveryErrorKeyDerivationFailed": "Échec de la dérivation de la clé de sauvegarde locale.", - "@recoverbullRecoveryErrorKeyDerivationFailed": { - "description": "Error when app fails to derive backup encryption key" - }, "recoverbullRecoveryErrorVaultCorrupted": "Le fichier de sauvegarde sélectionné est corrompu.", - "@recoverbullRecoveryErrorVaultCorrupted": { - "description": "Error when vault backup file cannot be decrypted or is invalid" - }, "recoverbullRecoveryErrorMissingDerivationPath": "Chemin de dérivation manquant dans le fichier de sauvegarde.", - "@recoverbullRecoveryErrorMissingDerivationPath": { - "description": "Error when vault backup file is missing required derivation path" - }, "rbfTitle": "Remplacer par frais", - "@rbfTitle": { - "description": "AppBar title for Replace-By-Fee screen" - }, "rbfOriginalTransaction": "Transaction originale", - "@rbfOriginalTransaction": { - "description": "Header label for original transaction details" - }, "rbfBroadcast": "Diffuser", - "@rbfBroadcast": { - "description": "Button text to broadcast the bumped transaction" - }, "rbfFastest": "Le plus rapide", - "@rbfFastest": { - "description": "Label for fastest fee option" - }, "rbfEstimatedDelivery": "Livraison estimée ~ 10 minutes", - "@rbfEstimatedDelivery": { - "description": "Estimated confirmation time for fastest fee" - }, "rbfFeeRate": "Taux de frais : {rate} sat/vbyte", "@rbfFeeRate": { - "description": "Label showing fee rate", "placeholders": { "rate": { "type": "String" @@ -20570,52 +2795,18 @@ } }, "rbfCustomFee": "Frais personnalisés", - "@rbfCustomFee": { - "description": "Label for custom fee option" - }, "rbfSatsPerVbyte": "sats/vB", - "@rbfSatsPerVbyte": { - "description": "Unit label for fee rate input" - }, "rbfErrorNoFeeRate": "Veuillez sélectionner un taux de frais", - "@rbfErrorNoFeeRate": { - "description": "Error when no fee rate is selected" - }, "rbfErrorAlreadyConfirmed": "La transaction originale a été confirmée", - "@rbfErrorAlreadyConfirmed": { - "description": "Error when trying to RBF a confirmed transaction" - }, "rbfErrorFeeTooLow": "Vous devez augmenter le taux de frais d'au moins 1 sat/vbyte par rapport à la transaction originale", - "@rbfErrorFeeTooLow": { - "description": "Error when new fee rate is not high enough" - }, "psbtSignTransaction": "Signer la transaction", - "@psbtSignTransaction": { - "description": "AppBar title for PSBT signing screen" - }, "psbtInstructions": "Instructions", - "@psbtInstructions": { - "description": "Button text to show device-specific signing instructions" - }, "psbtImDone": "J'ai terminé", - "@psbtImDone": { - "description": "Button text to proceed after signing transaction on hardware device" - }, "psbtFlowSignTransaction": "Signer la transaction", - "@psbtFlowSignTransaction": { - "description": "Title for psbt flow signing screen" - }, "psbtFlowInstructions": "Instructions", - "@psbtFlowInstructions": { - "description": "Instructions section header in psbt flow" - }, "psbtFlowDone": "J'ai terminé", - "@psbtFlowDone": { - "description": "Button to complete psbt flow signing process" - }, "psbtFlowError": "Erreur : {error}", "@psbtFlowError": { - "description": "Error message in psbt flow", "placeholders": { "error": { "type": "String" @@ -20623,12 +2814,8 @@ } }, "psbtFlowNoPartsToDisplay": "Aucune partie à afficher", - "@psbtFlowNoPartsToDisplay": { - "description": "Message when there are no QR code parts to show" - }, "psbtFlowPartProgress": "Partie {current} de {total}", "@psbtFlowPartProgress": { - "description": "Progress indicator for animated QR code parts", "placeholders": { "current": { "type": "String" @@ -20639,36 +2826,14 @@ } }, "psbtFlowKruxTitle": "Instructions Krux", - "@psbtFlowKruxTitle": { - "description": "Title for Krux device signing instructions" - }, "psbtFlowKeystoneTitle": "Instructions Keystone", - "@psbtFlowKeystoneTitle": { - "description": "Title for Keystone device signing instructions" - }, "psbtFlowPassportTitle": "Instructions Foundation Passport", - "@psbtFlowPassportTitle": { - "description": "Title for Foundation Passport device signing instructions" - }, "psbtFlowSeedSignerTitle": "Instructions SeedSigner", - "@psbtFlowSeedSignerTitle": { - "description": "Title for SeedSigner device signing instructions" - }, "psbtFlowSpecterTitle": "Instructions Specter", - "@psbtFlowSpecterTitle": { - "description": "Title for Specter device signing instructions" - }, "psbtFlowColdcardTitle": "Instructions Coldcard Q", - "@psbtFlowColdcardTitle": { - "description": "Title for Coldcard Q device signing instructions" - }, "psbtFlowJadeTitle": "Instructions PSBT Blockstream Jade", - "@psbtFlowJadeTitle": { - "description": "Title for Blockstream Jade PSBT signing instructions" - }, "psbtFlowLoginToDevice": "Connectez-vous à votre appareil {device}", "@psbtFlowLoginToDevice": { - "description": "Instruction to login to hardware device", "placeholders": { "device": { "type": "String" @@ -20677,7 +2842,6 @@ }, "psbtFlowTurnOnDevice": "Allumez votre appareil {device}", "@psbtFlowTurnOnDevice": { - "description": "Instruction to power on hardware device", "placeholders": { "device": { "type": "String" @@ -20685,68 +2849,22 @@ } }, "psbtFlowAddPassphrase": "Ajoutez une phrase de passe si vous en avez une (optionnel)", - "@psbtFlowAddPassphrase": { - "description": "Optional instruction to add BIP39 passphrase" - }, "psbtFlowClickScan": "Cliquez sur Scanner", - "@psbtFlowClickScan": { - "description": "Instruction to click scan button on device" - }, "psbtFlowClickSign": "Cliquez sur Signer", - "@psbtFlowClickSign": { - "description": "Instruction to click sign button on device" - }, "psbtFlowClickPsbt": "Cliquez sur PSBT", - "@psbtFlowClickPsbt": { - "description": "Instruction to click PSBT option on device" - }, "psbtFlowLoadFromCamera": "Cliquez sur Charger depuis la caméra", - "@psbtFlowLoadFromCamera": { - "description": "Instruction to select camera load option on device" - }, "psbtFlowScanQrOption": "Sélectionnez l'option « Scanner le QR »", - "@psbtFlowScanQrOption": { - "description": "Instruction to select scan QR menu option" - }, "psbtFlowScanAnyQr": "Sélectionnez l'option « Scanner n'importe quel code QR »", - "@psbtFlowScanAnyQr": { - "description": "Instruction to select scan any QR code option" - }, "psbtFlowSignWithQr": "Cliquez sur Signer avec un code QR", - "@psbtFlowSignWithQr": { - "description": "Instruction to select QR code signing method" - }, "psbtFlowScanQrShown": "Scannez le code QR affiché dans le portefeuille Bull", - "@psbtFlowScanQrShown": { - "description": "Instruction to scan QR code displayed in app" - }, "psbtFlowTroubleScanningTitle": "Si vous avez du mal à scanner :", - "@psbtFlowTroubleScanningTitle": { - "description": "Header for troubleshooting scanning issues" - }, "psbtFlowIncreaseBrightness": "Augmentez la luminosité de l'écran de votre appareil", - "@psbtFlowIncreaseBrightness": { - "description": "Troubleshooting tip to increase brightness" - }, "psbtFlowMoveLaser": "Déplacez le laser rouge de haut en bas sur le code QR", - "@psbtFlowMoveLaser": { - "description": "Troubleshooting tip for devices with laser scanners" - }, "psbtFlowMoveBack": "Essayez de reculer légèrement votre appareil", - "@psbtFlowMoveBack": { - "description": "Troubleshooting tip to adjust scanning distance" - }, "psbtFlowHoldSteady": "Maintenez le code QR stable et centré", - "@psbtFlowHoldSteady": { - "description": "Troubleshooting tip to hold QR code still" - }, "psbtFlowMoveCloserFurther": "Essayez de rapprocher ou d'éloigner votre appareil", - "@psbtFlowMoveCloserFurther": { - "description": "Troubleshooting tip to adjust distance" - }, "psbtFlowReviewTransaction": "Une fois la transaction importée dans votre {device}, vérifiez l'adresse de destination et le montant.", "@psbtFlowReviewTransaction": { - "description": "Instruction to review transaction details on device", "placeholders": { "device": { "type": "String" @@ -20755,7 +2873,6 @@ }, "psbtFlowSelectSeed": "Une fois la transaction importée dans votre {device}, vous devriez sélectionner la graine avec laquelle vous souhaitez signer.", "@psbtFlowSelectSeed": { - "description": "Instruction to select seed on device for signing", "placeholders": { "device": { "type": "String" @@ -20764,7 +2881,6 @@ }, "psbtFlowSignTransactionOnDevice": "Cliquez sur les boutons pour signer la transaction sur votre {device}.", "@psbtFlowSignTransactionOnDevice": { - "description": "Instruction to sign transaction on hardware device", "placeholders": { "device": { "type": "String" @@ -20773,7 +2889,6 @@ }, "psbtFlowDeviceShowsQr": "Le {device} vous montrera ensuite son propre code QR.", "@psbtFlowDeviceShowsQr": { - "description": "Information that device will display QR code after signing", "placeholders": { "device": { "type": "String" @@ -20781,12 +2896,8 @@ } }, "psbtFlowClickDone": "Cliquez sur « J'ai terminé » dans le portefeuille Bull Bitcoin.", - "@psbtFlowClickDone": { - "description": "Instruction to click done button in app" - }, "psbtFlowScanDeviceQr": "Le portefeuille Bull Bitcoin vous demandera de scanner le code QR sur le {device}. Scannez-le.", "@psbtFlowScanDeviceQr": { - "description": "Instruction to scan QR code from hardware device", "placeholders": { "device": { "type": "String" @@ -20794,556 +2905,144 @@ } }, "psbtFlowTransactionImported": "La transaction sera importée dans le portefeuille Bull Bitcoin.", - "@psbtFlowTransactionImported": { - "description": "Confirmation that transaction was imported successfully" - }, "psbtFlowReadyToBroadcast": "C'est maintenant prêt à diffuser ! Dès que vous cliquerez sur diffuser, la transaction sera publiée sur le réseau Bitcoin et les fonds seront envoyés.", - "@psbtFlowReadyToBroadcast": { - "description": "Final message that transaction is ready to broadcast" - }, "hwConnectTitle": "Connecter un portefeuille matériel", - "@hwConnectTitle": { - "description": "AppBar title for hardware wallet selection screen" - }, "hwChooseDevice": "Choisissez le portefeuille matériel que vous souhaitez connecter", - "@hwChooseDevice": { - "description": "Instruction text for hardware wallet selection" - }, "hwColdcardQ": "Coldcard Q", - "@hwColdcardQ": { - "description": "Name of Coldcard Q hardware wallet" - }, "hwLedger": "Ledger", - "@hwLedger": { - "description": "Name of Ledger hardware wallet" - }, "hwJade": "Blockstream Jade", - "@hwJade": { - "description": "Name of Blockstream Jade hardware wallet" - }, "hwKeystone": "Keystone", - "@hwKeystone": { - "description": "Name of Keystone hardware wallet" - }, "hwKrux": "Krux", - "@hwKrux": { - "description": "Name of Krux hardware wallet" - }, "hwPassport": "Foundation Passport", - "@hwPassport": { - "description": "Name of Foundation Passport hardware wallet" - }, "hwSeedSigner": "SeedSigner", - "@hwSeedSigner": { - "description": "Name of SeedSigner hardware wallet" - }, "kruxInstructionsTitle": "Instructions Krux", - "@kruxInstructionsTitle": { - "description": "Title for Krux signing instructions modal" - }, "kruxStep1": "Connectez-vous à votre appareil Krux", - "@kruxStep1": { - "description": "Krux instruction step 1" - }, "kruxStep2": "Cliquez sur Signer", - "@kruxStep2": { - "description": "Krux instruction step 2" - }, "kruxStep3": "Cliquez sur PSBT", - "@kruxStep3": { - "description": "Krux instruction step 3" - }, "kruxStep4": "Cliquez sur Charger depuis la caméra", - "@kruxStep4": { - "description": "Krux instruction step 4" - }, "kruxStep5": "Scannez le code QR affiché dans le portefeuille Bull", - "@kruxStep5": { - "description": "Krux instruction step 5" - }, "kruxStep6": "Si vous avez des difficultés à scanner :", - "@kruxStep6": { - "description": "Krux troubleshooting header" - }, "kruxStep7": " - Augmentez la luminosité de l'écran de votre appareil", - "@kruxStep7": { - "description": "Krux troubleshooting tip 1" - }, "kruxStep8": " - Déplacez le laser rouge de haut en bas sur le code QR", - "@kruxStep8": { - "description": "Krux troubleshooting tip 2" - }, "kruxStep9": " - Essayez de reculer un peu votre appareil", - "@kruxStep9": { - "description": "Krux troubleshooting tip 3" - }, "kruxStep10": "Une fois la transaction importée dans votre Krux, vérifiez l'adresse de destination et le montant.", - "@kruxStep10": { - "description": "Krux instruction for reviewing transaction" - }, "kruxStep11": "Cliquez sur les boutons pour signer la transaction sur votre Krux.", - "@kruxStep11": { - "description": "Krux instruction for signing" - }, "kruxStep12": "Le Krux affichera alors son propre code QR.", - "@kruxStep12": { - "description": "Krux instruction about signed PSBT QR" - }, "kruxStep13": "Cliquez sur \"J'ai terminé\" dans le portefeuille Bull Bitcoin.", - "@kruxStep13": { - "description": "Krux instruction to return to app" - }, "kruxStep14": "Le portefeuille Bull Bitcoin vous demandera de scanner le code QR sur le Krux. Scannez-le.", - "@kruxStep14": { - "description": "Krux instruction for scanning signed PSBT" - }, "kruxStep15": "La transaction sera importée dans le portefeuille Bull Bitcoin.", - "@kruxStep15": { - "description": "Krux instruction about import completion" - }, "kruxStep16": "Elle est maintenant prête à être diffusée ! Dès que vous cliquerez sur diffuser, la transaction sera publiée sur le réseau Bitcoin et les fonds seront envoyés.", - "@kruxStep16": { - "description": "Krux final instruction about broadcasting" - }, "keystoneInstructionsTitle": "Instructions Keystone", - "@keystoneInstructionsTitle": { - "description": "Title for Keystone signing instructions modal" - }, "keystoneStep1": "Connectez-vous à votre appareil Keystone", - "@keystoneStep1": { - "description": "Keystone instruction step 1" - }, "keystoneStep2": "Cliquez sur Scanner", - "@keystoneStep2": { - "description": "Keystone instruction step 2" - }, "keystoneStep3": "Scannez le code QR affiché dans le portefeuille Bull", - "@keystoneStep3": { - "description": "Keystone instruction step 3" - }, "keystoneStep4": "Si vous avez des difficultés à scanner :", - "@keystoneStep4": { - "description": "Keystone troubleshooting header" - }, "keystoneStep5": " - Augmentez la luminosité de l'écran de votre appareil", - "@keystoneStep5": { - "description": "Keystone troubleshooting tip 1" - }, "keystoneStep6": " - Déplacez le laser rouge de haut en bas sur le code QR", - "@keystoneStep6": { - "description": "Keystone troubleshooting tip 2" - }, "keystoneStep7": " - Essayez de reculer un peu votre appareil", - "@keystoneStep7": { - "description": "Keystone troubleshooting tip 3" - }, "keystoneStep8": "Une fois la transaction importée dans votre Keystone, vérifiez l'adresse de destination et le montant.", - "@keystoneStep8": { - "description": "Keystone instruction for reviewing transaction" - }, "keystoneStep9": "Cliquez sur les boutons pour signer la transaction sur votre Keystone.", - "@keystoneStep9": { - "description": "Keystone instruction for signing" - }, "keystoneStep10": "Le Keystone affichera alors son propre code QR.", - "@keystoneStep10": { - "description": "Keystone instruction about signed PSBT QR" - }, "keystoneStep11": "Cliquez sur \"J'ai terminé\" dans le portefeuille Bull Bitcoin.", - "@keystoneStep11": { - "description": "Keystone instruction to return to app" - }, "keystoneStep12": "Le portefeuille Bull Bitcoin vous demandera de scanner le code QR sur le Keystone. Scannez-le.", - "@keystoneStep12": { - "description": "Keystone instruction for scanning signed PSBT" - }, "keystoneStep13": "La transaction sera importée dans le portefeuille Bull Bitcoin.", - "@keystoneStep13": { - "description": "Keystone instruction about import completion" - }, "keystoneStep14": "Elle est maintenant prête à être diffusée ! Dès que vous cliquerez sur diffuser, la transaction sera publiée sur le réseau Bitcoin et les fonds seront envoyés.", - "@keystoneStep14": { - "description": "Keystone final instruction about broadcasting" - }, "passportInstructionsTitle": "Instructions Foundation Passport", - "@passportInstructionsTitle": { - "description": "Title for Passport signing instructions modal" - }, "passportStep1": "Connectez-vous à votre appareil Passport", - "@passportStep1": { - "description": "Passport instruction step 1" - }, "passportStep2": "Cliquez sur Signer avec code QR", - "@passportStep2": { - "description": "Passport instruction step 2" - }, "passportStep3": "Scannez le code QR affiché dans le portefeuille Bull", - "@passportStep3": { - "description": "Passport instruction step 3" - }, "passportStep4": "Si vous avez des difficultés à scanner :", - "@passportStep4": { - "description": "Passport troubleshooting header" - }, "passportStep5": " - Augmentez la luminosité de l'écran de votre appareil", - "@passportStep5": { - "description": "Passport troubleshooting tip 1" - }, "passportStep6": " - Déplacez le laser rouge de haut en bas sur le code QR", - "@passportStep6": { - "description": "Passport troubleshooting tip 2" - }, "passportStep7": " - Essayez de reculer un peu votre appareil", - "@passportStep7": { - "description": "Passport troubleshooting tip 3" - }, "passportStep8": "Une fois la transaction importée dans votre Passport, vérifiez l'adresse de destination et le montant.", - "@passportStep8": { - "description": "Passport instruction for reviewing transaction" - }, "passportStep9": "Cliquez sur les boutons pour signer la transaction sur votre Passport.", - "@passportStep9": { - "description": "Passport instruction for signing" - }, "passportStep10": "Le Passport affichera alors son propre code QR.", - "@passportStep10": { - "description": "Passport instruction about signed PSBT QR" - }, "passportStep11": "Cliquez sur \"J'ai terminé\" dans le portefeuille Bull Bitcoin.", - "@passportStep11": { - "description": "Passport instruction to return to app" - }, "passportStep12": "Le portefeuille Bull Bitcoin vous demandera de scanner le code QR sur le Passport. Scannez-le.", - "@passportStep12": { - "description": "Passport instruction for scanning signed PSBT" - }, "passportStep13": "La transaction sera importée dans le portefeuille Bull Bitcoin.", - "@passportStep13": { - "description": "Passport instruction about import completion" - }, "passportStep14": "Elle est maintenant prête à être diffusée ! Dès que vous cliquerez sur diffuser, la transaction sera publiée sur le réseau Bitcoin et les fonds seront envoyés.", - "@passportStep14": { - "description": "Passport final instruction about broadcasting" - }, "seedsignerInstructionsTitle": "Instructions SeedSigner", - "@seedsignerInstructionsTitle": { - "description": "Title for SeedSigner signing instructions modal" - }, "seedsignerStep1": "Allumez votre appareil SeedSigner", - "@seedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, "seedsignerStep2": "Cliquez sur Scanner", - "@seedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, "seedsignerStep3": "Scannez le code QR affiché dans le portefeuille Bull", - "@seedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, "seedsignerStep4": "Si vous avez des difficultés à scanner :", - "@seedsignerStep4": { - "description": "SeedSigner troubleshooting header" - }, "seedsignerStep5": " - Augmentez la luminosité de l'écran de votre appareil", - "@seedsignerStep5": { - "description": "SeedSigner troubleshooting tip 1" - }, "seedsignerStep6": " - Déplacez le laser rouge de haut en bas sur le code QR", - "@seedsignerStep6": { - "description": "SeedSigner troubleshooting tip 2" - }, "seedsignerStep7": " - Essayez de reculer un peu votre appareil", - "@seedsignerStep7": { - "description": "SeedSigner troubleshooting tip 3" - }, "seedsignerStep8": "Une fois la transaction importée dans votre SeedSigner, vous devriez sélectionner la graine avec laquelle vous souhaitez signer.", - "@seedsignerStep8": { - "description": "SeedSigner instruction for seed selection" - }, "seedsignerStep9": "Vérifiez l'adresse de destination et le montant, et confirmez la signature sur votre SeedSigner.", - "@seedsignerStep9": { - "description": "SeedSigner instruction for reviewing and signing" - }, "seedsignerStep10": "Le SeedSigner affichera alors son propre code QR.", - "@seedsignerStep10": { - "description": "SeedSigner instruction about signed PSBT QR" - }, "seedsignerStep11": "Cliquez sur \"J'ai terminé\" dans le portefeuille Bull Bitcoin.", - "@seedsignerStep11": { - "description": "SeedSigner instruction to return to app" - }, "seedsignerStep12": "Le portefeuille Bull Bitcoin vous demandera de scanner le code QR sur le SeedSigner. Scannez-le.", - "@seedsignerStep12": { - "description": "SeedSigner instruction for scanning signed PSBT" - }, "seedsignerStep13": "La transaction sera importée dans le portefeuille Bull Bitcoin.", - "@seedsignerStep13": { - "description": "SeedSigner instruction about import completion" - }, "seedsignerStep14": "Elle est maintenant prête à être diffusée ! Dès que vous cliquerez sur diffuser, la transaction sera publiée sur le réseau Bitcoin et les fonds seront envoyés.", - "@seedsignerStep14": { - "description": "SeedSigner final instruction about broadcasting" - }, "connectHardwareWalletTitle": "Connecter un portefeuille matériel", - "@connectHardwareWalletTitle": { - "description": "Title for connect hardware wallet page" - }, "connectHardwareWalletDescription": "Choisissez le portefeuille matériel que vous souhaitez connecter", - "@connectHardwareWalletDescription": { - "description": "Description text on connect hardware wallet page" - }, "connectHardwareWalletColdcardQ": "Coldcard Q", - "@connectHardwareWalletColdcardQ": { - "description": "Coldcard Q hardware wallet option" - }, "connectHardwareWalletLedger": "Ledger", - "@connectHardwareWalletLedger": { - "description": "Ledger hardware wallet option" - }, "connectHardwareWalletJade": "Blockstream Jade", - "@connectHardwareWalletJade": { - "description": "Blockstream Jade hardware wallet option" - }, "connectHardwareWalletKeystone": "Keystone", - "@connectHardwareWalletKeystone": { - "description": "Keystone hardware wallet option" - }, "connectHardwareWalletKrux": "Krux", - "@connectHardwareWalletKrux": { - "description": "Krux hardware wallet option" - }, "connectHardwareWalletPassport": "Foundation Passport", - "@connectHardwareWalletPassport": { - "description": "Foundation Passport hardware wallet option" - }, "connectHardwareWalletSeedSigner": "SeedSigner", - "@connectHardwareWalletSeedSigner": { - "description": "SeedSigner hardware wallet option" - }, "coldcardInstructionsTitle": "Instructions Coldcard Q", - "@coldcardInstructionsTitle": { - "description": "Title for Coldcard Q signing instructions modal" - }, "coldcardStep1": "Connectez-vous à votre appareil Coldcard Q", - "@coldcardStep1": { - "description": "Coldcard instruction step 1" - }, "coldcardStep2": "Ajoutez une phrase de passe si vous en avez une (optionnel)", - "@coldcardStep2": { - "description": "Coldcard instruction step 2" - }, "coldcardStep3": "Sélectionnez l'option \"Scanner n'importe quel code QR\"", - "@coldcardStep3": { - "description": "Coldcard instruction step 3" - }, "coldcardStep4": "Scannez le code QR affiché dans le portefeuille Bull", - "@coldcardStep4": { - "description": "Coldcard instruction step 4" - }, "coldcardStep5": "Si vous avez des difficultés à scanner :", - "@coldcardStep5": { - "description": "Coldcard troubleshooting header" - }, "coldcardStep6": " - Augmentez la luminosité de l'écran de votre appareil", - "@coldcardStep6": { - "description": "Coldcard troubleshooting tip 1" - }, "coldcardStep7": " - Déplacez le laser rouge de haut en bas sur le code QR", - "@coldcardStep7": { - "description": "Coldcard troubleshooting tip 2" - }, "coldcardStep8": " - Essayez de reculer un peu votre appareil", - "@coldcardStep8": { - "description": "Coldcard troubleshooting tip 3" - }, "coldcardStep9": "Une fois la transaction importée dans votre Coldcard, vérifiez l'adresse de destination et le montant.", - "@coldcardStep9": { - "description": "Coldcard instruction for reviewing transaction" - }, "coldcardStep10": "Cliquez sur les boutons pour signer la transaction sur votre Coldcard.", - "@coldcardStep10": { - "description": "Coldcard instruction for signing" - }, "coldcardStep11": "Le Coldcard Q affichera alors son propre code QR.", - "@coldcardStep11": { - "description": "Coldcard instruction about signed PSBT QR" - }, "coldcardStep12": "Cliquez sur \"J'ai terminé\" dans le portefeuille Bull Bitcoin.", - "@coldcardStep12": { - "description": "Coldcard instruction to return to app" - }, "coldcardStep13": "Le portefeuille Bull Bitcoin vous demandera de scanner le code QR sur le Coldcard. Scannez-le.", - "@coldcardStep13": { - "description": "Coldcard instruction for scanning signed PSBT" - }, "coldcardStep14": "La transaction sera importée dans le portefeuille Bull Bitcoin.", - "@coldcardStep14": { - "description": "Coldcard instruction about import completion" - }, "coldcardStep15": "Elle est maintenant prête à être diffusée ! Dès que vous cliquerez sur diffuser, la transaction sera publiée sur le réseau Bitcoin et les fonds seront envoyés.", - "@coldcardStep15": { - "description": "Coldcard final instruction about broadcasting" - }, "jadeInstructionsTitle": "Instructions PSBT Blockstream Jade", - "@jadeInstructionsTitle": { - "description": "Title for Jade signing instructions modal" - }, "jadeStep1": "Connectez-vous à votre appareil Jade", - "@jadeStep1": { - "description": "Jade instruction step 1" - }, "jadeStep2": "Ajoutez une phrase de passe si vous en avez une (optionnel)", - "@jadeStep2": { - "description": "Jade instruction step 2" - }, "jadeStep3": "Sélectionnez l'option \"Scanner QR\"", - "@jadeStep3": { - "description": "Jade instruction step 3" - }, "jadeStep4": "Scannez le code QR affiché dans le portefeuille Bull", - "@jadeStep4": { - "description": "Jade instruction step 4" - }, "jadeStep5": "Si vous avez des difficultés à scanner :", - "@jadeStep5": { - "description": "Jade troubleshooting header" - }, "jadeStep6": " - Augmentez la luminosité de l'écran de votre appareil", - "@jadeStep6": { - "description": "Jade troubleshooting tip 1" - }, "jadeStep7": " - Maintenez le code QR stable et centré", - "@jadeStep7": { - "description": "Jade troubleshooting tip 2" - }, "jadeStep8": " - Essayez de rapprocher ou d'éloigner votre appareil", - "@jadeStep8": { - "description": "Jade troubleshooting tip 3" - }, "jadeStep9": "Une fois la transaction importée dans votre Jade, vérifiez l'adresse de destination et le montant.", - "@jadeStep9": { - "description": "Jade instruction for reviewing transaction" - }, "jadeStep10": "Cliquez sur les boutons pour signer la transaction sur votre Jade.", - "@jadeStep10": { - "description": "Jade instruction for signing" - }, "jadeStep11": "Le Jade affichera alors son propre code QR.", - "@jadeStep11": { - "description": "Jade instruction about signed PSBT QR" - }, "jadeStep12": "Cliquez sur \"J'ai terminé\" dans le portefeuille Bull Bitcoin.", - "@jadeStep12": { - "description": "Jade instruction to return to app" - }, "jadeStep13": "Le portefeuille Bull Bitcoin vous demandera de scanner le code QR sur le Jade. Scannez-le.", - "@jadeStep13": { - "description": "Jade instruction for scanning signed PSBT" - }, "jadeStep14": "La transaction sera importée dans le portefeuille Bull Bitcoin.", - "@jadeStep14": { - "description": "Jade instruction about import completion" - }, "jadeStep15": "Elle est maintenant prête à être diffusée ! Dès que vous cliquerez sur diffuser, la transaction sera publiée sur le réseau Bitcoin et les fonds seront envoyés.", - "@jadeStep15": { - "description": "Jade final instruction about broadcasting" - }, "importWalletTitle": "Ajouter un nouveau portefeuille", - "@importWalletTitle": { - "description": "AppBar title for wallet import selection screen" - }, "importWalletConnectHardware": "Connecter un portefeuille matériel", - "@importWalletConnectHardware": { - "description": "Button to connect hardware wallet" - }, "importWalletImportMnemonic": "Importer une mnémonique", - "@importWalletImportMnemonic": { - "description": "Button to import wallet from seed phrase" - }, "importWalletImportWatchOnly": "Importer en lecture seule", - "@importWalletImportWatchOnly": { - "description": "Button to import watch-only wallet" - }, "importWalletSectionGeneric": "Portefeuilles génériques", - "@importWalletSectionGeneric": { - "description": "Section header for generic wallet types" - }, "importWalletSectionHardware": "Portefeuilles matériels", - "@importWalletSectionHardware": { - "description": "Section header for hardware wallet types" - }, "importWalletColdcardQ": "Coldcard Q", - "@importWalletColdcardQ": { - "description": "Button label for Coldcard Q hardware wallet" - }, "importWalletLedger": "Ledger", - "@importWalletLedger": { - "description": "Button label for Ledger hardware wallet" - }, "importWalletJade": "Blockstream Jade", - "@importWalletJade": { - "description": "Button label for Blockstream Jade hardware wallet" - }, "importWalletKeystone": "Keystone", - "@importWalletKeystone": { - "description": "Button label for Keystone hardware wallet" - }, "importWalletPassport": "Foundation Passport", - "@importWalletPassport": { - "description": "Button label for Foundation Passport hardware wallet" - }, "importWalletSeedSigner": "SeedSigner", - "@importWalletSeedSigner": { - "description": "Button label for SeedSigner hardware wallet" - }, "importWalletSpecter": "Specter", - "@importWalletSpecter": { - "description": "Button label for Specter hardware wallet" - }, "importWalletKrux": "Krux", - "@importWalletKrux": { - "description": "Button label for Krux hardware wallet" - }, "importMnemonicContinue": "Continuer", - "@importMnemonicContinue": { - "description": "Button text to proceed after entering mnemonic" - }, "importMnemonicSelectScriptType": "Importer une mnémonique", - "@importMnemonicSelectScriptType": { - "description": "AppBar title for script type selection" - }, "importMnemonicSyncMessage": "Les trois types de portefeuilles se synchronisent et leur solde et transactions apparaîtront bientôt. Vous pouvez attendre la fin de la synchronisation ou procéder à l'importation si vous êtes sûr du type de portefeuille que vous souhaitez importer.", - "@importMnemonicSyncMessage": { - "description": "Message explaining wallet type syncing process" - }, "importMnemonicSegwit": "Segwit", - "@importMnemonicSegwit": { - "description": "Label for Segwit (BIP84) wallet type" - }, "importMnemonicNestedSegwit": "Nested Segwit", - "@importMnemonicNestedSegwit": { - "description": "Label for Nested Segwit (BIP49) wallet type" - }, "importMnemonicLegacy": "Legacy", - "@importMnemonicLegacy": { - "description": "Label for Legacy (BIP44) wallet type" - }, "importMnemonicChecking": "Vérification...", - "@importMnemonicChecking": { - "description": "Status while checking wallet type" - }, "importMnemonicEmpty": "Vide", - "@importMnemonicEmpty": { - "description": "Status for wallet type with no transactions" - }, "importMnemonicHasBalance": "A un solde", - "@importMnemonicHasBalance": { - "description": "Status for wallet type with balance" - }, "importMnemonicTransactions": "{count} transactions", "@importMnemonicTransactions": { - "description": "Shows number of transactions for wallet type", "placeholders": { "count": { "type": "int" @@ -21352,7 +3051,6 @@ }, "importMnemonicBalance": "Solde : {amount}", "@importMnemonicBalance": { - "description": "Shows balance for wallet type", "placeholders": { "amount": { "type": "String" @@ -21360,20 +3058,10 @@ } }, "importMnemonicImport": "Importer", - "@importMnemonicImport": { - "description": "Button to import selected wallet type" - }, "importMnemonicImporting": "Importation en cours...", - "@importMnemonicImporting": { - "description": "Loading message while importing wallet" - }, "importMnemonicSelectType": "Sélectionnez un type de portefeuille à importer", - "@importMnemonicSelectType": { - "description": "Instruction to select wallet type" - }, "importMnemonicBalanceLabel": "Solde : {amount}", "@importMnemonicBalanceLabel": { - "description": "ImportMnemonic: Balance label with amount in wallet type card", "placeholders": { "amount": { "type": "String" @@ -21382,7 +3070,6 @@ }, "importMnemonicTransactionsLabel": "Transactions : {count}", "@importMnemonicTransactionsLabel": { - "description": "ImportMnemonic: Transactions label with count in wallet type card", "placeholders": { "count": { "type": "String" @@ -21390,132 +3077,38 @@ } }, "importWatchOnlyTitle": "Importer en lecture seule", - "@importWatchOnlyTitle": { - "description": "AppBar title for watch-only import screen" - }, "importWatchOnlyPasteHint": "Coller xpub, ypub, zpub ou descripteur", - "@importWatchOnlyPasteHint": { - "description": "Placeholder hint for paste input field" - }, "importWatchOnlyXpub": "xpub", - "@importWatchOnlyXpub": { - "description": "Label for xpub import method" - }, "importWatchOnlyYpub": "ypub", - "@importWatchOnlyYpub": { - "description": "Label for ypub import method" - }, "importWatchOnlyZpub": "zpub", - "@importWatchOnlyZpub": { - "description": "Label for zpub import method" - }, "importWatchOnlyDescriptor": "Descripteur", - "@importWatchOnlyDescriptor": { - "description": "Label for descriptor import method" - }, "importWatchOnlyScanQR": "Scanner QR", - "@importWatchOnlyScanQR": { - "description": "Button to scan QR code for watch-only import" - }, "importWatchOnlyScriptType": "Type de script", - "@importWatchOnlyScriptType": { - "description": "Label for script type field" - }, "importWatchOnlyFingerprint": "Empreinte", - "@importWatchOnlyFingerprint": { - "description": "Label for wallet fingerprint field" - }, "importWatchOnlyDerivationPath": "Chemin de dérivation", - "@importWatchOnlyDerivationPath": { - "description": "Label for derivation path field" - }, "importWatchOnlyImportButton": "Importer le portefeuille en lecture seule", - "@importWatchOnlyImportButton": { - "description": "Button to confirm watch-only import" - }, "importWatchOnlyCancel": "Annuler", - "@importWatchOnlyCancel": { - "description": "Button to cancel watch-only import" - }, "importWatchOnlyBuyDevice": "Acheter un appareil", - "@importWatchOnlyBuyDevice": { - "description": "Button label to purchase a hardware wallet device" - }, "importWatchOnlyWalletGuides": "Guides de portefeuille", - "@importWatchOnlyWalletGuides": { - "description": "Button label for wallet documentation and guides" - }, "importWatchOnlyCopiedToClipboard": "Copié dans le presse-papiers", - "@importWatchOnlyCopiedToClipboard": { - "description": "Snackbar message shown when QR code content is copied" - }, "importWatchOnlySelectDerivation": "Sélectionner la dérivation", - "@importWatchOnlySelectDerivation": { - "description": "Title for bottom sheet to select wallet derivation type" - }, "importWatchOnlyType": "Type", - "@importWatchOnlyType": { - "description": "Label for wallet script type field" - }, "importWatchOnlySigningDevice": "Appareil de signature", - "@importWatchOnlySigningDevice": { - "description": "Label for signing device selection field" - }, "importWatchOnlyUnknown": "Inconnu", - "@importWatchOnlyUnknown": { - "description": "Default value when signing device is unknown" - }, "importWatchOnlyLabel": "Libellé", - "@importWatchOnlyLabel": { - "description": "Label for wallet name/label input field" - }, "importWatchOnlyRequired": "Requis", - "@importWatchOnlyRequired": { - "description": "Placeholder hint for required input fields" - }, "importWatchOnlyImport": "Importer", - "@importWatchOnlyImport": { - "description": "Button label to import watch-only wallet" - }, "importWatchOnlyExtendedPublicKey": "Clé publique étendue", - "@importWatchOnlyExtendedPublicKey": { - "description": "Label for extended public key (xpub/ypub/zpub) display" - }, "importWatchOnlyDisclaimerTitle": "Avertissement sur le chemin de dérivation", - "@importWatchOnlyDisclaimerTitle": { - "description": "Title for derivation path warning disclaimer" - }, "importWatchOnlyDisclaimerDescription": "Assurez-vous que le chemin de dérivation que vous choisissez correspond à celui qui a produit la xpub donnée, car l'utilisation d'un mauvais chemin peut entraîner une perte de fonds", - "@importWatchOnlyDisclaimerDescription": { - "description": "Description explaining derivation path matching requirement" - }, "bip85Title": "Entropies déterministes BIP85", - "@bip85Title": { - "description": "AppBar title for BIP85 entropy derivation screen" - }, "bip85ExperimentalWarning": "Expérimental \nSauvegardez vos chemins de dérivation manuellement", - "@bip85ExperimentalWarning": { - "description": "Warning message about experimental feature" - }, "bip85NextMnemonic": "Mnémonique suivante", - "@bip85NextMnemonic": { - "description": "Button to derive next mnemonic entropy" - }, "bip85NextHex": "HEX suivant", - "@bip85NextHex": { - "description": "Button to derive next hex entropy" - }, "bip85Mnemonic": "Mnémonique", - "@bip85Mnemonic": { - "description": "Label for mnemonic type entropy" - }, "bip85Hex": "HEX", - "@bip85Hex": { - "description": "Label for hex type entropy" - }, "bip85Index": "Index : {index}", "@bip85Index": { - "description": "Shows derivation index", "placeholders": { "index": { "type": "int" @@ -21523,37 +3116,22 @@ } }, "bip329LabelsTitle": "Étiquettes BIP329", - "@bip329LabelsTitle": { - "description": "Title for BIP329 labels page" - }, "bip329LabelsHeading": "Import/Export d'étiquettes BIP329", - "@bip329LabelsHeading": { - "description": "Main heading on BIP329 labels page" - }, "bip329LabelsDescription": "Importez ou exportez les étiquettes de portefeuille en utilisant le format standard BIP329.", - "@bip329LabelsDescription": { - "description": "Description of BIP329 labels functionality" - }, "bip329LabelsImportButton": "Importer les étiquettes", - "@bip329LabelsImportButton": { - "description": "Button text to import labels" - }, "bip329LabelsExportButton": "Exporter les étiquettes", - "@bip329LabelsExportButton": { - "description": "Button text to export labels" - }, - "bip329LabelsExportSuccess": "{count, plural, =1{1 étiquette exportée} other{{count} étiquettes exportées}}", - "@bip329LabelsExportSuccess": { - "description": "Success message after exporting labels", + "bip329LabelsExportSuccessSingular": "1 étiquette exportée", + "bip329LabelsExportSuccessPlural": "{count} étiquettes exportées", + "@bip329LabelsExportSuccessPlural": { "placeholders": { "count": { "type": "int" } } }, - "bip329LabelsImportSuccess": "{count, plural, =1{1 étiquette importée} other{{count} étiquettes importées}}", - "@bip329LabelsImportSuccess": { - "description": "Success message after importing labels", + "bip329LabelsImportSuccessSingular": "1 étiquette importée", + "bip329LabelsImportSuccessPlural": "{count} étiquettes importées", + "@bip329LabelsImportSuccessPlural": { "placeholders": { "count": { "type": "int" @@ -21561,88 +3139,27 @@ } }, "broadcastSignedTxTitle": "Diffuser la transaction", - "@broadcastSignedTxTitle": { - "description": "AppBar title for broadcast signed transaction screen" - }, "broadcastSignedTxScanQR": "Scannez le code QR de votre portefeuille matériel", - "@broadcastSignedTxScanQR": { - "description": "Instruction to scan signed PSBT QR code" - }, "broadcastSignedTxReviewTransaction": "Vérifier la transaction", - "@broadcastSignedTxReviewTransaction": { - "description": "Section header for transaction review" - }, "broadcastSignedTxAmount": "Montant", - "@broadcastSignedTxAmount": { - "description": "Label for transaction amount" - }, "broadcastSignedTxFee": "Frais", - "@broadcastSignedTxFee": { - "description": "Label for transaction fee" - }, "broadcastSignedTxTo": "À", - "@broadcastSignedTxTo": { - "description": "Label for destination address" - }, "broadcastSignedTxBroadcast": "Diffuser", - "@broadcastSignedTxBroadcast": { - "description": "Button to broadcast signed transaction" - }, "broadcastSignedTxBroadcasting": "Diffusion en cours...", - "@broadcastSignedTxBroadcasting": { - "description": "Loading message while broadcasting" - }, "broadcastSignedTxPageTitle": "Diffuser une transaction signée", - "@broadcastSignedTxPageTitle": { - "description": "Page title for broadcast signed transaction screen" - }, "broadcastSignedTxPasteHint": "Coller un PSBT ou un HEX de transaction", - "@broadcastSignedTxPasteHint": { - "description": "Hint text for paste input field" - }, "broadcastSignedTxCameraButton": "Caméra", - "@broadcastSignedTxCameraButton": { - "description": "Button to open camera QR scanner" - }, "broadcastSignedTxPushTxButton": "PushTx", - "@broadcastSignedTxPushTxButton": { - "description": "Button to use PushTx NFC device" - }, "broadcastSignedTxDoneButton": "Terminé", - "@broadcastSignedTxDoneButton": { - "description": "Button to finish after successful broadcast" - }, "broadcastSignedTxNfcTitle": "NFC", - "@broadcastSignedTxNfcTitle": { - "description": "Title for NFC scanning page" - }, "addressViewTitle": "Détails de l'adresse", - "@addressViewTitle": { - "description": "AppBar title for address details screen" - }, "addressViewAddress": "Adresse", - "@addressViewAddress": { - "description": "Label for address field" - }, "addressViewBalance": "Solde", - "@addressViewBalance": { - "description": "Label for address balance" - }, "addressViewTransactions": "Transactions", - "@addressViewTransactions": { - "description": "Label for number of transactions" - }, "addressViewCopyAddress": "Copier l'adresse", - "@addressViewCopyAddress": { - "description": "Button to copy address to clipboard" - }, "addressViewShowQR": "Afficher le code QR", - "@addressViewShowQR": { - "description": "Button to display address as QR code" - }, "importQrDeviceTitle": "Connecter {deviceName}", "@importQrDeviceTitle": { - "description": "AppBar title for QR device import", "placeholders": { "deviceName": { "type": "String" @@ -21651,7 +3168,6 @@ }, "importQrDeviceScanPrompt": "Scannez le code QR de votre {deviceName}", "@importQrDeviceScanPrompt": { - "description": "Instruction to scan QR from device", "placeholders": { "deviceName": { "type": "String" @@ -21659,536 +3175,139 @@ } }, "importQrDeviceScanning": "Scan en cours...", - "@importQrDeviceScanning": { - "description": "Status while scanning QR code" - }, "importQrDeviceImporting": "Importation du portefeuille...", - "@importQrDeviceImporting": { - "description": "Status while importing from QR device" - }, "importQrDeviceSuccess": "Portefeuille importé avec succès", - "@importQrDeviceSuccess": { - "description": "Success message after import" - }, "importQrDeviceError": "Échec de l'importation du portefeuille", - "@importQrDeviceError": { - "description": "Error message when import fails" - }, "importQrDeviceInvalidQR": "Code QR invalide", - "@importQrDeviceInvalidQR": { - "description": "Error for invalid QR code format" - }, "importQrDeviceWalletName": "Nom du portefeuille", - "@importQrDeviceWalletName": { - "description": "Label for wallet name field" - }, "importQrDeviceFingerprint": "Empreinte", - "@importQrDeviceFingerprint": { - "description": "Label for device fingerprint" - }, "importQrDeviceImport": "Importer", - "@importQrDeviceImport": { - "description": "Button to confirm import from QR device" - }, "importQrDeviceButtonOpenCamera": "Ouvrir la caméra", - "@importQrDeviceButtonOpenCamera": { - "description": "ImportQrDevice: Button to open camera for QR scanning" - }, "importQrDeviceButtonInstructions": "Instructions", - "@importQrDeviceButtonInstructions": { - "description": "ImportQrDevice: Button to show setup instructions" - }, "importQrDeviceJadeName": "Blockstream Jade", - "@importQrDeviceJadeName": { - "description": "Name of Blockstream Jade device" - }, "importQrDeviceJadeInstructionsTitle": "Instructions pour Blockstream Jade", - "@importQrDeviceJadeInstructionsTitle": { - "description": "Title for Jade setup instructions" - }, "importQrDeviceJadeStep1": "Allumez votre appareil Jade", - "@importQrDeviceJadeStep1": { - "description": "Jade instruction step 1" - }, "importQrDeviceJadeStep2": "Sélectionnez \"Mode QR\" dans le menu principal", - "@importQrDeviceJadeStep2": { - "description": "Jade instruction step 2" - }, "importQrDeviceJadeStep3": "Suivez les instructions de l'appareil pour déverrouiller le Jade", - "@importQrDeviceJadeStep3": { - "description": "Jade instruction step 3" - }, "importQrDeviceJadeStep4": "Sélectionnez \"Options\" dans le menu principal", - "@importQrDeviceJadeStep4": { - "description": "Jade instruction step 4" - }, "importQrDeviceJadeStep5": "Sélectionnez \"Portefeuille\" dans la liste des options", - "@importQrDeviceJadeStep5": { - "description": "Jade instruction step 5" - }, "importQrDeviceJadeStep6": "Sélectionnez \"Exporter Xpub\" dans le menu du portefeuille", - "@importQrDeviceJadeStep6": { - "description": "Jade instruction step 6" - }, "importQrDeviceJadeStep7": "Si nécessaire, sélectionnez \"Options\" pour changer le type d'adresse", - "@importQrDeviceJadeStep7": { - "description": "Jade instruction step 7" - }, "importQrDeviceJadeStep8": "Cliquez sur le bouton \"ouvrir la caméra\"", - "@importQrDeviceJadeStep8": { - "description": "Jade instruction step 8" - }, "importQrDeviceJadeStep9": "Scannez le code QR affiché sur votre appareil.", - "@importQrDeviceJadeStep9": { - "description": "Jade instruction step 9" - }, "importQrDeviceJadeStep10": "C'est fait !", - "@importQrDeviceJadeStep10": { - "description": "Jade instruction step 10" - }, "importQrDeviceJadeFirmwareWarning": "Assurez-vous que votre appareil est mis à jour avec le dernier firmware", - "@importQrDeviceJadeFirmwareWarning": { - "description": "Warning message to update Jade firmware" - }, "importQrDeviceKruxName": "Krux", - "@importQrDeviceKruxName": { - "description": "Name of Krux device" - }, "importQrDeviceKruxInstructionsTitle": "Instructions pour Krux", - "@importQrDeviceKruxInstructionsTitle": { - "description": "Title for Krux setup instructions" - }, "importQrDeviceKruxStep1": "Allumez votre appareil Krux", - "@importQrDeviceKruxStep1": { - "description": "Krux instruction step 1" - }, "importQrDeviceKruxStep2": "Cliquez sur Clé Publique Étendue", - "@importQrDeviceKruxStep2": { - "description": "Krux instruction step 2" - }, "importQrDeviceKruxStep3": "Cliquez sur XPUB - Code QR", - "@importQrDeviceKruxStep3": { - "description": "Krux instruction step 3" - }, "importQrDeviceKruxStep4": "Cliquez sur le bouton \"ouvrir la caméra\"", - "@importQrDeviceKruxStep4": { - "description": "Krux instruction step 4" - }, "importQrDeviceKruxStep5": "Scannez le code QR affiché sur votre appareil.", - "@importQrDeviceKruxStep5": { - "description": "Krux instruction step 5" - }, "importQrDeviceKruxStep6": "C'est fait !", - "@importQrDeviceKruxStep6": { - "description": "Krux instruction step 6" - }, "importQrDeviceKeystoneName": "Keystone", - "@importQrDeviceKeystoneName": { - "description": "Name of Keystone device" - }, "importQrDeviceKeystoneInstructionsTitle": "Instructions pour Keystone", - "@importQrDeviceKeystoneInstructionsTitle": { - "description": "Title for Keystone setup instructions" - }, "importQrDeviceKeystoneStep1": "Allumez votre appareil Keystone", - "@importQrDeviceKeystoneStep1": { - "description": "Keystone instruction step 1" - }, "importQrDeviceKeystoneStep2": "Entrez votre code PIN", - "@importQrDeviceKeystoneStep2": { - "description": "Keystone instruction step 2" - }, "importQrDeviceKeystoneStep3": "Cliquez sur les trois points en haut à droite", - "@importQrDeviceKeystoneStep3": { - "description": "Keystone instruction step 3" - }, "importQrDeviceKeystoneStep4": "Sélectionnez Connecter un Portefeuille Logiciel", - "@importQrDeviceKeystoneStep4": { - "description": "Keystone instruction step 4" - }, "importQrDeviceKeystoneStep5": "Choisissez l'option portefeuille BULL", - "@importQrDeviceKeystoneStep5": { - "description": "Keystone instruction step 5" - }, "importQrDeviceKeystoneStep6": "Sur votre appareil mobile, appuyez sur Ouvrir la Caméra", - "@importQrDeviceKeystoneStep6": { - "description": "Keystone instruction step 6" - }, "importQrDeviceKeystoneStep7": "Scannez le code QR affiché sur votre Keystone", - "@importQrDeviceKeystoneStep7": { - "description": "Keystone instruction step 7" - }, "importQrDeviceKeystoneStep8": "Entrez une étiquette pour votre portefeuille Keystone et appuyez sur Importer", - "@importQrDeviceKeystoneStep8": { - "description": "Keystone instruction step 8" - }, "importQrDeviceKeystoneStep9": "La configuration est terminée", - "@importQrDeviceKeystoneStep9": { - "description": "Keystone instruction step 9" - }, "importQrDevicePassportName": "Foundation Passport", - "@importQrDevicePassportName": { - "description": "Name of Foundation Passport device" - }, "importQrDevicePassportInstructionsTitle": "Instructions pour Foundation Passport", - "@importQrDevicePassportInstructionsTitle": { - "description": "Title for Passport setup instructions" - }, "importQrDevicePassportStep1": "Allumez votre appareil Passport", - "@importQrDevicePassportStep1": { - "description": "Passport instruction step 1" - }, "importQrDevicePassportStep2": "Entrez votre code PIN", - "@importQrDevicePassportStep2": { - "description": "Passport instruction step 2" - }, "importQrDevicePassportStep3": "Sélectionnez \"Gérer le Compte\"", - "@importQrDevicePassportStep3": { - "description": "Passport instruction step 3" - }, "importQrDevicePassportStep4": "Sélectionnez \"Connecter un Portefeuille\"", - "@importQrDevicePassportStep4": { - "description": "Passport instruction step 4" - }, "importQrDevicePassportStep5": "Sélectionnez l'option \"Sparrow\"", - "@importQrDevicePassportStep5": { - "description": "Passport instruction step 5" - }, "importQrDevicePassportStep6": "Sélectionnez \"Signature Unique\"", - "@importQrDevicePassportStep6": { - "description": "Passport instruction step 6" - }, "importQrDevicePassportStep7": "Sélectionnez \"Code QR\"", - "@importQrDevicePassportStep7": { - "description": "Passport instruction step 7" - }, "importQrDevicePassportStep8": "Sur votre appareil mobile, appuyez sur \"ouvrir la caméra\"", - "@importQrDevicePassportStep8": { - "description": "Passport instruction step 8" - }, "importQrDevicePassportStep9": "Scannez le code QR affiché sur votre Passport", - "@importQrDevicePassportStep9": { - "description": "Passport instruction step 9" - }, "importQrDevicePassportStep10": "Dans l'application BULL wallet, sélectionnez \"Segwit (BIP84)\" comme option de dérivation", - "@importQrDevicePassportStep10": { - "description": "Passport instruction step 10" - }, "importQrDevicePassportStep11": "Entrez un libellé pour votre portefeuille Passport et appuyez sur \"Importer\"", - "@importQrDevicePassportStep11": { - "description": "Passport instruction step 11" - }, "importQrDevicePassportStep12": "Configuration terminée.", - "@importQrDevicePassportStep12": { - "description": "Passport instruction step 12" - }, "importQrDeviceSeedsignerName": "SeedSigner", - "@importQrDeviceSeedsignerName": { - "description": "Name of SeedSigner device" - }, "importQrDeviceSeedsignerInstructionsTitle": "Instructions pour SeedSigner", - "@importQrDeviceSeedsignerInstructionsTitle": { - "description": "Title for SeedSigner setup instructions" - }, "importQrDeviceSeedsignerStep1": "Allumez votre appareil SeedSigner", - "@importQrDeviceSeedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, "importQrDeviceSeedsignerStep2": "Ouvrez le menu \"Seeds\"", - "@importQrDeviceSeedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, "importQrDeviceSeedsignerStep3": "Scannez un SeedQR ou entrez votre phrase de 12 ou 24 mots", - "@importQrDeviceSeedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, "importQrDeviceSeedsignerStep4": "Sélectionnez \"Exporter Xpub\"", - "@importQrDeviceSeedsignerStep4": { - "description": "SeedSigner instruction step 4" - }, "importQrDeviceSeedsignerStep5": "Choisissez \"Signature Unique\", puis sélectionnez votre type de script préféré (choisissez Native Segwit si vous n'êtes pas sûr).", - "@importQrDeviceSeedsignerStep5": { - "description": "SeedSigner instruction step 5" - }, "importQrDeviceSeedsignerStep6": "Sélectionnez \"Sparrow\" comme option d'exportation", - "@importQrDeviceSeedsignerStep6": { - "description": "SeedSigner instruction step 6" - }, "importQrDeviceSeedsignerStep7": "Sur votre appareil mobile, appuyez sur Ouvrir la Caméra", - "@importQrDeviceSeedsignerStep7": { - "description": "SeedSigner instruction step 7" - }, "importQrDeviceSeedsignerStep8": "Scannez le code QR affiché sur votre SeedSigner", - "@importQrDeviceSeedsignerStep8": { - "description": "SeedSigner instruction step 8" - }, "importQrDeviceSeedsignerStep9": "Entrez un libellé pour votre portefeuille SeedSigner et appuyez sur Importer", - "@importQrDeviceSeedsignerStep9": { - "description": "SeedSigner instruction step 9" - }, "importQrDeviceSeedsignerStep10": "Configuration terminée", - "@importQrDeviceSeedsignerStep10": { - "description": "SeedSigner instruction step 10" - }, "importQrDeviceSpecterName": "Specter", - "@importQrDeviceSpecterName": { - "description": "Name of Specter device" - }, "importQrDeviceSpecterInstructionsTitle": "Instructions pour Specter", - "@importQrDeviceSpecterInstructionsTitle": { - "description": "Title for Specter setup instructions" - }, "importQrDeviceSpecterStep1": "Allumez votre appareil Specter", - "@importQrDeviceSpecterStep1": { - "description": "Specter instruction step 1" - }, "importQrDeviceSpecterStep2": "Entrez votre code PIN", - "@importQrDeviceSpecterStep2": { - "description": "Specter instruction step 2" - }, "importQrDeviceSpecterStep3": "Entrez votre seed/clé (choisissez l'option qui vous convient)", - "@importQrDeviceSpecterStep3": { - "description": "Specter instruction step 3" - }, "importQrDeviceSpecterStep4": "Suivez les instructions selon la méthode que vous avez choisie", - "@importQrDeviceSpecterStep4": { - "description": "Specter instruction step 4" - }, "importQrDeviceSpecterStep5": "Sélectionnez \"Clés publiques principales\"", - "@importQrDeviceSpecterStep5": { - "description": "Specter instruction step 5" - }, "importQrDeviceSpecterStep6": "Choisissez \"Clé unique\"", - "@importQrDeviceSpecterStep6": { - "description": "Specter instruction step 6" - }, "importQrDeviceSpecterStep7": "Désactivez \"Utiliser SLIP-132\"", - "@importQrDeviceSpecterStep7": { - "description": "Specter instruction step 7" - }, "importQrDeviceSpecterStep8": "Sur votre appareil mobile, appuyez sur Ouvrir la Caméra", - "@importQrDeviceSpecterStep8": { - "description": "Specter instruction step 8" - }, "importQrDeviceSpecterStep9": "Scannez le code QR affiché sur votre Specter", - "@importQrDeviceSpecterStep9": { - "description": "Specter instruction step 9" - }, "importQrDeviceSpecterStep10": "Entrez un libellé pour votre portefeuille Specter et appuyez sur Importer", - "@importQrDeviceSpecterStep10": { - "description": "Specter instruction step 10" - }, "importQrDeviceSpecterStep11": "La configuration est terminée", - "@importQrDeviceSpecterStep11": { - "description": "Specter instruction step 11" - }, "importColdcardTitle": "Connecter Coldcard Q", - "@importColdcardTitle": { - "description": "AppBar title for Coldcard Q import" - }, "importColdcardScanPrompt": "Scannez le code QR de votre Coldcard Q", - "@importColdcardScanPrompt": { - "description": "Instruction to scan Coldcard QR" - }, "importColdcardMultisigPrompt": "Pour les portefeuilles multisig, scannez le code QR du descripteur de portefeuille", - "@importColdcardMultisigPrompt": { - "description": "Additional instruction for multisig" - }, "importColdcardScanning": "Scan en cours...", - "@importColdcardScanning": { - "description": "Status while scanning" - }, "importColdcardImporting": "Importation du portefeuille Coldcard...", - "@importColdcardImporting": { - "description": "Status while importing" - }, "importColdcardSuccess": "Portefeuille Coldcard importé", - "@importColdcardSuccess": { - "description": "Success message" - }, "importColdcardError": "Échec de l'importation du Coldcard", - "@importColdcardError": { - "description": "Error message" - }, "importColdcardInvalidQR": "Code QR Coldcard invalide", - "@importColdcardInvalidQR": { - "description": "Error for invalid QR format" - }, "importColdcardDescription": "Importez le QR code descripteur de portefeuille de votre Coldcard Q", - "@importColdcardDescription": { - "description": "ImportColdcardQ: Main instruction text on import page" - }, "importColdcardButtonOpenCamera": "Ouvrir la caméra", - "@importColdcardButtonOpenCamera": { - "description": "ImportColdcardQ: Button to open camera for QR scanning" - }, "importColdcardButtonInstructions": "Instructions", - "@importColdcardButtonInstructions": { - "description": "ImportColdcardQ: Button to show setup instructions" - }, "importColdcardButtonPurchase": "Acheter l'appareil", - "@importColdcardButtonPurchase": { - "description": "ImportColdcardQ: Button to navigate to Coinkite store" - }, "importColdcardInstructionsTitle": "Instructions Coldcard Q", - "@importColdcardInstructionsTitle": { - "description": "ImportColdcardQ: Title of instructions bottom sheet" - }, "importColdcardInstructionsStep1": "Connectez-vous à votre appareil Coldcard Q", - "@importColdcardInstructionsStep1": { - "description": "ImportColdcardQ: First instruction step" - }, "importColdcardInstructionsStep2": "Entrez une phrase secrète si applicable", - "@importColdcardInstructionsStep2": { - "description": "ImportColdcardQ: Second instruction step" - }, "importColdcardInstructionsStep3": "Naviguez vers \"Avancé/Outils\"", - "@importColdcardInstructionsStep3": { - "description": "ImportColdcardQ: Third instruction step" - }, "importColdcardInstructionsStep4": "Vérifiez que votre micrologiciel est mis à jour vers la version 1.3.4Q", - "@importColdcardInstructionsStep4": { - "description": "ImportColdcardQ: Fourth instruction step" - }, "importColdcardInstructionsStep5": "Sélectionnez \"Exporter le portefeuille\"", - "@importColdcardInstructionsStep5": { - "description": "ImportColdcardQ: Fifth instruction step" - }, "importColdcardInstructionsStep6": "Choisissez \"Bull Bitcoin\" comme option d'exportation", - "@importColdcardInstructionsStep6": { - "description": "ImportColdcardQ: Sixth instruction step" - }, "importColdcardInstructionsStep7": "Sur votre appareil mobile, appuyez sur \"ouvrir la caméra\"", - "@importColdcardInstructionsStep7": { - "description": "ImportColdcardQ: Seventh instruction step" - }, "importColdcardInstructionsStep8": "Scannez le QR code affiché sur votre Coldcard Q", - "@importColdcardInstructionsStep8": { - "description": "ImportColdcardQ: Eighth instruction step" - }, "importColdcardInstructionsStep9": "Entrez une 'Étiquette' pour votre portefeuille Coldcard Q et appuyez sur \"Importer\"", - "@importColdcardInstructionsStep9": { - "description": "ImportColdcardQ: Ninth instruction step" - }, "importColdcardInstructionsStep10": "Configuration terminée", - "@importColdcardInstructionsStep10": { - "description": "ImportColdcardQ: Final instruction step" - }, "exchangeLandingTitle": "BULL BITCOIN", - "@exchangeLandingTitle": { - "description": "Main title on exchange landing screen" - }, "exchangeLandingConnect": "Connectez votre compte d'échange Bull Bitcoin", - "@exchangeLandingConnect": { - "description": "Subtitle on exchange landing screen" - }, "exchangeLandingFeature1": "Acheter du Bitcoin directement en auto-garde", - "@exchangeLandingFeature1": { - "description": "First feature bullet point" - }, "exchangeLandingFeature2": "DCA, ordres limites et achat automatique", - "@exchangeLandingFeature2": { - "description": "Second feature bullet point" - }, "exchangeLandingFeature3": "Vendre du Bitcoin, être payé avec du Bitcoin", - "@exchangeLandingFeature3": { - "description": "Third feature bullet point" - }, "exchangeLandingFeature4": "Envoyer des virements bancaires et payer des factures", - "@exchangeLandingFeature4": { - "description": "Fourth feature bullet point" - }, "exchangeLandingFeature5": "Discuter avec le support client", - "@exchangeLandingFeature5": { - "description": "Fifth feature bullet point" - }, "exchangeLandingFeature6": "Historique des transactions unifié", - "@exchangeLandingFeature6": { - "description": "Sixth feature bullet point" - }, "exchangeLandingRestriction": "L'accès aux services d'échange sera restreint aux pays où Bull Bitcoin peut légalement opérer et peut nécessiter une vérification KYC.", - "@exchangeLandingRestriction": { - "description": "Legal restriction notice" - }, "exchangeLandingLoginButton": "Se connecter ou s'inscrire", - "@exchangeLandingLoginButton": { - "description": "Button to proceed to login/signup" - }, "exchangeHomeDeposit": "Déposer", - "@exchangeHomeDeposit": { - "description": "Deposit button label" - }, "exchangeHomeWithdraw": "Retirer", - "@exchangeHomeWithdraw": { - "description": "Withdraw button label" - }, "exchangeKycLight": "Léger", - "@exchangeKycLight": { - "description": "Light KYC level label" - }, "exchangeKycLimited": "Limité", - "@exchangeKycLimited": { - "description": "Limited KYC level label" - }, "exchangeKycComplete": "Complétez votre KYC", - "@exchangeKycComplete": { - "description": "KYC card title" - }, "exchangeKycRemoveLimits": "Pour supprimer les limites de transaction", - "@exchangeKycRemoveLimits": { - "description": "KYC card subtitle" - }, "dcaActivate": "Activer l'achat récurrent", - "@dcaActivate": { - "description": "Label to activate DCA" - }, "dcaDeactivate": "Désactiver l'achat récurrent", - "@dcaDeactivate": { - "description": "Label to deactivate DCA" - }, "dcaViewSettings": "Voir les paramètres", - "@dcaViewSettings": { - "description": "Link to view DCA settings" - }, "dcaHideSettings": "Masquer les paramètres", - "@dcaHideSettings": { - "description": "Link to hide DCA settings" - }, "dcaCancelTitle": "Annuler l'achat récurrent de Bitcoin ?", - "@dcaCancelTitle": { - "description": "Dialog title for DCA cancellation" - }, "dcaCancelMessage": "Votre plan d'achat récurrent de Bitcoin s'arrêtera et les achats programmés prendront fin. Pour redémarrer, vous devrez configurer un nouveau plan.", - "@dcaCancelMessage": { - "description": "Dialog message for DCA cancellation" - }, "dcaCancelButton": "Annuler", - "@dcaCancelButton": { - "description": "Cancel button in DCA dialog" - }, "dcaConfirmDeactivate": "Oui, désactiver", - "@dcaConfirmDeactivate": { - "description": "Confirm deactivation button" - }, "dcaUnableToGetConfig": "Impossible d'obtenir la configuration DCA", - "@dcaUnableToGetConfig": { - "description": "Error message when DCA config unavailable" - }, "dcaAddressBitcoin": "Adresse Bitcoin", - "@dcaAddressBitcoin": { - "description": "Bitcoin address label" - }, "dcaAddressLightning": "Adresse Lightning", - "@dcaAddressLightning": { - "description": "Lightning address label" - }, "dcaAddressLiquid": "Adresse Liquid", - "@dcaAddressLiquid": { - "description": "Liquid address label" - }, "dcaBuyingMessage": "Vous achetez {amount} chaque {frequency} via {network} tant qu'il y a des fonds sur votre compte.", "@dcaBuyingMessage": { - "description": "DCA status message", "placeholders": { "amount": { "type": "String" @@ -22202,104 +3321,30 @@ } }, "exchangeAuthLoginFailed": "Échec de la connexion", - "@exchangeAuthLoginFailed": { - "description": "Login failure dialog title" - }, "exchangeAuthErrorMessage": "Une erreur s'est produite, veuillez réessayer de vous connecter.", - "@exchangeAuthErrorMessage": { - "description": "Login error message" - }, "exchangeAuthOk": "OK", - "@exchangeAuthOk": { - "description": "OK button in error dialog" - }, - "recipientsSearchHint": "Rechercher des destinataires par nom ou étiquette", - "@recipientsSearchHint": { - "description": "Hint text for recipients search field" - }, "withdrawAmountTitle": "Retirer des fonds fiat", - "@withdrawAmountTitle": { - "description": "AppBar title for withdraw amount screen" - }, "withdrawAmountContinue": "Continuer", - "@withdrawAmountContinue": { - "description": "Continue button on amount screen" - }, "withdrawRecipientsTitle": "Sélectionner un destinataire", - "@withdrawRecipientsTitle": { - "description": "AppBar title for recipients screen" - }, "withdrawRecipientsPrompt": "Où et comment devons-nous envoyer l'argent ?", - "@withdrawRecipientsPrompt": { - "description": "Instructions on recipients screen" - }, "withdrawRecipientsNewTab": "Nouveau destinataire", - "@withdrawRecipientsNewTab": { - "description": "Tab label for new recipient" - }, "withdrawRecipientsMyTab": "Mes destinataires fiat", - "@withdrawRecipientsMyTab": { - "description": "Tab label for existing recipients" - }, "withdrawRecipientsFilterAll": "Tous les types", - "@withdrawRecipientsFilterAll": { - "description": "Filter option for all recipient types" - }, "withdrawRecipientsNoRecipients": "Aucun destinataire trouvé pour le retrait.", - "@withdrawRecipientsNoRecipients": { - "description": "Empty state message" - }, "withdrawRecipientsContinue": "Continuer", - "@withdrawRecipientsContinue": { - "description": "Continue button on recipients screen" - }, "withdrawConfirmTitle": "Confirmer le retrait", - "@withdrawConfirmTitle": { - "description": "Title on confirmation screen" - }, "withdrawConfirmRecipientName": "Nom du destinataire", - "@withdrawConfirmRecipientName": { - "description": "Field label for recipient name" - }, "withdrawConfirmAmount": "Montant", - "@withdrawConfirmAmount": { - "description": "Field label for withdrawal amount" - }, "withdrawConfirmEmail": "Courriel", - "@withdrawConfirmEmail": { - "description": "Field label for email (Interac)" - }, "withdrawConfirmPayee": "Bénéficiaire", - "@withdrawConfirmPayee": { - "description": "Field label for payee (Bill Payment)" - }, "withdrawConfirmAccount": "Compte", - "@withdrawConfirmAccount": { - "description": "Field label for bank account" - }, "withdrawConfirmIban": "IBAN", - "@withdrawConfirmIban": { - "description": "Field label for IBAN" - }, "withdrawConfirmClabe": "CLABE", - "@withdrawConfirmClabe": { - "description": "Field label for CLABE (Mexico)" - }, "withdrawConfirmPhone": "Téléphone", - "@withdrawConfirmPhone": { - "description": "Field label for phone number" - }, "withdrawConfirmCard": "Carte", - "@withdrawConfirmCard": { - "description": "Field label for debit card" - }, "withdrawConfirmButton": "Confirmer le retrait", - "@withdrawConfirmButton": { - "description": "Button to confirm withdrawal" - }, "withdrawConfirmError": "Erreur : {error}", "@withdrawConfirmError": { - "description": "Error message on confirmation screen", "placeholders": { "error": { "type": "String" @@ -22307,96 +3352,29 @@ } }, "fundExchangeFundAccount": "Financer votre compte", - "@fundExchangeFundAccount": { - "description": "Main heading on funding screen" - }, "fundExchangeSelectCountry": "Sélectionnez votre pays et votre méthode de paiement", - "@fundExchangeSelectCountry": { - "description": "Instruction text" - }, "fundExchangeSpeiTransfer": "Virement SPEI", - "@fundExchangeSpeiTransfer": { - "description": "SPEI transfer method title (Mexico)" - }, "fundExchangeSpeiSubtitle": "Transférer des fonds en utilisant votre CLABE", - "@fundExchangeSpeiSubtitle": { - "description": "SPEI transfer subtitle" - }, "fundExchangeBankTransfer": "Virement bancaire", - "@fundExchangeBankTransfer": { - "description": "Bank transfer method title" - }, "fundExchangeBankTransferSubtitle": "Envoyer un virement bancaire depuis votre compte bancaire", - "@fundExchangeBankTransferSubtitle": { - "description": "Bank transfer subtitle" - }, "dcaSetupTitle": "Configurer l'achat récurrent", - "@dcaSetupTitle": { - "description": "AppBar title for DCA setup screen" - }, "dcaSetupInsufficientBalance": "Solde insuffisant", - "@dcaSetupInsufficientBalance": { - "description": "Insufficient balance error title" - }, "dcaSetupInsufficientBalanceMessage": "Vous n'avez pas assez de solde pour créer cette commande.", - "@dcaSetupInsufficientBalanceMessage": { - "description": "Insufficient balance error message" - }, "dcaSetupFundAccount": "Financer votre compte", - "@dcaSetupFundAccount": { - "description": "Button to fund account" - }, "dcaSetupScheduleMessage": "Les achats de Bitcoin seront placés automatiquement selon ce calendrier.", - "@dcaSetupScheduleMessage": { - "description": "DCA schedule explanation" - }, "dcaSetupFrequencyError": "Veuillez sélectionner une fréquence", - "@dcaSetupFrequencyError": { - "description": "Frequency validation error" - }, "dcaSetupContinue": "Continuer", - "@dcaSetupContinue": { - "description": "Continue button on DCA setup" - }, "dcaConfirmTitle": "Confirmer l'achat récurrent", - "@dcaConfirmTitle": { - "description": "AppBar title for DCA confirmation screen" - }, "dcaConfirmAutoMessage": "Les ordres d'achat seront placés automatiquement selon ces paramètres. Vous pouvez les désactiver à tout moment.", - "@dcaConfirmAutoMessage": { - "description": "DCA auto-placement message" - }, "dcaConfirmFrequency": "Fréquence", - "@dcaConfirmFrequency": { - "description": "Field label for frequency" - }, "dcaConfirmFrequencyHourly": "Toutes les heures", - "@dcaConfirmFrequencyHourly": { - "description": "Hourly frequency label" - }, "dcaConfirmFrequencyDaily": "Tous les jours", - "@dcaConfirmFrequencyDaily": { - "description": "Daily frequency label" - }, "dcaConfirmFrequencyWeekly": "Toutes les semaines", - "@dcaConfirmFrequencyWeekly": { - "description": "Weekly frequency label" - }, "dcaConfirmFrequencyMonthly": "Tous les mois", - "@dcaConfirmFrequencyMonthly": { - "description": "Monthly frequency label" - }, "dcaConfirmAmount": "Montant", - "@dcaConfirmAmount": { - "description": "Field label for amount" - }, "dcaConfirmPaymentMethod": "Méthode de paiement", - "@dcaConfirmPaymentMethod": { - "description": "Field label for payment method" - }, "dcaConfirmPaymentBalance": "Solde {currency}", "@dcaConfirmPaymentBalance": { - "description": "Payment method balance format", "placeholders": { "currency": { "type": "String" @@ -22404,36 +3382,14 @@ } }, "dcaConfirmOrderType": "Type de commande", - "@dcaConfirmOrderType": { - "description": "Field label for order type" - }, "dcaConfirmOrderTypeValue": "Achat récurrent", - "@dcaConfirmOrderTypeValue": { - "description": "Order type value" - }, "dcaConfirmNetwork": "Réseau", - "@dcaConfirmNetwork": { - "description": "Field label for network" - }, "dcaConfirmNetworkBitcoin": "Bitcoin", - "@dcaConfirmNetworkBitcoin": { - "description": "Bitcoin network label" - }, "dcaConfirmNetworkLightning": "Lightning", - "@dcaConfirmNetworkLightning": { - "description": "Lightning network label" - }, "dcaConfirmNetworkLiquid": "Liquid", - "@dcaConfirmNetworkLiquid": { - "description": "Liquid network label" - }, "dcaConfirmLightningAddress": "Adresse Lightning", - "@dcaConfirmLightningAddress": { - "description": "Field label for Lightning address" - }, "dcaConfirmError": "Une erreur s'est produite : {error}", "@dcaConfirmError": { - "description": "DCA confirmation error message", "placeholders": { "error": { "type": "String" @@ -22441,312 +3397,83 @@ } }, "dcaConfirmContinue": "Continuer", - "@dcaConfirmContinue": { - "description": "Continue button on DCA confirmation" - }, "buyInputTitle": "Acheter du Bitcoin", - "@buyInputTitle": { - "description": "AppBar title for buy input screen" - }, "buyInputMinAmountError": "Vous devez acheter au moins", - "@buyInputMinAmountError": { - "description": "Minimum amount error message" - }, "buyInputMaxAmountError": "Vous ne pouvez pas acheter plus de", - "@buyInputMaxAmountError": { - "description": "Maximum amount error message" - }, "buyInputKycPending": "Vérification d'identité KYC en attente", - "@buyInputKycPending": { - "description": "KYC pending info card title" - }, "buyInputKycMessage": "Vous devez d'abord compléter la vérification d'identité", - "@buyInputKycMessage": { - "description": "KYC pending info card message" - }, "buyInputCompleteKyc": "Compléter le KYC", - "@buyInputCompleteKyc": { - "description": "Button to complete KYC" - }, "buyInputInsufficientBalance": "Solde insuffisant", - "@buyInputInsufficientBalance": { - "description": "Insufficient balance info card title" - }, "buyInputInsufficientBalanceMessage": "Vous n'avez pas assez de solde pour créer cette commande.", - "@buyInputInsufficientBalanceMessage": { - "description": "Insufficient balance message" - }, "buyInputFundAccount": "Financer votre compte", - "@buyInputFundAccount": { - "description": "Button to fund account" - }, "buyInputContinue": "Continuer", - "@buyInputContinue": { - "description": "Continue button on buy input" - }, "buyConfirmTitle": "Acheter du Bitcoin", - "@buyConfirmTitle": { - "description": "AppBar title for buy confirmation screen" - }, "buyConfirmYouPay": "Vous payez", - "@buyConfirmYouPay": { - "description": "Field label for payment amount" - }, "buyConfirmYouReceive": "Vous recevez", - "@buyConfirmYouReceive": { - "description": "Field label for receive amount" - }, "buyConfirmBitcoinPrice": "Prix du Bitcoin", - "@buyConfirmBitcoinPrice": { - "description": "Field label for Bitcoin price" - }, "buyConfirmPayoutMethod": "Méthode de paiement", - "@buyConfirmPayoutMethod": { - "description": "Field label for payout method" - }, "buyConfirmExternalWallet": "Portefeuille Bitcoin externe", - "@buyConfirmExternalWallet": { - "description": "External wallet payout method" - }, "buyConfirmAwaitingConfirmation": "En attente de confirmation ", - "@buyConfirmAwaitingConfirmation": { - "description": "Awaiting confirmation label" - }, "sellSendPaymentTitle": "Confirmer le paiement", - "@sellSendPaymentTitle": { - "description": "Title on sell payment screen" - }, "sellSendPaymentPriceRefresh": "Le prix se rafraîchira dans ", - "@sellSendPaymentPriceRefresh": { - "description": "Price refresh countdown prefix" - }, "sellSendPaymentOrderNumber": "Numéro de commande", - "@sellSendPaymentOrderNumber": { - "description": "Field label for order number" - }, "sellSendPaymentPayoutRecipient": "Destinataire du paiement", - "@sellSendPaymentPayoutRecipient": { - "description": "Field label for payout recipient" - }, "sellSendPaymentCadBalance": "Solde CAD", - "@sellSendPaymentCadBalance": { - "description": "CAD balance payout method" - }, "sellSendPaymentCrcBalance": "Solde CRC", - "@sellSendPaymentCrcBalance": { - "description": "CRC balance payout method" - }, "sellSendPaymentEurBalance": "Solde EUR", - "@sellSendPaymentEurBalance": { - "description": "EUR balance payout method" - }, "sellSendPaymentUsdBalance": "Solde USD", - "@sellSendPaymentUsdBalance": { - "description": "USD balance payout method" - }, "sellSendPaymentMxnBalance": "Solde MXN", - "@sellSendPaymentMxnBalance": { - "description": "MXN balance payout method" - }, "sellSendPaymentPayinAmount": "Montant payé", - "@sellSendPaymentPayinAmount": { - "description": "Field label for payin amount" - }, "sellSendPaymentPayoutAmount": "Montant reçu", - "@sellSendPaymentPayoutAmount": { - "description": "Field label for payout amount" - }, "sellSendPaymentExchangeRate": "Taux de change", - "@sellSendPaymentExchangeRate": { - "description": "Field label for exchange rate" - }, "sellSendPaymentPayFromWallet": "Payer depuis le portefeuille", - "@sellSendPaymentPayFromWallet": { - "description": "Field label for source wallet" - }, "sellSendPaymentInstantPayments": "Paiements instantanés", - "@sellSendPaymentInstantPayments": { - "description": "Instant payments wallet label" - }, "sellSendPaymentSecureWallet": "Portefeuille Bitcoin sécurisé", - "@sellSendPaymentSecureWallet": { - "description": "Secure wallet label" - }, "sellSendPaymentFeePriority": "Priorité des frais", - "@sellSendPaymentFeePriority": { - "description": "Field label for fee priority" - }, "sellSendPaymentFastest": "Le plus rapide", - "@sellSendPaymentFastest": { - "description": "Fastest fee priority option" - }, "sellSendPaymentNetworkFees": "Frais de réseau", - "@sellSendPaymentNetworkFees": { - "description": "Field label for network fees" - }, "sellSendPaymentCalculating": "Calcul en cours...", - "@sellSendPaymentCalculating": { - "description": "Calculating fees message" - }, "sellSendPaymentAdvanced": "Paramètres avancés", - "@sellSendPaymentAdvanced": { - "description": "Advanced settings button" - }, "sellSendPaymentContinue": "Continuer", - "@sellSendPaymentContinue": { - "description": "Continue button on sell payment" - }, "sellSendPaymentAboveMax": "Vous essayez de vendre au-dessus du montant maximum qui peut être vendu avec ce portefeuille.", - "@sellSendPaymentAboveMax": { - "description": "Above max amount error" - }, "sellSendPaymentBelowMin": "Vous essayez de vendre en dessous du montant minimum qui peut être vendu avec ce portefeuille.", - "@sellSendPaymentBelowMin": { - "description": "Below min amount error" - }, "sellSendPaymentInsufficientBalance": "Solde insuffisant dans le portefeuille sélectionné pour compléter cette commande de vente.", - "@sellSendPaymentInsufficientBalance": { - "description": "Insufficient balance error" - }, "arkSetupTitle": "Configuration Ark", - "@arkSetupTitle": { - "description": "AppBar title for Ark setup screen" - }, "arkSetupExperimentalWarning": "Ark est encore expérimental.\n\nVotre portefeuille Ark est dérivé de la phrase de récupération de votre portefeuille principal. Aucune sauvegarde supplémentaire n'est nécessaire, votre sauvegarde de portefeuille existante restaure également vos fonds Ark.\n\nEn continuant, vous reconnaissez la nature expérimentale d'Ark et le risque de perte de fonds.\n\nNote développeur : Le secret Ark est dérivé de la graine du portefeuille principal en utilisant une dérivation BIP-85 arbitraire (index 11811).", - "@arkSetupExperimentalWarning": { - "description": "Ark experimental warning text" - }, "arkSetupEnable": "Activer Ark", - "@arkSetupEnable": { - "description": "Button to enable Ark" - }, "swapTitle": "Transfert interne", - "@swapTitle": { - "description": "AppBar title for swap/internal transfer screen" - }, "swapInfoBanner": "Transférez Bitcoin de manière transparente entre vos portefeuilles. Ne conservez des fonds dans le Portefeuille de paiement instantané que pour les dépenses quotidiennes.", - "@swapInfoBanner": { - "description": "Info banner on swap amount screen" - }, "swapMax": "MAX", - "@swapMax": { - "description": "MAX button label" - }, "swapContinue": "Continuer", - "@swapContinue": { - "description": "Continue button on swap amount screen" - }, "swapConfirmTitle": "Confirmer le transfert", - "@swapConfirmTitle": { - "description": "AppBar title for swap confirmation screen" - }, "swapProgressTitle": "Transfert interne", - "@swapProgressTitle": { - "description": "AppBar title for swap progress screen" - }, "swapProgressPending": "Transfert en attente", - "@swapProgressPending": { - "description": "Pending transfer status" - }, "swapProgressPendingMessage": "Le transfert est en cours. Les transactions Bitcoin peuvent prendre un certain temps à se confirmer. Vous pouvez retourner à l'accueil et attendre.", - "@swapProgressPendingMessage": { - "description": "Pending transfer message" - }, "swapProgressCompleted": "Transfert terminé", - "@swapProgressCompleted": { - "description": "Completed transfer status" - }, "swapProgressCompletedMessage": "Wow, vous avez attendu ! Le transfert s'est terminé avec succès.", - "@swapProgressCompletedMessage": { - "description": "Completed transfer message" - }, "swapProgressRefundInProgress": "Remboursement du transfert en cours", - "@swapProgressRefundInProgress": { - "description": "Refund in progress status" - }, "swapProgressRefundMessage": "Il y a eu une erreur avec le transfert. Votre remboursement est en cours.", - "@swapProgressRefundMessage": { - "description": "Refund in progress message" - }, "swapProgressRefunded": "Transfert remboursé", - "@swapProgressRefunded": { - "description": "Refunded transfer status" - }, "swapProgressRefundedMessage": "Le transfert a été remboursé avec succès.", - "@swapProgressRefundedMessage": { - "description": "Refunded transfer message" - }, "swapProgressGoHome": "Retour à l'accueil", - "@swapProgressGoHome": { - "description": "Go home button on progress screen" - }, "autoswapTitle": "Paramètres de transfert automatique", - "@autoswapTitle": { - "description": "Header title for auto transfer settings bottom sheet" - }, "autoswapEnable": "Activer le transfert automatique", - "@autoswapEnable": { - "description": "Toggle label to enable auto transfer" - }, "autoswapMaxBalance": "Solde maximum du portefeuille instantané", - "@autoswapMaxBalance": { - "description": "Field label for max balance threshold" - }, "autoswapMaxBalanceInfo": "Lorsque le solde du portefeuille dépasse le double de ce montant, le transfert automatique se déclenchera pour réduire le solde à ce niveau", - "@autoswapMaxBalanceInfo": { - "description": "Info tooltip for max balance field" - }, "autoswapMaxFee": "Frais de transfert maximum", - "@autoswapMaxFee": { - "description": "Field label for max fee threshold" - }, "autoswapMaxFeeInfo": "Si les frais de transfert totaux dépassent le pourcentage défini, le transfert automatique sera bloqué", - "@autoswapMaxFeeInfo": { - "description": "Info tooltip for max fee field" - }, "autoswapAlwaysBlock": "Toujours bloquer les frais élevés", - "@autoswapAlwaysBlock": { - "description": "Toggle label for always block high fees" - }, "autoswapAlwaysBlockEnabledInfo": "Lorsqu'activé, les transferts automatiques avec des frais supérieurs à la limite définie seront toujours bloqués", - "@autoswapAlwaysBlockEnabledInfo": { - "description": "Info text when always block is enabled" - }, "autoswapAlwaysBlockDisabledInfo": "Lorsque désactivé, vous aurez la possibilité d'autoriser un transfert automatique bloqué en raison de frais élevés", - "@autoswapAlwaysBlockDisabledInfo": { - "description": "Info text when always block is disabled" - }, "autoswapRecipientWallet": "Portefeuille Bitcoin destinataire", - "@autoswapRecipientWallet": { - "description": "Field label for recipient wallet dropdown" - }, "autoswapRecipientRequired": "*", - "@autoswapRecipientRequired": { - "description": "Required field indicator" - }, "autoswapSelectWallet": "Sélectionner un portefeuille Bitcoin", - "@autoswapSelectWallet": { - "description": "Placeholder for wallet dropdown" - }, "autoswapSelectWalletRequired": "Sélectionner un portefeuille Bitcoin *", - "@autoswapSelectWalletRequired": { - "description": "Placeholder for wallet dropdown when required" - }, "autoswapRecipientWalletInfo": "Choisissez quel portefeuille Bitcoin recevra les fonds transférés (obligatoire)", - "@autoswapRecipientWalletInfo": { - "description": "Info tooltip for recipient wallet field" - }, "autoswapDefaultWalletLabel": "Portefeuille Bitcoin", - "@autoswapDefaultWalletLabel": { - "description": "Default label for unnamed Bitcoin wallet" - }, "autoswapSave": "Enregistrer", - "@autoswapSave": { - "description": "Save button label" - }, "autoswapSaveError": "Échec de l'enregistrement des paramètres : {error}", "@autoswapSaveError": { - "description": "Error message when save fails", "placeholders": { "error": { "type": "String" @@ -22754,32 +3481,13 @@ } }, "electrumTitle": "Paramètres du serveur Electrum", - "@electrumTitle": { - "description": "AppBar title for Electrum settings screen" - }, "electrumNetworkBitcoin": "Bitcoin", - "@electrumNetworkBitcoin": { - "description": "Bitcoin network tab label" - }, "electrumNetworkLiquid": "Liquid", - "@electrumNetworkLiquid": { - "description": "Liquid network tab label" - }, "electrumAdvancedOptions": "Options avancées", - "@electrumAdvancedOptions": { - "description": "Advanced options button label" - }, "electrumAddCustomServer": "Ajouter un serveur personnalisé", - "@electrumAddCustomServer": { - "description": "Add custom server bottom sheet title" - }, "electrumCloseTooltip": "Fermer", - "@electrumCloseTooltip": { - "description": "Close button tooltip" - }, "electrumServerUrlHint": "URL du serveur {network} {environment}", "@electrumServerUrlHint": { - "description": "Hint text for server URL input", "placeholders": { "network": { "type": "String" @@ -22790,76 +3498,24 @@ } }, "electrumMainnet": "Mainnet", - "@electrumMainnet": { - "description": "Mainnet environment label" - }, "electrumTestnet": "Testnet", - "@electrumTestnet": { - "description": "Testnet environment label" - }, "electrumEmptyFieldError": "Ce champ ne peut pas être vide", - "@electrumEmptyFieldError": { - "description": "Validation error for empty field" - }, "electrumBitcoinSslInfo": "Si aucun protocole n'est spécifié, SSL sera utilisé par défaut.", - "@electrumBitcoinSslInfo": { - "description": "Info text for Bitcoin server protocol" - }, "electrumLiquidSslInfo": "Aucun protocole ne doit être spécifié, SSL sera utilisé automatiquement.", - "@electrumLiquidSslInfo": { - "description": "Info text for Liquid server protocol" - }, "electrumAddServer": "Ajouter un serveur", - "@electrumAddServer": { - "description": "Add server button label" - }, "electrumEnableSsl": "Activer SSL", - "@electrumEnableSsl": { - "description": "SSL toggle label in add custom server sheet" - }, "electrumProtocolError": "N'incluez pas le protocole (ssl:// ou tcp://).", - "@electrumProtocolError": { - "description": "Validation error when protocol is included in server URL" - }, "electrumFormatError": "Utilisez le format hôte:port (par ex., exemple.com:50001)", - "@electrumFormatError": { - "description": "Validation error for incorrect server URL format" - }, "electrumBitcoinServerInfo": "Entrez l'adresse du serveur au format : hôte:port (par ex., exemple.com:50001)", - "@electrumBitcoinServerInfo": { - "description": "Info text for Bitcoin server URL format" - }, "electrumStopGap": "Écart d'arrêt", - "@electrumStopGap": { - "description": "Stop Gap field label and hint in advanced options" - }, "electrumTimeout": "Délai d'attente (secondes)", - "@electrumTimeout": { - "description": "Timeout field label and hint in advanced options" - }, "electrumRetryCount": "Nombre de tentatives", - "@electrumRetryCount": { - "description": "Retry Count field label and hint in advanced options" - }, "electrumValidateDomain": "Valider le domaine", - "@electrumValidateDomain": { - "description": "Validate Domain switch label in advanced options" - }, "electrumStopGapEmptyError": "L'écart d'arrêt ne peut pas être vide", - "@electrumStopGapEmptyError": { - "description": "Validation error for empty Stop Gap field" - }, "electrumInvalidNumberError": "Entrez un nombre valide", - "@electrumInvalidNumberError": { - "description": "Validation error for non-numeric input" - }, "electrumStopGapNegativeError": "L'écart d'arrêt ne peut pas être négatif", - "@electrumStopGapNegativeError": { - "description": "Validation error for negative Stop Gap value" - }, "electrumStopGapTooHighError": "L'écart d'arrêt semble trop élevé. (Max. {maxStopGap})", "@electrumStopGapTooHighError": { - "description": "Validation error for Stop Gap exceeding maximum", "placeholders": { "maxStopGap": { "type": "String" @@ -22867,16 +3523,9 @@ } }, "electrumTimeoutEmptyError": "Le délai d'attente ne peut pas être vide", - "@electrumTimeoutEmptyError": { - "description": "Validation error for empty Timeout field" - }, "electrumTimeoutPositiveError": "Le délai d'attente doit être positif", - "@electrumTimeoutPositiveError": { - "description": "Validation error for non-positive Timeout value" - }, "electrumTimeoutTooHighError": "Le délai d'attente semble trop élevé. (Max. {maxTimeout} secondes)", "@electrumTimeoutTooHighError": { - "description": "Validation error for Timeout exceeding maximum", "placeholders": { "maxTimeout": { "type": "String" @@ -22884,16 +3533,9 @@ } }, "electrumRetryCountEmptyError": "Le nombre de tentatives ne peut pas être vide", - "@electrumRetryCountEmptyError": { - "description": "Validation error for empty Retry Count field" - }, "electrumRetryCountNegativeError": "Le nombre de tentatives ne peut pas être négatif", - "@electrumRetryCountNegativeError": { - "description": "Validation error for negative Retry Count value" - }, "electrumTimeoutWarning": "Votre délai d'attente ({timeoutValue} secondes) est inférieur à la valeur recommandée ({recommended} secondes) pour cet écart d'arrêt.", "@electrumTimeoutWarning": { - "description": "Warning message when timeout is too low for the configured Stop Gap", "placeholders": { "timeoutValue": { "type": "String" @@ -22905,7 +3547,6 @@ }, "electrumInvalidStopGapError": "Valeur d'écart d'arrêt invalide : {value}", "@electrumInvalidStopGapError": { - "description": "Error message for invalid Stop Gap value from backend", "placeholders": { "value": { "type": "String" @@ -22914,7 +3555,6 @@ }, "electrumInvalidTimeoutError": "Valeur de délai d'attente invalide : {value}", "@electrumInvalidTimeoutError": { - "description": "Error message for invalid Timeout value from backend", "placeholders": { "value": { "type": "String" @@ -22923,7 +3563,6 @@ }, "electrumInvalidRetryError": "Valeur de nombre de tentatives invalide : {value}", "@electrumInvalidRetryError": { - "description": "Error message for invalid Retry Count value from backend", "placeholders": { "value": { "type": "String" @@ -22931,32 +3570,13 @@ } }, "electrumSaveFailedError": "Échec de l'enregistrement des options avancées", - "@electrumSaveFailedError": { - "description": "Error message when saving advanced options fails" - }, "electrumUnknownError": "Une erreur s'est produite", - "@electrumUnknownError": { - "description": "Generic error message for unknown errors" - }, "electrumReset": "Réinitialiser", - "@electrumReset": { - "description": "Reset button label in advanced options" - }, "electrumConfirm": "Confirmer", - "@electrumConfirm": { - "description": "Confirm button label in advanced options" - }, "electrumDeleteServerTitle": "Supprimer le serveur personnalisé", - "@electrumDeleteServerTitle": { - "description": "Delete server dialog title" - }, "electrumDeletePrivacyNotice": "Avis de confidentialité :\n\nL'utilisation de votre propre nœud garantit qu'aucun tiers ne peut lier votre adresse IP à vos transactions. En supprimant votre dernier serveur personnalisé, vous vous connecterez à un serveur BullBitcoin.\n", - "@electrumDeletePrivacyNotice": { - "description": "Privacy notice shown when deleting last custom server" - }, "electrumDeleteConfirmation": "Êtes-vous sûr de vouloir supprimer ce serveur ?\n\n{serverUrl}", "@electrumDeleteConfirmation": { - "description": "Confirmation message for server deletion", "placeholders": { "serverUrl": { "type": "String" @@ -22964,32 +3584,13 @@ } }, "electrumCancel": "Annuler", - "@electrumCancel": { - "description": "Cancel button label in delete dialog" - }, "electrumDelete": "Supprimer", - "@electrumDelete": { - "description": "Delete button label in delete dialog" - }, "electrumDefaultServers": "Serveurs par défaut", - "@electrumDefaultServers": { - "description": "Section header for default servers list" - }, "electrumDefaultServersInfo": "Pour protéger votre vie privée, les serveurs par défaut ne sont pas utilisés lorsque des serveurs personnalisés sont configurés.", - "@electrumDefaultServersInfo": { - "description": "Info message explaining default servers behavior" - }, "electrumCustomServers": "Serveurs personnalisés", - "@electrumCustomServers": { - "description": "Section header for custom servers list" - }, "electrumDragToReorder": "(Appuyez longuement pour faire glisser et changer la priorité)", - "@electrumDragToReorder": { - "description": "Instruction text for reordering servers" - }, "electrumLoadFailedError": "Échec du chargement des serveurs{reason}", "@electrumLoadFailedError": { - "description": "Error message when loading servers fails", "placeholders": { "reason": { "type": "String" @@ -22998,7 +3599,6 @@ }, "electrumSavePriorityFailedError": "Échec de l'enregistrement de la priorité du serveur{reason}", "@electrumSavePriorityFailedError": { - "description": "Error message when saving server priority fails", "placeholders": { "reason": { "type": "String" @@ -23007,7 +3607,6 @@ }, "electrumAddFailedError": "Échec de l'ajout du serveur personnalisé{reason}", "@electrumAddFailedError": { - "description": "Error message when adding custom server fails", "placeholders": { "reason": { "type": "String" @@ -23016,7 +3615,6 @@ }, "electrumDeleteFailedError": "Échec de la suppression du serveur personnalisé{reason}", "@electrumDeleteFailedError": { - "description": "Error message when deleting custom server fails", "placeholders": { "reason": { "type": "String" @@ -23024,120 +3622,35 @@ } }, "electrumServerAlreadyExists": "Ce serveur existe déjà", - "@electrumServerAlreadyExists": { - "description": "Error message when trying to add a duplicate server" - }, "electrumPrivacyNoticeTitle": "Avis de confidentialité", - "@electrumPrivacyNoticeTitle": { - "description": "Title for privacy notice bottom sheet" - }, "electrumPrivacyNoticeContent1": "Avis de confidentialité : L'utilisation de votre propre nœud garantit qu'aucun tiers ne peut lier votre adresse IP à vos transactions.", - "@electrumPrivacyNoticeContent1": { - "description": "First paragraph of privacy notice" - }, "electrumPrivacyNoticeContent2": "Cependant, si vous consultez les transactions via mempool en cliquant sur votre ID de transaction ou la page Détails du destinataire, ces informations seront connues de BullBitcoin.", - "@electrumPrivacyNoticeContent2": { - "description": "Second paragraph of privacy notice" - }, "electrumPrivacyNoticeCancel": "Annuler", - "@electrumPrivacyNoticeCancel": { - "description": "Cancel button in privacy notice dialog" - }, "electrumPrivacyNoticeSave": "Enregistrer", - "@electrumPrivacyNoticeSave": { - "description": "Save button in privacy notice dialog" - }, "electrumServerNotUsed": "Non utilisé", - "@electrumServerNotUsed": { - "description": "Status text for disabled servers" - }, "electrumServerOnline": "En ligne", - "@electrumServerOnline": { - "description": "Status text for online servers" - }, "electrumServerOffline": "Hors ligne", - "@electrumServerOffline": { - "description": "Status text for offline servers" - }, "arkSendRecipientLabel": "Adresse du destinataire", - "@arkSendRecipientLabel": { - "description": "Label for recipient address field" - }, "arkSendRecipientHint": "ark1qp9wsjfpsj5v5ex022v6…", - "@arkSendRecipientHint": { - "description": "Hint text for recipient address field" - }, "arkSendConfirmedBalance": "Solde confirmé", - "@arkSendConfirmedBalance": { - "description": "Confirmed balance label" - }, "arkSendPendingBalance": "Solde en attente ", - "@arkSendPendingBalance": { - "description": "Pending balance label" - }, "arkSendConfirm": "Confirmer", - "@arkSendConfirm": { - "description": "Confirm button on send screen" - }, "arkReceiveCopyAddress": "Copier l'adresse", - "@arkReceiveCopyAddress": { - "description": "Copy address button label" - }, "arkReceiveUnifiedAddress": "Adresse unifiée (BIP21)", - "@arkReceiveUnifiedAddress": { - "description": "Label for unified BIP21 address" - }, "arkReceiveBtcAddress": "Adresse BTC", - "@arkReceiveBtcAddress": { - "description": "Label for Bitcoin address" - }, "arkReceiveArkAddress": "Adresse Ark", - "@arkReceiveArkAddress": { - "description": "Label for Ark address" - }, "arkReceiveUnifiedCopied": "Adresse unifiée copiée", - "@arkReceiveUnifiedCopied": { - "description": "Snackbar message when unified address copied" - }, "arkSettleTitle": "Régler les transactions", - "@arkSettleTitle": { - "description": "Settle bottom sheet title" - }, "arkSettleMessage": "Finaliser les transactions en attente et inclure les vtxos récupérables si nécessaire", - "@arkSettleMessage": { - "description": "Settle bottom sheet explanation" - }, "arkSettleIncludeRecoverable": "Inclure les vtxos récupérables", - "@arkSettleIncludeRecoverable": { - "description": "Toggle label for including recoverable vtxos" - }, "arkSettleCancel": "Annuler", - "@arkSettleCancel": { - "description": "Cancel button on settle bottom sheet" - }, "arkAboutServerUrl": "URL du serveur", - "@arkAboutServerUrl": { - "description": "Field label for server URL" - }, "arkAboutServerPubkey": "Clé publique du serveur", - "@arkAboutServerPubkey": { - "description": "Field label for server pubkey" - }, "arkAboutForfeitAddress": "Adresse de confiscation", - "@arkAboutForfeitAddress": { - "description": "Field label for forfeit address" - }, "arkAboutNetwork": "Réseau", - "@arkAboutNetwork": { - "description": "Field label for network" - }, "arkAboutDust": "Poussière", - "@arkAboutDust": { - "description": "Field label for dust amount" - }, "arkAboutDustValue": "{dust} SATS", "@arkAboutDustValue": { - "description": "Dust value format", "placeholders": { "dust": { "type": "int" @@ -23145,28 +3658,12 @@ } }, "arkAboutSessionDuration": "Durée de la session", - "@arkAboutSessionDuration": { - "description": "Field label for session duration" - }, "arkAboutBoardingExitDelay": "Délai de sortie d'embarquement", - "@arkAboutBoardingExitDelay": { - "description": "Field label for boarding exit delay" - }, "arkAboutUnilateralExitDelay": "Délai de sortie unilatérale", - "@arkAboutUnilateralExitDelay": { - "description": "Field label for unilateral exit delay" - }, "arkAboutEsploraUrl": "URL Esplora", - "@arkAboutEsploraUrl": { - "description": "Field label for Esplora URL" - }, "arkAboutCopy": "Copier", - "@arkAboutCopy": { - "description": "Copy button label" - }, "arkAboutCopiedMessage": "{label} copié dans le presse-papiers", "@arkAboutCopiedMessage": { - "description": "Snackbar message when field copied", "placeholders": { "label": { "type": "String" @@ -23175,7 +3672,6 @@ }, "arkAboutDurationSeconds": "{seconds} secondes", "@arkAboutDurationSeconds": { - "description": "Duration format for seconds", "placeholders": { "seconds": { "type": "int" @@ -23184,7 +3680,6 @@ }, "arkAboutDurationMinute": "{minutes} minute", "@arkAboutDurationMinute": { - "description": "Duration format for singular minute", "placeholders": { "minutes": { "type": "int" @@ -23193,7 +3688,6 @@ }, "arkAboutDurationMinutes": "{minutes} minutes", "@arkAboutDurationMinutes": { - "description": "Duration format for plural minutes", "placeholders": { "minutes": { "type": "int" @@ -23202,7 +3696,6 @@ }, "arkAboutDurationHour": "{hours} heure", "@arkAboutDurationHour": { - "description": "Duration format for singular hour", "placeholders": { "hours": { "type": "int" @@ -23211,7 +3704,6 @@ }, "arkAboutDurationHours": "{hours} heures", "@arkAboutDurationHours": { - "description": "Duration format for plural hours", "placeholders": { "hours": { "type": "int" @@ -23220,7 +3712,6 @@ }, "arkAboutDurationDay": "{days} jour", "@arkAboutDurationDay": { - "description": "Duration format for singular day", "placeholders": { "days": { "type": "int" @@ -23229,7 +3720,6 @@ }, "arkAboutDurationDays": "{days} jours", "@arkAboutDurationDays": { - "description": "Duration format for plural days", "placeholders": { "days": { "type": "int" @@ -23237,56 +3727,19 @@ } }, "arkSendRecipientTitle": "Envoyer au destinataire", - "@arkSendRecipientTitle": { - "description": "Title for the ark send recipient page" - }, "arkSendRecipientError": "Veuillez entrer un destinataire", - "@arkSendRecipientError": { - "description": "Error message when recipient field is empty" - }, "arkSendAmountTitle": "Entrez le montant", - "@arkSendAmountTitle": { - "description": "Title for the ark send amount page" - }, "arkSendConfirmTitle": "Confirmer l'envoi", - "@arkSendConfirmTitle": { - "description": "Title for the ark send confirmation page" - }, "arkSendConfirmMessage": "Veuillez confirmer les détails de votre transaction avant d'envoyer.", - "@arkSendConfirmMessage": { - "description": "Message displayed on send confirmation page" - }, "arkReceiveSegmentArk": "Ark", - "@arkReceiveSegmentArk": { - "description": "Segment option for Ark address type" - }, "arkReceiveSegmentBoarding": "Embarquement", - "@arkReceiveSegmentBoarding": { - "description": "Segment option for Boarding (BTC) address type" - }, "arkReceiveBoardingAddress": "Adresse d'embarquement BTC", - "@arkReceiveBoardingAddress": { - "description": "Label for BTC boarding address" - }, "arkAboutSecretKey": "Clé secrète", - "@arkAboutSecretKey": { - "description": "Label for secret key field in about page" - }, "arkAboutShow": "Afficher", - "@arkAboutShow": { - "description": "Button text to show hidden secret key" - }, "arkAboutHide": "Masquer", - "@arkAboutHide": { - "description": "Button text to hide visible secret key" - }, "arkContinueButton": "Continuer", - "@arkContinueButton": { - "description": "Continue button text used in ark send flow" - }, "addressViewErrorLoadingAddresses": "Erreur lors du chargement des adresses : {error}", "@addressViewErrorLoadingAddresses": { - "description": "Message d'erreur affiché lorsque le chargement des adresses échoue", "placeholders": { "error": { "type": "String" @@ -23294,12 +3747,8 @@ } }, "addressViewNoAddressesFound": "Aucune adresse trouvée", - "@addressViewNoAddressesFound": { - "description": "Message d'état vide lorsqu'aucune adresse n'est disponible" - }, "addressViewErrorLoadingMoreAddresses": "Erreur lors du chargement d'adresses supplémentaires : {error}", "@addressViewErrorLoadingMoreAddresses": { - "description": "Message d'erreur affiché lorsque la pagination des adresses échoue", "placeholders": { "error": { "type": "String" @@ -23307,112 +3756,33 @@ } }, "addressViewChangeAddressesComingSoon": "Adresses de change à venir", - "@addressViewChangeAddressesComingSoon": { - "description": "Message d'état vide pour la fonctionnalité d'adresses de change à venir" - }, "addressViewChangeAddressesDescription": "Afficher les adresses de change du portefeuille", - "@addressViewChangeAddressesDescription": { - "description": "Description de la boîte de dialogue à venir lors de la tentative d'affichage des adresses de change" - }, "appStartupErrorTitle": "Erreur de démarrage", - "@appStartupErrorTitle": { - "description": "Titre affiché lorsque l'application ne démarre pas correctement" - }, "appStartupErrorMessageWithBackup": "Dans la version 5.4.0, un bogue critique a été découvert dans l'une de nos dépendances qui affecte le stockage des clés privées. Votre application a été affectée par cela. Vous devrez supprimer cette application et la réinstaller avec votre phrase de récupération sauvegardée.", - "@appStartupErrorMessageWithBackup": { - "description": "Message d'erreur affiché lorsque le démarrage de l'application échoue en raison d'un problème de stockage de phrase de récupération et que l'utilisateur a une sauvegarde" - }, "appStartupErrorMessageNoBackup": "Dans la version 5.4.0, un bogue critique a été découvert dans l'une de nos dépendances qui affecte le stockage des clés privées. Votre application a été affectée par cela. Contactez notre équipe d'assistance.", - "@appStartupErrorMessageNoBackup": { - "description": "Message d'erreur affiché lorsque le démarrage de l'application échoue en raison d'un problème de stockage de phrase de récupération et que l'utilisateur n'a pas de sauvegarde" - }, "appStartupContactSupportButton": "Contacter le support", - "@appStartupContactSupportButton": { - "description": "Libellé du bouton pour contacter le support lorsque le démarrage de l'application échoue" - }, "ledgerImportTitle": "Importer un portefeuille Ledger", - "@ledgerImportTitle": { - "description": "Titre pour l'importation d'un portefeuille matériel Ledger" - }, "ledgerSignTitle": "Signer la transaction", - "@ledgerSignTitle": { - "description": "Titre pour la signature d'une transaction avec Ledger" - }, "ledgerVerifyTitle": "Vérifier l'adresse sur Ledger", - "@ledgerVerifyTitle": { - "description": "Titre pour la vérification d'une adresse sur l'appareil Ledger" - }, "ledgerImportButton": "Commencer l'importation", - "@ledgerImportButton": { - "description": "Libellé du bouton pour commencer l'importation du portefeuille Ledger" - }, "ledgerSignButton": "Commencer la signature", - "@ledgerSignButton": { - "description": "Libellé du bouton pour commencer la signature de transaction avec Ledger" - }, "ledgerVerifyButton": "Vérifier l'adresse", - "@ledgerVerifyButton": { - "description": "Libellé du bouton pour commencer la vérification d'adresse sur Ledger" - }, "ledgerProcessingImport": "Importation du portefeuille", - "@ledgerProcessingImport": { - "description": "Message d'état affiché pendant l'importation du portefeuille Ledger" - }, "ledgerProcessingSign": "Signature de la transaction", - "@ledgerProcessingSign": { - "description": "Message d'état affiché pendant la signature de transaction avec Ledger" - }, "ledgerProcessingVerify": "Affichage de l'adresse sur Ledger...", - "@ledgerProcessingVerify": { - "description": "Message d'état affiché pendant la vérification d'adresse sur Ledger" - }, "ledgerSuccessImportTitle": "Portefeuille importé avec succès", - "@ledgerSuccessImportTitle": { - "description": "Titre du message de succès après l'importation du portefeuille Ledger" - }, "ledgerSuccessSignTitle": "Transaction signée avec succès", - "@ledgerSuccessSignTitle": { - "description": "Titre du message de succès après la signature de transaction avec Ledger" - }, "ledgerSuccessVerifyTitle": "Vérification de l'adresse sur Ledger...", - "@ledgerSuccessVerifyTitle": { - "description": "Titre du message de succès pour la vérification d'adresse sur Ledger" - }, "ledgerSuccessImportDescription": "Votre portefeuille Ledger a été importé avec succès.", - "@ledgerSuccessImportDescription": { - "description": "Description du message de succès après l'importation du portefeuille Ledger" - }, "ledgerSuccessSignDescription": "Votre transaction a été signée avec succès.", - "@ledgerSuccessSignDescription": { - "description": "Description du message de succès après la signature de transaction avec Ledger" - }, "ledgerSuccessVerifyDescription": "L'adresse a été vérifiée sur votre appareil Ledger.", - "@ledgerSuccessVerifyDescription": { - "description": "Description du message de succès après la vérification d'adresse sur Ledger" - }, "ledgerProcessingImportSubtext": "Configuration de votre portefeuille en lecture seule...", - "@ledgerProcessingImportSubtext": { - "description": "Sous-texte de traitement affiché pendant l'importation du portefeuille Ledger" - }, "ledgerProcessingSignSubtext": "Veuillez confirmer la transaction sur votre appareil Ledger...", - "@ledgerProcessingSignSubtext": { - "description": "Sous-texte de traitement affiché pendant la signature de transaction" - }, "ledgerProcessingVerifySubtext": "Veuillez confirmer l'adresse sur votre appareil Ledger.", - "@ledgerProcessingVerifySubtext": { - "description": "Sous-texte de traitement affiché pendant la vérification d'adresse" - }, "ledgerConnectTitle": "Connectez votre appareil Ledger", - "@ledgerConnectTitle": { - "description": "Titre de l'écran de connexion initial Ledger" - }, "ledgerScanningTitle": "Recherche d'appareils", - "@ledgerScanningTitle": { - "description": "Titre affiché pendant la recherche d'appareils Ledger" - }, "ledgerConnectingMessage": "Connexion à {deviceName}", "@ledgerConnectingMessage": { - "description": "Message affiché pendant la connexion à un appareil Ledger spécifique", "placeholders": { "deviceName": { "type": "String" @@ -23421,7 +3791,6 @@ }, "ledgerActionFailedMessage": "{action} a échoué", "@ledgerActionFailedMessage": { - "description": "Message d'erreur lorsqu'une action Ledger échoue", "placeholders": { "action": { "type": "String" @@ -23429,340 +3798,90 @@ } }, "ledgerInstructionsIos": "Assurez-vous que votre Ledger est déverrouillé avec l'application Bitcoin ouverte et Bluetooth activé.", - "@ledgerInstructionsIos": { - "description": "Instructions de connexion pour les appareils iOS (Bluetooth uniquement)" - }, "ledgerInstructionsAndroidUsb": "Assurez-vous que votre Ledger est déverrouillé avec l'application Bitcoin ouverte et connectez-le via USB.", - "@ledgerInstructionsAndroidUsb": { - "description": "Instructions de connexion pour les appareils Android (USB uniquement)" - }, "ledgerInstructionsAndroidDual": "Assurez-vous que votre Ledger est déverrouillé avec l'application Bitcoin ouverte et Bluetooth activé, ou connectez l'appareil via USB.", - "@ledgerInstructionsAndroidDual": { - "description": "Instructions de connexion pour les appareils Android (Bluetooth ou USB)" - }, "ledgerScanningMessage": "Recherche d'appareils Ledger à proximité...", - "@ledgerScanningMessage": { - "description": "Message affiché pendant la recherche d'appareils Ledger" - }, "ledgerConnectingSubtext": "Établissement d'une connexion sécurisée...", - "@ledgerConnectingSubtext": { - "description": "Sous-texte affiché pendant la connexion au Ledger" - }, "ledgerErrorUnknown": "Erreur inconnue", - "@ledgerErrorUnknown": { - "description": "Message d'erreur générique pour les erreurs Ledger inconnues" - }, "ledgerErrorUnknownOccurred": "Une erreur inconnue s'est produite", - "@ledgerErrorUnknownOccurred": { - "description": "Message d'erreur lorsqu'une erreur inconnue se produit lors d'une opération Ledger" - }, "ledgerErrorNoConnection": "Aucune connexion Ledger disponible", - "@ledgerErrorNoConnection": { - "description": "Message d'erreur lorsqu'aucune connexion Ledger n'est disponible" - }, "ledgerErrorRejectedByUser": "La transaction a été rejetée par l'utilisateur sur l'appareil Ledger.", - "@ledgerErrorRejectedByUser": { - "description": "Message d'erreur lorsque l'utilisateur rejette la transaction sur Ledger (code d'erreur 6985)" - }, "ledgerErrorDeviceLocked": "L'appareil Ledger est verrouillé. Veuillez déverrouiller votre appareil et réessayer.", - "@ledgerErrorDeviceLocked": { - "description": "Message d'erreur lorsque l'appareil Ledger est verrouillé (code d'erreur 5515)" - }, "ledgerErrorBitcoinAppNotOpen": "Veuillez ouvrir l'application Bitcoin sur votre appareil Ledger et réessayer.", - "@ledgerErrorBitcoinAppNotOpen": { - "description": "Message d'erreur lorsque l'application Bitcoin n'est pas ouverte sur Ledger (codes d'erreur 6e01, 6a87, 6d02, 6511, 6e00)" - }, "ledgerErrorMissingPsbt": "PSBT est requis pour la signature", - "@ledgerErrorMissingPsbt": { - "description": "Message d'erreur lorsque le paramètre PSBT est manquant pour la signature" - }, "ledgerErrorMissingDerivationPathSign": "Le chemin de dérivation est requis pour la signature", - "@ledgerErrorMissingDerivationPathSign": { - "description": "Message d'erreur lorsque le chemin de dérivation est manquant pour la signature" - }, "ledgerErrorMissingScriptTypeSign": "Le type de script est requis pour la signature", - "@ledgerErrorMissingScriptTypeSign": { - "description": "Message d'erreur lorsque le type de script est manquant pour la signature" - }, "ledgerErrorMissingAddress": "L'adresse est requise pour la vérification", - "@ledgerErrorMissingAddress": { - "description": "Message d'erreur lorsque l'adresse est manquante pour la vérification" - }, "ledgerErrorMissingDerivationPathVerify": "Le chemin de dérivation est requis pour la vérification", - "@ledgerErrorMissingDerivationPathVerify": { - "description": "Message d'erreur lorsque le chemin de dérivation est manquant pour la vérification" - }, "ledgerErrorMissingScriptTypeVerify": "Le type de script est requis pour la vérification", - "@ledgerErrorMissingScriptTypeVerify": { - "description": "Message d'erreur lorsque le type de script est manquant pour la vérification" - }, "ledgerButtonTryAgain": "Réessayer", - "@ledgerButtonTryAgain": { - "description": "Libellé du bouton pour réessayer une opération Ledger échouée" - }, "ledgerButtonManagePermissions": "Gérer les permissions de l'application", - "@ledgerButtonManagePermissions": { - "description": "Libellé du bouton pour ouvrir les paramètres de permissions de l'application" - }, "ledgerButtonNeedHelp": "Besoin d'aide ?", - "@ledgerButtonNeedHelp": { - "description": "Libellé du bouton pour afficher les instructions d'aide/dépannage" - }, "ledgerVerifyAddressLabel": "Adresse à vérifier :", - "@ledgerVerifyAddressLabel": { - "description": "Libellé pour l'adresse en cours de vérification sur Ledger" - }, "ledgerWalletTypeLabel": "Type de portefeuille :", - "@ledgerWalletTypeLabel": { - "description": "Libellé pour la sélection du type de portefeuille/script" - }, "ledgerWalletTypeSegwit": "Segwit (BIP84)", - "@ledgerWalletTypeSegwit": { - "description": "Nom d'affichage pour le type de portefeuille Segwit (BIP84)" - }, "ledgerWalletTypeSegwitDescription": "Native SegWit - Recommandé", - "@ledgerWalletTypeSegwitDescription": { - "description": "Description pour le type de portefeuille Segwit" - }, "ledgerWalletTypeNestedSegwit": "Nested Segwit (BIP49)", - "@ledgerWalletTypeNestedSegwit": { - "description": "Nom d'affichage pour le type de portefeuille Nested Segwit (BIP49)" - }, "ledgerWalletTypeNestedSegwitDescription": "P2WPKH-nested-in-P2SH", - "@ledgerWalletTypeNestedSegwitDescription": { - "description": "Description technique pour le type de portefeuille Nested Segwit" - }, "ledgerWalletTypeLegacy": "Legacy (BIP44)", - "@ledgerWalletTypeLegacy": { - "description": "Nom d'affichage pour le type de portefeuille Legacy (BIP44)" - }, "ledgerWalletTypeLegacyDescription": "P2PKH - Format ancien", - "@ledgerWalletTypeLegacyDescription": { - "description": "Description pour le type de portefeuille Legacy" - }, "ledgerWalletTypeSelectTitle": "Sélectionnez le type de portefeuille", - "@ledgerWalletTypeSelectTitle": { - "description": "Titre pour la fenêtre de sélection du type de portefeuille" - }, "ledgerSuccessAddressVerified": "Adresse vérifiée avec succès !", - "@ledgerSuccessAddressVerified": { - "description": "Message de notification de succès après la vérification d'adresse" - }, "ledgerHelpTitle": "Dépannage Ledger", - "@ledgerHelpTitle": { - "description": "Titre pour la fenêtre d'aide au dépannage Ledger" - }, "ledgerHelpSubtitle": "Tout d'abord, assurez-vous que votre appareil Ledger est déverrouillé et que l'application Bitcoin est ouverte. Si votre appareil ne se connecte toujours pas à l'application, essayez ce qui suit :", - "@ledgerHelpSubtitle": { - "description": "Sous-titre/introduction pour l'aide au dépannage Ledger" - }, "ledgerHelpStep1": "Redémarrez votre appareil Ledger.", - "@ledgerHelpStep1": { - "description": "Première étape de dépannage pour les problèmes de connexion Ledger" - }, "ledgerHelpStep2": "Assurez-vous que Bluetooth est activé et autorisé sur votre téléphone.", - "@ledgerHelpStep2": { - "description": "Deuxième étape de dépannage pour les problèmes de connexion Ledger" - }, "ledgerHelpStep3": "Assurez-vous que Bluetooth est activé sur votre Ledger.", - "@ledgerHelpStep3": { - "description": "Troisième étape de dépannage pour les problèmes de connexion Ledger" - }, "ledgerHelpStep4": "Assurez-vous d'avoir installé la dernière version de l'application Bitcoin depuis Ledger Live.", - "@ledgerHelpStep4": { - "description": "Quatrième étape de dépannage pour les problèmes de connexion Ledger" - }, "ledgerHelpStep5": "Assurez-vous que votre appareil Ledger utilise le dernier firmware, vous pouvez mettre à jour le firmware en utilisant l'application Ledger Live pour ordinateur.", - "@ledgerHelpStep5": { - "description": "Cinquième étape de dépannage pour les problèmes de connexion Ledger" - }, "ledgerDefaultWalletLabel": "Portefeuille Ledger", - "@ledgerDefaultWalletLabel": { - "description": "Libellé par défaut pour le portefeuille Ledger importé" - }, "exchangeBrandName": "BULL BITCOIN", - "@exchangeBrandName": { - "description": "The Bull Bitcoin brand name displayed on exchange screens" - }, "exchangeLandingConnectAccount": "Connectez votre compte d'échange Bull Bitcoin", - "@exchangeLandingConnectAccount": { - "description": "Subtitle text on the exchange landing screen encouraging users to connect" - }, "exchangeLandingRecommendedExchange": "Plateforme d'échange Bitcoin recommandée", - "@exchangeLandingRecommendedExchange": { - "description": "Subtitle on landing screen v2 describing Bull Bitcoin as recommended" - }, "exchangeFeatureSelfCustody": "• Achetez du Bitcoin directement en auto-garde", - "@exchangeFeatureSelfCustody": { - "description": "Feature bullet point describing self-custody Bitcoin purchases" - }, "exchangeFeatureDcaOrders": "• DCA, ordres limités et achat automatique", - "@exchangeFeatureDcaOrders": { - "description": "Feature bullet point describing DCA and automated buying features" - }, "exchangeFeatureSellBitcoin": "• Vendez du Bitcoin, soyez payé en Bitcoin", - "@exchangeFeatureSellBitcoin": { - "description": "Feature bullet point describing selling Bitcoin functionality" - }, "exchangeFeatureBankTransfers": "• Envoyez des virements bancaires et payez des factures", - "@exchangeFeatureBankTransfers": { - "description": "Feature bullet point describing bank transfer and bill payment features" - }, "exchangeFeatureCustomerSupport": "• Discutez avec le support client", - "@exchangeFeatureCustomerSupport": { - "description": "Feature bullet point describing customer support chat feature" - }, "exchangeFeatureUnifiedHistory": "• Historique des transactions unifié", - "@exchangeFeatureUnifiedHistory": { - "description": "Feature bullet point describing unified transaction history feature" - }, "priceChartFetchingHistory": "Récupération de l'historique des prix...", - "@priceChartFetchingHistory": { - "description": "Message shown while fetching price history when no local data is available" - }, "exchangeLandingDisclaimerLegal": "L'accès aux services d'échange sera limité aux pays où Bull Bitcoin peut légalement opérer et peut nécessiter une vérification KYC.", - "@exchangeLandingDisclaimerLegal": { - "description": "Legal disclaimer about exchange service availability and KYC requirements" - }, "exchangeLandingDisclaimerNotAvailable": "Les services d'échange de cryptomonnaies ne sont pas disponibles dans l'application mobile Bull Bitcoin.", - "@exchangeLandingDisclaimerNotAvailable": { - "description": "Disclaimer informing users that exchange services are not available in the mobile app" - }, "exchangeLoginButton": "Se connecter ou s'inscrire", - "@exchangeLoginButton": { - "description": "Button label for logging in or signing up to the exchange" - }, "exchangeGoToWebsiteButton": "Aller sur le site web de l'échange Bull Bitcoin", - "@exchangeGoToWebsiteButton": { - "description": "Button label for navigating to the Bull Bitcoin exchange website" - }, "exchangeAuthLoginFailedTitle": "Échec de la connexion", - "@exchangeAuthLoginFailedTitle": { - "description": "Title of the dialog shown when exchange login fails" - }, "exchangeAuthLoginFailedMessage": "Une erreur s'est produite, veuillez réessayer de vous connecter.", - "@exchangeAuthLoginFailedMessage": { - "description": "Message shown when exchange login fails" - }, "exchangeAuthLoginFailedOkButton": "OK", - "@exchangeAuthLoginFailedOkButton": { - "description": "OK button label in the login failed dialog" - }, "exchangeHomeDepositButton": "Dépôt", - "@exchangeHomeDepositButton": { - "description": "Button label for depositing funds to the exchange" - }, "exchangeHomeWithdrawButton": "Retrait", - "@exchangeHomeWithdrawButton": { - "description": "Button label for withdrawing funds from the exchange" - }, "exchangeSupportChatTitle": "Chat de Support", - "@exchangeSupportChatTitle": { - "description": "Title for the support chat screen" - }, "exchangeSupportChatEmptyState": "Aucun message pour le moment. Commencez une conversation !", - "@exchangeSupportChatEmptyState": { - "description": "Message shown when there are no chat messages" - }, "exchangeSupportChatInputHint": "Tapez un message...", - "@exchangeSupportChatInputHint": { - "description": "Placeholder text for the message input field" - }, "exchangeSupportChatMessageRequired": "Un message est requis", - "@exchangeSupportChatMessageRequired": { - "description": "Placeholder text when attachments are present but no message text" - }, "exchangeSupportChatMessageEmptyError": "Le message ne peut pas être vide", - "@exchangeSupportChatMessageEmptyError": { - "description": "Error message when trying to send an empty message" - }, "exchangeSupportChatYesterday": "Hier", - "@exchangeSupportChatYesterday": { - "description": "Label for yesterday in date formatting" - }, "exchangeSupportChatWalletIssuesInfo": "Ce chat est uniquement pour les problèmes liés à l'échange dans Funding/Achat/Vente/Retrait/Paiement.\nPour les problèmes liés au portefeuille, rejoignez le groupe Telegram en cliquant ici.", - "@exchangeSupportChatWalletIssuesInfo": { - "description": "Info message about wallet issues and telegram group link" - }, "exchangeDcaUnableToGetConfig": "Impossible d'obtenir la configuration DCA", - "@exchangeDcaUnableToGetConfig": { - "description": "Error message when DCA configuration cannot be retrieved" - }, "exchangeDcaDeactivateTitle": "Désactiver l'achat récurrent", - "@exchangeDcaDeactivateTitle": { - "description": "Title shown when DCA is active and can be deactivated" - }, "exchangeDcaActivateTitle": "Activer l'achat récurrent", - "@exchangeDcaActivateTitle": { - "description": "Title shown when DCA is inactive and can be activated" - }, "exchangeDcaHideSettings": "Masquer les paramètres", - "@exchangeDcaHideSettings": { - "description": "Link text to hide DCA settings details" - }, "exchangeDcaViewSettings": "Voir les paramètres", - "@exchangeDcaViewSettings": { - "description": "Link text to view DCA settings details" - }, "exchangeDcaCancelDialogTitle": "Annuler l'achat récurrent de Bitcoin ?", - "@exchangeDcaCancelDialogTitle": { - "description": "Title of the dialog confirming DCA cancellation" - }, "exchangeDcaCancelDialogMessage": "Votre plan d'achat récurrent de Bitcoin s'arrêtera et les achats planifiés prendront fin. Pour recommencer, vous devrez configurer un nouveau plan.", - "@exchangeDcaCancelDialogMessage": { - "description": "Message explaining the consequences of canceling DCA" - }, "exchangeDcaCancelDialogCancelButton": "Annuler", - "@exchangeDcaCancelDialogCancelButton": { - "description": "Button label to cancel the DCA cancellation dialog" - }, "exchangeDcaCancelDialogConfirmButton": "Oui, désactiver", - "@exchangeDcaCancelDialogConfirmButton": { - "description": "Button label to confirm DCA deactivation" - }, "exchangeDcaFrequencyHour": "heure", - "@exchangeDcaFrequencyHour": { - "description": "DCA frequency unit: hour" - }, "exchangeDcaFrequencyDay": "jour", - "@exchangeDcaFrequencyDay": { - "description": "DCA frequency unit: day" - }, "exchangeDcaFrequencyWeek": "semaine", - "@exchangeDcaFrequencyWeek": { - "description": "DCA frequency unit: week" - }, "exchangeDcaFrequencyMonth": "mois", - "@exchangeDcaFrequencyMonth": { - "description": "DCA frequency unit: month" - }, "exchangeDcaNetworkBitcoin": "Réseau Bitcoin", - "@exchangeDcaNetworkBitcoin": { - "description": "DCA network option: Bitcoin" - }, "exchangeDcaNetworkLightning": "Réseau Lightning", - "@exchangeDcaNetworkLightning": { - "description": "DCA network option: Lightning" - }, "exchangeDcaNetworkLiquid": "Réseau Liquid", - "@exchangeDcaNetworkLiquid": { - "description": "DCA network option: Liquid" - }, "exchangeDcaAddressLabelBitcoin": "Adresse Bitcoin", - "@exchangeDcaAddressLabelBitcoin": { - "description": "Label for Bitcoin address in DCA settings" - }, "exchangeDcaAddressLabelLightning": "Adresse Lightning", - "@exchangeDcaAddressLabelLightning": { - "description": "Label for Lightning address in DCA settings" - }, "exchangeDcaAddressLabelLiquid": "Adresse Liquid", - "@exchangeDcaAddressLabelLiquid": { - "description": "Label for Liquid address in DCA settings" - }, "exchangeDcaSummaryMessage": "Vous achetez {amount} chaque {frequency} via {network} tant qu'il y a des fonds dans votre compte.", "@exchangeDcaSummaryMessage": { - "description": "Summary message describing the DCA configuration", "placeholders": { "amount": { "type": "String", @@ -23778,7 +3897,6 @@ }, "exchangeDcaAddressDisplay": "{addressLabel} : {address}", "@exchangeDcaAddressDisplay": { - "description": "Format for displaying address label and address", "placeholders": { "addressLabel": { "type": "String", @@ -23791,68 +3909,22 @@ } }, "exchangeCurrencyDropdownTitle": "Sélectionner la devise", - "@exchangeCurrencyDropdownTitle": { - "description": "Title for the currency selection dropdown" - }, "exchangeCurrencyDropdownValidation": "Veuillez sélectionner une devise", - "@exchangeCurrencyDropdownValidation": { - "description": "Validation message when no currency is selected" - }, "exchangeKycLevelLight": "Légère", - "@exchangeKycLevelLight": { - "description": "KYC verification level: Light" - }, "exchangeKycLevelLimited": "Limitée", - "@exchangeKycLevelLimited": { - "description": "KYC verification level: Limited" - }, "exchangeKycCardTitle": "Complétez votre vérification KYC", - "@exchangeKycCardTitle": { - "description": "Title of the KYC completion card" - }, "exchangeKycCardSubtitle": "Pour supprimer les limites de transaction", - "@exchangeKycCardSubtitle": { - "description": "Subtitle explaining why to complete KYC" - }, "exchangeAmountInputTitle": "Entrer le montant", - "@exchangeAmountInputTitle": { - "description": "Title for the amount input field" - }, "exchangeAmountInputValidationEmpty": "Veuillez entrer un montant", - "@exchangeAmountInputValidationEmpty": { - "description": "Validation message when amount field is empty" - }, "exchangeAmountInputValidationInvalid": "Montant invalide", - "@exchangeAmountInputValidationInvalid": { - "description": "Validation message when amount is invalid" - }, "exchangeAmountInputValidationZero": "Le montant doit être supérieur à zéro", - "@exchangeAmountInputValidationZero": { - "description": "Validation message when amount is zero or negative" - }, "exchangeAmountInputValidationInsufficient": "Solde insuffisant", - "@exchangeAmountInputValidationInsufficient": { - "description": "Validation message when amount exceeds available balance" - }, "sellBitcoinPriceLabel": "Prix Bitcoin", - "@sellBitcoinPriceLabel": { - "description": "Label for Bitcoin price display" - }, "sellViewDetailsButton": "Voir les détails", - "@sellViewDetailsButton": { - "description": "Button text to view order details" - }, "sellKycPendingTitle": "Vérification KYC en attente", - "@sellKycPendingTitle": { - "description": "Title shown when KYC verification is pending" - }, "sellKycPendingDescription": "Vous devez d'abord compléter la vérification d'identité", - "@sellKycPendingDescription": { - "description": "Description explaining user must complete KYC before proceeding" - }, "sellErrorPrepareTransaction": "Échec de préparation de la transaction : {error}", "@sellErrorPrepareTransaction": { - "description": "Error message when transaction preparation fails", "placeholders": { "error": { "type": "String", @@ -23861,20 +3933,10 @@ } }, "sellErrorNoWalletSelected": "Aucun portefeuille sélectionné pour envoyer le paiement", - "@sellErrorNoWalletSelected": { - "description": "Error message when no wallet is selected for payment" - }, "sellErrorFeesNotCalculated": "Frais de transaction non calculés. Veuillez réessayer.", - "@sellErrorFeesNotCalculated": { - "description": "Error message when transaction fees calculation failed" - }, "sellErrorUnexpectedOrderType": "SellOrder attendu mais un type de commande différent reçu", - "@sellErrorUnexpectedOrderType": { - "description": "Error message when wrong order type is received" - }, "sellErrorLoadUtxos": "Échec du chargement des UTXOs : {error}", "@sellErrorLoadUtxos": { - "description": "Error message when loading UTXOs fails", "placeholders": { "error": { "type": "String", @@ -23884,7 +3946,6 @@ }, "sellErrorRecalculateFees": "Échec du recalcul des frais : {error}", "@sellErrorRecalculateFees": { - "description": "Error message when fee recalculation fails", "placeholders": { "error": { "type": "String", @@ -23893,28 +3954,12 @@ } }, "sellLoadingGeneric": "Chargement...", - "@sellLoadingGeneric": { - "description": "Generic loading message" - }, "allSeedViewTitle": "Visualiseur de Graines", - "@allSeedViewTitle": { - "description": "Title for the seed viewer screen" - }, "allSeedViewLoadingMessage": "Cela peut prendre un certain temps à charger si vous avez beaucoup de graines sur cet appareil.", - "@allSeedViewLoadingMessage": { - "description": "Loading message shown while fetching seeds" - }, "allSeedViewNoSeedsFound": "Aucune graine trouvée.", - "@allSeedViewNoSeedsFound": { - "description": "Message shown when no seeds are found" - }, "allSeedViewShowSeedsButton": "Afficher les Graines", - "@allSeedViewShowSeedsButton": { - "description": "Button label to show seed phrases" - }, "allSeedViewExistingWallets": "Portefeuilles Existants ({count})", "@allSeedViewExistingWallets": { - "description": "Section header for existing wallets with count", "placeholders": { "count": { "type": "int", @@ -23924,7 +3969,6 @@ }, "allSeedViewOldWallets": "Anciens Portefeuilles ({count})", "@allSeedViewOldWallets": { - "description": "Section header for old wallets with count", "placeholders": { "count": { "type": "int", @@ -23933,44 +3977,16 @@ } }, "allSeedViewSecurityWarningTitle": "Avertissement de Sécurité", - "@allSeedViewSecurityWarningTitle": { - "description": "Title for security warning dialog" - }, "allSeedViewSecurityWarningMessage": "Afficher les phrases de récupération est un risque de sécurité. Toute personne qui voit votre phrase de récupération peut accéder à vos fonds. Assurez-vous d'être dans un endroit privé et que personne ne puisse voir votre écran.", - "@allSeedViewSecurityWarningMessage": { - "description": "Security warning message about displaying seed phrases" - }, "allSeedViewIUnderstandButton": "Je Comprends", - "@allSeedViewIUnderstandButton": { - "description": "Button label to acknowledge security warning" - }, "allSeedViewDeleteWarningTitle": "ATTENTION !", - "@allSeedViewDeleteWarningTitle": { - "description": "Title for delete seed warning dialog" - }, "allSeedViewDeleteWarningMessage": "Supprimer la graine est une action irréversible. Ne faites cela que si vous avez des sauvegardes sécurisées de cette graine ou si les portefeuilles associés ont été complètement vidés.", - "@allSeedViewDeleteWarningMessage": { - "description": "Warning message about deleting a seed" - }, "allSeedViewPassphraseLabel": "Phrase secrète :", - "@allSeedViewPassphraseLabel": { - "description": "Label for passphrase display" - }, "cancel": "Annuler", - "@cancel": { - "description": "Generic cancel button label" - }, "delete": "Supprimer", - "@delete": { - "description": "Generic delete button label" - }, "statusCheckTitle": "État des Services", - "@statusCheckTitle": { - "description": "Title for the service status screen" - }, "statusCheckLastChecked": "Dernière vérification : {time}", "@statusCheckLastChecked": { - "description": "Label showing when services were last checked", "placeholders": { "time": { "type": "String" @@ -23978,32 +3994,13 @@ } }, "statusCheckOnline": "En ligne", - "@statusCheckOnline": { - "description": "Status text when a service is online" - }, "statusCheckOffline": "Hors ligne", - "@statusCheckOffline": { - "description": "Status text when a service is offline" - }, "statusCheckUnknown": "Inconnu", - "@statusCheckUnknown": { - "description": "Status text when service status is unknown" - }, "torSettingsTitle": "Paramètres Tor", - "@torSettingsTitle": { - "description": "AppBar title for the Tor settings screen" - }, "torSettingsEnableProxy": "Activer le proxy Tor", - "@torSettingsEnableProxy": { - "description": "Label for the toggle to enable/disable Tor proxy" - }, "torSettingsProxyPort": "Port du proxy Tor", - "@torSettingsProxyPort": { - "description": "Title for Tor proxy port settings" - }, "torSettingsPortDisplay": "Port : {port}", "@torSettingsPortDisplay": { - "description": "Display text showing current port number", "placeholders": { "port": { "type": "int" @@ -24011,108 +4008,32 @@ } }, "torSettingsPortNumber": "Numéro de port", - "@torSettingsPortNumber": { - "description": "Label for port number input field" - }, "torSettingsPortHint": "9050", - "@torSettingsPortHint": { - "description": "Hint text for port input showing default value" - }, "torSettingsPortHelper": "Port Orbot par défaut : 9050", - "@torSettingsPortHelper": { - "description": "Helper text explaining default Orbot port" - }, "torSettingsPortValidationEmpty": "Veuillez entrer un numéro de port", - "@torSettingsPortValidationEmpty": { - "description": "Validation error when port is empty" - }, "torSettingsPortValidationInvalid": "Veuillez entrer un nombre valide", - "@torSettingsPortValidationInvalid": { - "description": "Validation error when port is not a valid number" - }, "torSettingsPortValidationRange": "Le port doit être entre 1 et 65535", - "@torSettingsPortValidationRange": { - "description": "Validation error when port is out of valid range" - }, "torSettingsSaveButton": "Enregistrer", - "@torSettingsSaveButton": { - "description": "Save button label for Tor port settings" - }, "torSettingsConnectionStatus": "État de connexion", - "@torSettingsConnectionStatus": { - "description": "Title for connection status card" - }, "torSettingsStatusConnected": "Connecté", - "@torSettingsStatusConnected": { - "description": "Status title when Tor is connected" - }, "torSettingsStatusConnecting": "Connexion en cours...", - "@torSettingsStatusConnecting": { - "description": "Status title when Tor is connecting" - }, "torSettingsStatusDisconnected": "Déconnecté", - "@torSettingsStatusDisconnected": { - "description": "Status title when Tor is disconnected" - }, "torSettingsStatusUnknown": "État inconnu", - "@torSettingsStatusUnknown": { - "description": "Status title when Tor status is unknown" - }, "torSettingsDescConnected": "Le proxy Tor est actif et prêt", - "@torSettingsDescConnected": { - "description": "Description when Tor is connected" - }, "torSettingsDescConnecting": "Établissement de la connexion Tor", - "@torSettingsDescConnecting": { - "description": "Description when Tor is connecting" - }, "torSettingsDescDisconnected": "Le proxy Tor n'est pas actif", - "@torSettingsDescDisconnected": { - "description": "Description when Tor is disconnected" - }, "torSettingsDescUnknown": "Impossible de déterminer l'état de Tor. Assurez-vous qu'Orbot est installé et en cours d'exécution.", - "@torSettingsDescUnknown": { - "description": "Description when Tor status is unknown" - }, "torSettingsInfoTitle": "Informations importantes", - "@torSettingsInfoTitle": { - "description": "Title for the Tor information card" - }, "torSettingsInfoDescription": "• Le proxy Tor s'applique uniquement à Bitcoin (pas Liquid)\n• Le port Orbot par défaut est 9050\n• Assurez-vous qu'Orbot est en cours d'exécution avant d'activer\n• La connexion peut être plus lente via Tor", - "@torSettingsInfoDescription": { - "description": "Information about Tor proxy usage" - }, "withdrawSuccessTitle": "Retrait initié", - "@withdrawSuccessTitle": { - "description": "Title shown when withdrawal is successfully initiated" - }, "withdrawSuccessOrderDetails": "Détails de la commande", - "@withdrawSuccessOrderDetails": { - "description": "Button label to view order details after withdrawal" - }, "withdrawConfirmBankAccount": "Compte bancaire", - "@withdrawConfirmBankAccount": { - "description": "Default label for bank account in confirmation screen" - }, "withdrawOwnershipQuestion": "À qui appartient ce compte ?", - "@withdrawOwnershipQuestion": { - "description": "Question asking about account ownership" - }, "withdrawOwnershipMyAccount": "C'est mon compte", - "@withdrawOwnershipMyAccount": { - "description": "Option indicating the account belongs to the user" - }, "withdrawOwnershipOtherAccount": "C'est le compte de quelqu'un d'autre", - "@withdrawOwnershipOtherAccount": { - "description": "Option indicating the account belongs to someone else" - }, "walletAutoTransferBlockedTitle": "Transfert automatique bloqué", - "@walletAutoTransferBlockedTitle": { - "description": "Title for auto-swap fee warning when fees exceed threshold" - }, "walletAutoTransferBlockedMessage": "Tentative de transfert de {amount} BTC. Les frais actuels sont de {currentFee}% du montant du transfert et le seuil de frais est fixé à {thresholdFee}%", "@walletAutoTransferBlockedMessage": { - "description": "Message explaining why auto-transfer was blocked", "placeholders": { "amount": { "type": "String" @@ -24126,188 +4047,52 @@ } }, "walletAutoTransferBlockButton": "Bloquer", - "@walletAutoTransferBlockButton": { - "description": "Button to block auto-transfer until next execution" - }, "walletAutoTransferAllowButton": "Autoriser", - "@walletAutoTransferAllowButton": { - "description": "Button to allow auto-transfer despite high fees" - }, "navigationTabWallet": "Portefeuille", - "@navigationTabWallet": { - "description": "Label for the Wallet tab in bottom navigation" - }, "navigationTabExchange": "Échange", - "@navigationTabExchange": { - "description": "Label for the Exchange tab in bottom navigation" - }, "buyUnauthenticatedError": "Vous n'êtes pas authentifié. Veuillez vous connecter pour continuer.", - "@buyUnauthenticatedError": { - "description": "Error message for unauthenticated user during buy" - }, "buyBelowMinAmountError": "Vous essayez d'acheter en dessous du montant minimum.", - "@buyBelowMinAmountError": { - "description": "Error message for amount below minimum during buy" - }, "buyAboveMaxAmountError": "Vous essayez d'acheter au-dessus du montant maximum.", - "@buyAboveMaxAmountError": { - "description": "Error message for amount above maximum during buy" - }, "buyInsufficientFundsError": "Fonds insuffisants dans votre compte Bull Bitcoin pour compléter cet achat.", - "@buyInsufficientFundsError": { - "description": "Error message for insufficient funds during buy" - }, "buyOrderNotFoundError": "La commande d'achat n'a pas été trouvée. Veuillez réessayer.", - "@buyOrderNotFoundError": { - "description": "Error message for order not found during buy" - }, "buyOrderAlreadyConfirmedError": "Cette commande d'achat a déjà été confirmée.", - "@buyOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed buy order" - }, "withdrawUnauthenticatedError": "Vous n'êtes pas authentifié. Veuillez vous connecter pour continuer.", - "@withdrawUnauthenticatedError": { - "description": "Error message for unauthenticated user during withdraw" - }, "withdrawBelowMinAmountError": "Vous essayez de retirer en dessous du montant minimum.", - "@withdrawBelowMinAmountError": { - "description": "Error message for amount below minimum during withdraw" - }, "withdrawAboveMaxAmountError": "Vous essayez de retirer au-dessus du montant maximum.", - "@withdrawAboveMaxAmountError": { - "description": "Error message for amount above maximum during withdraw" - }, "withdrawOrderNotFoundError": "L'ordre de retrait n'a pas été trouvé. Veuillez réessayer.", - "@withdrawOrderNotFoundError": { - "description": "Error message for order not found during withdraw" - }, "withdrawOrderAlreadyConfirmedError": "Cet ordre de retrait a déjà été confirmé.", - "@withdrawOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed withdrawal order" - }, "coreScreensPageNotFound": "Page non trouvée", - "@coreScreensPageNotFound": { - "description": "Error message shown when a page/route is not found" - }, "coreScreensLogsTitle": "Journaux", - "@coreScreensLogsTitle": { - "description": "AppBar title for logs viewer screen" - }, "coreScreensConfirmSend": "Confirmer l'envoi", - "@coreScreensConfirmSend": { - "description": "Title for confirm send action" - }, "coreScreensExternalTransfer": "Transfert externe", - "@coreScreensExternalTransfer": { - "description": "Title for external transfer action" - }, "coreScreensInternalTransfer": "Transfert interne", - "@coreScreensInternalTransfer": { - "description": "Title for internal transfer action" - }, "coreScreensConfirmTransfer": "Confirmer le transfert", - "@coreScreensConfirmTransfer": { - "description": "Title for confirm transfer action" - }, "coreScreensFromLabel": "De", - "@coreScreensFromLabel": { - "description": "Label for source/sender field" - }, "coreScreensToLabel": "À", - "@coreScreensToLabel": { - "description": "Label for destination/receiver field" - }, "coreScreensAmountLabel": "Montant", - "@coreScreensAmountLabel": { - "description": "Label for amount field" - }, "coreScreensNetworkFeesLabel": "Frais de réseau", - "@coreScreensNetworkFeesLabel": { - "description": "Label for network fees field" - }, "coreScreensFeePriorityLabel": "Priorité des frais", - "@coreScreensFeePriorityLabel": { - "description": "Label for fee priority field" - }, "coreScreensTransferIdLabel": "ID de transfert", - "@coreScreensTransferIdLabel": { - "description": "Label for transfer ID field" - }, "coreScreensTotalFeesLabel": "Frais totaux", - "@coreScreensTotalFeesLabel": { - "description": "Label for total fees field" - }, "coreScreensTransferFeeLabel": "Frais de transfert", - "@coreScreensTransferFeeLabel": { - "description": "Label for transfer fee field" - }, "coreScreensFeeDeductionExplanation": "Ceci est le total des frais déduits du montant envoyé", - "@coreScreensFeeDeductionExplanation": { - "description": "Explanation text for fee deduction" - }, "coreScreensReceiveNetworkFeeLabel": "Frais de réseau de réception", - "@coreScreensReceiveNetworkFeeLabel": { - "description": "Label for receive network fee field" - }, "coreScreensServerNetworkFeesLabel": "Frais de réseau du serveur", - "@coreScreensServerNetworkFeesLabel": { - "description": "Label for server network fees field" - }, "coreScreensSendAmountLabel": "Montant envoyé", - "@coreScreensSendAmountLabel": { - "description": "Label for send amount field" - }, "coreScreensReceiveAmountLabel": "Montant reçu", - "@coreScreensReceiveAmountLabel": { - "description": "Label for receive amount field" - }, "coreScreensSendNetworkFeeLabel": "Frais de réseau d'envoi", - "@coreScreensSendNetworkFeeLabel": { - "description": "Label for send network fee field" - }, "coreScreensConfirmButton": "Confirmer", - "@coreScreensConfirmButton": { - "description": "Text for confirm button" - }, "recoverbullErrorRejected": "Rejeté par le serveur de clés", - "@recoverbullErrorRejected": { - "description": "Error message when request is rejected by the key server" - }, "recoverbullErrorServiceUnavailable": "Service indisponible. Veuillez vérifier votre connexion.", - "@recoverbullErrorServiceUnavailable": { - "description": "Error message when key server service is unavailable" - }, "recoverbullErrorInvalidVaultFile": "Fichier de coffre invalide.", - "@recoverbullErrorInvalidVaultFile": { - "description": "Error message when vault file format is invalid" - }, "systemLabelSwaps": "Swaps", - "@systemLabelSwaps": { - "description": "System label for swap transactions" - }, "systemLabelAutoSwap": "Auto Swap", - "@systemLabelAutoSwap": { - "description": "System label for automatic swap transactions" - }, "systemLabelPayjoin": "Payjoin", - "@systemLabelPayjoin": { - "description": "System label for payjoin transactions" - }, "systemLabelSelfSpend": "Auto transfert", - "@systemLabelSelfSpend": { - "description": "System label for self-spend transactions" - }, "systemLabelExchangeBuy": "Achat", - "@systemLabelExchangeBuy": { - "description": "System label for exchange buy transactions" - }, "systemLabelExchangeSell": "Vente", - "@systemLabelExchangeSell": { - "description": "System label for exchange sell transactions" - }, "labelErrorNotFound": "Label \"{label}\" introuvable.", "@labelErrorNotFound": { - "description": "Error message when a label is not found", "placeholders": { "label": { "type": "String" @@ -24316,7 +4101,6 @@ }, "labelErrorUnsupportedType": "Ce type {type} n'est pas pris en charge", "@labelErrorUnsupportedType": { - "description": "Error message when label type is not supported", "placeholders": { "type": { "type": "String" @@ -24325,7 +4109,6 @@ }, "labelErrorUnexpected": "Erreur inattendue : {message}", "@labelErrorUnexpected": { - "description": "Error message for unexpected label errors", "placeholders": { "message": { "type": "String" @@ -24333,16 +4116,15 @@ } }, "labelErrorSystemCannotDelete": "Les labels système ne peuvent pas être supprimés.", - "@labelErrorSystemCannotDelete": { - "description": "Error message when trying to delete a system label" - }, "labelDeleteFailed": "Impossible de supprimer \"{label}\". Veuillez réessayer.", "@labelDeleteFailed": { - "description": "Error message when label deletion fails", "placeholders": { "label": { "type": "String" } } - } -} + }, + "bitcoinSettingsMempoolServerTitle": "Configurations serveur Mempool", + "save": "Sauvegarder", + "recipientsSearchHint": "Rechercher des destinataires par nom ou étiquette" +} \ No newline at end of file diff --git a/localization/app_hy.arb b/localization/app_hy.arb deleted file mode 100644 index 0967ef424..000000000 --- a/localization/app_hy.arb +++ /dev/null @@ -1 +0,0 @@ -{} diff --git a/localization/app_it.arb b/localization/app_it.arb index 4bf76aaa6..e9379347f 100644 --- a/localization/app_it.arb +++ b/localization/app_it.arb @@ -1,12181 +1,4128 @@ { - "bitboxErrorMultipleDevicesFound": "Trovati più dispositivi BitBox. Assicurarsi che un solo dispositivo sia collegato.", - "@bitboxErrorMultipleDevicesFound": { - "description": "Error when multiple BitBox devices are connected" - }, - "payTransactionBroadcast": "Transazione trasmissione", - "@payTransactionBroadcast": { - "description": "Success message after broadcasting" - }, - "fundExchangeSepaDescriptionExactly": "esattamente.", - "@fundExchangeSepaDescriptionExactly": { - "description": "Emphasized word 'exactly' in SEPA description" - }, - "payPleasePayInvoice": "Si prega di pagare questa fattura", - "@payPleasePayInvoice": { - "description": "Title for receive payment screen" - }, - "swapMax": "MAX", - "@swapMax": { - "description": "MAX button label" - }, - "importQrDeviceSpecterStep2": "Inserisci il tuo PIN", - "@importQrDeviceSpecterStep2": { - "description": "Specter instruction step 2" - }, - "importColdcardInstructionsStep10": "Setup completo", - "@importColdcardInstructionsStep10": { - "description": "ImportColdcardQ: Final instruction step" - }, - "buyPayoutWillBeSentIn": "La tua vincita verrà inviata ", - "@buyPayoutWillBeSentIn": { - "description": "Text before countdown timer for payout" - }, - "fundExchangeInstantSepaInfo": "Utilizzare solo per operazioni inferiori a €20.000. Per operazioni più grandi, utilizzare l'opzione Regolare SEPA.", - "@fundExchangeInstantSepaInfo": { - "description": "Info message for Instant SEPA transaction limits" - }, - "transactionLabelSwapId": "ID Swap", - "@transactionLabelSwapId": { - "description": "Label for swap ID" - }, - "dcaChooseWalletTitle": "Scegli il portafoglio Bitcoin", - "@dcaChooseWalletTitle": { - "description": "AppBar title for wallet selection screen" - }, - "torSettingsPortHint": "9050", - "@torSettingsPortHint": { - "description": "Hint text for port input showing default value" - }, - "electrumTimeoutPositiveError": "Il timeout deve essere positivo", - "@electrumTimeoutPositiveError": { - "description": "Validation error for non-positive Timeout value" - }, - "bitboxScreenNeedHelpButton": "Ti serve aiuto?", - "@bitboxScreenNeedHelpButton": { - "description": "Button to show help instructions" - }, - "sellSendPaymentAboveMax": "Stai cercando di vendere sopra l'importo massimo che può essere venduto con questo portafoglio.", - "@sellSendPaymentAboveMax": { - "description": "Above max amount error" - }, - "fundExchangeETransferLabelSecretAnswer": "Risposta segreta", - "@fundExchangeETransferLabelSecretAnswer": { - "description": "Label for E-transfer security answer" - }, - "payPayinAmount": "Importo del pagamento", - "@payPayinAmount": { - "description": "Label for amount user pays in" - }, - "transactionDetailLabelTransactionFee": "Costo di transazione", - "@transactionDetailLabelTransactionFee": { - "description": "Label for transaction fee" - }, - "jadeStep13": "Il portafoglio Bull Bitcoin ti chiederà di scansionare il codice QR sulla Jade. Scansione.", - "@jadeStep13": { - "description": "Jade instruction for scanning signed PSBT" - }, - "transactionSwapDescLnSendPending": "Il tuo scambio e' stato avviato. Stiamo trasmettendo la transazione on-chain per bloccare i vostri fondi.", - "@transactionSwapDescLnSendPending": { - "description": "Description for pending Lightning send swap" - }, - "payInstitutionNumber": "Numero delle istituzioni", - "@payInstitutionNumber": { - "description": "Label for institution number" - }, - "sendScheduledPayment": "Pagamento pianificato", - "@sendScheduledPayment": { - "description": "Feature to delay transaction" - }, - "fundExchangeLabelBicCode": "Codice BIC", - "@fundExchangeLabelBicCode": { - "description": "Label for BIC code field" - }, - "fundExchangeCanadaPostStep6": "6. Il cassiere vi darà una ricevuta, tenerla come prova di pagamento", - "@fundExchangeCanadaPostStep6": { - "description": "Step 6 for Canada Post payment process" - }, - "withdrawOwnershipQuestion": "A chi appartiene questo account?", - "@withdrawOwnershipQuestion": { - "description": "Question asking about account ownership" - }, - "sendSendNetworkFee": "Inviare i costi di rete", - "@sendSendNetworkFee": { - "description": "Label for network fee on send side of swap" - }, - "exchangeDcaUnableToGetConfig": "Non è possibile ottenere la configurazione DCA", - "@exchangeDcaUnableToGetConfig": { - "description": "Error message when DCA configuration cannot be retrieved" - }, - "psbtFlowClickScan": "Fare clic su Scansione", - "@psbtFlowClickScan": { - "description": "Instruction to click scan button on device" - }, - "sellInstitutionNumber": "Numero delle istituzioni", - "@sellInstitutionNumber": { - "description": "Label for bank institution code" - }, - "recoverbullGoogleDriveErrorDisplay": "Errore: {error}", - "@recoverbullGoogleDriveErrorDisplay": { - "description": "Error message display format", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "mempoolSettingsCustomServer": "Server personalizzato", - "@mempoolSettingsCustomServer": { - "description": "Label for custom mempool server section" - }, - "fundExchangeMethodRegularSepa": "SEPA regolare", - "@fundExchangeMethodRegularSepa": { - "description": "Payment method: Regular SEPA (Europe)" - }, - "addressViewTransactions": "Transazioni", - "@addressViewTransactions": { - "description": "Label for number of transactions" - }, - "fundExchangeSinpeLabelPhone": "Invia a questo numero di telefono", - "@fundExchangeSinpeLabelPhone": { - "description": "Label for SINPE Móvil phone number field" - }, - "importQrDeviceKruxStep3": "Fare clic su XPUB - Codice QR", - "@importQrDeviceKruxStep3": { - "description": "Krux instruction step 3" - }, - "passportStep1": "Accedi al tuo dispositivo Passport", - "@passportStep1": { - "description": "Passport instruction step 1" - }, - "sellAdvancedOptions": "Opzioni avanzate", - "@sellAdvancedOptions": { - "description": "Title for advanced options bottom sheet" - }, - "electrumPrivacyNoticeSave": "Salva", - "@electrumPrivacyNoticeSave": { - "description": "Save button in privacy notice dialog" - }, - "bip329LabelsImportSuccess": "{count, plural, =1{1 etichetta importata} other{{count} etichette importate}}", - "@bip329LabelsImportSuccess": { - "description": "Success message after importing labels", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "withdrawOwnershipOtherAccount": "Questo è il conto di qualcun altro", - "@withdrawOwnershipOtherAccount": { - "description": "Option indicating the account belongs to someone else" - }, - "receiveInvoice": "Fattura di fulmine", - "@receiveInvoice": { - "description": "Label for Lightning invoice" - }, - "receiveGenerateAddress": "Generare nuovo indirizzo", - "@receiveGenerateAddress": { - "description": "Button to create new on-chain address" - }, - "kruxStep3": "Fare clic su PSBT", - "@kruxStep3": { - "description": "Krux instruction step 3" - }, - "hwColdcardQ": "Freccia Q", - "@hwColdcardQ": { - "description": "Name of Coldcard Q hardware wallet" - }, - "fundExchangeCrIbanCrcTransferCodeWarning": "È necessario aggiungere il codice di trasferimento come \"message\" o \"reason\" o \"descrizione\" quando si effettua il pagamento. Se si dimentica di includere questo codice, il pagamento può essere respinto.", - "@fundExchangeCrIbanCrcTransferCodeWarning": { - "description": "Warning about including transfer code in payment" - }, - "paySinpeBeneficiario": "Beneficiario", - "@paySinpeBeneficiario": { - "description": "Label for beneficiary in SINPE details" - }, - "exchangeDcaAddressDisplay": "{addressLabel}:", - "@exchangeDcaAddressDisplay": { - "description": "Format for displaying address label and address", - "placeholders": { - "addressLabel": { - "type": "String", - "description": "The address label (e.g., 'Bitcoin address')" - }, - "address": { - "type": "String", - "description": "The actual address" - } - } - }, - "autoswapAlwaysBlockEnabledInfo": "Quando abilitato, i trasferimenti automatici con tasse superiori al limite impostato saranno sempre bloccati", - "@autoswapAlwaysBlockEnabledInfo": { - "description": "Info text when always block is enabled" - }, - "electrumServerAlreadyExists": "Questo server esiste già", - "@electrumServerAlreadyExists": { - "description": "Error message when trying to add a duplicate server" - }, - "sellPaymentMethod": "Metodo di pagamento", - "@sellPaymentMethod": { - "description": "Section for selecting how to receive fiat" - }, - "transactionNoteHint": "Nota", - "@transactionNoteHint": { - "description": "Hint text for note input field" - }, - "transactionLabelPreimage": "Preimaging", - "@transactionLabelPreimage": { - "description": "Label for preimage in Lightning swap details" - }, - "coreSwapsChainCanCoop": "Il trasferimento completerà momentaneamente.", - "@coreSwapsChainCanCoop": { - "description": "Status message for chain swap that can complete cooperatively" - }, - "importColdcardInstructionsStep2": "Inserire una passphrase se applicabile", - "@importColdcardInstructionsStep2": { - "description": "ImportColdcardQ: Second instruction step" - }, - "satsSuffix": " sats", - "@satsSuffix": { - "description": "Unit suffix for satoshi amounts" - }, - "recoverbullErrorPasswordNotSet": "La password non è impostata", - "@recoverbullErrorPasswordNotSet": { - "description": "Error when attempting operation without setting password" - }, - "sellSendPaymentExchangeRate": "Tasso di cambio", - "@sellSendPaymentExchangeRate": { - "description": "Field label for exchange rate" - }, - "systemLabelAutoSwap": "Auto Swap", - "@systemLabelAutoSwap": { - "description": "System label for automatic swap transactions" - }, - "fundExchangeSinpeTitle": "Trasferimento SINPE", - "@fundExchangeSinpeTitle": { - "description": "Screen title for SINPE transfer (Costa Rica)" - }, - "payExpiresIn": "Scade in {time}", - "@payExpiresIn": { - "description": "Label showing invoice expiration time", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "transactionDetailLabelConfirmationTime": "Tempo di conferma", - "@transactionDetailLabelConfirmationTime": { - "description": "Label for confirmation time" - }, - "fundExchangeCanadaPostStep5": "5. Pagamento con contanti o carta di debito", - "@fundExchangeCanadaPostStep5": { - "description": "Step 5 for Canada Post payment process" - }, - "importQrDeviceKruxName": "Krux", - "@importQrDeviceKruxName": { - "description": "Name of Krux device" - }, - "addressViewNoAddressesFound": "Nessun indirizzo trovato", - "@addressViewNoAddressesFound": { - "description": "Empty state message when no addresses are available" - }, - "backupWalletErrorSaveBackup": "Non riuscito a salvare il backup", - "@backupWalletErrorSaveBackup": { - "description": "Error when backup save operation fails" - }, - "exchangeReferralsTitle": "Codici di riferimento", - "@exchangeReferralsTitle": { - "description": "Title for the referral codes section" - }, - "onboardingRecoverYourWallet": "Recuperare il portafoglio", - "@onboardingRecoverYourWallet": { - "description": "Title for the recover wallet section in onboarding" - }, - "bitboxScreenTroubleshootingStep2": "Assicurarsi che il telefono ha le autorizzazioni USB abilitate.", - "@bitboxScreenTroubleshootingStep2": { - "description": "Troubleshooting step 2" - }, - "replaceByFeeErrorNoFeeRateSelected": "Si prega di selezionare una tariffa di tassa", - "@replaceByFeeErrorNoFeeRateSelected": { - "description": "Error message when no fee rate is selected" - }, - "transactionSwapDescChainPending": "Il tuo trasferimento è stato creato ma non è ancora iniziato.", - "@transactionSwapDescChainPending": { - "description": "Description for pending chain swap" - }, - "coreScreensTransferFeeLabel": "Tassa di trasferimento", - "@coreScreensTransferFeeLabel": { - "description": "Label for transfer fee field" - }, - "onboardingEncryptedVaultDescription": "Recuperare il backup tramite cloud utilizzando il PIN.", - "@onboardingEncryptedVaultDescription": { - "description": "Description for the encrypted vault recovery option in onboarding" - }, - "transactionOrderLabelPayoutStatus": "Stato di pagamento", - "@transactionOrderLabelPayoutStatus": { - "description": "Label for order payout status" - }, - "transactionSwapStatusSwapStatus": "Stato di swap", - "@transactionSwapStatusSwapStatus": { - "description": "Header for swap status section" - }, - "arkAboutDurationSeconds": "{seconds} secondi", - "@arkAboutDurationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "int" - } - } - }, - "receiveInvoiceCopied": "Fattura copiata a clipboard", - "@receiveInvoiceCopied": { - "description": "Toast message after copying invoice" - }, - "kruxStep7": " - Aumentare la luminosità dello schermo sul dispositivo", - "@kruxStep7": { - "description": "Krux troubleshooting tip 1" - }, - "autoswapUpdateSettingsError": "Non è possibile aggiornare le impostazioni di swap automatico", - "@autoswapUpdateSettingsError": { - "description": "Error message when updating settings fails" - }, - "transactionStatusTransferFailed": "Trasferimento non corretto", - "@transactionStatusTransferFailed": { - "description": "Status label for failed transfers" - }, - "jadeStep11": "La Jade ti mostrerà il suo codice QR.", - "@jadeStep11": { - "description": "Jade instruction about signed PSBT QR" - }, - "buyConfirmExternalWallet": "Portafoglio Bitcoin esterno", - "@buyConfirmExternalWallet": { - "description": "External wallet payout method" - }, - "bitboxActionPairDeviceProcessing": "Dispositivo di accoppiamento", - "@bitboxActionPairDeviceProcessing": { - "description": "Processing text for pair device" - }, - "exchangeCurrencyDropdownTitle": "Seleziona la valuta", - "@exchangeCurrencyDropdownTitle": { - "description": "Title for the currency selection dropdown" - }, - "receiveServerNetworkFees": "Tasse di rete del server", - "@receiveServerNetworkFees": { - "description": "Label for network fees charged by the swap server" - }, - "importQrDeviceImporting": "Importare portafoglio...", - "@importQrDeviceImporting": { - "description": "Status while importing from QR device" - }, - "rbfFastest": "Più veloce", - "@rbfFastest": { - "description": "Label for fastest fee option" - }, - "buyConfirmExpressWithdrawal": "Confermare il ritiro espresso", - "@buyConfirmExpressWithdrawal": { - "description": "Title for express withdrawal confirmation screen" - }, - "arkReceiveBoardingAddress": "BTC Indirizzo d'imbarco", - "@arkReceiveBoardingAddress": { - "description": "Label for BTC boarding address" - }, - "sellSendPaymentTitle": "Conferma del pagamento", - "@sellSendPaymentTitle": { - "description": "Title on sell payment screen" - }, - "recoverbullReenterConfirm": "Si prega di reinserire il {inputType} per confermare.", - "@recoverbullReenterConfirm": { - "description": "Instruction to re-enter PIN or password for confirmation", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "importWatchOnlyCopiedToClipboard": "Copied a clipboard", - "@importWatchOnlyCopiedToClipboard": { - "description": "Snackbar message shown when QR code content is copied" - }, - "dcaLightningAddressInvalidError": "Si prega di inserire un indirizzo fulmine valido", - "@dcaLightningAddressInvalidError": { - "description": "Validation error when Lightning address format is invalid" - }, - "ledgerButtonNeedHelp": "Ti serve aiuto?", - "@ledgerButtonNeedHelp": { - "description": "Button label to show help/troubleshooting instructions" - }, - "backupInstruction4": "Non fare copie digitali del backup. Scrivilo su un pezzo di carta o inciso in metallo.", - "@backupInstruction4": { - "description": "Fourth backup instruction about not making digital copies" - }, - "hwKrux": "Krux", - "@hwKrux": { - "description": "Name of Krux hardware wallet" - }, - "transactionFilterTransfer": "Trasferimento", - "@transactionFilterTransfer": { - "description": "Filter option to show only transfer/swap transactions" - }, - "recoverbullSelectVaultImportSuccess": "La tua cassaforte e' stata importata con successo", - "@recoverbullSelectVaultImportSuccess": { - "description": "Success message shown on vault selected page" - }, - "mempoolServerNotUsed": "Non utilizzato (server personalizzato attivo)", - "@mempoolServerNotUsed": { - "description": "Label shown when default server is not used because custom server is active" - }, - "recoverbullSelectErrorPrefix": "Errore:", - "@recoverbullSelectErrorPrefix": { - "description": "Prefix text shown before error messages" - }, - "bitboxErrorDeviceMismatch": "Rilevato errore del dispositivo.", - "@bitboxErrorDeviceMismatch": { - "description": "Error when connected device does not match expected device" - }, - "arkReceiveBtcAddress": "BT2 indirizzo", - "@arkReceiveBtcAddress": { - "description": "Label for Bitcoin address" - }, - "exchangeLandingRecommendedExchange": "Scambio Bitcoin consigliato", - "@exchangeLandingRecommendedExchange": { - "description": "Subtitle on landing screen v2 describing Bull Bitcoin as recommended" - }, - "backupWalletHowToDecideVaultMoreInfo": "Visitare Recoverbull.com per ulteriori informazioni.", - "@backupWalletHowToDecideVaultMoreInfo": { - "description": "Link text to external resource about vault locations" - }, - "recoverbullGoBackEdit": "Torna indietro e modifica", - "@recoverbullGoBackEdit": { - "description": "Button text to return to previous screen for editing" - }, - "importWatchOnlyWalletGuides": "Guide del portafoglio", - "@importWatchOnlyWalletGuides": { - "description": "Button label for wallet documentation and guides" - }, - "receiveConfirming": "Conferma... ({count}/{required})", - "@receiveConfirming": { - "description": "Shows confirmation progress", - "placeholders": { - "count": { - "type": "int" - }, - "required": { - "type": "int" - } - } - }, - "fundExchangeInfoPaymentDescription": "Nella descrizione di pagamento, aggiungere il codice di trasferimento.", - "@fundExchangeInfoPaymentDescription": { - "description": "Info about adding transfer code to payment description" - }, - "payInstantPayments": "Pagamenti istantiani", - "@payInstantPayments": { - "description": "Display text for instant payment wallet" - }, - "importWatchOnlyImportButton": "Importare Orologio-Only Wallet", - "@importWatchOnlyImportButton": { - "description": "Button to confirm watch-only import" - }, - "fundExchangeCrIbanCrcDescriptionBold": "esattamente", - "@fundExchangeCrIbanCrcDescriptionBold": { - "description": "Bold emphasis word for CR IBAN transfer instructions" - }, - "electrumTitle": "Impostazioni server Electrum", - "@electrumTitle": { - "description": "AppBar title for Electrum settings screen" - }, - "importQrDeviceJadeStep7": "Se necessario, selezionare \"Opzioni\" per cambiare il tipo di indirizzo", - "@importQrDeviceJadeStep7": { - "description": "Jade instruction step 7" - }, - "transactionNetworkLightning": "Illuminazione", - "@transactionNetworkLightning": { - "description": "Label for Lightning network transactions" - }, - "paySecurityQuestionLength": "{count}/40 caratteri", - "@paySecurityQuestionLength": { - "description": "Character count for security question", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "sendBroadcastingTransaction": "Trasmissione della transazione.", - "@sendBroadcastingTransaction": { - "description": "Message shown while broadcasting transaction to network" - }, - "pinCodeMinLengthError": "PIN deve essere almeno {minLength} cifre lunghe", - "@pinCodeMinLengthError": { - "description": "Error message when PIN is too short", - "placeholders": { - "minLength": { - "type": "String" - } - } - }, - "swapReceiveExactAmountLabel": "Ricevi la quantità esatta", - "@swapReceiveExactAmountLabel": { - "description": "Label when receive exact amount toggle is on" - }, - "arkContinueButton": "Continua", - "@arkContinueButton": { - "description": "Continue button text used in ark send flow" - }, - "ledgerImportButton": "Inizio Importazione", - "@ledgerImportButton": { - "description": "Button label to start importing Ledger wallet" - }, - "dcaActivate": "Attivare l'acquisto ricorrente", - "@dcaActivate": { - "description": "Label to activate DCA" - }, - "labelInputLabel": "Etichetta", - "@labelInputLabel": { - "description": "Label for wallet label input field" - }, - "bitboxActionPairDeviceButton": "Iniziare a coppie", - "@bitboxActionPairDeviceButton": { - "description": "Button text for pair device" - }, - "importQrDeviceSpecterName": "Spettacolo", - "@importQrDeviceSpecterName": { - "description": "Name of Specter device" - }, - "transactionDetailLabelSwapFees": "Tasse di cambio", - "@transactionDetailLabelSwapFees": { - "description": "Label for swap fees" - }, - "broadcastSignedTxFee": "Fee", - "@broadcastSignedTxFee": { - "description": "Label for transaction fee" - }, - "recoverbullRecoveryBalanceLabel": "Equilibrio: {amount}", - "@recoverbullRecoveryBalanceLabel": { - "description": "Label showing total wallet balance found", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyFundYourAccount": "Finanziamento del tuo conto", - "@buyFundYourAccount": { - "description": "Button to fund exchange account" - }, - "sellReplaceByFeeActivated": "Attivato il sostituto", - "@sellReplaceByFeeActivated": { - "description": "Label for RBF toggle" - }, - "globalDefaultBitcoinWalletLabel": "Sicuro Bitcoin", - "@globalDefaultBitcoinWalletLabel": { - "description": "Default label for Bitcoin wallets when used as the default wallet" - }, - "arkAboutServerUrl": "URL del server", - "@arkAboutServerUrl": { - "description": "Field label for server URL" - }, - "fundExchangeLabelRecipientAddress": "Indirizzo utile", - "@fundExchangeLabelRecipientAddress": { - "description": "Label for recipient address field" - }, - "save": "Salva", - "@save": { - "description": "Generic save button label" - }, - "dcaWalletLiquidSubtitle": "Richiede portafoglio compatibile", - "@dcaWalletLiquidSubtitle": { - "description": "Subtitle/description for Liquid wallet option" - }, - "fundExchangeCrIbanCrcTitle": "Trasferimento bancario (CRC)", - "@fundExchangeCrIbanCrcTitle": { - "description": "Screen title for Costa Rica bank transfer in Colones" - }, - "appUnlockButton": "Sblocca", - "@appUnlockButton": { - "description": "Button label to unlock the app" - }, - "payServiceFee": "Costo del servizio", - "@payServiceFee": { - "description": "Label for service provider fee" - }, - "transactionStatusSwapExpired": "Scambio scaduto", - "@transactionStatusSwapExpired": { - "description": "Status label for expired swaps" - }, - "swapAmountPlaceholder": "0", - "@swapAmountPlaceholder": { - "description": "Placeholder for amount input fields" - }, - "fundExchangeMethodInstantSepaSubtitle": "Più veloce - Solo per operazioni inferiori a €20.000", - "@fundExchangeMethodInstantSepaSubtitle": { - "description": "Subtitle for Instant SEPA payment method" - }, - "dcaConfirmError": "Qualcosa non andava: {error}", - "@dcaConfirmError": { - "description": "DCA confirmation error message", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "exchangeDcaNetworkLiquid": "Rete liquida", - "@exchangeDcaNetworkLiquid": { - "description": "DCA network option: Liquid" - }, - "fundExchangeSepaDescription": "Invia un trasferimento SEPA dal tuo conto bancario utilizzando i dettagli qui sotto ", - "@fundExchangeSepaDescription": { - "description": "Description for SEPA transfer (first part, before 'exactly')" - }, - "sendAddress": "Indirizzo: ", - "@sendAddress": { - "description": "Label prefix for address field" - }, - "receiveBitcoinNetwork": "Bitcoin", - "@receiveBitcoinNetwork": { - "description": "Bitcoin on-chain network option" - }, - "fundExchangeCrIbanCrcPaymentDescriptionHelp": "Il tuo codice di trasferimento.", - "@fundExchangeCrIbanCrcPaymentDescriptionHelp": { - "description": "Help text explaining payment description is the transfer code" - }, - "testBackupWriteDownPhrase": "Scrivi la tua frase di recupero\nnell'ordine corretto", - "@testBackupWriteDownPhrase": { - "description": "Main instruction header for physical backup screen" - }, - "jadeStep8": " - Prova a spostare il dispositivo più vicino o più lontano", - "@jadeStep8": { - "description": "Jade troubleshooting tip 3" - }, - "payNotLoggedIn": "Non è stato registrato", - "@payNotLoggedIn": { - "description": "Title for not logged in card" - }, - "importQrDeviceSpecterStep7": "Disattivare \"Usa SLIP-132\"", - "@importQrDeviceSpecterStep7": { - "description": "Specter instruction step 7" - }, - "customLocationTitle": "Location personalizzata", - "@customLocationTitle": { - "description": "Title for custom location screen" - }, - "importQrDeviceJadeStep5": "Selezionare \"Wallet\" dall'elenco delle opzioni", - "@importQrDeviceJadeStep5": { - "description": "Jade instruction step 5" - }, - "arkSettled": "Settled", - "@arkSettled": { - "description": "Label for settled balance in Ark balance breakdown" - }, - "transactionFilterBuy": "Comprare", - "@transactionFilterBuy": { - "description": "Filter option to show only buy orders" - }, - "approximateFiatPrefix": "~", - "@approximateFiatPrefix": { - "description": "Prefix indicating approximate fiat equivalent value" - }, - "sendEstimatedDeliveryHoursToDays": "ore a giorni", - "@sendEstimatedDeliveryHoursToDays": { - "description": "Estimated delivery time ranging from hours to days" - }, - "coreWalletTransactionStatusPending": "Finanziamenti", - "@coreWalletTransactionStatusPending": { - "description": "Display name for pending wallet transaction status" - }, - "ledgerActionFailedMessage": "{action}", - "@ledgerActionFailedMessage": { - "description": "Error message when a Ledger action fails", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "testBackupErrorLoadWallets": "Non caricare i portafogli: {error}", - "@testBackupErrorLoadWallets": { - "description": "Error when loading wallets fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "fundExchangeLabelBankAccountCountry": "Paese", - "@fundExchangeLabelBankAccountCountry": { - "description": "Label for bank account country field" - }, - "walletAddressTypeNestedSegwit": "Segwit annidato", - "@walletAddressTypeNestedSegwit": { - "description": "Address type for BIP49 wallets" - }, - "dcaConfirmDeactivate": "Sì, disattivare", - "@dcaConfirmDeactivate": { - "description": "Confirm deactivation button" - }, - "exchangeLandingFeature2": "DCA, ordini di limite e acquisto automatico", - "@exchangeLandingFeature2": { - "description": "Second feature bullet point" - }, - "payPaymentPending": "Pagamento in sospeso", - "@payPaymentPending": { - "description": "Status message for in-flight payment" - }, - "payConfirmHighFee": "La tassa per questo pagamento è {percentage}% dell'importo. Continua?", - "@payConfirmHighFee": { - "description": "Confirmation prompt when fee percentage is high", - "placeholders": { - "percentage": { - "type": "String" - } - } - }, - "payPayoutAmount": "Importo di pagamento", - "@payPayoutAmount": { - "description": "Label for amount user receives" - }, - "autoswapMaxBalanceInfo": "Quando l'equilibrio del portafoglio supera il doppio di questa quantità, il trasferimento automatico si attiva per ridurre l'equilibrio a questo livello", - "@autoswapMaxBalanceInfo": { - "description": "Info tooltip for max balance field" - }, - "payPhone": "Telefono", - "@payPhone": { - "description": "Label for phone details" - }, - "recoverbullTorNetwork": "Rete", - "@recoverbullTorNetwork": { - "description": "Label for Tor network connection status" - }, - "transactionDetailLabelTransferStatus": "Stato di trasferimento", - "@transactionDetailLabelTransferStatus": { - "description": "Label for transfer status" - }, - "importColdcardInstructionsTitle": "Istruzioni Coldcard Q", - "@importColdcardInstructionsTitle": { - "description": "ImportColdcardQ: Title of instructions bottom sheet" - }, - "sendVerifyOnDevice": "Verifica sul dispositivo", - "@sendVerifyOnDevice": { - "description": "Instruction to check hardware wallet screen" - }, - "sendAmountRequested": "Importo richiesto: ", - "@sendAmountRequested": { - "description": "Label for the requested amount in a payment request" - }, - "exchangeTransactionsTitle": "Transazioni", - "@exchangeTransactionsTitle": { - "description": "Title for the transactions section in exchange" - }, - "payRoutingFailed": "La routine fallita", - "@payRoutingFailed": { - "description": "Error when Lightning payment routing fails" - }, - "payCard": "Carta carta", - "@payCard": { - "description": "Label for card details" - }, - "sendFreezeCoin": "Congelare Moneta", - "@sendFreezeCoin": { - "description": "Action to prevent UTXO from being spent" - }, - "fundExchangeLabelTransitNumber": "Numero di trasmissione", - "@fundExchangeLabelTransitNumber": { - "description": "Label for transit number field" - }, - "buyConfirmYouReceive": "Ricevete", - "@buyConfirmYouReceive": { - "description": "Field label for receive amount" - }, - "buyDocumentUpload": "Documenti di caricamento", - "@buyDocumentUpload": { - "description": "Section for ID document submission" - }, - "walletAddressTypeConfidentialSegwit": "Segwit riservati", - "@walletAddressTypeConfidentialSegwit": { - "description": "Address type for Liquid wallets" - }, - "transactionDetailRetryTransfer": "Trasferimento di ripiani {action}", - "@transactionDetailRetryTransfer": { - "description": "Button label to retry a failed transfer action", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "sendTransferFeeDescription": "Questa è la quota totale detratta dall'importo inviato", - "@sendTransferFeeDescription": { - "description": "Explanation of what the transfer fee represents" - }, - "bitcoinSettingsWalletsTitle": "Portafogli", - "@bitcoinSettingsWalletsTitle": { - "description": "Title for the wallets section in Bitcoin settings" - }, - "arkReceiveSegmentBoarding": "Imbarco", - "@arkReceiveSegmentBoarding": { - "description": "Segment option for Boarding (BTC) address type" - }, - "seedsignerStep12": "Il portafoglio Bull Bitcoin ti chiederà di scansionare il codice QR sul SeedSigner. Scansione.", - "@seedsignerStep12": { - "description": "SeedSigner instruction for scanning signed PSBT" - }, - "psbtFlowKeystoneTitle": "Istruzioni Keystone", - "@psbtFlowKeystoneTitle": { - "description": "Title for Keystone device signing instructions" - }, - "transactionLabelTransferStatus": "Stato di trasferimento", - "@transactionLabelTransferStatus": { - "description": "Label for transfer status" - }, - "arkSessionDuration": "Durata della sessione", - "@arkSessionDuration": { - "description": "Label for session duration field" - }, - "buyAboveMaxAmountError": "Stai cercando di acquistare sopra la quantità massima.", - "@buyAboveMaxAmountError": { - "description": "Error message for amount above maximum during buy" - }, - "electrumTimeoutWarning": "Il vostro timeout ({timeoutValue} secondi) è inferiore al valore raccomandato ({recommended} secondi) per questo Stop Gap.", - "@electrumTimeoutWarning": { - "description": "Warning message when timeout is too low for the configured Stop Gap", - "placeholders": { - "timeoutValue": { - "type": "String" - }, - "recommended": { - "type": "String" - } - } - }, - "sendShowPsbt": "Mostra PSBT", - "@sendShowPsbt": { - "description": "Button to display PSBT for external signing" - }, - "ledgerErrorUnknownOccurred": "Errore sconosciuto si è verificato", - "@ledgerErrorUnknownOccurred": { - "description": "Error message when an unknown error occurs during Ledger operation" - }, - "receiveAddress": "Ricevi l'indirizzo", - "@receiveAddress": { - "description": "Label for generated address" - }, - "broadcastSignedTxAmount": "Importo", - "@broadcastSignedTxAmount": { - "description": "Label for transaction amount" - }, - "hwJade": "Blockstream Jade", - "@hwJade": { - "description": "Name of Blockstream Jade hardware wallet" - }, - "keystoneStep14": "Ora è pronto a trasmettere! Non appena si fa clic sulla trasmissione, la transazione verrà pubblicata sulla rete Bitcoin e i fondi saranno inviati.", - "@keystoneStep14": { - "description": "Keystone final instruction about broadcasting" - }, - "recoverbullErrorConnectionFailed": "Non è riuscito a connettersi al server chiave di destinazione. Riprova più tardi!", - "@recoverbullErrorConnectionFailed": { - "description": "Error message when server connection fails" - }, - "testBackupDigitalCopy": "Copia digitale", - "@testBackupDigitalCopy": { - "description": "Label with X mark warning against making digital copies" - }, - "fundExchangeLabelMemo": "Memo", - "@fundExchangeLabelMemo": { - "description": "Label for memo/reference field" - }, - "paySearchPayments": "Pagamenti di ricerca...", - "@paySearchPayments": { - "description": "Search box placeholder" - }, - "payPendingPayments": "Finanziamenti", - "@payPendingPayments": { - "description": "Filter for pending payments" - }, - "passwordMinLengthError": "{pinOrPassword} deve essere lungo almeno 6 cifre", - "@passwordMinLengthError": { - "description": "Error message for password minimum length", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "coreSwapsLnSendExpired": "Scambio scaduto", - "@coreSwapsLnSendExpired": { - "description": "Status message for expired Lightning send swap" - }, - "sellSendPaymentUsdBalance": "USD Bilancio", - "@sellSendPaymentUsdBalance": { - "description": "USD balance payout method" - }, - "backupWalletEncryptedVaultTag": "Facile e semplice (1 minuto)", - "@backupWalletEncryptedVaultTag": { - "description": "Tag indicating difficulty and time for encrypted vault backup" - }, - "payBroadcastFailed": "Trasmissione fallito", - "@payBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, - "arkSettleTransactions": "Settle Transactions", - "@arkSettleTransactions": { - "description": "Bottom sheet title for settling pending transactions" - }, - "transactionLabelConfirmationTime": "Tempo di conferma", - "@transactionLabelConfirmationTime": { - "description": "Label for transaction confirmation timestamp" - }, - "languageSettingsScreenTitle": "Lingua", - "@languageSettingsScreenTitle": { - "description": "The title of the language settings screen" - }, - "payNetworkFees": "Tasse di rete", - "@payNetworkFees": { - "description": "Label for network fees amount" - }, - "bitboxScreenSegwitBip84": "Segwit (BIP84)", - "@bitboxScreenSegwitBip84": { - "description": "Script type display name for BIP84" - }, - "bitboxScreenConnectingSubtext": "Stabilire un collegamento sicuro...", - "@bitboxScreenConnectingSubtext": { - "description": "Subtext when connecting" - }, - "receiveShareAddress": "Condividi Indirizzo", - "@receiveShareAddress": { - "description": "Button to share via system share sheet" - }, - "arkTxPending": "Finanziamenti", - "@arkTxPending": { - "description": "Status label for pending Ark transactions" - }, - "payAboveMaxAmountError": "Stai cercando di pagare sopra l'importo massimo che può essere pagato con questo portafoglio.", - "@payAboveMaxAmountError": { - "description": "Error message for amount above maximum" - }, - "sharedWithBullBitcoin": "condiviso con Bull Bitcoin.", - "@sharedWithBullBitcoin": { - "description": "End part of privacy assurance message" - }, - "jadeStep7": " - Tenere costante il codice QR e centralizzato", - "@jadeStep7": { - "description": "Jade troubleshooting tip 2" - }, - "sendCouldNotBuildTransaction": "Non potrebbe costruire la Transazione", - "@sendCouldNotBuildTransaction": { - "description": "Error message when a transaction cannot be built" - }, - "allSeedViewIUnderstandButton": "Capisco", - "@allSeedViewIUnderstandButton": { - "description": "Button label to acknowledge security warning" - }, - "coreScreensExternalTransfer": "Trasferimento esterno", - "@coreScreensExternalTransfer": { - "description": "Title for external transfer action" - }, - "fundExchangeSinpeWarningNoBitcoin": "Non mettere", - "@fundExchangeSinpeWarningNoBitcoin": { - "description": "Bold warning text at start of bitcoin warning message" - }, - "ledgerHelpStep3": "Assicurati che il tuo Ledger abbia attivato Bluetooth.", - "@ledgerHelpStep3": { - "description": "Third troubleshooting step for Ledger connection issues" - }, - "coreSwapsChainFailedRefunding": "Il trasferimento sarà rimborsato a breve.", - "@coreSwapsChainFailedRefunding": { - "description": "Status message for failed chain swap that will be refunded" - }, - "sendSelectAmount": "Selezionare la quantità", - "@sendSelectAmount": { - "description": "Label for selecting the amount to send" - }, - "sellKYCRejected": "Verifica KYC respinta", - "@sellKYCRejected": { - "description": "Error when verification fails" - }, - "electrumNetworkLiquid": "Liquidazione", - "@electrumNetworkLiquid": { - "description": "Liquid network tab label" - }, - "buyBelowMinAmountError": "Stai cercando di acquistare sotto la quantità minima.", - "@buyBelowMinAmountError": { - "description": "Error message for amount below minimum during buy" - }, - "exchangeLandingFeature6": "Storia delle transazioni unificata", - "@exchangeLandingFeature6": { - "description": "Sixth feature bullet point" - }, - "transactionStatusPaymentRefunded": "Pagamento Rimborso", - "@transactionStatusPaymentRefunded": { - "description": "Status label for refunded payments" - }, - "pinCodeSecurityPinTitle": "PIN di sicurezza", - "@pinCodeSecurityPinTitle": { - "description": "AppBar title for PIN settings screen" - }, - "bitboxActionImportWalletSuccessSubtext": "Il portafoglio BitBox è stato importato con successo.", - "@bitboxActionImportWalletSuccessSubtext": { - "description": "Success subtext for import wallet" - }, - "electrumEmptyFieldError": "Questo campo non può essere vuoto", - "@electrumEmptyFieldError": { - "description": "Validation error for empty field" - }, - "transactionStatusPaymentInProgress": "Pagamento in corso", - "@transactionStatusPaymentInProgress": { - "description": "Status label for Lightning payments in progress" - }, - "connectHardwareWalletKrux": "Krux", - "@connectHardwareWalletKrux": { - "description": "Krux hardware wallet option" - }, - "receiveSelectNetwork": "Selezionare la rete", - "@receiveSelectNetwork": { - "description": "Dropdown to choose receiving network" - }, - "sellLoadingGeneric": "Caricamento...", - "@sellLoadingGeneric": { - "description": "Generic loading message" - }, - "ledgerWalletTypeSegwit": "Segwit (BIP84)", - "@ledgerWalletTypeSegwit": { - "description": "Display name for Segwit wallet type (BIP84)" - }, - "bip85Mnemonic": "Mnemonic", - "@bip85Mnemonic": { - "description": "Label for mnemonic type entropy" - }, - "importQrDeviceSeedsignerName": "SeedSigner", - "@importQrDeviceSeedsignerName": { - "description": "Name of SeedSigner device" - }, - "payFeeTooHigh": "Le tasse sono insolitamente alte", - "@payFeeTooHigh": { - "description": "Warning when calculated fee is higher than expected" - }, - "fundExchangeBankTransferWireTitle": "Bonifico bancario (wire)", - "@fundExchangeBankTransferWireTitle": { - "description": "Screen title for bank transfer wire payment details" - }, - "psbtFlowPartProgress": "Parte {current} di {total}", - "@psbtFlowPartProgress": { - "description": "Progress indicator for animated QR code parts", - "placeholders": { - "current": { - "type": "String" - }, - "total": { - "type": "String" - } - } - }, - "receiveShareInvoice": "Fatturato", - "@receiveShareInvoice": { - "description": "Button to share invoice" - }, - "buyCantBuyMoreThan": "Non puoi comprare più di", - "@buyCantBuyMoreThan": { - "description": "Error message for amount above maximum" - }, - "dcaUnableToGetConfig": "Non è possibile ottenere la configurazione DCA", - "@dcaUnableToGetConfig": { - "description": "Error message when DCA config unavailable" - }, - "exchangeAuthLoginFailed": "Login Non riuscita", - "@exchangeAuthLoginFailed": { - "description": "Login failure dialog title" - }, - "arkAvailable": "Disponibile", - "@arkAvailable": { - "description": "Label for available balance in Ark balance breakdown" - }, - "transactionSwapDescChainFailed": "C'era un problema con il tuo trasferimento. Si prega di contattare il supporto se i fondi non sono stati restituiti entro 24 ore.", - "@transactionSwapDescChainFailed": { - "description": "Description for failed chain swap" - }, - "testBackupWarningMessage": "Senza un backup, alla fine perderai l'accesso ai tuoi soldi. È fondamentale fare un backup.", - "@testBackupWarningMessage": { - "description": "Warning message emphasizing importance of backups" - }, - "arkNetwork": "Rete di rete", - "@arkNetwork": { - "description": "Label for network field" - }, - "importWatchOnlyYpub": "ypub", - "@importWatchOnlyYpub": { - "description": "Label for ypub import method" - }, - "ledgerVerifyTitle": "Verifica l'indirizzo su Ledger", - "@ledgerVerifyTitle": { - "description": "Title for verifying an address on Ledger device" - }, - "recoverbullSwitchToPassword": "Scegli invece una password", - "@recoverbullSwitchToPassword": { - "description": "Button text to switch from PIN to password input" - }, - "exchangeDcaNetworkBitcoin": "Rete Bitcoin", - "@exchangeDcaNetworkBitcoin": { - "description": "DCA network option: Bitcoin" - }, - "autoswapWarningTitle": "Autoswap è abilitata con le seguenti impostazioni:", - "@autoswapWarningTitle": { - "description": "Title text in the autoswap warning bottom sheet" - }, - "seedsignerStep1": "Accendere il dispositivo SeedSigner", - "@seedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, - "backupWalletHowToDecideBackupLosePhysical": "Uno dei modi più comuni che le persone perdono il loro Bitcoin è perché perdono il backup fisico. Chiunque trovi il tuo backup fisico sarà in grado di prendere tutto il tuo Bitcoin. Se siete molto sicuri che si può nascondere bene e non perdere mai, è una buona opzione.", - "@backupWalletHowToDecideBackupLosePhysical": { - "description": "Explanation of physical backup risks in decision help modal" - }, - "transactionLabelStatus": "Stato", - "@transactionLabelStatus": { - "description": "Label for transaction status" - }, - "transactionSwapDescLnSendDefault": "Il tuo scambio e' in corso. Questo processo è automatizzato e può richiedere un po 'di tempo per completare.", - "@transactionSwapDescLnSendDefault": { - "description": "Default description for Lightning send swap" - }, - "recoverbullErrorMissingBytes": "Mancano i byte della risposta Tor. Riprovare ma se il problema persiste, è un problema noto per alcuni dispositivi con Tor.", - "@recoverbullErrorMissingBytes": { - "description": "Error message when Tor response is incomplete" - }, - "coreScreensReceiveNetworkFeeLabel": "Ricevi le quote di rete", - "@coreScreensReceiveNetworkFeeLabel": { - "description": "Label for receive network fee field" - }, - "transactionPayjoinStatusCompleted": "Completato", - "@transactionPayjoinStatusCompleted": { - "description": "Payjoin status: completed" - }, - "payEstimatedFee": "Tasse stimate", - "@payEstimatedFee": { - "description": "Label for estimated network fee" - }, - "sendSendAmount": "Inviare Importo", - "@sendSendAmount": { - "description": "Label for amount being sent in swap" - }, - "sendSelectedUtxosInsufficient": "Utxos selezionato non copre l'importo richiesto", - "@sendSelectedUtxosInsufficient": { - "description": "Error message when selected UTXOs don't cover the required amount" - }, - "swapErrorBalanceTooLow": "Bilancia troppo bassa per importo minimo di swap", - "@swapErrorBalanceTooLow": { - "description": "Error when balance is below minimum swap limit" - }, - "replaceByFeeErrorGeneric": "Si è verificato un errore durante il tentativo di sostituire la transazione", - "@replaceByFeeErrorGeneric": { - "description": "Generic error message for replace-by-fee operation failures" - }, - "fundExchangeWarningTactic5": "Essi chiedono di inviare Bitcoin su un'altra piattaforma", - "@fundExchangeWarningTactic5": { - "description": "Fifth scammer tactic warning" - }, - "rbfCustomFee": "Costo personalizzato", - "@rbfCustomFee": { - "description": "Label for custom fee option" - }, - "importQrDeviceFingerprint": "Impronte pubblicitarie", - "@importQrDeviceFingerprint": { - "description": "Label for device fingerprint" - }, - "physicalBackupRecommendationText": "Sei fiducioso nelle tue capacità di sicurezza operative per nascondere e preservare le tue parole di seme Bitcoin.", - "@physicalBackupRecommendationText": { - "description": "Text explaining when to use physical backup" - }, - "importWatchOnlyDescriptor": "Descrittore", - "@importWatchOnlyDescriptor": { - "description": "Label for descriptor import method" - }, - "payPaymentInProgress": "Pagamento in corso!", - "@payPaymentInProgress": { - "description": "Title for payment in progress screen" - }, - "recoverbullFailed": "Fatta", - "@recoverbullFailed": { - "description": "Status label indicating operation failure" - }, - "payOrderAlreadyConfirmed": "Questo ordine di pagamento è già stato confermato.", - "@payOrderAlreadyConfirmed": { - "description": "Error message when pay order is already confirmed" - }, - "ledgerProcessingSign": "Transazione di firma", - "@ledgerProcessingSign": { - "description": "Status message shown while signing transaction with Ledger" - }, - "jadeStep6": " - Aumentare la luminosità dello schermo sul dispositivo", - "@jadeStep6": { - "description": "Jade troubleshooting tip 1" - }, - "fundExchangeETransferLabelEmail": "Invia l'E-transfer a questa e-mail", - "@fundExchangeETransferLabelEmail": { - "description": "Label for E-transfer recipient email" - }, - "pinCodeCreateButton": "Creare PIN", - "@pinCodeCreateButton": { - "description": "Button label to create a new PIN" - }, - "bitcoinSettingsTestnetModeTitle": "Modalità Testnet", - "@bitcoinSettingsTestnetModeTitle": { - "description": "Title for the testnet mode toggle in Bitcoin settings" - }, - "buyTitle": "Acquistare Bitcoin", - "@buyTitle": { - "description": "Screen title for buying Bitcoin" - }, - "fromLabel": "Da", - "@fromLabel": { - "description": "Label for source wallet in transaction details" - }, - "sellCompleteKYC": "Completa KYC", - "@sellCompleteKYC": { - "description": "Button to start verification process" - }, - "hwConnectTitle": "Collegare il portafoglio hardware", - "@hwConnectTitle": { - "description": "AppBar title for hardware wallet selection screen" - }, - "payRequiresSwap": "Questo pagamento richiede uno swap", - "@payRequiresSwap": { - "description": "Info message when payment needs submarine swap" - }, - "exchangeSecurityManage2FAPasswordLabel": "Gestione 2FA e password", - "@exchangeSecurityManage2FAPasswordLabel": { - "description": "Label for managing 2FA and password in exchange security settings" - }, - "backupWalletSuccessTitle": "Backup completato!", - "@backupWalletSuccessTitle": { - "description": "Success screen title after backup is completed" - }, - "transactionSwapDescLnSendFailed": "C'era un problema con il tuo swap. I vostri fondi verranno restituiti automaticamente al vostro portafoglio.", - "@transactionSwapDescLnSendFailed": { - "description": "Description for failed Lightning send swap" - }, - "sendCoinAmount": "Importo: {amount}", - "@sendCoinAmount": { - "description": "Label for UTXO amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "walletDeletionFailedOkButton": "OK", - "@walletDeletionFailedOkButton": { - "description": "OK button label in wallet deletion failed dialog" - }, - "payTotalFees": "Totale delle spese", - "@payTotalFees": { - "description": "Label for sum of all fees" - }, - "fundExchangeOnlineBillPaymentHelpBillerName": "Aggiungi questa società come payee - è Bull Bitcoin processore di pagamento", - "@fundExchangeOnlineBillPaymentHelpBillerName": { - "description": "Help text for biller name field" - }, - "payPayoutMethod": "Metodo di pagamento", - "@payPayoutMethod": { - "description": "Label for payout method section" - }, - "ledgerVerifyButton": "Verifica l'indirizzo", - "@ledgerVerifyButton": { - "description": "Button label to start address verification on Ledger" - }, - "sendErrorSwapFeesNotLoaded": "Pagamenti non caricati", - "@sendErrorSwapFeesNotLoaded": { - "description": "Error when swap fee information is unavailable" - }, - "walletDetailsCopyButton": "Copia", - "@walletDetailsCopyButton": { - "description": "Button label for copying wallet details to clipboard" - }, - "backupWalletGoogleDrivePrivacyMessage3": "lasciare il telefono ed è ", - "@backupWalletGoogleDrivePrivacyMessage3": { - "description": "Third part of privacy message" - }, - "backupCompletedDescription": "Ora testiamo il backup per assicurarci che tutto sia stato fatto correttamente.", - "@backupCompletedDescription": { - "description": "Description prompting user to test their backup" - }, - "sendErrorInsufficientFundsForFees": "Non abbastanza fondi per coprire l'importo e le tasse", - "@sendErrorInsufficientFundsForFees": { - "description": "Error when wallet cannot cover transaction amount plus fees" - }, - "buyConfirmPayoutMethod": "Metodo di pagamento", - "@buyConfirmPayoutMethod": { - "description": "Field label for payout method" - }, - "dcaCancelButton": "Annulla", - "@dcaCancelButton": { - "description": "Cancel button in DCA dialog" - }, - "durationMinutes": "{minutes} minuti", - "@durationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "dcaConfirmNetworkLiquid": "Liquidazione", - "@dcaConfirmNetworkLiquid": { - "description": "Liquid network label" - }, - "walletDetailsAddressTypeLabel": "Tipo di indirizzo", - "@walletDetailsAddressTypeLabel": { - "description": "Label for the address type field in wallet details" - }, - "emptyMnemonicWordsError": "Inserisci tutte le parole della tua mnemonica", - "@emptyMnemonicWordsError": { - "description": "Error message when not all mnemonic words are filled in" - }, - "arkSettleCancel": "Annulla", - "@arkSettleCancel": { - "description": "Cancel button on settle bottom sheet" - }, - "testBackupTapWordsInOrder": "Toccare le parole di recupero in\nordine giusto", - "@testBackupTapWordsInOrder": { - "description": "Instruction header for word selection quiz" - }, - "transactionSwapDescLnSendExpired": "Questo swap è scaduto. I vostri fondi saranno automaticamente restituiti al vostro portafoglio.", - "@transactionSwapDescLnSendExpired": { - "description": "Description for expired Lightning send swap" - }, - "testBackupButton": "Test di backup", - "@testBackupButton": { - "description": "Button label to test backup" - }, - "receiveNotePlaceholder": "Nota", - "@receiveNotePlaceholder": { - "description": "Placeholder text for note input field" - }, - "sendChange": "Cambiamento", - "@sendChange": { - "description": "Label for change output in a transaction" - }, - "coreScreensInternalTransfer": "Trasferimento interno", - "@coreScreensInternalTransfer": { - "description": "Title for internal transfer action" - }, - "sendSwapWillTakeTime": "Ci vorrà un po' per confermare", - "@sendSwapWillTakeTime": { - "description": "Message warning swap confirmation takes time" - }, - "autoswapSelectWalletError": "Si prega di selezionare un portafoglio Bitcoin destinatario", - "@autoswapSelectWalletError": { - "description": "Validation error when trying to enable auto transfer without selecting a wallet" - }, - "sellServiceFee": "Costo del servizio", - "@sellServiceFee": { - "description": "Label for Bull Bitcoin service fee" - }, - "connectHardwareWalletTitle": "Collegare il portafoglio hardware", - "@connectHardwareWalletTitle": { - "description": "Title for connect hardware wallet page" - }, - "replaceByFeeCustomFeeTitle": "Costo personalizzato", - "@replaceByFeeCustomFeeTitle": { - "description": "Title for custom fee input section" - }, - "kruxStep14": "Il portafoglio Bull Bitcoin ti chiederà di scansionare il codice QR sul Krux. Scansione.", - "@kruxStep14": { - "description": "Krux instruction for scanning signed PSBT" - }, - "payAvailableBalance": "Disponibile: {amount}", - "@payAvailableBalance": { - "description": "Label showing available wallet balance", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "payCheckingStatus": "Controllare lo stato di pagamento...", - "@payCheckingStatus": { - "description": "Loading message while verifying payment status" - }, - "payMemo": "Memo", - "@payMemo": { - "description": "Label for optional payment note" - }, - "languageSettingsLabel": "Lingua", - "@languageSettingsLabel": { - "description": "The label for the button to access the language settings" - }, - "fundExchangeMethodCrIbanCrc": "Costa Rica IBAN (CRC)", - "@fundExchangeMethodCrIbanCrc": { - "description": "Payment method: Costa Rica IBAN in Colones" - }, - "walletDeletionFailedTitle": "Eliminare non riuscita", - "@walletDeletionFailedTitle": { - "description": "Title for the wallet deletion failed dialog" - }, - "payPayFromWallet": "Paga dal portafoglio", - "@payPayFromWallet": { - "description": "Label for wallet used for payment" - }, - "broadcastSignedTxNfcTitle": "NFC", - "@broadcastSignedTxNfcTitle": { - "description": "Title for NFC scanning page" - }, - "buyYouPay": "Paga", - "@buyYouPay": { - "description": "Label for amount user pays" - }, - "payOrderAlreadyConfirmedError": "Questo ordine di pagamento è già stato confermato.", - "@payOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed order" - }, - "passportStep12": "Il portafoglio Bull Bitcoin ti chiederà di scansionare il codice QR sul passaporto. Scansione.", - "@passportStep12": { - "description": "Passport instruction for scanning signed PSBT" - }, - "paySelectRecipient": "Seleziona il destinatario", - "@paySelectRecipient": { - "description": "Screen title for recipient selection" - }, - "payNoActiveWallet": "Nessun portafoglio attivo", - "@payNoActiveWallet": { - "description": "Error when no wallet is selected" - }, - "importQrDeviceKruxStep4": "Fare clic sul pulsante \"open camera\"", - "@importQrDeviceKruxStep4": { - "description": "Krux instruction step 4" - }, - "appStartupErrorMessageWithBackup": "Su v5.4.0 è stato scoperto un bug critico in una delle nostre dipendenze che influiscono sullo storage di chiave privata. La tua app è stata influenzata da questo. Dovrai eliminare questa applicazione e reinstallarla con il tuo seme di backup.", - "@appStartupErrorMessageWithBackup": { - "description": "Error message shown when app startup fails due to seed storage issue and user has a backup" - }, - "payPasteInvoice": "Fatturato", - "@payPasteInvoice": { - "description": "Button text to paste invoice from clipboard" - }, - "labelErrorUnexpected": "Errore inaspettato: {message}", - "@labelErrorUnexpected": { - "description": "Error message for unexpected label errors", - "placeholders": { - "message": { - "type": "String" - } - } - }, - "arkStatusSettled": "Settled", - "@arkStatusSettled": { - "description": "Status label for settled redeem transactions" - }, - "dcaWalletBitcoinSubtitle": "Minimo 0,00", - "@dcaWalletBitcoinSubtitle": { - "description": "Subtitle/description for Bitcoin wallet option" - }, - "bitboxScreenEnterPasswordSubtext": "Inserisci la password sul dispositivo BitBox per continuare.", - "@bitboxScreenEnterPasswordSubtext": { - "description": "Subtext when waiting for password" - }, - "systemLabelSwaps": "Scambi", - "@systemLabelSwaps": { - "description": "System label for swap transactions" - }, - "sendOpenTheCamera": "Aprire la fotocamera", - "@sendOpenTheCamera": { - "description": "Button label for opening the camera to scan QR codes" - }, - "passportStep11": "Fare clic su \"Ho chiuso\" nel portafoglio Bull Bitcoin.", - "@passportStep11": { - "description": "Passport instruction to return to app" - }, - "sendSwapId": "ID Swap", - "@sendSwapId": { - "description": "Label for swap identifier in transaction details" - }, - "electrumServerOnline": "Online", - "@electrumServerOnline": { - "description": "Status text for online servers" - }, - "fundExchangeAccountTitle": "Finanziamento del tuo conto", - "@fundExchangeAccountTitle": { - "description": "Main title on the fund exchange account screen" - }, - "exchangeAppSettingsSaveButton": "Salva", - "@exchangeAppSettingsSaveButton": { - "description": "Button label for saving exchange app settings" - }, - "fundExchangeWarningTactic1": "Essi sono promettenti ritorni sugli investimenti", - "@fundExchangeWarningTactic1": { - "description": "First scammer tactic warning" - }, - "testBackupDefaultWallets": "Portafogli di default", - "@testBackupDefaultWallets": { - "description": "Label shown when testing the default wallets" - }, - "receiveSendNetworkFee": "Inviare i costi di rete", - "@receiveSendNetworkFee": { - "description": "Label for the network fee on the sending network in a swap transaction" - }, - "autoswapRecipientWalletInfoText": "Scegliere quale portafoglio Bitcoin riceverà i fondi trasferiti (richiesto)", - "@autoswapRecipientWalletInfoText": { - "description": "Help text explaining wallet selection" - }, - "withdrawAboveMaxAmountError": "Stai cercando di prelevare al di sopra dell'importo massimo.", - "@withdrawAboveMaxAmountError": { - "description": "Error message for amount above maximum during withdraw" - }, - "psbtFlowScanDeviceQr": "Il portafoglio Bull Bitcoin ti chiederà di scansionare il codice QR sul {device}. Scansione.", - "@psbtFlowScanDeviceQr": { - "description": "Instruction to scan QR code from hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "exchangeAuthLoginFailedMessage": "Si è verificato un errore, si prega di provare a accedere di nuovo.", - "@exchangeAuthLoginFailedMessage": { - "description": "Message shown when exchange login fails" - }, - "okButton": "OK", - "@okButton": { - "description": "Button to dismiss coming soon message" - }, - "passportStep13": "La transazione verrà importata nel portafoglio Bull Bitcoin.", - "@passportStep13": { - "description": "Passport instruction about import completion" - }, - "importQrDeviceKeystoneStep3": "Fare clic sui tre punti in alto a destra", - "@importQrDeviceKeystoneStep3": { - "description": "Keystone instruction step 3" - }, - "exchangeAmountInputValidationInvalid": "Importo non valido", - "@exchangeAmountInputValidationInvalid": { - "description": "Validation message when amount is invalid" - }, - "exchangeAccountInfoLoadErrorMessage": "Non è possibile caricare le informazioni dell'account", - "@exchangeAccountInfoLoadErrorMessage": { - "description": "Error message when account information fails to load" - }, - "dcaWalletSelectionContinueButton": "Continua", - "@dcaWalletSelectionContinueButton": { - "description": "Button label to proceed to confirmation screen" - }, - "pinButtonChange": "Cambia PIN", - "@pinButtonChange": { - "description": "Button label when PIN already exists" - }, - "sendErrorInsufficientFundsForPayment": "Non abbastanza fondi disponibili per fare questo pagamento.", - "@sendErrorInsufficientFundsForPayment": { - "description": "Error when insufficient funds available" - }, - "arkAboutShow": "Mostra", - "@arkAboutShow": { - "description": "Button text to show hidden secret key" - }, - "fundExchangeETransferTitle": "Dettagli E-Transfer", - "@fundExchangeETransferTitle": { - "description": "Screen title for E-Transfer payment details" - }, - "verifyButton": "Verifica", - "@verifyButton": { - "description": "Button label to verify recovery phrase" - }, - "autoswapWarningOkButton": "OK", - "@autoswapWarningOkButton": { - "description": "OK button label in the autoswap warning bottom sheet" - }, - "swapTitle": "Trasferimento interno", - "@swapTitle": { - "description": "AppBar title for swap/internal transfer screen" - }, - "sendOutputTooSmall": "Produzione sotto il limite di polvere", - "@sendOutputTooSmall": { - "description": "Error for tiny output amount" - }, - "copiedToClipboardMessage": "Copied a clipboard", - "@copiedToClipboardMessage": { - "description": "Snackbar confirmation message after copying to clipboard" - }, - "torSettingsStatusConnected": "Collegato", - "@torSettingsStatusConnected": { - "description": "Status title when Tor is connected" - }, - "receiveNote": "Nota", - "@receiveNote": { - "description": "Label for adding a note to a receive transaction" - }, - "arkCopiedToClipboard": "{label} copiato a clipboard", - "@arkCopiedToClipboard": { - "description": "SnackBar message when field is copied", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "arkRecipientAddress": "Indirizzo utile", - "@arkRecipientAddress": { - "description": "Label for recipient address input field" - }, - "payLightningNetwork": "Rete di illuminazione", - "@payLightningNetwork": { - "description": "Option for Lightning Network payment" - }, - "shareLogsLabel": "Dividere i registri", - "@shareLogsLabel": { - "description": "List tile label to share application logs" - }, - "ledgerSuccessVerifyTitle": "Indirizzo di verifica su Ledger...", - "@ledgerSuccessVerifyTitle": { - "description": "Success message title for address verification on Ledger" - }, - "payCorporateNameHint": "Inserisci il nome aziendale", - "@payCorporateNameHint": { - "description": "Hint for corporate name input" - }, - "sellExternalWallet": "Portafoglio esterno", - "@sellExternalWallet": { - "description": "Option for external wallet" - }, - "backupSettingsFailedToDeriveKey": "Non è riuscito a derivare la chiave di backup", - "@backupSettingsFailedToDeriveKey": { - "description": "Error message when backup key derivation fails" - }, - "googleDriveProvider": "Google Drive", - "@googleDriveProvider": { - "description": "Name of Google Drive provider" - }, - "sellAccountName": "Nome del conto", - "@sellAccountName": { - "description": "Label for bank account holder name" - }, - "statusCheckUnknown": "Sconosciuto", - "@statusCheckUnknown": { - "description": "Status text when service status is unknown" - }, - "howToDecideVaultLocationText2": "Una posizione personalizzata può essere molto più sicuro, a seconda della posizione che si sceglie. È inoltre necessario assicurarsi di non perdere il file di backup o di perdere il dispositivo su cui il file di backup è memorizzato.", - "@howToDecideVaultLocationText2": { - "description": "Second paragraph explaining custom location benefits" - }, - "logSettingsLogsTitle": "Logs", - "@logSettingsLogsTitle": { - "description": "Title for the logs section in settings" - }, - "fundExchangeOnlineBillPaymentHelpAccountNumber": "Questo numero di account unico è creato solo per voi", - "@fundExchangeOnlineBillPaymentHelpAccountNumber": { - "description": "Help text for account number field" - }, - "psbtFlowReadyToBroadcast": "Ora è pronto a trasmettere! Non appena si fa clic sulla trasmissione, la transazione verrà pubblicata sulla rete Bitcoin e i fondi saranno inviati.", - "@psbtFlowReadyToBroadcast": { - "description": "Final message that transaction is ready to broadcast" - }, - "sendErrorLiquidWalletRequired": "Il portafoglio liquido deve essere utilizzato per uno swap liquido a fulmine", - "@sendErrorLiquidWalletRequired": { - "description": "Error when wrong wallet type used for Liquid to Lightning swap" - }, - "arkDurationMinutes": "{minutes} minuti", - "@arkDurationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "dcaSetupInsufficientBalance": "Bilancia insufficiente", - "@dcaSetupInsufficientBalance": { - "description": "Insufficient balance error title" - }, - "swapTransferRefundedMessage": "Il trasferimento è stato rimborsato con successo.", - "@swapTransferRefundedMessage": { - "description": "Refund completion message" - }, - "payInvalidState": "Stato non valido", - "@payInvalidState": { - "description": "Error message for invalid state" - }, - "receiveWaitForPayjoin": "Attendere che il mittente finisca la transazione payjoin", - "@receiveWaitForPayjoin": { - "description": "Instructions to wait for the sender during a payjoin transaction" - }, - "seedsignerStep5": " - Aumentare la luminosità dello schermo sul dispositivo", - "@seedsignerStep5": { - "description": "SeedSigner troubleshooting tip 1" - }, - "transactionSwapDescLnReceiveExpired": "Questo swap è scaduto. Eventuali fondi inviati verranno restituiti automaticamente al mittente.", - "@transactionSwapDescLnReceiveExpired": { - "description": "Description for expired Lightning receive swap" - }, - "sellKYCApproved": "KYC approvato", - "@sellKYCApproved": { - "description": "Status when verification complete" - }, - "arkTransaction": "transazione", - "@arkTransaction": { - "description": "Singular form for transaction count" - }, - "dcaFrequencyMonthly": "mese", - "@dcaFrequencyMonthly": { - "description": "Monthly DCA frequency" - }, - "buyKYCLevel": "KYC Livello", - "@buyKYCLevel": { - "description": "Label for verification tier" - }, - "passportInstructionsTitle": "Istruzioni per il passaporto della Fondazione", - "@passportInstructionsTitle": { - "description": "Title for Passport signing instructions modal" - }, - "ledgerSuccessImportTitle": "Portafoglio importato con successo", - "@ledgerSuccessImportTitle": { - "description": "Success message title after importing Ledger wallet" - }, - "physicalBackupTitle": "Backup fisico", - "@physicalBackupTitle": { - "description": "Title for physical backup option" - }, - "exchangeReferralsMissionLink": "bullbitcoin.com/missione", - "@exchangeReferralsMissionLink": { - "description": "Link to the Bull Bitcoin mission page" - }, - "swapTransferPendingMessage": "Il trasferimento è in corso. Le transazioni Bitcoin possono richiedere un po' di tempo per confermare. Puoi tornare a casa e aspettare.", - "@swapTransferPendingMessage": { - "description": "Message shown during pending swap" - }, - "transactionSwapLiquidToBitcoin": "L-BTC → BTC", - "@transactionSwapLiquidToBitcoin": { - "description": "Label for Liquid to Bitcoin swap" - }, - "testBackupDecryptVault": "Decrypt vault", - "@testBackupDecryptVault": { - "description": "Button text to decrypt the vault" - }, - "transactionDetailBumpFees": "Pagamenti", - "@transactionDetailBumpFees": { - "description": "Button label to increase transaction fees via RBF" - }, - "psbtFlowNoPartsToDisplay": "Nessuna parte da visualizzare", - "@psbtFlowNoPartsToDisplay": { - "description": "Message when there are no QR code parts to show" - }, - "addressCardCopiedMessage": "Indirizzo copiato a clipboard", - "@addressCardCopiedMessage": { - "description": "Success message when an address is copied to clipboard" - }, - "totalFeeLabel": "Costo totale", - "@totalFeeLabel": { - "description": "Label for expandable total fee breakdown in swap" - }, - "mempoolCustomServerBottomSheetDescription": "Inserisci l'URL del server mempool personalizzato. Il server verrà convalidato prima di salvare.", - "@mempoolCustomServerBottomSheetDescription": { - "description": "Description in bottom sheet for adding/editing custom server" - }, - "sellBelowMinAmountError": "Stai cercando di vendere sotto l'importo minimo che può essere venduto con questo portafoglio.", - "@sellBelowMinAmountError": { - "description": "Error message for amount below minimum" - }, - "buyAwaitingConfirmation": "Conferma attesa ", - "@buyAwaitingConfirmation": { - "description": "Text shown while waiting for order confirmation" - }, - "payExpired": "Scadenza", - "@payExpired": { - "description": "Status label for expired invoice" - }, - "recoverbullBalance": "Equilibrio: {balance}", - "@recoverbullBalance": { - "description": "Label showing wallet balance during vault recovery", - "placeholders": { - "balance": { - "type": "String" - } - } - }, - "exchangeSecurityAccessSettingsButton": "Impostazioni di accesso", - "@exchangeSecurityAccessSettingsButton": { - "description": "Button label for accessing security settings in exchange" - }, - "payPaymentSuccessful": "Pagamento con successo", - "@payPaymentSuccessful": { - "description": "Success message after payment completes" - }, - "exchangeHomeWithdraw": "Ritiro", - "@exchangeHomeWithdraw": { - "description": "Withdraw button label" - }, - "importMnemonicSegwit": "Segwitt", - "@importMnemonicSegwit": { - "description": "Label for Segwit (BIP84) wallet type" - }, - "importQrDeviceJadeStep6": "Selezionare \"Export Xpub\" dal menu del portafoglio", - "@importQrDeviceJadeStep6": { - "description": "Jade instruction step 6" - }, - "buyContinue": "Continua", - "@buyContinue": { - "description": "Button to continue to next step" - }, - "recoverbullEnterToDecrypt": "Inserisci il tuo {inputType} per decifrare il caveau.", - "@recoverbullEnterToDecrypt": { - "description": "Instruction to enter PIN or password for vault decryption", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "swapTransferTitle": "Trasferimento", - "@swapTransferTitle": { - "description": "AppBar title on the main swap page" - }, - "testBackupSuccessTitle": "Test completato con successo!", - "@testBackupSuccessTitle": { - "description": "Success screen title after completing backup verification" - }, - "recoverbullSelectTakeYourTime": "Prendi il tuo tempo", - "@recoverbullSelectTakeYourTime": { - "description": "Description tag for custom location provider option" - }, - "sendConfirmCustomFee": "Confermare la tariffa personalizzata", - "@sendConfirmCustomFee": { - "description": "Button label for confirming a custom fee" - }, - "coreScreensTotalFeesLabel": "Totale spese", - "@coreScreensTotalFeesLabel": { - "description": "Label for total fees field" - }, - "mempoolSettingsDescription": "Configurare server mempool personalizzati per diverse reti. Ogni rete può utilizzare il proprio server per l'esploratore del blocco e la stima delle commissioni.", - "@mempoolSettingsDescription": { - "description": "Description text for mempool settings screen" - }, - "transactionSwapProgressClaim": "Ricorso", - "@transactionSwapProgressClaim": { - "description": "Swap progress step: claim" - }, - "exchangeHomeDeposit": "Deposito", - "@exchangeHomeDeposit": { - "description": "Deposit button label" - }, - "sendFrom": "Da", - "@sendFrom": { - "description": "Label for the sender/source in a transaction" - }, - "sendTransactionBuilt": "Transazione pronta", - "@sendTransactionBuilt": { - "description": "Success after transaction constructed" - }, - "bitboxErrorOperationCancelled": "L'operazione e' stata annullata. Per favore riprovate.", - "@bitboxErrorOperationCancelled": { - "description": "Error when BitBox operation is cancelled" - }, - "dcaOrderTypeLabel": "Tipo d'ordine", - "@dcaOrderTypeLabel": { - "description": "Label for order type detail row" - }, - "withdrawConfirmCard": "Carta carta", - "@withdrawConfirmCard": { - "description": "Field label for debit card" - }, - "dcaSuccessMessageHourly": "Comprerai {amount} ogni ora", - "@dcaSuccessMessageHourly": { - "description": "Success message for hourly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "loginButton": "LOGIN", - "@loginButton": { - "description": "Button to navigate to login screen" - }, - "revealingVaultKeyButton": "Rivelazione...", - "@revealingVaultKeyButton": { - "description": "Button label shown while revealing vault key" - }, - "arkAboutNetwork": "Rete di rete", - "@arkAboutNetwork": { - "description": "Field label for network" - }, - "payLastName": "Ultimo nome", - "@payLastName": { - "description": "Label for last name field" - }, - "transactionPayjoinStatusExpired": "Scadenza", - "@transactionPayjoinStatusExpired": { - "description": "Payjoin status: expired" - }, - "fundExchangeMethodBankTransferWire": "Trasferimento bancario (Wire o EFT)", - "@fundExchangeMethodBankTransferWire": { - "description": "Payment method: Bank Transfer Wire or EFT (Canada)" - }, - "psbtFlowLoginToDevice": "Accedi al tuo dispositivo {device}", - "@psbtFlowLoginToDevice": { - "description": "Instruction to login to hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "fundExchangeJurisdictionCostaRica": "🇨🇷 Costa Costa Rica", - "@fundExchangeJurisdictionCostaRica": { - "description": "Dropdown option for Costa Rica jurisdiction" - }, - "payCalculating": "Calcolo...", - "@payCalculating": { - "description": "Text shown while calculating fees" - }, - "transactionDetailLabelTransferId": "ID trasferimento", - "@transactionDetailLabelTransferId": { - "description": "Label for transfer ID" - }, - "fundExchangeContinueButton": "Continua", - "@fundExchangeContinueButton": { - "description": "Button label to continue from warning screen to payment method details" - }, - "currencySettingsDefaultFiatCurrencyLabel": "Moneta di fiat predefinito", - "@currencySettingsDefaultFiatCurrencyLabel": { - "description": "Label for the default fiat currency setting" - }, - "payRecipient": "Recipiente", - "@payRecipient": { - "description": "Label for recipient" - }, - "fundExchangeCrIbanUsdRecipientNameHelp": "Usa il nostro nome ufficiale. Non usare \"Bull Bitcoin\".", - "@fundExchangeCrIbanUsdRecipientNameHelp": { - "description": "Help text for recipient name field explaining to use corporate name" - }, - "sendUnfreezeCoin": "Unfreeze Coin", - "@sendUnfreezeCoin": { - "description": "Action to allow spending frozen UTXO" - }, - "sellEurBalance": "EUR Bilancio", - "@sellEurBalance": { - "description": "Display text for EUR balance payout method" - }, - "jadeInstructionsTitle": "Blockstream Jade PSBT Istruzioni", - "@jadeInstructionsTitle": { - "description": "Title for Jade signing instructions modal" - }, - "scanNfcButton": "Scansione NFC", - "@scanNfcButton": { - "description": "Button label to initiate NFC scanning" - }, - "testBackupChooseVaultLocation": "Scegli la posizione del caveau", - "@testBackupChooseVaultLocation": { - "description": "AppBar title for encrypted vault provider selection screen" - }, - "torSettingsInfoDescription": "• Il proxy Tor si applica solo a Bitcoin (non liquido)\n• Predefinita porta Orbot è 9050\n• Assicurarsi che Orbot sia in esecuzione prima di abilitare\n• La connessione può essere più lenta attraverso Tor", - "@torSettingsInfoDescription": { - "description": "Information about Tor proxy usage" - }, - "dcaAddressBitcoin": "Indirizzo Bitcoin", - "@dcaAddressBitcoin": { - "description": "Bitcoin address label" - }, - "sendErrorAmountBelowMinimum": "Importo sotto limite minimo di swap: {minLimit} sats", - "@sendErrorAmountBelowMinimum": { - "description": "Error with specific minimum swap amount", - "placeholders": { - "minLimit": { - "type": "String" - } - } - }, - "recoverbullGoogleDriveErrorFetchFailed": "Non riuscito a recuperare le volte da Google Drive", - "@recoverbullGoogleDriveErrorFetchFailed": { - "description": "Error message when fetching drive backups fails" - }, - "systemLabelExchangeBuy": "Comprare", - "@systemLabelExchangeBuy": { - "description": "System label for exchange buy transactions" - }, - "sendRecipientAddress": "Indirizzo del destinatario", - "@sendRecipientAddress": { - "description": "Label for the recipient address field" - }, - "arkTxTypeBoarding": "Imbarco", - "@arkTxTypeBoarding": { - "description": "Transaction type label for boarding transactions" - }, - "exchangeAmountInputValidationInsufficient": "Bilancio insufficiente", - "@exchangeAmountInputValidationInsufficient": { - "description": "Validation message when amount exceeds available balance" - }, - "psbtFlowReviewTransaction": "Una volta che la transazione viene importata nel vostro {device}, rivedere l'indirizzo di destinazione e l'importo.", - "@psbtFlowReviewTransaction": { - "description": "Instruction to review transaction details on device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "arkTransactions": "transazioni", - "@arkTransactions": { - "description": "Plural form for transaction count" - }, - "broadcastSignedTxCameraButton": "Macchina fotografica", - "@broadcastSignedTxCameraButton": { - "description": "Button to open camera QR scanner" - }, - "importQrDeviceJadeName": "Blockstream Jade", - "@importQrDeviceJadeName": { - "description": "Name of Blockstream Jade device" - }, - "importWalletImportMnemonic": "Importazione di Mnemonic", - "@importWalletImportMnemonic": { - "description": "Button to import wallet from seed phrase" - }, - "bip85NextMnemonic": "Il prossimo Mnemonic", - "@bip85NextMnemonic": { - "description": "Button to derive next mnemonic entropy" - }, - "bitboxErrorNoActiveConnection": "Nessuna connessione attiva al dispositivo BitBox.", - "@bitboxErrorNoActiveConnection": { - "description": "Error when there is no active connection to BitBox" - }, - "dcaFundAccountButton": "Finanziamento del tuo conto", - "@dcaFundAccountButton": { - "description": "Button label to navigate to funding screen" - }, - "transactionFilterAll": "Tutti", - "@transactionFilterAll": { - "description": "Filter option to show all transactions" - }, - "arkSendTitle": "Invia", - "@arkSendTitle": { - "description": "AppBar title for Ark send screen" - }, - "recoverbullVaultRecovery": "Vault Recovery", - "@recoverbullVaultRecovery": { - "description": "Screen title for vault recovery process" - }, - "transactionDetailLabelAmountReceived": "Importo ricevuto", - "@transactionDetailLabelAmountReceived": { - "description": "Label for amount received" - }, - "bitboxCubitOperationTimeout": "L'operazione e' pronta. Per favore riprovate.", - "@bitboxCubitOperationTimeout": { - "description": "Error interpretation for timeout" - }, - "receivePaymentReceived": "Pagamento ricevuto!", - "@receivePaymentReceived": { - "description": "Success message after receiving payment" - }, - "backupWalletHowToDecideVaultCloudSecurity": "Provider di storage cloud come Google o Apple non avranno accesso al tuo Bitcoin perché la password di crittografia è troppo forte. Possono accedere solo al Bitcoin nell'improbabile evento che colludono con il server chiave (il servizio online che memorizza la password di crittografia). Se il server chiave viene mai hackerato, il Bitcoin potrebbe essere a rischio con Google o Apple cloud.", - "@backupWalletHowToDecideVaultCloudSecurity": { - "description": "Explanation of cloud storage security in vault location decision help modal" - }, - "howToDecideBackupText1": "Uno dei modi più comuni che le persone perdono il loro Bitcoin è perché perdono il backup fisico. Chiunque trovi il tuo backup fisico sarà in grado di prendere tutto il tuo Bitcoin. Se siete molto sicuri che si può nascondere bene e non perdere mai, è una buona opzione.", - "@howToDecideBackupText1": { - "description": "First paragraph explaining backup method decision" - }, - "payOrderNotFound": "L'ordine di pagamento non è stato trovato. Per favore riprovate.", - "@payOrderNotFound": { - "description": "Error message when pay order is not found" - }, - "coldcardStep13": "Il portafoglio Bull Bitcoin ti chiederà di scansionare il codice QR sulla Coldcard. Scansione.", - "@coldcardStep13": { - "description": "Coldcard instruction for scanning signed PSBT" - }, - "psbtFlowIncreaseBrightness": "Aumenta la luminosità dello schermo sul tuo dispositivo", - "@psbtFlowIncreaseBrightness": { - "description": "Troubleshooting tip to increase brightness" - }, - "payCoinjoinCompleted": "CoinJoin completato", - "@payCoinjoinCompleted": { - "description": "Success message after CoinJoin" - }, - "electrumAddCustomServer": "Aggiungi server personalizzato", - "@electrumAddCustomServer": { - "description": "Add custom server bottom sheet title" - }, - "psbtFlowClickSign": "Fare clic sul segno", - "@psbtFlowClickSign": { - "description": "Instruction to click sign button on device" - }, - "rbfSatsPerVbyte": "sats/vB", - "@rbfSatsPerVbyte": { - "description": "Unit label for fee rate input" - }, - "broadcastSignedTxDoneButton": "Fatto", - "@broadcastSignedTxDoneButton": { - "description": "Button to finish after successful broadcast" - }, - "sendRecommendedFee": "Consigliato: {rate} sat/vB", - "@sendRecommendedFee": { - "description": "Suggested fee rate", - "placeholders": { - "rate": { - "type": "String" - } - } - }, - "mempoolCustomServerUrl": "URL del server", - "@mempoolCustomServerUrl": { - "description": "Label for custom mempool server URL input field" - }, - "buyOrderAlreadyConfirmedError": "Questo ordine di acquisto è già stato confermato.", - "@buyOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed buy order" - }, - "fundExchangeArsBankTransferTitle": "Trasferimento bancario", - "@fundExchangeArsBankTransferTitle": { - "description": "Screen title for Argentina bank transfer" - }, - "transactionLabelReceiveAmount": "Ricevi l'importo", - "@transactionLabelReceiveAmount": { - "description": "Label for receive amount in swap details" - }, - "sendServerNetworkFees": "Tasse di rete del server", - "@sendServerNetworkFees": { - "description": "Label for Boltz server fees" - }, - "importWatchOnlyImport": "Importazioni", - "@importWatchOnlyImport": { - "description": "Button label to import watch-only wallet" - }, - "backupWalletBackupButton": "Backup", - "@backupWalletBackupButton": { - "description": "Button text to proceed with physical backup" - }, - "mempoolSettingsTitle": "Server Mempool", - "@mempoolSettingsTitle": { - "description": "Title for mempool settings screen" - }, - "recoverbullErrorVaultCreationFailed": "La creazione del vaso non è riuscita, può essere il file o la chiave", - "@recoverbullErrorVaultCreationFailed": { - "description": "Error message when overall vault creation fails" - }, - "sellSendPaymentFeePriority": "Priorità", - "@sellSendPaymentFeePriority": { - "description": "Field label for fee priority" - }, - "bitboxActionSignTransactionProcessing": "Transazione di firma", - "@bitboxActionSignTransactionProcessing": { - "description": "Processing text for sign transaction" - }, - "sellWalletBalance": "Equilibrio: {amount}", - "@sellWalletBalance": { - "description": "Shows available balance", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "recoverbullGoogleDriveNoBackupsFound": "Nessun backup trovato", - "@recoverbullGoogleDriveNoBackupsFound": { - "description": "Message displayed when no backups are found in Google Drive" - }, - "sellSelectNetwork": "Selezionare la rete", - "@sellSelectNetwork": { - "description": "Screen title for network selection" - }, - "sellSendPaymentOrderNumber": "Numero d'ordine", - "@sellSendPaymentOrderNumber": { - "description": "Field label for order number" - }, - "arkDust": "Polvere", - "@arkDust": { - "description": "Label for dust amount field" - }, - "dcaConfirmPaymentMethod": "Metodo di pagamento", - "@dcaConfirmPaymentMethod": { - "description": "Field label for payment method" - }, - "sellSendPaymentAdvanced": "Impostazioni avanzate", - "@sellSendPaymentAdvanced": { - "description": "Advanced settings button" - }, - "bitcoinSettingsImportWalletTitle": "Importa Wallet", - "@bitcoinSettingsImportWalletTitle": { - "description": "Title for the import wallet option in Bitcoin settings" - }, - "backupWalletErrorGoogleDriveConnection": "Non è riuscito a connettersi a Google Drive", - "@backupWalletErrorGoogleDriveConnection": { - "description": "Error when Google Drive connection fails" - }, - "payEnterInvoice": "Inserisci fattura", - "@payEnterInvoice": { - "description": "Placeholder text for invoice input field" - }, - "broadcastSignedTxPasteHint": "Incolla un PSBT o una transazione HEX", - "@broadcastSignedTxPasteHint": { - "description": "Hint text for paste input field" - }, - "transactionLabelAmountSent": "Importo inviato", - "@transactionLabelAmountSent": { - "description": "Label for sent amount" - }, - "testBackupPassphrase": "Passphrase", - "@testBackupPassphrase": { - "description": "Label for optional passphrase field" - }, - "arkSetupEnable": "Attiva Ark", - "@arkSetupEnable": { - "description": "Button to enable Ark" - }, - "walletDeletionErrorDefaultWallet": "Non è possibile eliminare un portafoglio predefinito.", - "@walletDeletionErrorDefaultWallet": { - "description": "Error message when attempting to delete a default wallet" - }, - "confirmTransferTitle": "Confermare il trasferimento", - "@confirmTransferTitle": { - "description": "Title for confirmation screen when transferring between wallets" - }, - "payFeeBreakdown": "Ripartizione delle quote", - "@payFeeBreakdown": { - "description": "Section header for detailed fee information" - }, - "coreSwapsLnSendPaid": "La fattura sarà pagata dopo la conferma del pagamento.", - "@coreSwapsLnSendPaid": { - "description": "Status message for paid Lightning send swap" - }, - "fundExchangeCrBankTransferDescription2": ". I fondi saranno aggiunti al saldo del tuo conto.", - "@fundExchangeCrBankTransferDescription2": { - "description": "Second part of Costa Rica bank transfer description" - }, - "sellAmount": "Importo da vendere", - "@sellAmount": { - "description": "Label for Bitcoin amount input" - }, - "transactionLabelSwapStatus": "Stato Swap", - "@transactionLabelSwapStatus": { - "description": "Label for swap status" - }, - "walletDeletionConfirmationCancelButton": "Annulla", - "@walletDeletionConfirmationCancelButton": { - "description": "Cancel button label in wallet deletion confirmation dialog" - }, - "ledgerErrorDeviceLocked": "Il dispositivo Ledger è bloccato. Si prega di sbloccare il dispositivo e riprovare.", - "@ledgerErrorDeviceLocked": { - "description": "Error message when Ledger device is locked (error code 5515)" - }, - "importQrDeviceSeedsignerStep5": "Scegliere \"Single Sig\", quindi selezionare il tipo di script preferito (scegliere Segwit nativo se non sicuro).", - "@importQrDeviceSeedsignerStep5": { - "description": "SeedSigner instruction step 5" - }, - "recoverbullRecoveryErrorWalletMismatch": "Esiste già un portafoglio predefinito diverso. Puoi avere solo un portafoglio predefinito.", - "@recoverbullRecoveryErrorWalletMismatch": { - "description": "Error when different default wallet already exists" - }, - "payNoRecipientsFound": "Nessun destinatario trovato a pagare.", - "@payNoRecipientsFound": { - "description": "Message when no recipients found" - }, - "payNoInvoiceData": "Nessun dato di fattura disponibile", - "@payNoInvoiceData": { - "description": "Message when no invoice data available" - }, - "recoverbullErrorInvalidCredentials": "Password sbagliata per questo file di backup", - "@recoverbullErrorInvalidCredentials": { - "description": "Error message when wrong password is entered for vault" - }, - "paySinpeMonto": "Importo", - "@paySinpeMonto": { - "description": "Label for amount in SINPE order details" - }, - "arkDurationSeconds": "{seconds} secondi", - "@arkDurationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "String" - } - } - }, - "receiveCopyOrScanAddressOnly": "Solo indirizzo di copia o di scansione", - "@receiveCopyOrScanAddressOnly": { - "description": "Option to copy or scan only the address without amount or other details" - }, - "transactionDetailAccelerate": "Accelerare", - "@transactionDetailAccelerate": { - "description": "Button label for accelerating (RBF) an unconfirmed transaction" - }, - "importQrDevicePassportStep11": "Inserisci un'etichetta per il tuo portafoglio Passport e tocca \"Import\"", - "@importQrDevicePassportStep11": { - "description": "Passport instruction step 11" - }, - "fundExchangeJurisdictionCanada": "🇨🇦 Canada", - "@fundExchangeJurisdictionCanada": { - "description": "Dropdown option for Canada jurisdiction" - }, - "withdrawBelowMinAmountError": "Stai cercando di ritirarti sotto l'importo minimo.", - "@withdrawBelowMinAmountError": { - "description": "Error message for amount below minimum during withdraw" - }, - "recoverbullTransactions": "Transazioni: {count}", - "@recoverbullTransactions": { - "description": "Label showing transaction count during vault recovery", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "swapYouPay": "Paga", - "@swapYouPay": { - "description": "Label in swap card for payment amount" - }, - "encryptedVaultTitle": "Criptato", - "@encryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, - "fundExchangeCrIbanUsdLabelIban": "Numero conto IBAN (solo dollari USA)", - "@fundExchangeCrIbanUsdLabelIban": { - "description": "Label for IBAN number field for USD only" - }, - "chooseAccessPinTitle": "Scegli l'accesso {pinOrPassword}", - "@chooseAccessPinTitle": { - "description": "Title for choosing access PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "importWalletSeedSigner": "SeedSigner", - "@importWalletSeedSigner": { - "description": "Button label for SeedSigner hardware wallet" - }, - "featureComingSoonTitle": "Caratteristica che arriva presto", - "@featureComingSoonTitle": { - "description": "Title for coming soon bottom sheet" - }, - "swapProgressRefundInProgress": "Rimborso di trasferimento in corso", - "@swapProgressRefundInProgress": { - "description": "Refund in progress status" - }, - "transactionDetailLabelPayjoinExpired": "Scadenza", - "@transactionDetailLabelPayjoinExpired": { - "description": "Payjoin expired status" - }, - "payBillerName": "Nome Biller", - "@payBillerName": { - "description": "Label for biller name field" - }, - "transactionSwapProgressCompleted": "Completato", - "@transactionSwapProgressCompleted": { - "description": "Swap progress step: completed" - }, - "sendErrorBitcoinWalletRequired": "Il portafoglio Bitcoin deve essere utilizzato per un bitcoin per uno swap fulmine", - "@sendErrorBitcoinWalletRequired": { - "description": "Error when wrong wallet type used for Bitcoin to Lightning swap" - }, - "pinCodeManageTitle": "Gestione del PIN di sicurezza", - "@pinCodeManageTitle": { - "description": "Header title for PIN management section" - }, - "buyConfirmBitcoinPrice": "Bitcoin Prezzo", - "@buyConfirmBitcoinPrice": { - "description": "Field label for Bitcoin price" - }, - "arkUnifiedAddressCopied": "Indirizzo unificato copiato", - "@arkUnifiedAddressCopied": { - "description": "SnackBar message when unified address is copied to clipboard" - }, - "transactionSwapDescLnSendCompleted": "Il pagamento Lightning è stato inviato con successo! Il tuo swap è ora completo.", - "@transactionSwapDescLnSendCompleted": { - "description": "Description for completed Lightning send swap" - }, - "exchangeDcaCancelDialogCancelButton": "Annulla", - "@exchangeDcaCancelDialogCancelButton": { - "description": "Button label to cancel the DCA cancellation dialog" - }, - "sellOrderAlreadyConfirmedError": "Questo ordine di vendita è già stato confermato.", - "@sellOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed order" - }, - "paySinpeEnviado": "SINPE ENVIADO!", - "@paySinpeEnviado": { - "description": "Success message for SINPE payment (Spanish, kept as is)" - }, - "withdrawConfirmPhone": "Telefono", - "@withdrawConfirmPhone": { - "description": "Field label for phone number" - }, - "payNoDetailsAvailable": "Nessun dettaglio disponibile", - "@payNoDetailsAvailable": { - "description": "Message when recipient details not available" - }, - "allSeedViewOldWallets": "Portafogli vecchi ({count})", - "@allSeedViewOldWallets": { - "description": "Section header for old wallets with count", - "placeholders": { - "count": { - "type": "int", - "format": "decimalPattern" - } - } - }, - "sellOrderPlaced": "Ordine di vendita effettuato con successo", - "@sellOrderPlaced": { - "description": "Success message after order submission" - }, - "buyInsufficientFundsError": "Fondi insufficienti nel tuo conto Bull Bitcoin per completare questo ordine di acquisto.", - "@buyInsufficientFundsError": { - "description": "Error message for insufficient funds during buy" - }, - "ledgerHelpStep4": "Assicurati di aver installato l'ultima versione dell'app Bitcoin da Ledger Live.", - "@ledgerHelpStep4": { - "description": "Fourth troubleshooting step for Ledger connection issues" - }, - "recoverbullPleaseWait": "Si prega di aspettare mentre creiamo una connessione sicura...", - "@recoverbullPleaseWait": { - "description": "Message shown during connection establishment" - }, - "broadcastSignedTxBroadcast": "Trasmissione", - "@broadcastSignedTxBroadcast": { - "description": "Button to broadcast signed transaction" - }, - "lastKnownEncryptedVault": "Ultimo noto crittografato Vault: {date}", - "@lastKnownEncryptedVault": { - "description": "Label showing last known encrypted vault date", - "placeholders": { - "date": { - "type": "String", - "example": "2025-01-20 15:30:45" - } - } - }, - "fundExchangeInfoTransferCode": "È necessario aggiungere il codice di trasferimento come \"message\" o \"reason\" quando si effettua il pagamento.", - "@fundExchangeInfoTransferCode": { - "description": "Info card message about transfer code importance" - }, - "hwChooseDevice": "Scegliere il portafoglio hardware che si desidera collegare", - "@hwChooseDevice": { - "description": "Instruction text for hardware wallet selection" - }, - "transactionListNoTransactions": "Ancora nessuna operazione.", - "@transactionListNoTransactions": { - "description": "Message displayed when there are no transactions" - }, - "torSettingsConnectionStatus": "Stato di connessione", - "@torSettingsConnectionStatus": { - "description": "Title for connection status card" - }, - "backupInstruction1": "Se si perde il backup di 12 parole, non sarà in grado di recuperare l'accesso al portafoglio Bitcoin.", - "@backupInstruction1": { - "description": "First backup instruction warning about losing 12 word backup" - }, - "sendErrorInvalidAddressOrInvoice": "Invalid Bitcoin Indirizzo di pagamento o fattura", - "@sendErrorInvalidAddressOrInvoice": { - "description": "Error when payment request is invalid" - }, - "transactionLabelAmountReceived": "Importo ricevuto", - "@transactionLabelAmountReceived": { - "description": "Label for received amount" - }, - "recoverbullRecoveryTitle": "Ripristino del caveau", - "@recoverbullRecoveryTitle": { - "description": "AppBar title for vault recovery screen" - }, - "broadcastSignedTxScanQR": "Scansiona il codice QR dal tuo portafoglio hardware", - "@broadcastSignedTxScanQR": { - "description": "Instruction to scan signed PSBT QR code" - }, - "transactionStatusTransferInProgress": "Trasferimenti in corso", - "@transactionStatusTransferInProgress": { - "description": "Status label for transfers in progress" - }, - "ledgerSuccessSignDescription": "La tua transazione è stata firmata con successo.", - "@ledgerSuccessSignDescription": { - "description": "Success message description after signing transaction with Ledger" - }, - "exchangeSupportChatMessageRequired": "È necessario un messaggio", - "@exchangeSupportChatMessageRequired": { - "description": "Placeholder text when attachments are present but no message text" - }, - "buyEstimatedFeeValue": "Valore di quota stimato", - "@buyEstimatedFeeValue": { - "description": "Label for estimated fee value in fiat" - }, - "payName": "Nome", - "@payName": { - "description": "Label for name field" - }, - "sendSignWithBitBox": "Firma con BitBox", - "@sendSignWithBitBox": { - "description": "Button to sign transaction with BitBox hardware wallet" - }, - "sendSwapRefundInProgress": "Rimborso Swap in progresso", - "@sendSwapRefundInProgress": { - "description": "Title when swap failed and refund is processing" - }, - "exchangeKycLimited": "Limitazioni", - "@exchangeKycLimited": { - "description": "Limited KYC level label" - }, - "backupWalletHowToDecideVaultCustomRecommendationText": "si è sicuri che non perderà il file del vault e sarà ancora accessibile se si perde il telefono.", - "@backupWalletHowToDecideVaultCustomRecommendationText": { - "description": "Recommendation text for when to use custom location" - }, - "swapErrorAmountBelowMinimum": "L'importo di swap è inferiore: {min} sats", - "@swapErrorAmountBelowMinimum": { - "description": "Error shown when amount is below minimum", - "placeholders": { - "min": { - "type": "String" - } - } - }, - "settingsGithubLabel": "Github", - "@settingsGithubLabel": { - "description": "Label for the Github link in settings" - }, - "sellTransactionFee": "Costo di transazione", - "@sellTransactionFee": { - "description": "Label for Bitcoin network fee" - }, - "coldcardStep5": "Se hai problemi di scansione:", - "@coldcardStep5": { - "description": "Coldcard troubleshooting header" - }, - "buyExpressWithdrawal": "Ritiro espresso", - "@buyExpressWithdrawal": { - "description": "Fast withdrawal option" - }, - "payPaymentConfirmed": "Pagamento confermato", - "@payPaymentConfirmed": { - "description": "Status message for confirmed payment" - }, - "transactionOrderLabelOrderNumber": "Numero d'ordine", - "@transactionOrderLabelOrderNumber": { - "description": "Label for order number" - }, - "buyEnterAmount": "Inserisci l'importo", - "@buyEnterAmount": { - "description": "Label for amount input field in buy flow" - }, - "sellShowQrCode": "Mostra il codice QR", - "@sellShowQrCode": { - "description": "Button to show QR code" - }, - "receiveConfirmed": "Confermato", - "@receiveConfirmed": { - "description": "Status when fully confirmed" - }, - "walletOptionsWalletDetailsTitle": "Dettagli del portafoglio", - "@walletOptionsWalletDetailsTitle": { - "description": "Title for the wallet details screen" - }, - "sellSecureBitcoinWallet": "Portafoglio sicuro Bitcoin", - "@sellSecureBitcoinWallet": { - "description": "Display text for secure Bitcoin wallet" - }, - "ledgerWalletTypeLegacy": "Legacy (BIP44)", - "@ledgerWalletTypeLegacy": { - "description": "Display name for Legacy wallet type (BIP44)" - }, - "transactionDetailTransferProgress": "Trasferimenti", - "@transactionDetailTransferProgress": { - "description": "Title for ongoing transfer details" - }, - "sendNormalFee": "Normale", - "@sendNormalFee": { - "description": "Standard fee tier" - }, - "importWalletConnectHardware": "Collegare il portafoglio hardware", - "@importWalletConnectHardware": { - "description": "Button to connect hardware wallet" - }, - "importWatchOnlyType": "Tipo", - "@importWatchOnlyType": { - "description": "Label for wallet script type field" - }, - "transactionDetailLabelPayinAmount": "Importo del pagamento", - "@transactionDetailLabelPayinAmount": { - "description": "Label for payin amount" - }, - "importWalletSectionHardware": "Portafogli hardware", - "@importWalletSectionHardware": { - "description": "Section header for hardware wallet types" - }, - "connectHardwareWalletDescription": "Scegliere il portafoglio hardware che si desidera collegare", - "@connectHardwareWalletDescription": { - "description": "Description text on connect hardware wallet page" - }, - "sendEstimatedDelivery10Minutes": "10 minuti", - "@sendEstimatedDelivery10Minutes": { - "description": "Estimated delivery time of approximately 10 minutes" - }, - "enterPinToContinueMessage": "Inserisci il tuo {pinOrPassword} per continuare", - "@enterPinToContinueMessage": { - "description": "Message prompting user to enter PIN/password to continue", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "swapTransferFrom": "Transfer da", - "@swapTransferFrom": { - "description": "Label for source wallet dropdown" - }, - "errorSharingLogsMessage": "Log di condivisione degli errori: {error}", - "@errorSharingLogsMessage": { - "description": "Error message when log sharing fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payShowQrCode": "Mostra il codice QR", - "@payShowQrCode": { - "description": "Button to show QR code" - }, - "onboardingRecoverWalletButtonLabel": "Recuperare portafoglio", - "@onboardingRecoverWalletButtonLabel": { - "description": "The label for the button to recover a wallet from the onboarding screen" - }, - "torSettingsPortValidationEmpty": "Inserisci un numero di porta", - "@torSettingsPortValidationEmpty": { - "description": "Validation error when port is empty" - }, - "ledgerHelpStep1": "Riavviare il dispositivo Ledger.", - "@ledgerHelpStep1": { - "description": "First troubleshooting step for Ledger connection issues" - }, - "swapAvailableBalance": "Bilancio disponibile", - "@swapAvailableBalance": { - "description": "Available balance label" - }, - "fundExchangeCrIbanCrcLabelPaymentDescription": "Descrizione del pagamento", - "@fundExchangeCrIbanCrcLabelPaymentDescription": { - "description": "Label for payment description field in CR IBAN transfer" - }, - "walletTypeWatchSigner": "Guarda-Signer", - "@walletTypeWatchSigner": { - "description": "Wallet type label for watch-signer wallets" - }, - "settingsWalletBackupTitle": "Portafoglio di riserva", - "@settingsWalletBackupTitle": { - "description": "Title for the wallet backup section in the settings menu" - }, - "ledgerConnectingSubtext": "Stabilire un collegamento sicuro...", - "@ledgerConnectingSubtext": { - "description": "Subtext shown while connecting to Ledger" - }, - "transactionError": "Errore - {error}", - "@transactionError": { - "description": "Error message displayed when transaction loading fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "electrumPrivacyNoticeCancel": "Annulla", - "@electrumPrivacyNoticeCancel": { - "description": "Cancel button in privacy notice dialog" - }, - "coreSwapsLnSendPending": "Swap non è ancora inizializzato.", - "@coreSwapsLnSendPending": { - "description": "Status message for pending Lightning send swap" - }, - "recoverbullVaultCreatedSuccess": "Vault creato con successo", - "@recoverbullVaultCreatedSuccess": { - "description": "Success message after vault creation" - }, - "payAmount": "Importo", - "@payAmount": { - "description": "Label for amount" - }, - "sellMaximumAmount": "Importo massimo di vendita: {amount}", - "@sellMaximumAmount": { - "description": "Error for amount above maximum", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellViewDetailsButton": "Visualizza dettagli", - "@sellViewDetailsButton": { - "description": "Button text to view order details" - }, - "receiveGenerateInvoice": "Fatturato", - "@receiveGenerateInvoice": { - "description": "Button to create Lightning invoice" - }, - "kruxStep8": " - Spostare il laser rosso su e giù sul codice QR", - "@kruxStep8": { - "description": "Krux troubleshooting tip 2" - }, - "coreScreensFeeDeductionExplanation": "Questa è la quota totale detratta dall'importo inviato", - "@coreScreensFeeDeductionExplanation": { - "description": "Explanation text for fee deduction" - }, - "transactionSwapProgressInitiated": "Iniziato", - "@transactionSwapProgressInitiated": { - "description": "Swap progress step: initiated" - }, - "fundExchangeTitle": "Finanziamenti", - "@fundExchangeTitle": { - "description": "AppBar title for funding screen" - }, - "dcaNetworkValidationError": "Seleziona una rete", - "@dcaNetworkValidationError": { - "description": "Form validation error when no network is selected" - }, - "coldcardStep12": "Fare clic su \"Ho chiuso\" nel portafoglio Bull Bitcoin.", - "@coldcardStep12": { - "description": "Coldcard instruction to return to app" - }, - "autoswapAlwaysBlockDisabledInfo": "Quando disattivato, ti verrà data l'opzione per consentire un auto-trasferimento che è bloccato a causa di alti costi", - "@autoswapAlwaysBlockDisabledInfo": { - "description": "Info text when always block is disabled" - }, - "bip85Index": "Indice: {index}", - "@bip85Index": { - "description": "Shows derivation index", - "placeholders": { - "index": { - "type": "int" - } - } - }, - "broadcastSignedTxPageTitle": "Transazione firmata Broadcast", - "@broadcastSignedTxPageTitle": { - "description": "Page title for broadcast signed transaction screen" - }, - "sendInsufficientBalance": "Bilancio insufficiente", - "@sendInsufficientBalance": { - "description": "Error message when the wallet has insufficient balance to send" - }, - "paySecurityAnswer": "Risposta di sicurezza", - "@paySecurityAnswer": { - "description": "Label for security answer field" - }, - "walletArkInstantPayments": "Pagamenti istantanei", - "@walletArkInstantPayments": { - "description": "Title for Ark wallet card" - }, - "passwordLabel": "Password", - "@passwordLabel": { - "description": "Label for password input field" - }, - "importQrDeviceError": "Non importare il portafoglio", - "@importQrDeviceError": { - "description": "Error message when import fails" - }, - "onboardingSplashDescription": "Sovrano auto custodia portafoglio Bitcoin e servizio di cambio solo Bitcoin.", - "@onboardingSplashDescription": { - "description": "Description of the app displayed in onboarding splash screen" - }, - "statusCheckOffline": "Offline", - "@statusCheckOffline": { - "description": "Status text when a service is offline" - }, - "fundExchangeCrIbanCrcDescriptionEnd": ". I fondi saranno aggiunti al saldo del tuo conto.", - "@fundExchangeCrIbanCrcDescriptionEnd": { - "description": "End of description for CR IBAN CRC transfer" - }, - "payAccount": "Account", - "@payAccount": { - "description": "Label for account details" - }, - "testBackupGoogleDrivePrivacyPart2": "non lo farà ", - "@testBackupGoogleDrivePrivacyPart2": { - "description": "Second part (emphasized) of privacy message" - }, - "buyCompleteKyc": "Completa KYC", - "@buyCompleteKyc": { - "description": "Button to complete KYC verification" - }, - "vaultSuccessfullyImported": "La tua cassaforte e' stata importata con successo", - "@vaultSuccessfullyImported": { - "description": "Message shown when vault is imported successfully" - }, - "payAccountNumberHint": "Inserisci il numero di account", - "@payAccountNumberHint": { - "description": "Hint for account number input" - }, - "buyOrderNotFoundError": "L'ordine di acquisto non è stato trovato. Per favore riprovate.", - "@buyOrderNotFoundError": { - "description": "Error message for order not found during buy" - }, - "backupWalletGoogleDrivePrivacyMessage2": "non lo farà ", - "@backupWalletGoogleDrivePrivacyMessage2": { - "description": "Second part of privacy message (bold)" - }, - "payAddressRequired": "Indirizzo è richiesto", - "@payAddressRequired": { - "description": "Validation error for empty address field" - }, - "arkTransactionDetails": "Dettagli di transazione", - "@arkTransactionDetails": { - "description": "AppBar title for transaction details page" - }, - "payTotalAmount": "Importo totale", - "@payTotalAmount": { - "description": "Label for sum of all payment amounts" - }, - "exchangeLegacyTransactionsTitle": "Transazioni legacy", - "@exchangeLegacyTransactionsTitle": { - "description": "Title for the legacy transactions section in exchange" - }, - "autoswapWarningDontShowAgain": "Non mostrare di nuovo questo avvertimento.", - "@autoswapWarningDontShowAgain": { - "description": "Checkbox label for dismissing the autoswap warning" - }, - "sellInsufficientBalance": "Bilancio portafoglio insufficiente", - "@sellInsufficientBalance": { - "description": "Error when wallet lacks funds" - }, - "recoverWalletButton": "Recuperare Wallet", - "@recoverWalletButton": { - "description": "Button label to recover wallet" - }, - "mempoolCustomServerDeleteMessage": "Sei sicuro di voler eliminare questo server mempool personalizzato? Il server predefinito verrà utilizzato invece.", - "@mempoolCustomServerDeleteMessage": { - "description": "Message for delete custom server confirmation dialog" - }, - "coldcardStep6": " - Aumentare la luminosità dello schermo sul dispositivo", - "@coldcardStep6": { - "description": "Coldcard troubleshooting tip 1" - }, - "exchangeAppSettingsValidationWarning": "Si prega di impostare le preferenze di lingua e valuta prima di salvare.", - "@exchangeAppSettingsValidationWarning": { - "description": "Warning message when language and currency preferences are not both set" - }, - "sellCashPickup": "Ritiro dei contanti", - "@sellCashPickup": { - "description": "Option for in-person cash" - }, - "coreSwapsLnReceivePaid": "Il creditore ha pagato la fattura.", - "@coreSwapsLnReceivePaid": { - "description": "Status message for paid Lightning receive swap" - }, - "payInProgress": "Pagamento in corso!", - "@payInProgress": { - "description": "Title for payment in progress screen" - }, - "recoverbullRecoveryErrorKeyDerivationFailed": "La derivazione della chiave di backup locale è fallita.", - "@recoverbullRecoveryErrorKeyDerivationFailed": { - "description": "Error when app fails to derive backup encryption key" - }, - "swapValidationInsufficientBalance": "Bilancio insufficiente", - "@swapValidationInsufficientBalance": { - "description": "Validation error when amount exceeds wallet balance" - }, - "transactionLabelFromWallet": "Dal portafoglio", - "@transactionLabelFromWallet": { - "description": "Label for source wallet" - }, - "recoverbullErrorRateLimited": "Tasso limitato. Si prega di riprovare in {retryIn}", - "@recoverbullErrorRateLimited": { - "description": "Error message when rate limited by the server", - "placeholders": { - "retryIn": { - "type": "String" - } - } - }, - "importWatchOnlyExtendedPublicKey": "Pubblico esteso chiave", - "@importWatchOnlyExtendedPublicKey": { - "description": "Label for extended public key (xpub/ypub/zpub) display" - }, - "autoswapAlwaysBlock": "Bloccare sempre le tasse", - "@autoswapAlwaysBlock": { - "description": "Toggle label for always block high fees" - }, - "walletDeletionConfirmationTitle": "Elimina Wallet", - "@walletDeletionConfirmationTitle": { - "description": "Title for the wallet deletion confirmation dialog" - }, - "sendNetworkFees": "Tasse di rete", - "@sendNetworkFees": { - "description": "Label for network transaction fees" - }, - "mempoolNetworkBitcoinMainnet": "Bitcoin Mainnet", - "@mempoolNetworkBitcoinMainnet": { - "description": "Label for Bitcoin Mainnet network" - }, - "paySinpeOrigen": "Origine", - "@paySinpeOrigen": { - "description": "Label for origin in SINPE details" - }, - "networkFeeLabel": "Costo di rete", - "@networkFeeLabel": { - "description": "Breakdown component showing network fee portion" - }, - "recoverbullMemorizeWarning": "È necessario memorizzare questo {inputType} per recuperare l'accesso al portafoglio. Deve essere di almeno 6 cifre. Se perdi questo {inputType} non puoi recuperare il backup.", - "@recoverbullMemorizeWarning": { - "description": "Warning message about memorizing PIN or password", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "kruxStep15": "La transazione verrà importata nel portafoglio Bull Bitcoin.", - "@kruxStep15": { - "description": "Krux instruction about import completion" - }, - "fundExchangeETransferLabelSecretQuestion": "Domanda segreta", - "@fundExchangeETransferLabelSecretQuestion": { - "description": "Label for E-transfer security question" - }, - "importColdcardButtonPurchase": "Dispositivo di acquisto", - "@importColdcardButtonPurchase": { - "description": "ImportColdcardQ: Button to navigate to Coinkite store" - }, - "jadeStep15": "Ora è pronto a trasmettere! Non appena si fa clic sulla trasmissione, la transazione verrà pubblicata sulla rete Bitcoin e i fondi saranno inviati.", - "@jadeStep15": { - "description": "Jade final instruction about broadcasting" - }, - "confirmButton": "Conferma", - "@confirmButton": { - "description": "Button label to confirm action" - }, - "transactionSwapInfoClaimableTransfer": "Il trasferimento sarà completato automaticamente entro pochi secondi. In caso contrario, è possibile provare un reclamo manuale facendo clic sul pulsante \"Retry Transfer Claim\".", - "@transactionSwapInfoClaimableTransfer": { - "description": "Additional info for claimable transfers" - }, - "payActualFee": "Quota effettiva", - "@payActualFee": { - "description": "Label for actual fee paid after transaction" - }, - "electrumValidateDomain": "Convalida dominio", - "@electrumValidateDomain": { - "description": "Validate Domain switch label in advanced options" - }, - "importQrDeviceJadeFirmwareWarning": "Assicurarsi che il dispositivo sia aggiornato al firmware più recente", - "@importQrDeviceJadeFirmwareWarning": { - "description": "Warning message to update Jade firmware" - }, - "arkPreconfirmed": "Confermato", - "@arkPreconfirmed": { - "description": "Label for preconfirmed balance in Ark balance breakdown" - }, - "recoverbullSelectFileNotSelectedError": "File non selezionato", - "@recoverbullSelectFileNotSelectedError": { - "description": "Error when user cancels file selection" - }, - "arkDurationDay": "{days} giorno", - "@arkDurationDay": { - "description": "Duration format for singular day", - "placeholders": { - "days": { - "type": "String" - } - } - }, - "arkSendButton": "Invia", - "@arkSendButton": { - "description": "Bottom button to navigate to send page" - }, - "buyInputContinue": "Continua", - "@buyInputContinue": { - "description": "Continue button on buy input" - }, - "fundExchangeMethodSpeiTransferSubtitle": "Trasferire fondi utilizzando il CLABE", - "@fundExchangeMethodSpeiTransferSubtitle": { - "description": "Subtitle for SPEI transfer payment method" - }, - "importQrDeviceJadeStep3": "Seguire le istruzioni del dispositivo per sbloccare il Jade", - "@importQrDeviceJadeStep3": { - "description": "Jade instruction step 3" - }, - "paySecurityQuestionLengthError": "Deve essere 10-40 caratteri", - "@paySecurityQuestionLengthError": { - "description": "Error for invalid security question length" - }, - "sendSigningFailed": "La firma fallita", - "@sendSigningFailed": { - "description": "Error during hardware wallet signing" - }, - "bitboxErrorDeviceNotPaired": "Dispositivo non accoppiato. Si prega di completare il processo di accoppiamento prima.", - "@bitboxErrorDeviceNotPaired": { - "description": "Error when BitBox device is not paired" - }, - "transferIdLabel": "ID trasferimento", - "@transferIdLabel": { - "description": "Label for swap transfer ID" - }, - "paySelectActiveWallet": "Seleziona un portafoglio", - "@paySelectActiveWallet": { - "description": "Prompt to choose a wallet" - }, - "arkDurationHours": "{hours} ore", - "@arkDurationHours": { - "description": "Duration format for plural hours", - "placeholders": { - "hours": { - "type": "String" - } - } - }, - "transcribeLabel": "Trascrizione", - "@transcribeLabel": { - "description": "Label indicating user should transcribe the words" - }, - "pinCodeProcessing": "Trattamento", - "@pinCodeProcessing": { - "description": "Status screen title while processing PIN changes" - }, - "transactionDetailLabelRefunded": "Rimborso", - "@transactionDetailLabelRefunded": { - "description": "Label for refunded status" - }, - "dcaFrequencyHourly": "ora", - "@dcaFrequencyHourly": { - "description": "Hourly DCA frequency" - }, - "swapValidationSelectFromWallet": "Selezionare un portafoglio da trasferire", - "@swapValidationSelectFromWallet": { - "description": "Validation error when no source wallet selected" - }, - "sendSwapInitiated": "Swap Iniziato", - "@sendSwapInitiated": { - "description": "Title when chain swap begins" - }, - "backupSettingsKeyWarningMessage": "E 'criticamente importante che non salvare la chiave di backup nello stesso luogo in cui si salva il file di backup. Conservare sempre su dispositivi separati o fornitori di cloud separati.", - "@backupSettingsKeyWarningMessage": { - "description": "Detailed warning about storing backup key separately" - }, - "recoverbullEnterToTest": "Inserisci il tuo {inputType} per testare la tua cassaforte.", - "@recoverbullEnterToTest": { - "description": "Instruction to enter PIN or password to test vault recovery", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "fundExchangeCrBankTransferDescription1": "Invia un bonifico bancario dal tuo conto bancario utilizzando i dettagli qui sotto ", - "@fundExchangeCrBankTransferDescription1": { - "description": "First part of Costa Rica bank transfer description" - }, - "transactionNoteSaveButton": "Salva", - "@transactionNoteSaveButton": { - "description": "Button label to save a note" - }, - "fundExchangeHelpBeneficiaryName": "Usa il nostro nome ufficiale. Non usare \"Bull Bitcoin\".", - "@fundExchangeHelpBeneficiaryName": { - "description": "Help text for beneficiary name field" - }, - "payRecipientType": "Tipo sensibile", - "@payRecipientType": { - "description": "Label for recipient type" - }, - "sellOrderCompleted": "Ordine completato!", - "@sellOrderCompleted": { - "description": "Success message for completed order" - }, - "importQrDeviceSpecterStep10": "Inserisci un'etichetta per il tuo portafoglio Specter e tocca Import", - "@importQrDeviceSpecterStep10": { - "description": "Specter instruction step 10" - }, - "recoverbullSelectVaultSelected": "Vault Selezionato", - "@recoverbullSelectVaultSelected": { - "description": "AppBar title shown after vault has been selected" - }, - "dcaWalletTypeBitcoin": "Bitcoin (BTC)", - "@dcaWalletTypeBitcoin": { - "description": "Radio button option for Bitcoin wallet" - }, - "payNoPayments": "Nessun pagamento", - "@payNoPayments": { - "description": "Empty state message" - }, - "onboardingEncryptedVault": "Criptato", - "@onboardingEncryptedVault": { - "description": "Title for the encrypted vault recovery option in onboarding" - }, - "exchangeAccountInfoTitle": "Informazioni sull'account", - "@exchangeAccountInfoTitle": { - "description": "Title for the account information section" - }, - "exchangeDcaActivateTitle": "Attivare l'acquisto ricorrente", - "@exchangeDcaActivateTitle": { - "description": "Title shown when DCA is inactive and can be activated" - }, - "buyConfirmationTime": "Tempo di conferma", - "@buyConfirmationTime": { - "description": "Label for estimated confirmation time" - }, - "encryptedVaultRecommendation": "Criptato: ", - "@encryptedVaultRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, - "payLightningInvoice": "Fattura di fulmine", - "@payLightningInvoice": { - "description": "Label indicating invoice type is Lightning Network" - }, - "transactionOrderLabelPayoutAmount": "Importo di pagamento", - "@transactionOrderLabelPayoutAmount": { - "description": "Label for order payout amount" - }, - "recoverbullSelectEnterBackupKeyManually": "Inserisci la chiave di backup manualmente > >", - "@recoverbullSelectEnterBackupKeyManually": { - "description": "Button text to manually enter backup key" - }, - "exportingVaultButton": "Esportazione...", - "@exportingVaultButton": { - "description": "Button label shown while exporting vault" - }, - "payCoinjoinInProgress": "CoinJoin in corso...", - "@payCoinjoinInProgress": { - "description": "Status during CoinJoin process" - }, - "testBackupAllWordsSelected": "Hai selezionato tutte le parole", - "@testBackupAllWordsSelected": { - "description": "Message shown when user has selected all 12 words" - }, - "ledgerProcessingImportSubtext": "Impostare il portafoglio solo orologio...", - "@ledgerProcessingImportSubtext": { - "description": "Processing subtext shown while importing Ledger wallet" - }, - "digitalCopyLabel": "Copia digitale", - "@digitalCopyLabel": { - "description": "Label for digital copy (with X mark)" - }, - "receiveNewAddress": "Nuovo indirizzo", - "@receiveNewAddress": { - "description": "Button label for generating a new receive address" - }, - "arkAmount": "Importo", - "@arkAmount": { - "description": "Label for transaction amount field in details table" - }, - "fundExchangeWarningTactic7": "Ti dicono di non preoccuparti di questo avvertimento", - "@fundExchangeWarningTactic7": { - "description": "Seventh scammer tactic warning" - }, - "importQrDeviceSpecterStep1": "Potenza sul dispositivo Specter", - "@importQrDeviceSpecterStep1": { - "description": "Specter instruction step 1" - }, - "transactionNoteAddTitle": "Aggiungi nota", - "@transactionNoteAddTitle": { - "description": "Title for add note dialog" - }, - "paySecurityAnswerHint": "Inserisci la risposta di sicurezza", - "@paySecurityAnswerHint": { - "description": "Hint for security answer input" - }, - "bitboxActionImportWalletTitle": "Importazione Portafoglio BitBox", - "@bitboxActionImportWalletTitle": { - "description": "Title for import wallet action" - }, - "backupSettingsError": "Errore", - "@backupSettingsError": { - "description": "Header text for error message display" - }, - "exchangeFeatureCustomerSupport": "• Chat con il supporto clienti", - "@exchangeFeatureCustomerSupport": { - "description": "Feature bullet point describing customer support chat feature" - }, - "sellPleasePayInvoice": "Si prega di pagare questa fattura", - "@sellPleasePayInvoice": { - "description": "Title for receive payment screen" - }, - "fundExchangeMethodCanadaPost": "In persona in contanti o addebito al Canada Post", - "@fundExchangeMethodCanadaPost": { - "description": "Payment method: In-person at Canada Post" - }, - "payInvoiceDecoded": "Fattura decodificata con successo", - "@payInvoiceDecoded": { - "description": "Success message after decoding" - }, - "coreScreensAmountLabel": "Importo", - "@coreScreensAmountLabel": { - "description": "Label for amount field" - }, - "receiveSwapId": "ID Swap", - "@receiveSwapId": { - "description": "Label for the swap identifier in a receive transaction" - }, - "transactionLabelCompletedAt": "Completato a", - "@transactionLabelCompletedAt": { - "description": "Label for completion timestamp" - }, - "pinCodeCreateTitle": "Crea nuovo pin", - "@pinCodeCreateTitle": { - "description": "Title for creating a new PIN code" - }, - "swapTransferRefundInProgressTitle": "Rimborso di trasferimento in corso", - "@swapTransferRefundInProgressTitle": { - "description": "Title when swap is being refunded" - }, - "swapYouReceive": "Hai ricevuto", - "@swapYouReceive": { - "description": "Label in swap card for receiving amount" - }, - "recoverbullSelectCustomLocationProvider": "Posizione personalizzata", - "@recoverbullSelectCustomLocationProvider": { - "description": "Name label for custom location backup provider option" - }, - "electrumInvalidRetryError": "Invalid Retry Valore di conteggio: {value}", - "@electrumInvalidRetryError": { - "description": "Error message for invalid Retry Count value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "paySelectNetwork": "Selezionare la rete", - "@paySelectNetwork": { - "description": "Screen title for network selection" - }, - "informationWillNotLeave": "Queste informazioni ", - "@informationWillNotLeave": { - "description": "First part of privacy assurance message" - }, - "backupWalletInstructionSecurityRisk": "Chiunque abbia accesso al backup di 12 parole può rubare i bitcoin. Nascondilo bene.", - "@backupWalletInstructionSecurityRisk": { - "description": "Security warning about protecting backup from theft" - }, - "sellCadBalance": "CAD Bilancio", - "@sellCadBalance": { - "description": "Display text for CAD balance payout method" - }, - "doNotShareWarning": "NON CONDIVIDI CON NESSUNO", - "@doNotShareWarning": { - "description": "Warning to not share recovery phrase with anyone" - }, - "torSettingsPortNumber": "Numero della porta", - "@torSettingsPortNumber": { - "description": "Label for port number input field" - }, - "payNameHint": "Inserisci il nome del destinatario", - "@payNameHint": { - "description": "Hint for name input" - }, - "autoswapWarningTriggerAmount": "Trigger Quantità di 0.02 BTC", - "@autoswapWarningTriggerAmount": { - "description": "Trigger amount text shown in the autoswap warning bottom sheet" - }, - "legacySeedViewScreenTitle": "Legacy Seeds", - "@legacySeedViewScreenTitle": { - "description": "AppBar title for legacy seeds screen" - }, - "recoverbullErrorCheckStatusFailed": "Non è riuscito a controllare lo stato della volta", - "@recoverbullErrorCheckStatusFailed": { - "description": "Error message when vault status check fails" - }, - "pleaseWaitFetching": "Per favore, aspettate mentre prendiamo il vostro file di backup.", - "@pleaseWaitFetching": { - "description": "Message asking user to wait while fetching backup" - }, - "backupWalletPhysicalBackupTag": "Senza fiducia (prendi il tuo tempo)", - "@backupWalletPhysicalBackupTag": { - "description": "Tag indicating difficulty and trust model for physical backup" - }, - "electrumReset": "Ripristino", - "@electrumReset": { - "description": "Reset button label in advanced options" - }, - "payInsufficientBalanceError": "Bilancio insufficiente nel portafoglio selezionato per completare questo ordine di pagamento.", - "@payInsufficientBalanceError": { - "description": "Error message for insufficient balance" - }, - "backupCompletedTitle": "Backup completato!", - "@backupCompletedTitle": { - "description": "Title shown when backup is completed successfully" - }, - "arkDate": "Data", - "@arkDate": { - "description": "Label for transaction date field in details table" - }, - "psbtFlowInstructions": "Istruzioni", - "@psbtFlowInstructions": { - "description": "Instructions section header in psbt flow" - }, - "systemLabelExchangeSell": "Vendita", - "@systemLabelExchangeSell": { - "description": "System label for exchange sell transactions" - }, - "sendHighFeeWarning": "Avvertenza a pagamento", - "@sendHighFeeWarning": { - "description": "Warning title for high transaction fees" - }, - "electrumStopGapNegativeError": "Stop Gap non può essere negativo", - "@electrumStopGapNegativeError": { - "description": "Validation error for negative Stop Gap value" - }, - "walletButtonSend": "Invia", - "@walletButtonSend": { - "description": "Button label to send funds" - }, - "importColdcardInstructionsStep9": "Inserisci un 'Label' per il tuo portafoglio Coldcard Q e tocca \"Import\"", - "@importColdcardInstructionsStep9": { - "description": "ImportColdcardQ: Ninth instruction step" - }, - "bitboxScreenTroubleshootingStep1": "Assicurati di avere l'ultimo firmware installato sul BitBox.", - "@bitboxScreenTroubleshootingStep1": { - "description": "Troubleshooting step 1" - }, - "backupSettingsExportVault": "Vaso di esportazione", - "@backupSettingsExportVault": { - "description": "Button text to export encrypted vault file" - }, - "bitboxActionUnlockDeviceTitle": "Sblocca il dispositivo BitBox", - "@bitboxActionUnlockDeviceTitle": { - "description": "Title for unlock device action" - }, - "withdrawRecipientsNewTab": "Nuovo destinatario", - "@withdrawRecipientsNewTab": { - "description": "Tab label for new recipient" - }, - "autoswapRecipientRequired": "#", - "@autoswapRecipientRequired": { - "description": "Required field indicator" - }, - "exchangeLandingFeature4": "Trasferimenti bancari e bollette di pagamento", - "@exchangeLandingFeature4": { - "description": "Fourth feature bullet point" - }, - "sellSendPaymentPayFromWallet": "Paga dal portafoglio", - "@sellSendPaymentPayFromWallet": { - "description": "Field label for source wallet" - }, - "settingsServicesStatusTitle": "Stato", - "@settingsServicesStatusTitle": { - "description": "Title for the services status section in the settings menu" - }, - "sellPriceWillRefreshIn": "Il prezzo si rinfresca in ", - "@sellPriceWillRefreshIn": { - "description": "Text before countdown timer for price refresh" - }, - "labelDeleteFailed": "Incapace di eliminare \"{label}\". Per favore riprovate.", - "@labelDeleteFailed": { - "description": "Error message when label deletion fails", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "kruxStep16": "Ora è pronto a trasmettere! Non appena si fa clic sulla trasmissione, la transazione verrà pubblicata sulla rete Bitcoin e i fondi saranno inviati.", - "@kruxStep16": { - "description": "Krux final instruction about broadcasting" - }, - "recoverbullRecoveryErrorVaultCorrupted": "Il file di backup selezionato è danneggiato.", - "@recoverbullRecoveryErrorVaultCorrupted": { - "description": "Error when vault backup file cannot be decrypted or is invalid" - }, - "buyVerifyIdentity": "Verificare l'identità", - "@buyVerifyIdentity": { - "description": "Button to start KYC process" - }, - "exchangeDcaCancelDialogConfirmButton": "Sì, disattivare", - "@exchangeDcaCancelDialogConfirmButton": { - "description": "Button label to confirm DCA deactivation" - }, - "electrumServerUrlHint": "{network} {environment} URL server", - "@electrumServerUrlHint": { - "description": "Hint text for server URL input", - "placeholders": { - "network": { - "type": "String" - }, - "environment": { - "type": "String" - } - } - }, - "payEmailHint": "Inserisci l'indirizzo email", - "@payEmailHint": { - "description": "Hint for email input" - }, - "backupWalletGoogleDrivePermissionWarning": "Google ti chiederà di condividere le informazioni personali con questa app.", - "@backupWalletGoogleDrivePermissionWarning": { - "description": "Warning message about Google Drive permission request" - }, - "bitboxScreenVerifyAddressSubtext": "Confronta questo indirizzo con lo schermo BitBox02", - "@bitboxScreenVerifyAddressSubtext": { - "description": "Subtext when showing address verification" - }, - "importQrDeviceSeedsignerStep9": "Inserisci un'etichetta per il tuo portafoglio SeedSigner e tocca Import", - "@importQrDeviceSeedsignerStep9": { - "description": "SeedSigner instruction step 9" - }, - "testCompletedSuccessMessage": "Sei in grado di recuperare l'accesso a un portafoglio Bitcoin perso", - "@testCompletedSuccessMessage": { - "description": "Message shown when backup test is successful" - }, - "importWatchOnlyScanQR": "Scansione del QR", - "@importWatchOnlyScanQR": { - "description": "Button to scan QR code for watch-only import" - }, - "walletBalanceUnconfirmedIncoming": "In corso", - "@walletBalanceUnconfirmedIncoming": { - "description": "Label for unconfirmed incoming balance" - }, - "selectAmountTitle": "Selezionare la quantità", - "@selectAmountTitle": { - "description": "Title for manual coin selection bottom sheet" - }, - "buyYouBought": "Hai comprato {amount}", - "@buyYouBought": { - "description": "Success message with amount bought", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "routeErrorMessage": "Pagina non trovata", - "@routeErrorMessage": { - "description": "Error message displayed when user navigates to non-existent route" - }, - "connectHardwareWalletPassport": "Passaporto della Fondazione", - "@connectHardwareWalletPassport": { - "description": "Foundation Passport hardware wallet option" - }, - "autoswapTriggerBalanceError": "L'equilibrio del trigger deve essere almeno 2x il saldo di base", - "@autoswapTriggerBalanceError": { - "description": "Validation error shown when trigger balance is less than 2x the base balance" - }, - "receiveEnterHere": "Entra qui...", - "@receiveEnterHere": { - "description": "Placeholder text for input fields in receive" - }, - "receiveNetworkFee": "Costo di rete", - "@receiveNetworkFee": { - "description": "Label for the network fee in a receive transaction" - }, - "payLiquidFee": "Costo liquido", - "@payLiquidFee": { - "description": "Label for Liquid Network transaction fee" - }, - "fundExchangeSepaTitle": "Trasferimento SEPA", - "@fundExchangeSepaTitle": { - "description": "Screen title for SEPA transfer payment details" - }, - "autoswapLoadSettingsError": "Non caricare le impostazioni di swap automatico", - "@autoswapLoadSettingsError": { - "description": "Error message when loading settings fails" - }, - "durationSeconds": "{seconds} secondi", - "@durationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "String" - } - } - }, - "broadcastSignedTxReviewTransaction": "Revisione delle transazioni", - "@broadcastSignedTxReviewTransaction": { - "description": "Section header for transaction review" - }, - "walletArkExperimental": "Sperimentale", - "@walletArkExperimental": { - "description": "Description for Ark wallet indicating experimental status" - }, - "importQrDeviceKeystoneStep5": "Scegli l'opzione portafoglio BULL", - "@importQrDeviceKeystoneStep5": { - "description": "Keystone instruction step 5" - }, - "electrumLoadFailedError": "Non caricare server{reason}", - "@electrumLoadFailedError": { - "description": "Error message when loading servers fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "ledgerVerifyAddressLabel": "Indirizzo per verificare:", - "@ledgerVerifyAddressLabel": { - "description": "Label for the address being verified on Ledger" - }, - "buyAccelerateTransaction": "Accelerare la Transazione", - "@buyAccelerateTransaction": { - "description": "Title for transaction acceleration option" - }, - "backupSettingsTested": "Testato", - "@backupSettingsTested": { - "description": "Status text shown when backup has been tested" - }, - "receiveLiquidConfirmationMessage": "Sarà confermato in pochi secondi", - "@receiveLiquidConfirmationMessage": { - "description": "Message indicating quick confirmation time for Liquid transactions" - }, - "jadeStep1": "Accedi al tuo dispositivo Jade", - "@jadeStep1": { - "description": "Jade instruction step 1" - }, - "recoverbullSelectDriveBackups": "Backup di unità", - "@recoverbullSelectDriveBackups": { - "description": "AppBar title for screen showing list of Google Drive backups" - }, - "exchangeAuthOk": "OK", - "@exchangeAuthOk": { - "description": "OK button in error dialog" - }, - "settingsSecurityPinTitle": "Perno di sicurezza", - "@settingsSecurityPinTitle": { - "description": "Title for the security PIN section in the settings menu" - }, - "testBackupErrorFailedToFetch": "Non riuscito a recuperare il backup: {error}", - "@testBackupErrorFailedToFetch": { - "description": "Error when backup fetch fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "arkDurationMinute": "{minutes} minuto", - "@arkDurationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "psbtFlowTroubleScanningTitle": "Se hai problemi di scansione:", - "@psbtFlowTroubleScanningTitle": { - "description": "Header for troubleshooting scanning issues" - }, - "arkReceiveUnifiedCopied": "Indirizzo unificato copiato", - "@arkReceiveUnifiedCopied": { - "description": "Snackbar message when unified address copied" - }, - "importQrDeviceJadeStep9": "Scansiona il codice QR che vedi sul tuo dispositivo.", - "@importQrDeviceJadeStep9": { - "description": "Jade instruction step 9" - }, - "transactionDetailLabelPayjoinCompleted": "Completato", - "@transactionDetailLabelPayjoinCompleted": { - "description": "Payjoin completed status" - }, - "sellArsBalance": "ARS Balance", - "@sellArsBalance": { - "description": "Display text for ARS balance payout method" - }, - "fundExchangeCanadaPostStep1": "1. Vai a qualsiasi Canada Post posizione", - "@fundExchangeCanadaPostStep1": { - "description": "Step 1 for Canada Post payment process" - }, - "exchangeKycLight": "Luce", - "@exchangeKycLight": { - "description": "Light KYC level label" - }, - "seedsignerInstructionsTitle": "Istruzioni SeedSigner", - "@seedsignerInstructionsTitle": { - "description": "Title for SeedSigner signing instructions modal" - }, - "exchangeAmountInputValidationEmpty": "Inserisci un importo", - "@exchangeAmountInputValidationEmpty": { - "description": "Validation message when amount field is empty" - }, - "bitboxActionPairDeviceProcessingSubtext": "Si prega di verificare il codice di accoppiamento sul dispositivo BitBox...", - "@bitboxActionPairDeviceProcessingSubtext": { - "description": "Processing subtext for pair device" - }, - "recoverbullKeyServer": "Server chiave ", - "@recoverbullKeyServer": { - "description": "Label for key server connection status" - }, - "recoverbullPasswordTooCommon": "Questa password è troppo comune. Si prega di scegliere uno diverso", - "@recoverbullPasswordTooCommon": { - "description": "Validation error for commonly used passwords" - }, - "backupInstruction3": "Chiunque abbia accesso al backup di 12 parole può rubare i bitcoin. Nascondilo bene.", - "@backupInstruction3": { - "description": "Third backup instruction warning about backup security" - }, - "arkRedeemButton": "Redeem", - "@arkRedeemButton": { - "description": "Confirm button to execute collaborative redeem" - }, - "fundExchangeLabelBeneficiaryAddress": "Indirizzo beneficiario", - "@fundExchangeLabelBeneficiaryAddress": { - "description": "Label for beneficiary address field" - }, - "testBackupVerify": "Verifica", - "@testBackupVerify": { - "description": "Button text to verify the selected word order" - }, - "transactionDetailLabelCreatedAt": "Creato a", - "@transactionDetailLabelCreatedAt": { - "description": "Label for creation time" - }, - "fundExchangeJurisdictionArgentina": "🇦🇷 Argentina", - "@fundExchangeJurisdictionArgentina": { - "description": "Dropdown option for Argentina jurisdiction" - }, - "walletNetworkBitcoin": "Rete Bitcoin", - "@walletNetworkBitcoin": { - "description": "Network label for Bitcoin mainnet" - }, - "electrumAdvancedOptions": "Opzioni avanzate", - "@electrumAdvancedOptions": { - "description": "Advanced options button label" - }, - "autoswapWarningCardSubtitle": "Un swap verrà attivato se il saldo dei pagamenti istantanei supera 0,02 BTC.", - "@autoswapWarningCardSubtitle": { - "description": "Subtitle text shown on the autoswap warning card on home screen" - }, - "transactionStatusConfirmed": "Confermato", - "@transactionStatusConfirmed": { - "description": "Status label for confirmed transactions" - }, - "dcaFrequencyDaily": "giorno", - "@dcaFrequencyDaily": { - "description": "Daily DCA frequency" - }, - "transactionLabelSendAmount": "Inviare Importo", - "@transactionLabelSendAmount": { - "description": "Label for send amount in swap details" - }, - "testedStatus": "Testato", - "@testedStatus": { - "description": "Status text indicating backup has been tested" - }, - "fundExchangeWarningTactic6": "Vogliono che tu condividi lo schermo", - "@fundExchangeWarningTactic6": { - "description": "Sixth scammer tactic warning" - }, - "buyYouReceive": "Ricevete", - "@buyYouReceive": { - "description": "Label for amount user receives" - }, - "payFilterPayments": "Filtra pagamenti", - "@payFilterPayments": { - "description": "Button to filter payment list" - }, - "electrumCancel": "Annulla", - "@electrumCancel": { - "description": "Cancel button label in delete dialog" - }, - "exchangeFileUploadButton": "Caricamento", - "@exchangeFileUploadButton": { - "description": "Button label for uploading files in exchange" - }, - "payCopied": "Ricevuto!", - "@payCopied": { - "description": "Success message after copying" - }, - "transactionLabelReceiveNetworkFee": "Ricevi le quote di rete", - "@transactionLabelReceiveNetworkFee": { - "description": "Label for receive network fee in swap details" - }, - "bitboxScreenTroubleshootingTitle": "Risoluzione problemi BitBox02", - "@bitboxScreenTroubleshootingTitle": { - "description": "Title for troubleshooting instructions" - }, - "broadcastSignedTxPushTxButton": "PushTx", - "@broadcastSignedTxPushTxButton": { - "description": "Button to use PushTx NFC device" - }, - "fundExchangeCrIbanUsdDescriptionBold": "esattamente", - "@fundExchangeCrIbanUsdDescriptionBold": { - "description": "Bold emphasis word for CR IBAN USD transfer instructions" - }, - "fundExchangeSelectCountry": "Selezionare il paese e il metodo di pagamento", - "@fundExchangeSelectCountry": { - "description": "Instruction text" - }, - "fundExchangeCostaRicaMethodSinpeSubtitle": "Colonne di trasferimento utilizzando SINPE", - "@fundExchangeCostaRicaMethodSinpeSubtitle": { - "description": "Subtitle description for SINPE Móvil payment method" - }, - "kruxStep2": "Fare clic sul segno", - "@kruxStep2": { - "description": "Krux instruction step 2" - }, - "fundExchangeArsBankTransferDescription": "Invia un bonifico bancario dal tuo conto bancario utilizzando i dettagli bancari esatti in Argentina qui sotto.", - "@fundExchangeArsBankTransferDescription": { - "description": "Description for Argentina bank transfer method" - }, - "importWatchOnlyFingerprint": "Impronte pubblicitarie", - "@importWatchOnlyFingerprint": { - "description": "Label for wallet fingerprint field" - }, - "exchangeBitcoinWalletsEnterAddressHint": "Inserisci l'indirizzo", - "@exchangeBitcoinWalletsEnterAddressHint": { - "description": "Hint text for entering an address in exchange Bitcoin wallets" - }, - "dcaViewSettings": "Visualizza le impostazioni", - "@dcaViewSettings": { - "description": "Link to view DCA settings" - }, - "withdrawAmountContinue": "Continua", - "@withdrawAmountContinue": { - "description": "Continue button on amount screen" - }, - "allSeedViewSecurityWarningMessage": "Visualizzare frasi di seme è un rischio di sicurezza. Chiunque veda la tua frase di seme può accedere ai tuoi fondi. Assicurarsi di essere in una posizione privata e che nessuno può vedere lo schermo.", - "@allSeedViewSecurityWarningMessage": { - "description": "Security warning message about displaying seed phrases" - }, - "walletNetworkBitcoinTestnet": "Testnet di Bitcoin", - "@walletNetworkBitcoinTestnet": { - "description": "Network label for Bitcoin testnet" - }, - "recoverbullSeeMoreVaults": "Vedi altre volte", - "@recoverbullSeeMoreVaults": { - "description": "Button text to view additional vault options" - }, - "sellPayFromWallet": "Paga dal portafoglio", - "@sellPayFromWallet": { - "description": "Label for wallet used for payment" - }, - "pinProtectionDescription": "Il PIN protegge l'accesso al portafoglio e alle impostazioni. Tienilo memorabile.", - "@pinProtectionDescription": { - "description": "Informational text explaining PIN purpose" - }, - "kruxStep5": "Scansione del codice QR mostrato nel portafoglio Bull", - "@kruxStep5": { - "description": "Krux instruction step 5" - }, - "backupSettingsLabelsButton": "Etichette", - "@backupSettingsLabelsButton": { - "description": "Button text to manage transaction labels" - }, - "payMediumPriority": "Media", - "@payMediumPriority": { - "description": "Medium fee priority option" - }, - "payWhichWalletQuestion": "Da quale portafogli vuoi pagare?", - "@payWhichWalletQuestion": { - "description": "Question prompting user to select wallet" - }, - "dcaHideSettings": "Nascondi le impostazioni", - "@dcaHideSettings": { - "description": "Link to hide DCA settings" - }, - "exchangeDcaCancelDialogMessage": "Il vostro piano di acquisto Bitcoin ricorrente si fermerà, e gli acquisti programmati termineranno. Per ricominciare, dovrai organizzare un nuovo piano.", - "@exchangeDcaCancelDialogMessage": { - "description": "Message explaining the consequences of canceling DCA" - }, - "transactionSwapDescChainExpired": "Questo trasferimento è scaduto. I vostri fondi saranno automaticamente restituiti al vostro portafoglio.", - "@transactionSwapDescChainExpired": { - "description": "Description for expired chain swap" - }, - "payValidating": "Convalida...", - "@payValidating": { - "description": "Text shown while validating SINPE" - }, - "sendDone": "Fatto", - "@sendDone": { - "description": "Button label for completing the send flow" - }, - "exchangeBitcoinWalletsTitle": "Portafogli Bitcoin predefiniti", - "@exchangeBitcoinWalletsTitle": { - "description": "Title for the default Bitcoin wallets section in exchange" - }, - "importColdcardInstructionsStep1": "Accedi al dispositivo Coldcard Q", - "@importColdcardInstructionsStep1": { - "description": "ImportColdcardQ: First instruction step" - }, - "transactionLabelSwapStatusRefunded": "Rimborso", - "@transactionLabelSwapStatusRefunded": { - "description": "Status label for refunded swaps" - }, - "receiveLightningInvoice": "Fattura di fulmine", - "@receiveLightningInvoice": { - "description": "Label for a Lightning Network invoice" - }, - "pinCodeContinue": "Continua", - "@pinCodeContinue": { - "description": "Button label to continue with PIN entry" - }, - "payInvoiceTitle": "Fatturato", - "@payInvoiceTitle": { - "description": "AppBar title for the pay invoice screen" - }, - "swapProgressGoHome": "Vai a casa", - "@swapProgressGoHome": { - "description": "Go home button on progress screen" - }, - "replaceByFeeSatsVbUnit": "sats/vB", - "@replaceByFeeSatsVbUnit": { - "description": "Unit label for satoshis per virtual byte" - }, - "fundExchangeCrIbanUsdDescription": "Invia un bonifico bancario dal tuo conto bancario utilizzando i dettagli qui sotto ", - "@fundExchangeCrIbanUsdDescription": { - "description": "First part of description for CR IBAN USD transfer" - }, - "coreScreensSendAmountLabel": "Inviare Importo", - "@coreScreensSendAmountLabel": { - "description": "Label for send amount field" - }, - "backupSettingsRecoverBullSettings": "Recoverbull", - "@backupSettingsRecoverBullSettings": { - "description": "Button text for Recoverbull" - }, - "fundExchangeLabelBankAddress": "Indirizzo della nostra banca", - "@fundExchangeLabelBankAddress": { - "description": "Label for bank address field" - }, - "exchangeDcaAddressLabelLiquid": "Indirizzo liquido", - "@exchangeDcaAddressLabelLiquid": { - "description": "Label for Liquid address in DCA settings" - }, - "backupWalletGoogleDrivePrivacyMessage5": "condiviso con Bull Bitcoin.", - "@backupWalletGoogleDrivePrivacyMessage5": { - "description": "Fifth part of privacy message" - }, - "settingsDevModeUnderstandButton": "Capisco", - "@settingsDevModeUnderstandButton": { - "description": "Button label to acknowledge developer mode warning" - }, - "recoverbullSelectQuickAndEasy": "Veloce e facile", - "@recoverbullSelectQuickAndEasy": { - "description": "Description tag for Google Drive and iCloud provider options" - }, - "exchangeFileUploadTitle": "Caricamento file sicuro", - "@exchangeFileUploadTitle": { - "description": "Title for the secure file upload section in exchange" - }, - "backupWalletHowToDecideBackupPhysicalRecommendationText": "Sei fiducioso nelle tue capacità di sicurezza operative per nascondere e preservare le tue parole di seme Bitcoin.", - "@backupWalletHowToDecideBackupPhysicalRecommendationText": { - "description": "Recommendation text for when to use physical backup" - }, - "bitboxCubitHandshakeFailed": "Non sono riuscito a stabilire una connessione sicura. Per favore riprovate.", - "@bitboxCubitHandshakeFailed": { - "description": "Error interpretation for handshake failure" - }, - "sendErrorAmountAboveSwapLimits": "L'importo è superiore ai limiti di swap", - "@sendErrorAmountAboveSwapLimits": { - "description": "Error when amount exceeds maximum swap limit" - }, - "backupWalletHowToDecideBackupEncryptedVault": "Il caveau criptato ti impedisce di ladri che cercano di rubare il tuo backup. Ti impedisce anche di perdere accidentalmente il backup in quanto verrà memorizzato nel cloud. I provider di storage cloud come Google o Apple non avranno accesso al tuo Bitcoin perché la password di crittografia è troppo forte. C'è una piccola possibilità che il server web che memorizza la chiave di crittografia del backup potrebbe essere compromesso. In questo caso, la sicurezza del backup nel tuo account cloud potrebbe essere a rischio.", - "@backupWalletHowToDecideBackupEncryptedVault": { - "description": "Explanation of encrypted vault benefits and risks in decision help modal" - }, - "coreSwapsChainCompletedRefunded": "Il trasferimento è stato rimborsato.", - "@coreSwapsChainCompletedRefunded": { - "description": "Status message for chain swap completed via refund" - }, - "payClabeHint": "Inserisci il numero CLABE", - "@payClabeHint": { - "description": "Hint for CLABE input" - }, - "fundExchangeLabelBankCountry": "Paese", - "@fundExchangeLabelBankCountry": { - "description": "Label for bank country field" - }, - "seedsignerStep11": "Fare clic su \"Ho chiuso\" nel portafoglio Bull Bitcoin.", - "@seedsignerStep11": { - "description": "SeedSigner instruction to return to app" - }, - "transactionDetailLabelPayjoinStatus": "Stato di payjoin", - "@transactionDetailLabelPayjoinStatus": { - "description": "Label for payjoin status" - }, - "fundExchangeBankTransferSubtitle": "Invia un bonifico bancario dal tuo conto bancario", - "@fundExchangeBankTransferSubtitle": { - "description": "Bank transfer subtitle" - }, - "recoverbullErrorInvalidVaultFile": "File della cassaforte non valida.", - "@recoverbullErrorInvalidVaultFile": { - "description": "Error message when vault file format is invalid" - }, - "sellProcessingOrder": "Ordine di elaborazione...", - "@sellProcessingOrder": { - "description": "Loading message during order submission" - }, - "sellUpdatingRate": "Aggiornamento del tasso di cambio...", - "@sellUpdatingRate": { - "description": "Loading message while fetching new rate" - }, - "importQrDeviceKeystoneStep6": "Sul tuo dispositivo mobile, tocca Telecamera aperta", - "@importQrDeviceKeystoneStep6": { - "description": "Keystone instruction step 6" - }, - "bip85Hex": "H", - "@bip85Hex": { - "description": "Label for hex type entropy" - }, - "testYourWalletTitle": "Metti alla prova il portafoglio", - "@testYourWalletTitle": { - "description": "Title for test your wallet screen" - }, - "storeItSafelyMessage": "Conservalo in un posto sicuro.", - "@storeItSafelyMessage": { - "description": "Instruction to store recovery phrase safely" - }, - "receiveLightningNetwork": "Illuminazione", - "@receiveLightningNetwork": { - "description": "Lightning Network option" - }, - "receiveVerifyAddressError": "In grado di verificare l'indirizzo: Informazioni sul portafoglio mancante o sull'indirizzo", - "@receiveVerifyAddressError": { - "description": "Error message when address verification is not possible" - }, - "arkForfeitAddress": "Indirizzo di consegna", - "@arkForfeitAddress": { - "description": "Label for forfeit address field" - }, - "swapTransferRefundedTitle": "Transfer Rimborso", - "@swapTransferRefundedTitle": { - "description": "Title when swap has been refunded" - }, - "bitboxErrorConnectionFailed": "Non è riuscito a connettersi al dispositivo BitBox. Controlla la connessione.", - "@bitboxErrorConnectionFailed": { - "description": "Error when connection to BitBox device fails" - }, - "exchangeFileUploadDocumentTitle": "Caricare qualsiasi documento", - "@exchangeFileUploadDocumentTitle": { - "description": "Title for uploading documents in exchange" - }, - "dcaInsufficientBalanceDescription": "Non hai abbastanza equilibrio per creare questo ordine.", - "@dcaInsufficientBalanceDescription": { - "description": "InfoCard description explaining insufficient balance error" - }, - "pinButtonContinue": "Continua", - "@pinButtonContinue": { - "description": "Button label to proceed after entering new PIN" - }, - "importColdcardSuccess": "Portafoglio Coldcard importato", - "@importColdcardSuccess": { - "description": "Success message" - }, - "withdrawUnauthenticatedError": "Non sei autenticato. Si prega di accedere per continuare.", - "@withdrawUnauthenticatedError": { - "description": "Error message for unauthenticated user during withdraw" - }, - "sellBitcoinAmount": "Importo di Bitcoin", - "@sellBitcoinAmount": { - "description": "Label for Bitcoin amount" - }, - "recoverbullTestCompletedTitle": "Test completato con successo!", - "@recoverbullTestCompletedTitle": { - "description": "Success title after completing backup test" - }, - "arkBtcAddress": "BT2 indirizzo", - "@arkBtcAddress": { - "description": "Label for the Bitcoin address field" - }, - "transactionFilterReceive": "Ricevi", - "@transactionFilterReceive": { - "description": "Filter option to show only received transactions" - }, - "recoverbullErrorInvalidFlow": "Flusso non valido", - "@recoverbullErrorInvalidFlow": { - "description": "Error message for invalid operation flow" - }, - "exchangeDcaFrequencyDay": "giorno", - "@exchangeDcaFrequencyDay": { - "description": "DCA frequency unit: day" - }, - "payBumpFee": "Bump Fee", - "@payBumpFee": { - "description": "Button to increase fee of pending transaction" - }, - "arkCancelButton": "Annulla", - "@arkCancelButton": { - "description": "Cancel button label in settle bottom sheet" - }, - "bitboxActionImportWalletProcessingSubtext": "Impostare il portafoglio solo orologio...", - "@bitboxActionImportWalletProcessingSubtext": { - "description": "Processing subtext for import wallet" - }, - "psbtFlowDone": "Ho finito", - "@psbtFlowDone": { - "description": "Button to complete psbt flow signing process" - }, - "exchangeHomeDepositButton": "Deposito", - "@exchangeHomeDepositButton": { - "description": "Button label for depositing funds to the exchange" - }, - "testBackupRecoverWallet": "Recuperare Wallet", - "@testBackupRecoverWallet": { - "description": "AppBar title for fetched backup info screen" - }, - "fundExchangeMethodSinpeTransferSubtitle": "Colonne di trasferimento utilizzando SINPE", - "@fundExchangeMethodSinpeTransferSubtitle": { - "description": "Subtitle for SINPE Transfer payment method" - }, - "arkInstantPayments": "Pagamenti istantanei dell'arca", - "@arkInstantPayments": { - "description": "Main page title in top bar" - }, - "sendEstimatedDelivery": "Consegna prevista ~ ", - "@sendEstimatedDelivery": { - "description": "Label prefix for estimated delivery time" - }, - "fundExchangeMethodOnlineBillPayment": "Pagamento online", - "@fundExchangeMethodOnlineBillPayment": { - "description": "Payment method: Online Bill Payment (Canada)" - }, - "coreScreensTransferIdLabel": "ID trasferimento", - "@coreScreensTransferIdLabel": { - "description": "Label for transfer ID field" - }, - "anErrorOccurred": "Si è verificato un errore", - "@anErrorOccurred": { - "description": "Generic error message" - }, - "howToDecideBackupText2": "Il caveau criptato ti impedisce di ladri che cercano di rubare il tuo backup. Ti impedisce anche di perdere accidentalmente il backup in quanto verrà memorizzato nel cloud. I provider di storage cloud come Google o Apple non avranno accesso al tuo Bitcoin perché la password di crittografia è troppo forte. C'è una piccola possibilità che il server web che memorizza la chiave di crittografia del backup potrebbe essere compromesso. In questo caso, la sicurezza del backup nel tuo account cloud potrebbe essere a rischio.", - "@howToDecideBackupText2": { - "description": "Second paragraph explaining encrypted vault benefits and risks" - }, - "sellIBAN": "IBAN", - "@sellIBAN": { - "description": "Label for International Bank Account Number" - }, - "allSeedViewPassphraseLabel": "Passphrase:", - "@allSeedViewPassphraseLabel": { - "description": "Label for passphrase display" - }, - "dcaBuyingMessage": "Stai acquistando {amount} ogni {frequency} via {network} finché ci sono fondi nel tuo account.", - "@dcaBuyingMessage": { - "description": "DCA status message", - "placeholders": { - "amount": { - "type": "String" - }, - "frequency": { - "type": "String" - }, - "network": { - "type": "String" - } - } - }, - "exchangeCurrencyDropdownValidation": "Seleziona una valuta", - "@exchangeCurrencyDropdownValidation": { - "description": "Validation message when no currency is selected" - }, - "withdrawConfirmTitle": "Confermare il ritiro", - "@withdrawConfirmTitle": { - "description": "Title on confirmation screen" - }, - "importQrDeviceSpecterStep3": "Inserisci il tuo seme/chiave (scelga quale opzione ti si addice)", - "@importQrDeviceSpecterStep3": { - "description": "Specter instruction step 3" - }, - "payPayeeAccountNumber": "Numero di conto", - "@payPayeeAccountNumber": { - "description": "Label for payee account number" - }, - "importMnemonicBalanceLabel": "Equilibrio: {amount}", - "@importMnemonicBalanceLabel": { - "description": "ImportMnemonic: Balance label with amount in wallet type card", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "transactionSwapProgressInProgress": "In corso", - "@transactionSwapProgressInProgress": { - "description": "Generic swap progress step: in progress" - }, - "fundExchangeWarningConfirmation": "Confermo che non mi viene chiesto di comprare Bitcoin da qualcun altro.", - "@fundExchangeWarningConfirmation": { - "description": "Confirmation checkbox text that user is not being coerced to buy Bitcoin" - }, - "recoverbullSelectCustomLocationError": "Non selezionare il file dalla posizione personalizzata", - "@recoverbullSelectCustomLocationError": { - "description": "Error when file selection from custom location fails" - }, - "mempoolCustomServerDeleteTitle": "Elimina server personalizzato?", - "@mempoolCustomServerDeleteTitle": { - "description": "Title for delete custom server confirmation dialog" - }, - "confirmSendTitle": "Conferma Invia", - "@confirmSendTitle": { - "description": "Title for send confirmation screen when sending bitcoin" - }, - "buyKYCLevel1": "Livello 1 - Basic", - "@buyKYCLevel1": { - "description": "Basic verification tier" - }, - "sendErrorAmountAboveMaximum": "Importo sopra il limite massimo di swap: {maxLimit} sats", - "@sendErrorAmountAboveMaximum": { - "description": "Error with specific maximum swap amount", - "placeholders": { - "maxLimit": { - "type": "String" - } - } - }, - "coreSwapsLnSendCompletedSuccess": "Swap è completato con successo.", - "@coreSwapsLnSendCompletedSuccess": { - "description": "Status message for successfully completed Lightning send swap" - }, - "importColdcardScanning": "Scansione...", - "@importColdcardScanning": { - "description": "Status while scanning" - }, - "transactionLabelTransferFee": "Tassa di trasferimento", - "@transactionLabelTransferFee": { - "description": "Label for transfer fee component" - }, - "visitRecoverBullMessage": "Visitare Recoverbull.com per ulteriori informazioni.", - "@visitRecoverBullMessage": { - "description": "Message with link to more information" - }, - "payMyFiatRecipients": "I miei destinatari fiat", - "@payMyFiatRecipients": { - "description": "Tab label for saved recipients" - }, - "exchangeLandingFeature1": "Acquista Bitcoin direttamente a self-custody", - "@exchangeLandingFeature1": { - "description": "First feature bullet point" - }, - "bitboxCubitPermissionDenied": "Permesso USB negato. Si prega di concedere il permesso per accedere al dispositivo BitBox.", - "@bitboxCubitPermissionDenied": { - "description": "Error interpretation for permission denied" - }, - "swapTransferTo": "Trasferimento", - "@swapTransferTo": { - "description": "Label for destination wallet dropdown" - }, - "testBackupPinMessage": "Prova per assicurarti di ricordare il backup {pinOrPassword}", - "@testBackupPinMessage": { - "description": "Message prompting user to test backup PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "bitcoinSettingsMempoolServerTitle": "Impostazioni server Mempool", - "@bitcoinSettingsMempoolServerTitle": { - "description": "Title for the Mempool server settings section in Bitcoin settings" - }, - "transactionSwapDescLnReceiveDefault": "Il tuo scambio e' in corso. Questo processo è automatizzato e può richiedere un po 'di tempo per completare.", - "@transactionSwapDescLnReceiveDefault": { - "description": "Default description for Lightning receive swap" - }, - "selectCoinsManuallyLabel": "Seleziona le monete manualmente", - "@selectCoinsManuallyLabel": { - "description": "List tile option to manually select UTXOs" - }, - "psbtFlowSeedSignerTitle": "Istruzioni SeedSigner", - "@psbtFlowSeedSignerTitle": { - "description": "Title for SeedSigner device signing instructions" - }, - "appUnlockAttemptSingular": "tentativo fallito", - "@appUnlockAttemptSingular": { - "description": "Singular form of 'attempt' for failed unlock attempts" - }, - "importQrDevicePassportStep2": "Inserisci il tuo PIN", - "@importQrDevicePassportStep2": { - "description": "Passport instruction step 2" - }, - "transactionOrderLabelPayoutMethod": "Metodo di pagamento", - "@transactionOrderLabelPayoutMethod": { - "description": "Label for order payout method" - }, - "buyShouldBuyAtLeast": "Dovresti comprare almeno", - "@buyShouldBuyAtLeast": { - "description": "Error message for amount below minimum" - }, - "pinCodeCreateDescription": "Il PIN protegge l'accesso al portafoglio e alle impostazioni. Tienilo memorabile.", - "@pinCodeCreateDescription": { - "description": "Description explaining the purpose of the PIN code" - }, - "payCorporate": "Corporate", - "@payCorporate": { - "description": "Label for corporate checkbox" - }, - "recoverbullErrorRecoveryFailed": "Non ha recuperato il caveau", - "@recoverbullErrorRecoveryFailed": { - "description": "Error message when vault recovery fails" - }, - "buyMax": "Max", - "@buyMax": { - "description": "Button to fill maximum amount" - }, - "onboardingCreateNewWallet": "Crea nuovo portafoglio", - "@onboardingCreateNewWallet": { - "description": "Button label for creating a new wallet in onboarding" - }, - "buyExpressWithdrawalDesc": "Ricevi Bitcoin immediatamente dopo il pagamento", - "@buyExpressWithdrawalDesc": { - "description": "Explanation of express withdrawal feature" - }, - "backupIdLabel": "ID di backup:", - "@backupIdLabel": { - "description": "Label for backup ID" - }, - "sellBalanceWillBeCredited": "Il saldo del tuo conto verrà accreditato dopo che la tua transazione riceve 1 conferma in contanti.", - "@sellBalanceWillBeCredited": { - "description": "Information about balance crediting" - }, - "payExchangeRate": "Tasso di cambio", - "@payExchangeRate": { - "description": "Label for exchange rate" - }, - "startBackupButton": "Avvio di backup", - "@startBackupButton": { - "description": "Button label to start backup process" - }, - "buyInputTitle": "Acquistare Bitcoin", - "@buyInputTitle": { - "description": "AppBar title for buy input screen" - }, - "arkSendRecipientTitle": "Invia a Recipiente", - "@arkSendRecipientTitle": { - "description": "Title for the ark send recipient page" - }, - "importMnemonicImport": "Importazioni", - "@importMnemonicImport": { - "description": "Button to import selected wallet type" - }, - "recoverbullPasswordTooShort": "La password deve essere lunga almeno 6 caratteri", - "@recoverbullPasswordTooShort": { - "description": "Validation error for passwords under minimum length" - }, - "arkAddressPlaceholder": "ark1qp9wsjfpsj5v5ex022v6..", - "@arkAddressPlaceholder": { - "description": "Placeholder text for recipient address input" - }, - "payNetwork": "Rete di rete", - "@payNetwork": { - "description": "Label for network" - }, - "sendBuildFailed": "Non riuscita a costruire transazioni", - "@sendBuildFailed": { - "description": "Error during transaction construction" - }, - "paySwapFee": "Scambio Fee", - "@paySwapFee": { - "description": "Label for submarine swap fee" - }, - "exchangeAccountSettingsTitle": "Impostazioni account di Exchange", - "@exchangeAccountSettingsTitle": { - "description": "Title for the exchange account settings screen" - }, - "arkBoardingConfirmed": "Imbarco confermato", - "@arkBoardingConfirmed": { - "description": "Label for confirmed boarding balance in Ark balance breakdown" - }, - "broadcastSignedTxTitle": "Transazione di trasmissione", - "@broadcastSignedTxTitle": { - "description": "AppBar title for broadcast signed transaction screen" - }, - "backupWalletVaultProviderTakeYourTime": "Prendi il tuo tempo", - "@backupWalletVaultProviderTakeYourTime": { - "description": "Tag for custom location provider" - }, - "arkSettleIncludeRecoverable": "Includere vtxos recuperabili", - "@arkSettleIncludeRecoverable": { - "description": "Toggle label for including recoverable vtxos" - }, - "ledgerWalletTypeSegwitDescription": "Native SegWit - Consigliato", - "@ledgerWalletTypeSegwitDescription": { - "description": "Description for Segwit wallet type" - }, - "exchangeAccountInfoFirstNameLabel": "Nome", - "@exchangeAccountInfoFirstNameLabel": { - "description": "Label for first name field in account information" - }, - "payPaymentFailed": "Pagamento fallito", - "@payPaymentFailed": { - "description": "Error message when payment fails" - }, - "sendRefundProcessed": "Il rimborso è stato effettuato.", - "@sendRefundProcessed": { - "description": "Message confirming refund completion" - }, - "exchangeKycCardSubtitle": "Per rimuovere i limiti di transazione", - "@exchangeKycCardSubtitle": { - "description": "Subtitle explaining why to complete KYC" - }, - "importColdcardInvalidQR": "Codice QR Invalid Coldcard", - "@importColdcardInvalidQR": { - "description": "Error for invalid QR format" - }, - "testBackupTranscribe": "Trascrizione", - "@testBackupTranscribe": { - "description": "Label with checkmark indicating users should transcribe the phrase" - }, - "sendUnconfirmed": "Non confermato", - "@sendUnconfirmed": { - "description": "Status for 0-conf UTXO" - }, - "testBackupRetrieveVaultDescription": "Prova per assicurarti di recuperare la tua criptata.", - "@testBackupRetrieveVaultDescription": { - "description": "Description explaining purpose of vault location selection" - }, - "fundExchangeLabelCvu": "CVU", - "@fundExchangeLabelCvu": { - "description": "Label for CVU (Clave Virtual Uniforme) number in Argentina" - }, - "electrumStopGap": "Stop Gap", - "@electrumStopGap": { - "description": "Stop Gap field label and hint in advanced options" - }, - "payBroadcastingTransaction": "Trasmissione...", - "@payBroadcastingTransaction": { - "description": "Status message while broadcasting to network" - }, - "bip329LabelsImportButton": "Etichette di importazione", - "@bip329LabelsImportButton": { - "description": "Button text to import labels" - }, - "fiatCurrencySettingsLabel": "Moneta Fiat", - "@fiatCurrencySettingsLabel": { - "description": "The label for the button to access the fiat currency settings" - }, - "arkStatusConfirmed": "Confermato", - "@arkStatusConfirmed": { - "description": "Status label for confirmed boarding transactions" - }, - "withdrawConfirmAmount": "Importo", - "@withdrawConfirmAmount": { - "description": "Field label for withdrawal amount" - }, - "transactionSwapDoNotUninstall": "Non disinstallare l'app finché non si completa lo swap.", - "@transactionSwapDoNotUninstall": { - "description": "Warning message to not uninstall app during swap" - }, - "payDefaultCommentHint": "Inserisci commento predefinito", - "@payDefaultCommentHint": { - "description": "Hint for default comment input" - }, - "labelErrorSystemCannotDelete": "Le etichette di sistema non possono essere eliminate.", - "@labelErrorSystemCannotDelete": { - "description": "Error message when trying to delete a system label" - }, - "copyDialogButton": "Copia", - "@copyDialogButton": { - "description": "Button in modal dialog to copy value to clipboard" - }, - "bitboxActionImportWalletProcessing": "Importazione di Wallet", - "@bitboxActionImportWalletProcessing": { - "description": "Processing text for import wallet" - }, - "swapConfirmTransferTitle": "Confermare il trasferimento", - "@swapConfirmTransferTitle": { - "description": "AppBar title on the confirmation page" - }, - "payTransitNumberHint": "Inserisci il numero di transito", - "@payTransitNumberHint": { - "description": "Hint for transit number input" - }, - "recoverbullSwitchToPIN": "Scegli un PIN", - "@recoverbullSwitchToPIN": { - "description": "Button text to switch from password to PIN input" - }, - "payQrCode": "Codice QR QR", - "@payQrCode": { - "description": "Title for QR code bottom sheet" - }, - "exchangeAccountInfoVerificationLevelLabel": "Livello di verifica", - "@exchangeAccountInfoVerificationLevelLabel": { - "description": "Label for verification level field in account information" - }, - "walletDetailsDerivationPathLabel": "Sentiero di degrado", - "@walletDetailsDerivationPathLabel": { - "description": "Label for the derivation path field in wallet details" - }, - "exchangeBitcoinWalletsBitcoinAddressLabel": "Indirizzo Bitcoin", - "@exchangeBitcoinWalletsBitcoinAddressLabel": { - "description": "Label for Bitcoin address field in exchange Bitcoin wallets" - }, - "transactionDetailLabelExchangeRate": "Tasso di cambio", - "@transactionDetailLabelExchangeRate": { - "description": "Label for exchange rate" - }, - "electrumServerOffline": "Offline", - "@electrumServerOffline": { - "description": "Status text for offline servers" - }, - "sendTransferFee": "Tassa di trasferimento", - "@sendTransferFee": { - "description": "Label for total swap transfer fee" - }, - "fundExchangeLabelIbanCrcOnly": "Numero di conto IBAN (solo per Coloni)", - "@fundExchangeLabelIbanCrcOnly": { - "description": "Label for IBAN field - Colones only" - }, - "arkServerPubkey": "Server pubkey", - "@arkServerPubkey": { - "description": "Label for server public key field" - }, - "testBackupPhysicalBackupDescription": "Scrivi 12 parole su un pezzo di carta. Tienili al sicuro e assicurati di non perderli.", - "@testBackupPhysicalBackupDescription": { - "description": "Description for physical backup option" - }, - "sendInitiatingSwap": "Iniziare lo scambio...", - "@sendInitiatingSwap": { - "description": "Loading message during swap setup" - }, - "sellLightningNetwork": "Rete di illuminazione", - "@sellLightningNetwork": { - "description": "Option for Lightning Network payment" - }, - "buySelectWallet": "Selezionare il portafoglio", - "@buySelectWallet": { - "description": "Label for wallet selection dropdown" - }, - "testBackupErrorIncorrectOrder": "Ordine di parola non corretto. Per favore riprovate.", - "@testBackupErrorIncorrectOrder": { - "description": "Error when words are selected in wrong order" - }, - "importColdcardInstructionsStep6": "Scegliere \"Bull Bitcoin\" come opzione di esportazione", - "@importColdcardInstructionsStep6": { - "description": "ImportColdcardQ: Sixth instruction step" - }, - "swapValidationSelectToWallet": "Selezionare un portafoglio da trasferire", - "@swapValidationSelectToWallet": { - "description": "Validation error when no destination wallet selected" - }, - "receiveWaitForSenderToFinish": "Attendere che il mittente finisca la transazione payjoin", - "@receiveWaitForSenderToFinish": { - "description": "Instructions to wait for the sender during a payjoin transaction" - }, - "arkSetupTitle": "Ark Setup", - "@arkSetupTitle": { - "description": "AppBar title for Ark setup screen" - }, - "seedsignerStep3": "Scansione del codice QR mostrato nel portafoglio Bull", - "@seedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, - "sellErrorLoadUtxos": "Non caricare UTXOs: {error}", - "@sellErrorLoadUtxos": { - "description": "Error message when loading UTXOs fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "payDecodingInvoice": "Decoding fattura...", - "@payDecodingInvoice": { - "description": "Loading message while parsing invoice" - }, - "importColdcardInstructionsStep5": "Selezionare \"Export Wallet\"", - "@importColdcardInstructionsStep5": { - "description": "ImportColdcardQ: Fifth instruction step" - }, - "electrumStopGapTooHighError": "Stop Gap sembra troppo alto. {maxStopGap}", - "@electrumStopGapTooHighError": { - "description": "Validation error for Stop Gap exceeding maximum", - "placeholders": { - "maxStopGap": { - "type": "String" - } - } - }, - "electrumTimeoutTooHighError": "Il timeout sembra troppo alto. (Max. {maxTimeout} secondi)", - "@electrumTimeoutTooHighError": { - "description": "Validation error for Timeout exceeding maximum", - "placeholders": { - "maxTimeout": { - "type": "String" - } - } - }, - "sellInstantPayments": "Pagamenti istantiani", - "@sellInstantPayments": { - "description": "Display text for instant payment wallet" - }, - "priceChartFetchingHistory": "Recuperare la cronologia dei prezzi...", - "@priceChartFetchingHistory": { - "description": "Message shown while fetching price history when no local data is available" - }, - "sellDone": "Fatto", - "@sellDone": { - "description": "Button to close bottom sheet" - }, - "payFromWallet": "Da Wallet", - "@payFromWallet": { - "description": "Label showing source wallet" - }, - "dcaConfirmRecurringBuyTitle": "Confermare il Ricorso Comprare", - "@dcaConfirmRecurringBuyTitle": { - "description": "AppBar title for confirmation screen" - }, - "transactionSwapBitcoinToLiquid": "BTC → L-BTC", - "@transactionSwapBitcoinToLiquid": { - "description": "Label for Bitcoin to Liquid swap" - }, - "sellBankDetails": "Dettagli della banca", - "@sellBankDetails": { - "description": "Section header for bank account info" - }, - "pinStatusCheckingDescription": "Controllo dello stato PIN", - "@pinStatusCheckingDescription": { - "description": "Status screen description during initialization" - }, - "coreScreensConfirmButton": "Conferma", - "@coreScreensConfirmButton": { - "description": "Text for confirm button" - }, - "passportStep6": " - Spostare il laser rosso su e giù sul codice QR", - "@passportStep6": { - "description": "Passport troubleshooting tip 2" - }, - "importQrDeviceSpecterStep8": "Sul tuo dispositivo mobile, tocca Telecamera aperta", - "@importQrDeviceSpecterStep8": { - "description": "Specter instruction step 8" - }, - "sellSendPaymentContinue": "Continua", - "@sellSendPaymentContinue": { - "description": "Continue button on sell payment" - }, - "coreSwapsStatusPending": "Finanziamenti", - "@coreSwapsStatusPending": { - "description": "Display name for pending swap status" - }, - "electrumDragToReorder": "(Premitura lunga per trascinare e cambiare la priorità)", - "@electrumDragToReorder": { - "description": "Instruction text for reordering servers" - }, - "keystoneStep4": "Se hai problemi di scansione:", - "@keystoneStep4": { - "description": "Keystone troubleshooting header" - }, - "autoswapTriggerAtBalanceInfoText": "Autoswap si attiva quando il saldo supera questa quantità.", - "@autoswapTriggerAtBalanceInfoText": { - "description": "Info text explaining when autoswap will trigger" - }, - "exchangeLandingDisclaimerNotAvailable": "I servizi di cambio criptovaluta non sono disponibili nell'applicazione mobile Bull Bitcoin.", - "@exchangeLandingDisclaimerNotAvailable": { - "description": "Disclaimer informing users that exchange services are not available in the mobile app" - }, - "sendCustomFeeRate": "Tariffa doganale", - "@sendCustomFeeRate": { - "description": "Option to manually set fee" - }, - "ledgerHelpTitle": "Risoluzione dei problemi Ledger", - "@ledgerHelpTitle": { - "description": "Title for Ledger troubleshooting help modal" - }, - "swapErrorAmountExceedsMaximum": "Importo supera il massimo importo swap", - "@swapErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum swap limit" - }, - "transactionLabelTotalSwapFees": "Totale spese di swap", - "@transactionLabelTotalSwapFees": { - "description": "Label for total swap fees" - }, - "errorLabel": "Errore", - "@errorLabel": { - "description": "Label for error messages" - }, - "receiveInsufficientInboundLiquidity": "Capacità di ricezione di fulmini insufficienti", - "@receiveInsufficientInboundLiquidity": { - "description": "Error when Lightning channels lack inbound capacity" - }, - "withdrawRecipientsMyTab": "I miei destinatari fiat", - "@withdrawRecipientsMyTab": { - "description": "Tab label for existing recipients" - }, - "sendFeeRateTooLow": "Tassi di tariffa troppo bassi", - "@sendFeeRateTooLow": { - "description": "Error for insufficient fee" - }, - "payLastNameHint": "Inserisci il cognome", - "@payLastNameHint": { - "description": "Hint for last name input" - }, - "exchangeLandingRestriction": "L'accesso ai servizi di scambio sarà limitato ai paesi in cui Bull Bitcoin può operare legalmente e può richiedere KYC.", - "@exchangeLandingRestriction": { - "description": "Legal restriction notice" - }, - "payFailedPayments": "Fatta", - "@payFailedPayments": { - "description": "Filter for failed payments" - }, - "transactionDetailLabelToWallet": "Portafoglio", - "@transactionDetailLabelToWallet": { - "description": "Label for destination wallet" - }, - "fundExchangeLabelRecipientName": "Nome destinatario", - "@fundExchangeLabelRecipientName": { - "description": "Label for recipient name field (alternative to beneficiary name)" - }, - "arkToday": "Oggi", - "@arkToday": { - "description": "Date label for transactions from today" - }, - "importQrDeviceJadeStep2": "Selezionare \"Modalità QR\" dal menu principale", - "@importQrDeviceJadeStep2": { - "description": "Jade instruction step 2" - }, - "rbfErrorAlreadyConfirmed": "La transazione originale è stata confermata", - "@rbfErrorAlreadyConfirmed": { - "description": "Error when trying to RBF a confirmed transaction" - }, - "psbtFlowMoveBack": "Prova a spostare il dispositivo indietro un po'", - "@psbtFlowMoveBack": { - "description": "Troubleshooting tip to adjust scanning distance" - }, - "exchangeReferralsContactSupportMessage": "Contatta il supporto per conoscere il nostro programma di riferimento", - "@exchangeReferralsContactSupportMessage": { - "description": "Message prompting users to contact support about the referral program" - }, - "sellSendPaymentEurBalance": "EUR Bilancio", - "@sellSendPaymentEurBalance": { - "description": "EUR balance payout method" - }, - "exchangeAccountTitle": "Account di cambio", - "@exchangeAccountTitle": { - "description": "Title for the exchange account section" - }, - "swapProgressCompleted": "Trasferimento completato", - "@swapProgressCompleted": { - "description": "Completed transfer status" - }, - "keystoneStep2": "Fare clic su Scansione", - "@keystoneStep2": { - "description": "Keystone instruction step 2" - }, - "sendContinue": "Continua", - "@sendContinue": { - "description": "Button label for continuing in the send flow" - }, - "transactionDetailRetrySwap": "Retry Swap {action}", - "@transactionDetailRetrySwap": { - "description": "Button label to retry a failed swap action", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "sendErrorSwapCreationFailed": "Non sono riuscito a creare swap.", - "@sendErrorSwapCreationFailed": { - "description": "Error when swap creation fails" - }, - "arkNoBalanceData": "Nessun dato di bilancio disponibile", - "@arkNoBalanceData": { - "description": "Message shown when Ark balance data is not available" - }, - "autoswapWarningCardTitle": "Autoswap è abilitato.", - "@autoswapWarningCardTitle": { - "description": "Title text shown on the autoswap warning card on home screen" - }, - "coreSwapsChainCompletedSuccess": "Il trasferimento è completato con successo.", - "@coreSwapsChainCompletedSuccess": { - "description": "Status message for successfully completed chain swap" - }, - "physicalBackupRecommendation": "Backup fisico: ", - "@physicalBackupRecommendation": { - "description": "Bold label for physical backup recommendation" - }, - "autoswapMaxBalance": "Bilanciamento Max Instant Wallet", - "@autoswapMaxBalance": { - "description": "Field label for max balance threshold" - }, - "importQrDeviceImport": "Importazioni", - "@importQrDeviceImport": { - "description": "Button to confirm import from QR device" - }, - "importQrDeviceScanPrompt": "Scansiona il codice QR dal tuo {deviceName}", - "@importQrDeviceScanPrompt": { - "description": "Instruction to scan QR from device", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "fundExchangeCostaRicaMethodSinpeTitle": "SINPE Móvil", - "@fundExchangeCostaRicaMethodSinpeTitle": { - "description": "Payment method title for SINPE Móvil in method list" - }, - "sellBitcoinOnChain": "Bitcoin on-chain", - "@sellBitcoinOnChain": { - "description": "Option for Bitcoin on-chain payment" - }, - "fundExchangeLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (Costa Rica business ID number)" - }, - "exchangeRecipientsComingSoon": "Recipienti - In arrivo", - "@exchangeRecipientsComingSoon": { - "description": "Message indicating that the recipients feature is coming soon" - }, - "ledgerWalletTypeLabel": "Tipo di portafoglio:", - "@ledgerWalletTypeLabel": { - "description": "Label for wallet type/script type selection" - }, - "bip85ExperimentalWarning": "Sperimentale\nEseguire il backup dei percorsi di derivazione manualmente", - "@bip85ExperimentalWarning": { - "description": "Warning message about experimental feature" - }, - "addressViewBalance": "Bilancio", - "@addressViewBalance": { - "description": "Label for address balance" - }, - "recoverbullLookingForBalance": "Alla ricerca di equilibrio e transazioni..", - "@recoverbullLookingForBalance": { - "description": "Loading message while scanning wallet" - }, - "recoverbullSelectNoBackupsFound": "Nessun backup trovato", - "@recoverbullSelectNoBackupsFound": { - "description": "Empty state message when no backup files found in Google Drive" - }, - "importMnemonicNestedSegwit": "Segwit annidato", - "@importMnemonicNestedSegwit": { - "description": "Label for Nested Segwit (BIP49) wallet type" - }, - "sendReplaceByFeeActivated": "Attivato il sostituto", - "@sendReplaceByFeeActivated": { - "description": "Message indicating that replace-by-fee (RBF) is activated" - }, - "psbtFlowScanQrOption": "Selezionare l'opzione \"Scan QR\"", - "@psbtFlowScanQrOption": { - "description": "Instruction to select scan QR menu option" - }, - "coreSwapsLnReceiveFailed": "Swap ha fallito.", - "@coreSwapsLnReceiveFailed": { - "description": "Status message for failed Lightning receive swap" - }, - "fundExchangeCostaRicaMethodIbanUsdSubtitle": "Trasferimenti in dollari statunitensi (USD)", - "@fundExchangeCostaRicaMethodIbanUsdSubtitle": { - "description": "Subtitle description for IBAN USD payment method" - }, - "transactionDetailLabelPayinStatus": "Stato di pagamento", - "@transactionDetailLabelPayinStatus": { - "description": "Label for payin status" - }, - "importQrDeviceSpecterStep9": "Scansiona il codice QR visualizzato sul tuo Specter", - "@importQrDeviceSpecterStep9": { - "description": "Specter instruction step 9" - }, - "settingsRecoverbullTitle": "Recoverbull", - "@settingsRecoverbullTitle": { - "description": "Title for the Recoverbull backup section in app settings" - }, - "buyInputKycPending": "KYC ID Verification Pending", - "@buyInputKycPending": { - "description": "KYC pending info card title" - }, - "importWatchOnlySelectDerivation": "Selezionare la derivazione", - "@importWatchOnlySelectDerivation": { - "description": "Title for bottom sheet to select wallet derivation type" - }, - "walletAddressTypeLegacy": "Legacy", - "@walletAddressTypeLegacy": { - "description": "Address type for BIP44 wallets" - }, - "hwPassport": "Passaporto della Fondazione", - "@hwPassport": { - "description": "Name of Foundation Passport hardware wallet" - }, - "electrumInvalidStopGapError": "Fermata non valida Valore di guadagno: {value}", - "@electrumInvalidStopGapError": { - "description": "Error message for invalid Stop Gap value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "dcaFrequencyWeekly": "settimana", - "@dcaFrequencyWeekly": { - "description": "Weekly DCA frequency" - }, - "fundExchangeMethodRegularSepaSubtitle": "Utilizzare solo per operazioni più grandi superiori a €20.000", - "@fundExchangeMethodRegularSepaSubtitle": { - "description": "Subtitle for Regular SEPA payment method" - }, - "settingsTelegramLabel": "Telegramma", - "@settingsTelegramLabel": { - "description": "Label for the Telegram link in settings" - }, - "walletDetailsSignerDeviceNotSupported": "Non supportato", - "@walletDetailsSignerDeviceNotSupported": { - "description": "Message displayed when a signer device is not supported" - }, - "exchangeLandingDisclaimerLegal": "L'accesso ai servizi di scambio sarà limitato ai paesi in cui Bull Bitcoin può operare legalmente e può richiedere KYC.", - "@exchangeLandingDisclaimerLegal": { - "description": "Legal disclaimer about exchange service availability and KYC requirements" - }, - "backupWalletEncryptedVaultTitle": "Criptato", - "@backupWalletEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, - "mempoolNetworkLiquidMainnet": "Mainnet liquido", - "@mempoolNetworkLiquidMainnet": { - "description": "Label for Liquid Mainnet network" - }, - "sellFromAnotherWallet": "Vendere da un altro portafoglio Bitcoin", - "@sellFromAnotherWallet": { - "description": "Subtitle for external wallet option" - }, - "automaticallyFetchKeyButton": "Tasto automatico >", - "@automaticallyFetchKeyButton": { - "description": "Button label to automatically fetch key" - }, - "importColdcardButtonOpenCamera": "Aprire la fotocamera", - "@importColdcardButtonOpenCamera": { - "description": "ImportColdcardQ: Button to open camera for QR scanning" - }, - "recoverbullReenterRequired": "Reinserire il {inputType}", - "@recoverbullReenterRequired": { - "description": "Label for confirmation input field", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "payFeePriority": "Priorità", - "@payFeePriority": { - "description": "Label for fee priority selection" - }, - "buyInsufficientBalanceDescription": "Non hai abbastanza equilibrio per creare questo ordine.", - "@buyInsufficientBalanceDescription": { - "description": "Description for insufficient balance error" - }, - "sendSelectNetworkFee": "Selezionare la tassa di rete", - "@sendSelectNetworkFee": { - "description": "Label for selecting the network fee in the send flow" - }, - "exchangeDcaFrequencyWeek": "settimana", - "@exchangeDcaFrequencyWeek": { - "description": "DCA frequency unit: week" - }, - "keystoneStep6": " - Spostare il laser rosso su e giù sul codice QR", - "@keystoneStep6": { - "description": "Keystone troubleshooting tip 2" - }, - "walletDeletionErrorGeneric": "Non è riuscito a eliminare il portafoglio, si prega di riprovare.", - "@walletDeletionErrorGeneric": { - "description": "Generic error message when wallet deletion fails" - }, - "fundExchangeLabelTransferCode": "Codice di trasferimento (aggiungere questo come descrizione di pagamento)", - "@fundExchangeLabelTransferCode": { - "description": "Label for transfer code field" - }, - "sellNoInvoiceData": "Nessun dato di fattura disponibile", - "@sellNoInvoiceData": { - "description": "Message when no invoice data available" - }, - "ledgerInstructionsIos": "Assicurarsi che il Ledger è sbloccato con l'applicazione Bitcoin aperto e Bluetooth abilitato.", - "@ledgerInstructionsIos": { - "description": "Connection instructions for iOS devices (Bluetooth only)" - }, - "replaceByFeeScreenTitle": "Sostituire a pagamento", - "@replaceByFeeScreenTitle": { - "description": "Screen title for replace by fee feature" - }, - "arkReceiveCopyAddress": "Indirizzo copiato", - "@arkReceiveCopyAddress": { - "description": "Copy address button label" - }, - "testBackupErrorWriteFailed": "Scrivi a storage fail: {error}", - "@testBackupErrorWriteFailed": { - "description": "Error when writing verification status to storage fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "exchangeDcaNetworkLightning": "Rete di illuminazione", - "@exchangeDcaNetworkLightning": { - "description": "DCA network option: Lightning" - }, - "sendType": "Tipo: ", - "@sendType": { - "description": "Label prefix for transaction type field" - }, - "buyBitcoinAddressHint": "BC1QYL7J673H...6Y6ALV70M0", - "@buyBitcoinAddressHint": { - "description": "Placeholder hint for bitcoin address input" - }, - "exchangeHomeWithdrawButton": "Ritiro", - "@exchangeHomeWithdrawButton": { - "description": "Button label for withdrawing funds from the exchange" - }, - "transactionListOngoingTransfersTitle": "Transfer in corso", - "@transactionListOngoingTransfersTitle": { - "description": "Title for ongoing transfers section" - }, - "arkSendAmountTitle": "Inserire l'importo", - "@arkSendAmountTitle": { - "description": "Title for the ark send amount page" - }, - "addressViewAddress": "Indirizzo", - "@addressViewAddress": { - "description": "Label for address field" - }, - "payOnChainFee": "Fee on-Chain", - "@payOnChainFee": { - "description": "Label for Bitcoin on-chain transaction fee" - }, - "arkReceiveUnifiedAddress": "Indirizzo unificato (BIP21)", - "@arkReceiveUnifiedAddress": { - "description": "Label for unified BIP21 address" - }, - "sellHowToPayInvoice": "Come vuoi pagare questa fattura?", - "@sellHowToPayInvoice": { - "description": "Question for payment method selection" - }, - "payUseCoinjoin": "Utilizzare CoinJoinin", - "@payUseCoinjoin": { - "description": "Option to use CoinJoin for privacy" - }, - "autoswapWarningExplanation": "Quando il saldo supera l'importo del trigger, verrà attivato uno swap. L'importo di base verrà mantenuto nel portafoglio pagamenti istantanei e l'importo rimanente verrà scambiato nel vostro portafoglio Bitcoin sicuro.", - "@autoswapWarningExplanation": { - "description": "Explanation text in the autoswap warning bottom sheet" - }, - "recoverbullVaultRecoveryTitle": "Ripristino del caveau", - "@recoverbullVaultRecoveryTitle": { - "description": "Title for recoverbull vault recovery screen" - }, - "passportStep14": "Ora è pronto a trasmettere! Non appena si fa clic sulla trasmissione, la transazione verrà pubblicata sulla rete Bitcoin e i fondi saranno inviati.", - "@passportStep14": { - "description": "Passport final instruction about broadcasting" - }, - "settingsCurrencyTitle": "Valuta", - "@settingsCurrencyTitle": { - "description": "Title for the currency settings section in the settings menu" - }, - "transactionSwapDescChainClaimable": "La transazione di blocco è stata confermata. State ora sostenendo i fondi per completare il vostro trasferimento.", - "@transactionSwapDescChainClaimable": { - "description": "Description for claimable chain swap" - }, - "sendSwapDetails": "Swap dettagli", - "@sendSwapDetails": { - "description": "Section header for swap information" - }, - "onboardingPhysicalBackupDescription": "Recuperare il portafoglio tramite 12 parole.", - "@onboardingPhysicalBackupDescription": { - "description": "Description for the physical backup recovery option in onboarding" - }, - "psbtFlowSelectSeed": "Una volta che la transazione viene importata nel vostro {device}, è necessario selezionare il seme che si desidera firmare con.", - "@psbtFlowSelectSeed": { - "description": "Instruction to select seed on device for signing", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "pinStatusLoading": "Caricamento", - "@pinStatusLoading": { - "description": "Status screen title during initialization" - }, - "payTitle": "Paga", - "@payTitle": { - "description": "Screen title for pay feature" - }, - "buyInputKycMessage": "È necessario completare l'ID verifica prima", - "@buyInputKycMessage": { - "description": "KYC pending info card message" - }, - "ledgerSuccessAddressVerified": "Indirizzo verificato con successo!", - "@ledgerSuccessAddressVerified": { - "description": "Success snackbar message after address verification" - }, - "fundExchangeCrIbanUsdLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanUsdLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (legal ID number in Costa Rica) for USD" - }, - "arkSettleDescription": "Finalizzare le transazioni in sospeso e includere vtxos recuperabili se necessario", - "@arkSettleDescription": { - "description": "Description explaining what settling transactions does" - }, - "backupWalletHowToDecideVaultCustomRecommendation": "Posizione personalizzata: ", - "@backupWalletHowToDecideVaultCustomRecommendation": { - "description": "Bold label for custom location recommendation" - }, - "arkSendSuccessMessage": "La tua transazione di Ark ha avuto successo!", - "@arkSendSuccessMessage": { - "description": "Success message shown after Ark send transaction completes" - }, - "sendSats": "sats", - "@sendSats": { - "description": "Unit label for satoshis" - }, - "electrumInvalidTimeoutError": "Valore di timeout non valido: {value}", - "@electrumInvalidTimeoutError": { - "description": "Error message for invalid Timeout value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "exchangeKycLevelLimited": "Limitazioni", - "@exchangeKycLevelLimited": { - "description": "KYC verification level: Limited" - }, - "withdrawConfirmEmail": "Email", - "@withdrawConfirmEmail": { - "description": "Field label for email (Interac)" - }, - "buyNetworkFees": "Tasse di rete", - "@buyNetworkFees": { - "description": "Label for network fees amount" - }, - "coldcardStep7": " - Spostare il laser rosso su e giù sul codice QR", - "@coldcardStep7": { - "description": "Coldcard troubleshooting tip 2" - }, - "transactionSwapDescChainRefundable": "Il trasferimento sarà rimborsato. I vostri fondi verranno restituiti automaticamente al vostro portafoglio.", - "@transactionSwapDescChainRefundable": { - "description": "Description for refundable chain swap" - }, - "sendPaymentWillTakeTime": "Pagamento Ci vorrà tempo", - "@sendPaymentWillTakeTime": { - "description": "Title warning of delayed payment" - }, - "fundExchangeSpeiTitle": "Trasferimento SPEI", - "@fundExchangeSpeiTitle": { - "description": "Screen title for SPEI transfer (Mexico)" - }, - "receivePaymentNormally": "Ricevere il pagamento normalmente", - "@receivePaymentNormally": { - "description": "Option to receive payment without payjoin if it fails" - }, - "kruxStep10": "Una volta che la transazione viene importata nel Krux, rivedere l'indirizzo di destinazione e l'importo.", - "@kruxStep10": { - "description": "Krux instruction for reviewing transaction" - }, - "bitboxErrorHandshakeFailed": "Non sono riuscito a stabilire una connessione sicura. Per favore riprovate.", - "@bitboxErrorHandshakeFailed": { - "description": "Error when handshake with BitBox device fails" - }, - "sellKYCRequired": "Verifica KYC richiesta", - "@sellKYCRequired": { - "description": "Error when identity verification needed" - }, - "coldcardStep8": " - Prova a spostare il dispositivo indietro un po'", - "@coldcardStep8": { - "description": "Coldcard troubleshooting tip 3" - }, - "bitboxScreenDefaultWalletLabel": "Portafoglio BitBox", - "@bitboxScreenDefaultWalletLabel": { - "description": "Default label for imported BitBox wallet" - }, - "replaceByFeeBroadcastButton": "Trasmissione", - "@replaceByFeeBroadcastButton": { - "description": "Button to broadcast the replacement transaction" - }, - "swapExternalTransferLabel": "Trasferimento esterno", - "@swapExternalTransferLabel": { - "description": "Label for external transfer toggle" - }, - "transactionPayjoinNoProposal": "Non riceve una proposta payjoin dal ricevitore?", - "@transactionPayjoinNoProposal": { - "description": "Message displayed when payjoin proposal is not received" - }, - "importQrDevicePassportStep4": "Selezionare \"Connect Wallet\"", - "@importQrDevicePassportStep4": { - "description": "Passport instruction step 4" - }, - "payAddRecipient": "Aggiungi Recipiente", - "@payAddRecipient": { - "description": "Button to add another payment recipient" - }, - "recoverbullVaultImportedSuccess": "La tua cassaforte e' stata importata con successo", - "@recoverbullVaultImportedSuccess": { - "description": "Success message after vault import" - }, - "backupKeySeparationWarning": "E 'criticamente importante che non salvare la chiave di backup nello stesso luogo in cui si salva il file di backup. Conservare sempre su dispositivi separati o fornitori di cloud separati.", - "@backupKeySeparationWarning": { - "description": "Warning about storing backup key and file separately" - }, - "coreSwapsStatusInProgress": "In corso", - "@coreSwapsStatusInProgress": { - "description": "Display name for in-progress swap status (paid, claimable, refundable, canCoop)" - }, - "confirmAccessPinTitle": "Confermare l'accesso {pinOrPassword}", - "@confirmAccessPinTitle": { - "description": "Title for confirming access PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "sellErrorUnexpectedOrderType": "SellOrder previsto ma ha ricevuto un diverso tipo di ordine", - "@sellErrorUnexpectedOrderType": { - "description": "Error message when wrong order type is received" - }, - "pinCreateHeadline": "Crea nuovo pin", - "@pinCreateHeadline": { - "description": "Headline text on PIN creation screen" - }, - "transactionSwapProgressConfirmed": "Confermato", - "@transactionSwapProgressConfirmed": { - "description": "Swap progress step: confirmed" - }, - "sellRoutingNumber": "Numero di rotazione", - "@sellRoutingNumber": { - "description": "Label for bank routing/transit number" - }, - "sellDailyLimitReached": "Limite di vendita giornaliero raggiunto", - "@sellDailyLimitReached": { - "description": "Error when hitting daily maximum" - }, - "requiredHint": "Obbligo", - "@requiredHint": { - "description": "Placeholder hint for required label field" - }, - "arkUnilateralExitDelay": "Ritardo di uscita unilaterale", - "@arkUnilateralExitDelay": { - "description": "Label for unilateral exit delay field" - }, - "arkStatusPending": "Finanziamenti", - "@arkStatusPending": { - "description": "Status label for pending transactions" - }, - "importWatchOnlyXpub": "xpubblica", - "@importWatchOnlyXpub": { - "description": "Label for xpub import method" - }, - "dcaInsufficientBalanceTitle": "Bilancia insufficiente", - "@dcaInsufficientBalanceTitle": { - "description": "InfoCard title when user has insufficient funds" - }, - "arkType": "Tipo", - "@arkType": { - "description": "Label for transaction type field in details table" - }, - "backupImportanceMessage": "Senza un backup, alla fine perderai l'accesso ai tuoi soldi. È fondamentale fare un backup.", - "@backupImportanceMessage": { - "description": "Critical warning message about the importance of backing up the wallet" - }, - "testBackupGoogleDrivePermission": "Google ti chiederà di condividere le informazioni personali con questa app.", - "@testBackupGoogleDrivePermission": { - "description": "Progress screen description explaining Google Drive permission request" - }, - "testnetModeSettingsLabel": "Modalità Testnet", - "@testnetModeSettingsLabel": { - "description": "The label for the testnet mode settings" - }, - "testBackupErrorUnexpectedSuccess": "Successo inaspettato: il backup dovrebbe corrispondere al portafoglio esistente", - "@testBackupErrorUnexpectedSuccess": { - "description": "Error for unexpected successful vault restoration" - }, - "coreScreensReceiveAmountLabel": "Ricevi l'importo", - "@coreScreensReceiveAmountLabel": { - "description": "Label for receive amount field" - }, - "payAllTypes": "Tutti i tipi", - "@payAllTypes": { - "description": "Option for all types filter" - }, - "systemLabelPayjoin": "Pagamento", - "@systemLabelPayjoin": { - "description": "System label for payjoin transactions" - }, - "onboardingScreenTitle": "Benvenuto", - "@onboardingScreenTitle": { - "description": "The title of the onboarding screen" - }, - "pinCodeConfirmTitle": "Confermare il nuovo perno", - "@pinCodeConfirmTitle": { - "description": "Title for confirming the new PIN code" - }, - "arkSetupExperimentalWarning": "Ark e' ancora sperimentale.\n\nIl portafoglio Ark deriva dalla frase principale del portafoglio. Nessun backup aggiuntivo è necessario, il backup portafoglio esistente ripristina i fondi Ark troppo.\n\nContinuando, si riconosce la natura sperimentale di Ark e il rischio di perdere fondi.\n\nNota dello sviluppatore: Il segreto dell'arca deriva dal seme principale del portafoglio utilizzando una derivazione arbitraria BIP-85 (indice 11811).", - "@arkSetupExperimentalWarning": { - "description": "Ark experimental warning text" - }, - "keyServerLabel": "Server chiave ", - "@keyServerLabel": { - "description": "Label for key server status" - }, - "recoverbullEnterToView": "Si prega di inserire il {inputType} per visualizzare la chiave della volta.", - "@recoverbullEnterToView": { - "description": "Instruction to enter PIN or password to view vault key", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "payReviewPayment": "Pagamento", - "@payReviewPayment": { - "description": "Title for payment review screen" - }, - "electrumBitcoinSslInfo": "Se non viene specificato alcun protocollo, ssl verrà utilizzato per impostazione predefinita.", - "@electrumBitcoinSslInfo": { - "description": "Info text for Bitcoin server protocol" - }, - "transactionTitle": "Transazioni", - "@transactionTitle": { - "description": "Title for the transactions screen" - }, - "sellQrCode": "Codice QR QR", - "@sellQrCode": { - "description": "Title for QR code bottom sheet" - }, - "walletOptionsUnnamedWalletFallback": "Portafoglio senza nome", - "@walletOptionsUnnamedWalletFallback": { - "description": "Fallback name displayed for wallets without a specified name" - }, - "fundExchangeRegularSepaInfo": "Utilizzare solo per operazioni superiori a €20.000. Per le transazioni più piccole, utilizzare l'opzione Instant SEPA.", - "@fundExchangeRegularSepaInfo": { - "description": "Info message for Regular SEPA transaction limits" - }, - "fundExchangeDoneButton": "Fatto", - "@fundExchangeDoneButton": { - "description": "Button label to finish and exit the funding flow" - }, - "buyKYCLevel3": "Livello 3 - Pieno", - "@buyKYCLevel3": { - "description": "Full verification tier" - }, - "appStartupErrorMessageNoBackup": "Su v5.4.0 è stato scoperto un bug critico in una delle nostre dipendenze che influiscono sullo storage di chiave privata. La tua app è stata influenzata da questo. Contatta il nostro team di supporto.", - "@appStartupErrorMessageNoBackup": { - "description": "Error message shown when app startup fails due to seed storage issue and user has no backup" - }, - "sellGoHome": "Vai a casa", - "@sellGoHome": { - "description": "Button to go to home screen" - }, - "keystoneStep8": "Una volta che la transazione viene importata nel Keystone, rivedere l'indirizzo di destinazione e l'importo.", - "@keystoneStep8": { - "description": "Keystone instruction for reviewing transaction" - }, - "psbtFlowSpecterTitle": "Istruzioni Specter", - "@psbtFlowSpecterTitle": { - "description": "Title for Specter device signing instructions" - }, - "importMnemonicChecking": "Controllo...", - "@importMnemonicChecking": { - "description": "Status while checking wallet type" - }, - "sendConnectDevice": "Collegare il dispositivo", - "@sendConnectDevice": { - "description": "Prompt to plug in hardware wallet" - }, - "connectHardwareWalletSeedSigner": "SeedSigner", - "@connectHardwareWalletSeedSigner": { - "description": "SeedSigner hardware wallet option" - }, - "importQrDevicePassportStep7": "Selezionare \"QR Code\"", - "@importQrDevicePassportStep7": { - "description": "Passport instruction step 7" - }, - "delete": "Cancella", - "@delete": { - "description": "Generic delete button label" - }, - "connectingToKeyServer": "Collegamento a Key Server tramite Tor.\nQuesto può richiedere fino a un minuto.", - "@connectingToKeyServer": { - "description": "Message shown while connecting to key server via Tor" - }, - "bitboxErrorDeviceNotFound": "Dispositivo BitBox non trovato.", - "@bitboxErrorDeviceNotFound": { - "description": "Error when BitBox device cannot be found" - }, - "ledgerScanningMessage": "Alla ricerca di dispositivi Ledger nelle vicinanze...", - "@ledgerScanningMessage": { - "description": "Message shown while scanning for Ledger devices" - }, - "sellInsufficientBalanceError": "Insufficiente equilibrio nel portafoglio selezionato per completare questo ordine di vendita.", - "@sellInsufficientBalanceError": { - "description": "Error message for insufficient balance" - }, - "transactionSwapDescLnReceivePending": "Il tuo scambio e' stato avviato. Stiamo aspettando che venga ricevuto un pagamento sul Lightning Network.", - "@transactionSwapDescLnReceivePending": { - "description": "Description for pending Lightning receive swap" - }, - "tryAgainButton": "Prova ancora", - "@tryAgainButton": { - "description": "Default button text for error state" - }, - "psbtFlowHoldSteady": "Tenere il codice QR costante e centralizzato", - "@psbtFlowHoldSteady": { - "description": "Troubleshooting tip to hold QR code still" - }, - "swapConfirmTitle": "Confermare il trasferimento", - "@swapConfirmTitle": { - "description": "AppBar title for swap confirmation screen" - }, - "testBackupGoogleDrivePrivacyPart1": "Queste informazioni ", - "@testBackupGoogleDrivePrivacyPart1": { - "description": "First part of privacy message" - }, - "connectHardwareWalletKeystone": "Keystone", - "@connectHardwareWalletKeystone": { - "description": "Keystone hardware wallet option" - }, - "importWalletTitle": "Aggiungi un nuovo portafoglio", - "@importWalletTitle": { - "description": "AppBar title for wallet import selection screen" - }, - "mempoolSettingsDefaultServer": "Server predefinito", - "@mempoolSettingsDefaultServer": { - "description": "Label for default mempool server section" - }, - "sendPasteAddressOrInvoice": "Incolla un indirizzo di pagamento o una fattura", - "@sendPasteAddressOrInvoice": { - "description": "Placeholder text for the payment address or invoice input field" - }, - "swapToLabel": "A", - "@swapToLabel": { - "description": "Label for destination wallet dropdown or address input" - }, - "payLoadingRecipients": "Caricamento dei destinatari...", - "@payLoadingRecipients": { - "description": "Message while loading recipients" - }, - "sendSignatureReceived": "Firma ricevuta", - "@sendSignatureReceived": { - "description": "Success after hardware wallet signs" - }, - "failedToDeriveBackupKey": "Non è riuscito a derivare la chiave di backup", - "@failedToDeriveBackupKey": { - "description": "Error message when backup key derivation fails" - }, - "recoverbullGoogleDriveErrorExportFailed": "Non ha esportato il caveau da Google Drive", - "@recoverbullGoogleDriveErrorExportFailed": { - "description": "Error message when exporting a drive backup fails" - }, - "exchangeKycLevelLight": "Luce", - "@exchangeKycLevelLight": { - "description": "KYC verification level: Light" - }, - "transactionLabelCreatedAt": "Creato a", - "@transactionLabelCreatedAt": { - "description": "Label for creation timestamp" - }, - "bip329LabelsExportSuccess": "{count, plural, =1{1 etichetta esportata} other{{count} etichette esportate}}", - "@bip329LabelsExportSuccess": { - "description": "Success message after exporting labels", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "fundExchangeMethodOnlineBillPaymentSubtitle": "L'opzione più lenta, ma può essere fatto tramite online banking (3-4 giorni lavorativi)", - "@fundExchangeMethodOnlineBillPaymentSubtitle": { - "description": "Subtitle for Online Bill Payment method" - }, - "walletDeletionErrorWalletNotFound": "Il portafoglio che stai cercando di eliminare non esiste.", - "@walletDeletionErrorWalletNotFound": { - "description": "Error message when the wallet to delete cannot be found" - }, - "payEnableRBF": "Abilitare RBF", - "@payEnableRBF": { - "description": "Checkbox to enable Replace-By-Fee" - }, - "transactionDetailLabelFromWallet": "Dal portafoglio", - "@transactionDetailLabelFromWallet": { - "description": "Label for source wallet" - }, - "settingsLanguageTitle": "Lingua", - "@settingsLanguageTitle": { - "description": "Title for the language selection in app settings" - }, - "importQrDeviceInvalidQR": "Codice QR non valido", - "@importQrDeviceInvalidQR": { - "description": "Error for invalid QR code format" - }, - "exchangeAppSettingsSaveSuccessMessage": "Impostazioni salvate con successo", - "@exchangeAppSettingsSaveSuccessMessage": { - "description": "Success message displayed when exchange app settings are saved" - }, - "addressViewShowQR": "Mostra il codice QR", - "@addressViewShowQR": { - "description": "Button to display address as QR code" - }, - "testBackupVaultSuccessMessage": "La tua cassaforte e' stata importata con successo", - "@testBackupVaultSuccessMessage": { - "description": "Success message after vault is imported" - }, - "exchangeSupportChatInputHint": "Digitare un messaggio...", - "@exchangeSupportChatInputHint": { - "description": "Placeholder text for the message input field" - }, - "electrumTestnet": "Testa", - "@electrumTestnet": { - "description": "Testnet environment label" - }, - "sellSelectWallet": "Seleziona Wallet", - "@sellSelectWallet": { - "description": "Dropdown to choose source wallet" - }, - "mempoolCustomServerAdd": "Aggiungi server personalizzato", - "@mempoolCustomServerAdd": { - "description": "Button text to add custom mempool server" - }, - "sendHighFeeWarningDescription": "Costo totale è {feePercent}% dell'importo che state inviando", - "@sendHighFeeWarningDescription": { - "description": "Warning message showing fee as percentage of send amount", - "placeholders": { - "feePercent": { - "type": "String" - } - } - }, - "withdrawConfirmButton": "Confermare il ritiro", - "@withdrawConfirmButton": { - "description": "Button to confirm withdrawal" - }, - "fundExchangeLabelBankAccountDetails": "Dati del conto bancario", - "@fundExchangeLabelBankAccountDetails": { - "description": "Label for bank account details field" - }, - "payLiquidAddress": "Indirizzo liquido", - "@payLiquidAddress": { - "description": "Label indicating payment destination is Liquid address" - }, - "sellTotalFees": "Totale delle spese", - "@sellTotalFees": { - "description": "Label for sum of all fees" - }, - "importWatchOnlyUnknown": "Sconosciuto", - "@importWatchOnlyUnknown": { - "description": "Default value when signing device is unknown" - }, - "bitboxScreenNestedSegwitBip49": "Segwit Nested (BIP49)", - "@bitboxScreenNestedSegwitBip49": { - "description": "Script type display name for BIP49" - }, - "payContinue": "Continua", - "@payContinue": { - "description": "Button to continue to next step" - }, - "importColdcardInstructionsStep8": "Scansiona il codice QR visualizzato sul tuo Coldcard Q", - "@importColdcardInstructionsStep8": { - "description": "ImportColdcardQ: Eighth instruction step" - }, - "dcaSuccessMessageMonthly": "Comprerai {amount} ogni mese", - "@dcaSuccessMessageMonthly": { - "description": "Success message for monthly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sendSelectedCoins": "{count} monete selezionate", - "@sendSelectedCoins": { - "description": "Label showing number of UTXOs selected", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "rbfErrorNoFeeRate": "Si prega di selezionare una tariffa di tassa", - "@rbfErrorNoFeeRate": { - "description": "Error when no fee rate is selected" - }, - "backupWalletGoogleDrivePrivacyMessage1": "Queste informazioni ", - "@backupWalletGoogleDrivePrivacyMessage1": { - "description": "First part of privacy message about Google Drive data" - }, - "labelErrorUnsupportedType": "Questo tipo {type} non è supportato", - "@labelErrorUnsupportedType": { - "description": "Error message when label type is not supported", - "placeholders": { - "type": { - "type": "String" - } - } - }, - "paySatsPerByte": "{sats}", - "@paySatsPerByte": { - "description": "Fee rate format", - "placeholders": { - "sats": { - "type": "String" - } - } - }, - "payRbfActivated": "Attivato il sostituto", - "@payRbfActivated": { - "description": "Label for RBF toggle" - }, - "dcaConfirmNetworkLightning": "Illuminazione", - "@dcaConfirmNetworkLightning": { - "description": "Lightning network label" - }, - "ledgerDefaultWalletLabel": "Portafoglio Ledger", - "@ledgerDefaultWalletLabel": { - "description": "Default label for imported Ledger wallet" - }, - "importWalletSpecter": "Spettacolo", - "@importWalletSpecter": { - "description": "Button label for Specter hardware wallet" - }, - "customLocationProvider": "Posizione personalizzata", - "@customLocationProvider": { - "description": "Name of custom location provider" - }, - "dcaSelectFrequencyLabel": "Seleziona frequenza", - "@dcaSelectFrequencyLabel": { - "description": "Label above frequency selection radio buttons" - }, - "transactionSwapDescChainCompleted": "Il vostro trasferimento è stato completato con successo! I fondi dovrebbero ora essere disponibili nel portafoglio.", - "@transactionSwapDescChainCompleted": { - "description": "Description for completed chain swap" - }, - "coreSwapsLnSendRefundable": "Swap è pronto per essere rimborsato.", - "@coreSwapsLnSendRefundable": { - "description": "Status message for refundable Lightning send swap" - }, - "backupInstruction2": "Senza un backup, se si perde o si rompe il telefono, o se si disinstalla l'app Bull Bitcoin, i bitcoin saranno persi per sempre.", - "@backupInstruction2": { - "description": "Second backup instruction warning about losing phone or app" - }, - "autoswapSave": "Salva", - "@autoswapSave": { - "description": "Save button label" - }, - "swapGoHomeButton": "Vai a casa", - "@swapGoHomeButton": { - "description": "Button to return home from progress page" - }, - "sendFeeRateTooHigh": "Il tasso di rendimento sembra molto alto", - "@sendFeeRateTooHigh": { - "description": "Warning for excessive fee" - }, - "ledgerHelpStep2": "Assicurarsi che il telefono ha Bluetooth acceso e consentito.", - "@ledgerHelpStep2": { - "description": "Second troubleshooting step for Ledger connection issues" - }, - "fundExchangeCrIbanUsdPaymentDescriptionHelp": "Il tuo codice di trasferimento.", - "@fundExchangeCrIbanUsdPaymentDescriptionHelp": { - "description": "Help text explaining payment description is the transfer code" - }, - "recoverVia12WordsDescription": "Recuperare il portafoglio tramite 12 parole.", - "@recoverVia12WordsDescription": { - "description": "Description for recovering via 12 words" - }, - "fundExchangeFundAccount": "Finanziamento del tuo conto", - "@fundExchangeFundAccount": { - "description": "Main heading on funding screen" - }, - "electrumServerSettingsLabel": "Electrum server (nodo Bitcoin)", - "@electrumServerSettingsLabel": { - "description": "The label for the button to access the electrum server settings" - }, - "dcaEnterLightningAddressLabel": "Inserisci l'indirizzo di illuminazione", - "@dcaEnterLightningAddressLabel": { - "description": "Label for Lightning address text input field" - }, - "statusCheckOnline": "Online", - "@statusCheckOnline": { - "description": "Status text when a service is online" - }, - "buyPayoutMethod": "Metodo di pagamento", - "@buyPayoutMethod": { - "description": "Label for payout method" - }, - "exchangeAmountInputTitle": "Inserire l'importo", - "@exchangeAmountInputTitle": { - "description": "Title for the amount input field" - }, - "electrumCloseTooltip": "Chiudi", - "@electrumCloseTooltip": { - "description": "Close button tooltip" - }, - "payIbanHint": "Inserisci IBAN", - "@payIbanHint": { - "description": "Hint for IBAN input" - }, - "sendCoinConfirmations": "{count} conferme", - "@sendCoinConfirmations": { - "description": "Label for UTXO confirmation count", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "fundExchangeLabelRecipientNameArs": "Nome destinatario", - "@fundExchangeLabelRecipientNameArs": { - "description": "Label for recipient name in Argentina transfer" - }, - "sendTo": "A", - "@sendTo": { - "description": "Label for the recipient/destination in a transaction" - }, - "gotItButton": "Capito", - "@gotItButton": { - "description": "Button label to acknowledge successful test" - }, - "walletTypeLiquidLightningNetwork": "Rete di liquidi e fulmini", - "@walletTypeLiquidLightningNetwork": { - "description": "Wallet type label for Liquid and Lightning network" - }, - "sendFeePriority": "Priorità", - "@sendFeePriority": { - "description": "Label for selecting fee priority level" - }, - "transactionPayjoinSendWithout": "Inviare senza pagamento", - "@transactionPayjoinSendWithout": { - "description": "Button label to send transaction without payjoin" - }, - "paySelectCountry": "Seleziona il paese", - "@paySelectCountry": { - "description": "Hint for country dropdown" - }, - "importMnemonicTransactionsLabel": "Transazioni: {count}", - "@importMnemonicTransactionsLabel": { - "description": "ImportMnemonic: Transactions label with count in wallet type card", - "placeholders": { - "count": { - "type": "String" - } - } - }, - "exchangeSettingsReferralsTitle": "Referrals", - "@exchangeSettingsReferralsTitle": { - "description": "Title for the referrals section in exchange settings" - }, - "autoswapAlwaysBlockInfoEnabled": "Quando abilitato, i trasferimenti automatici con tasse superiori al limite impostato saranno sempre bloccati", - "@autoswapAlwaysBlockInfoEnabled": { - "description": "Help text when always block is enabled" - }, - "importMnemonicSelectScriptType": "Importazione di Mnemonic", - "@importMnemonicSelectScriptType": { - "description": "AppBar title for script type selection" - }, - "sellSendPaymentCadBalance": "CAD Bilancio", - "@sellSendPaymentCadBalance": { - "description": "CAD balance payout method" - }, - "recoverbullConnectingTor": "Collegamento a Key Server tramite Tor.\nCi vorra' un minuto.", - "@recoverbullConnectingTor": { - "description": "Message shown while establishing Tor connection" - }, - "fundExchangeCanadaPostStep2": "2. Chiedi al cassiere di scansionare il codice QR \"Loadhub\"", - "@fundExchangeCanadaPostStep2": { - "description": "Step 2 for Canada Post payment process" - }, - "recoverbullEnterVaultKeyInstead": "Inserire una chiave a volta invece", - "@recoverbullEnterVaultKeyInstead": { - "description": "Button text to switch to manual vault key entry" - }, - "exchangeAccountInfoEmailLabel": "Email", - "@exchangeAccountInfoEmailLabel": { - "description": "Label for email field in account information" - }, - "legacySeedViewNoSeedsMessage": "Nessun seme ereditario trovato.", - "@legacySeedViewNoSeedsMessage": { - "description": "Message shown when no legacy seeds are found" - }, - "arkAboutDustValue": "{dust}", - "@arkAboutDustValue": { - "description": "Dust value format", - "placeholders": { - "dust": { - "type": "int" - } - } - }, - "keystoneStep5": " - Aumentare la luminosità dello schermo sul dispositivo", - "@keystoneStep5": { - "description": "Keystone troubleshooting tip 1" - }, - "sendSelectCoinsManually": "Seleziona le monete manualmente", - "@sendSelectCoinsManually": { - "description": "Label for manually selecting coins (UTXOs) in the send flow" - }, - "importMnemonicEmpty": "Vuoto", - "@importMnemonicEmpty": { - "description": "Status for wallet type with no transactions" - }, - "electrumBitcoinServerInfo": "Inserisci l'indirizzo del server in formato: host:port (ad esempio.com:50001)", - "@electrumBitcoinServerInfo": { - "description": "Info text for Bitcoin server URL format" - }, - "recoverbullErrorServiceUnavailable": "Servizio non disponibile. Controlla la connessione.", - "@recoverbullErrorServiceUnavailable": { - "description": "Error message when key server service is unavailable" - }, - "arkSettleTitle": "Settle Transactions", - "@arkSettleTitle": { - "description": "Settle bottom sheet title" - }, - "sendErrorInsufficientBalanceForSwap": "Non abbastanza saldo per pagare questo swap tramite Liquid e non entro limiti di swap per pagare tramite Bitcoin.", - "@sendErrorInsufficientBalanceForSwap": { - "description": "Error when balance insufficient for swap through either network" - }, - "psbtFlowJadeTitle": "Blockstream Jade PSBT Istruzioni", - "@psbtFlowJadeTitle": { - "description": "Title for Blockstream Jade PSBT signing instructions" - }, - "torSettingsDescUnknown": "Incapace di determinare Lo status di Tor. Assicurare che Orbot sia installato e funzionante.", - "@torSettingsDescUnknown": { - "description": "Description when Tor status is unknown" - }, - "transactionFilterPayjoin": "Pagamento", - "@transactionFilterPayjoin": { - "description": "Filter option to show only payjoin transactions" - }, - "importQrDeviceKeystoneStep8": "Inserisci un'etichetta per il tuo portafoglio Keystone e tocca Import", - "@importQrDeviceKeystoneStep8": { - "description": "Keystone instruction step 8" - }, - "dcaContinueButton": "Continua", - "@dcaContinueButton": { - "description": "Button label to proceed to next step in DCA flow" - }, - "fundExchangeCrIbanUsdTitle": "Trasferimento bancario (USD)", - "@fundExchangeCrIbanUsdTitle": { - "description": "Screen title for Costa Rica bank transfer in US Dollars" - }, - "buyStandardWithdrawalDesc": "Ricevi Bitcoin dopo il pagamento cancella (1-3 giorni)", - "@buyStandardWithdrawalDesc": { - "description": "Explanation of standard withdrawal timing" - }, - "psbtFlowColdcardTitle": "Istruzioni Coldcard Q", - "@psbtFlowColdcardTitle": { - "description": "Title for Coldcard Q device signing instructions" - }, - "sendRelativeFees": "Tasse relative", - "@sendRelativeFees": { - "description": "Label for relative fee display mode (sats per vByte)" - }, - "payToAddress": "Per indirizzo", - "@payToAddress": { - "description": "Label showing destination address" - }, - "sellCopyInvoice": "Copia fattura", - "@sellCopyInvoice": { - "description": "Button to copy invoice" - }, - "cancelButton": "Annulla", - "@cancelButton": { - "description": "Button to cancel logout action" - }, - "coreScreensNetworkFeesLabel": "Tasse di rete", - "@coreScreensNetworkFeesLabel": { - "description": "Label for network fees field" - }, - "kruxStep9": " - Prova a spostare il dispositivo indietro un po'", - "@kruxStep9": { - "description": "Krux troubleshooting tip 3" - }, - "sendReceiveNetworkFee": "Ricevi le quote di rete", - "@sendReceiveNetworkFee": { - "description": "Label for network fee on receive side" - }, - "arkTxPayment": "Pagamento", - "@arkTxPayment": { - "description": "Transaction type label for Ark payment transactions" - }, - "importQrDeviceSeedsignerStep6": "Selezionare \"Sparrow\" come opzione di esportazione", - "@importQrDeviceSeedsignerStep6": { - "description": "SeedSigner instruction step 6" - }, - "swapValidationMaximumAmount": "Importo massimo è {amount} {currency}", - "@swapValidationMaximumAmount": { - "description": "Validation error when amount exceeds maximum", - "placeholders": { - "amount": { - "type": "String" - }, - "currency": { - "type": "String" - } - } - }, - "fundExchangeETransferLabelBeneficiaryName": "Utilizzare questo come nome beneficiario E-transfer", - "@fundExchangeETransferLabelBeneficiaryName": { - "description": "Label for E-transfer beneficiary name" - }, - "backupWalletErrorFileSystemPath": "Non selezionare il percorso del file system", - "@backupWalletErrorFileSystemPath": { - "description": "Error when file system path selection fails" - }, - "coreSwapsLnSendCanCoop": "Swap completerà momentaneamente.", - "@coreSwapsLnSendCanCoop": { - "description": "Status message for Lightning send swap that can complete cooperatively" - }, - "electrumServerNotUsed": "Non usato", - "@electrumServerNotUsed": { - "description": "Status text for disabled servers" - }, - "backupWalletHowToDecideBackupPhysicalRecommendation": "Backup fisico: ", - "@backupWalletHowToDecideBackupPhysicalRecommendation": { - "description": "Bold label for physical backup recommendation" - }, - "payDebitCardNumber": "Numero della carta di debito", - "@payDebitCardNumber": { - "description": "Label for debit card number field" - }, - "receiveRequestInboundLiquidity": "Richiedi capacità di ricezione", - "@receiveRequestInboundLiquidity": { - "description": "Button to open channel for receiving" - }, - "backupWalletHowToDecideBackupMoreInfo": "Visitare Recoverbull.com per ulteriori informazioni.", - "@backupWalletHowToDecideBackupMoreInfo": { - "description": "Link text to external resource" - }, - "walletAutoTransferBlockedMessage": "Tentare di trasferire {amount} BTC. La tassa attuale è {currentFee}% dell'importo di trasferimento e la soglia di tassa è impostata a {thresholdFee}%", - "@walletAutoTransferBlockedMessage": { - "description": "Message explaining why auto-transfer was blocked", - "placeholders": { - "amount": { - "type": "String" - }, - "currentFee": { - "type": "String" - }, - "thresholdFee": { - "type": "String" - } - } - }, - "kruxStep11": "Fare clic sui pulsanti per firmare la transazione sul Krux.", - "@kruxStep11": { - "description": "Krux instruction for signing" - }, - "exchangeSupportChatEmptyState": "Nessun messaggio. Inizia una conversazione!", - "@exchangeSupportChatEmptyState": { - "description": "Message shown when there are no chat messages" - }, - "payExternalWalletDescription": "Paga da un altro portafoglio Bitcoin", - "@payExternalWalletDescription": { - "description": "Description for external wallet option" - }, - "electrumRetryCountEmptyError": "Retry Count non può essere vuoto", - "@electrumRetryCountEmptyError": { - "description": "Validation error for empty Retry Count field" - }, - "ledgerErrorBitcoinAppNotOpen": "Si prega di aprire l'app Bitcoin sul dispositivo Ledger e riprovare.", - "@ledgerErrorBitcoinAppNotOpen": { - "description": "Error message when Bitcoin app is not open on Ledger (error codes 6e01, 6a87, 6d02, 6511, 6e00)" - }, - "physicalBackupTag": "Senza fiducia (prendi il tuo tempo)", - "@physicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes time" - }, - "arkIncludeRecoverableVtxos": "Includere vtxos recuperabili", - "@arkIncludeRecoverableVtxos": { - "description": "Label for toggle switch to include recoverable vtxos when settling" - }, - "payCompletedDescription": "Il pagamento è stato completato e il destinatario ha ricevuto i fondi.", - "@payCompletedDescription": { - "description": "Description for payment completed" - }, - "recoverbullConnecting": "Collegamento", - "@recoverbullConnecting": { - "description": "Status label indicating connection in progress" - }, - "swapExternalAddressHint": "Inserisci l'indirizzo del portafoglio esterno", - "@swapExternalAddressHint": { - "description": "Hint text for external address input" - }, - "torSettingsDescConnecting": "Istituzione Collegamento Tor", - "@torSettingsDescConnecting": { - "description": "Description when Tor is connecting" - }, - "ledgerWalletTypeLegacyDescription": "P2PKH - Formato più vecchio", - "@ledgerWalletTypeLegacyDescription": { - "description": "Description for Legacy wallet type" - }, - "dcaConfirmationDescription": "L'acquisto degli ordini verrà effettuato automaticamente per queste impostazioni. Puoi disattivarli quando vuoi.", - "@dcaConfirmationDescription": { - "description": "Explanation text at the top of confirmation screen" - }, - "appleICloudProvider": "Apple iCloud", - "@appleICloudProvider": { - "description": "Name of Apple iCloud provider" - }, - "exchangeAccountInfoVerificationNotVerified": "Non verificato", - "@exchangeAccountInfoVerificationNotVerified": { - "description": "Status label for not verified verification level" - }, - "fundExchangeWarningDescription": "Se qualcuno ti sta chiedendo di comprare Bitcoin o \"aiutarti\", stai attento, potrebbero essere cercando di truffarti!", - "@fundExchangeWarningDescription": { - "description": "Warning message about potential scammers when funding account" - }, - "transactionDetailLabelTransactionId": "ID transazione", - "@transactionDetailLabelTransactionId": { - "description": "Label for transaction ID in details" - }, - "arkReceiveTitle": "Ark Ricevimento", - "@arkReceiveTitle": { - "description": "AppBar title for Ark receive screen" - }, - "payDebitCardNumberHint": "Inserisci il numero della carta di debito", - "@payDebitCardNumberHint": { - "description": "Hint for debit card number input" - }, - "backupWalletHowToDecideBackupEncryptedRecommendation": "Criptato: ", - "@backupWalletHowToDecideBackupEncryptedRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, - "seedsignerStep9": "Verifica l'indirizzo di destinazione e l'importo e conferma la firma sul tuo SeedSigner.", - "@seedsignerStep9": { - "description": "SeedSigner instruction for reviewing and signing" - }, - "logoutButton": "Logout", - "@logoutButton": { - "description": "Button to confirm logout action" - }, - "payReplaceByFee": "Sostituire-By-Fee (RBF)", - "@payReplaceByFee": { - "description": "Label for RBF feature" - }, - "coreSwapsLnReceiveClaimable": "Swap è pronto per essere rivendicato.", - "@coreSwapsLnReceiveClaimable": { - "description": "Status message for claimable Lightning receive swap" - }, - "pinButtonCreate": "Creare PIN", - "@pinButtonCreate": { - "description": "Button label when no PIN exists" - }, - "fundExchangeJurisdictionEurope": "🇪🇺 Europa (SEPA)", - "@fundExchangeJurisdictionEurope": { - "description": "Dropdown option for Europe SEPA jurisdiction" - }, - "settingsExchangeSettingsTitle": "Impostazioni di Exchange", - "@settingsExchangeSettingsTitle": { - "description": "Title for the exchange settings section in the settings menu" - }, - "sellFeePriority": "Priorità", - "@sellFeePriority": { - "description": "Label for fee priority selection" - }, - "exchangeFeatureSelfCustody": "• Acquistare Bitcoin direttamente a self-custody", - "@exchangeFeatureSelfCustody": { - "description": "Feature bullet point describing self-custody Bitcoin purchases" - }, - "arkBoardingUnconfirmed": "Imbarco non confermato", - "@arkBoardingUnconfirmed": { - "description": "Label for unconfirmed boarding balance in Ark balance breakdown" - }, - "fundExchangeLabelPaymentDescription": "Descrizione del pagamento", - "@fundExchangeLabelPaymentDescription": { - "description": "Label for payment description field" - }, - "payAmountTooHigh": "Importo superiore al massimo", - "@payAmountTooHigh": { - "description": "Error when payment amount exceeds maximum allowed" - }, - "dcaConfirmPaymentBalance": "{currency} equilibrio", - "@dcaConfirmPaymentBalance": { - "description": "Payment method balance format", - "placeholders": { - "currency": { - "type": "String" - } - } - }, - "torSettingsPortValidationInvalid": "Inserisci un numero valido", - "@torSettingsPortValidationInvalid": { - "description": "Validation error when port is not a valid number" - }, - "sellBankTransfer": "Trasferimento bancario", - "@sellBankTransfer": { - "description": "Option for bank deposit" - }, - "importQrDeviceSeedsignerStep3": "Scansiona un SeedQR o inserisci la tua frase di seme di 12 o 24 parole", - "@importQrDeviceSeedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, - "replaceByFeeFastestTitle": "Più veloce", - "@replaceByFeeFastestTitle": { - "description": "Title for fastest fee option" - }, - "transactionLabelBitcoinTransactionId": "ID transazione Bitcoin", - "@transactionLabelBitcoinTransactionId": { - "description": "Label for Bitcoin network transaction ID" - }, - "sellPayinAmount": "Importo del pagamento", - "@sellPayinAmount": { - "description": "Label for amount user pays in" - }, - "exchangeKycRemoveLimits": "Per rimuovere i limiti di transazione", - "@exchangeKycRemoveLimits": { - "description": "KYC card subtitle" - }, - "autoswapMaxBalanceInfoText": "Quando l'equilibrio del portafoglio supera il doppio di questa quantità, il trasferimento automatico si attiva per ridurre l'equilibrio a questo livello", - "@autoswapMaxBalanceInfoText": { - "description": "Help text explaining how the max balance threshold works" - }, - "sellSendPaymentBelowMin": "Stai cercando di vendere sotto l'importo minimo che può essere venduto con questo portafoglio.", - "@sellSendPaymentBelowMin": { - "description": "Below min amount error" - }, - "dcaWalletSelectionDescription": "Gli acquisti Bitcoin saranno posti automaticamente per questo programma.", - "@dcaWalletSelectionDescription": { - "description": "Explanation text at the top of wallet selection screen" - }, - "sendTypeSend": "Invia", - "@sendTypeSend": { - "description": "Send type name for Bitcoin/Liquid transactions" - }, - "payFeeBumpSuccessful": "Fee urto successo", - "@payFeeBumpSuccessful": { - "description": "Success message after fee bump" - }, - "importQrDeviceKruxStep1": "Accendere il dispositivo Krux", - "@importQrDeviceKruxStep1": { - "description": "Krux instruction step 1" - }, - "transactionSwapProgressFundsClaimed": "Fondi\nPregiudiziale", - "@transactionSwapProgressFundsClaimed": { - "description": "Swap progress step: funds claimed" - }, - "recoverbullSelectAppleIcloud": "Apple iCloud", - "@recoverbullSelectAppleIcloud": { - "description": "Name label for Apple iCloud backup provider option" - }, - "dcaAddressLightning": "Indirizzo fulmine", - "@dcaAddressLightning": { - "description": "Lightning address label" - }, - "keystoneStep13": "La transazione verrà importata nel portafoglio Bull Bitcoin.", - "@keystoneStep13": { - "description": "Keystone instruction about import completion" - }, - "receiveGenerationFailed": "Non generare {type}", - "@receiveGenerationFailed": { - "description": "Error when address/invoice generation fails", - "placeholders": { - "type": { - "type": "String" - } - } - }, - "coreSwapsLnReceiveCanCoop": "Swap completerà momentaneamente.", - "@coreSwapsLnReceiveCanCoop": { - "description": "Status message for Lightning receive swap that can complete cooperatively" - }, - "addressViewAddressesTitle": "Indirizzo", - "@addressViewAddressesTitle": { - "description": "Title for the addresses section in wallet options" - }, - "withdrawRecipientsNoRecipients": "Nessun destinatario ha trovato di ritirarsi.", - "@withdrawRecipientsNoRecipients": { - "description": "Empty state message" - }, - "transactionSwapProgressPaymentMade": "Pagamento\nFatto", - "@transactionSwapProgressPaymentMade": { - "description": "Swap progress step: payment made" - }, - "importQrDeviceSpecterStep4": "Seguire le istruzioni secondo il metodo scelto", - "@importQrDeviceSpecterStep4": { - "description": "Specter instruction step 4" - }, - "coreSwapsChainPending": "Il trasferimento non è ancora inizializzato.", - "@coreSwapsChainPending": { - "description": "Status message for pending chain swap" - }, - "importWalletImportWatchOnly": "Importa solo orologio", - "@importWalletImportWatchOnly": { - "description": "Button to import watch-only wallet" - }, - "coldcardStep9": "Una volta importata la transazione nella tua Coldcard, controlla l'indirizzo di destinazione e l'importo.", - "@coldcardStep9": { - "description": "Coldcard instruction for reviewing transaction" - }, - "sendErrorArkExperimentalOnly": "Le richieste di pagamento ARK sono disponibili solo dalla funzione sperimentale Ark.", - "@sendErrorArkExperimentalOnly": { - "description": "Error when ARK payment is attempted without experimental feature enabled" - }, - "exchangeKycComplete": "Completa il tuo KYC", - "@exchangeKycComplete": { - "description": "KYC card title" - }, - "enterBackupKeyManuallyDescription": "Se hai esportato la chiave di backup e l'hai salvata in una posizione seperata da solo, puoi entrare manualmente qui. Altrimenti torna alla schermata precedente.", - "@enterBackupKeyManuallyDescription": { - "description": "Description for entering backup key manually" - }, - "sellBitcoinPriceLabel": "Bitcoin Prezzo", - "@sellBitcoinPriceLabel": { - "description": "Label for Bitcoin price display" - }, - "receiveCopyAddress": "Copia indirizzo", - "@receiveCopyAddress": { - "description": "Button to copy address to clipboard" - }, - "receiveSave": "Salva", - "@receiveSave": { - "description": "Button label for saving receive details" - }, - "mempoolNetworkBitcoinTestnet": "Testnet di Bitcoin", - "@mempoolNetworkBitcoinTestnet": { - "description": "Label for Bitcoin Testnet network" - }, - "transactionLabelPayjoinStatus": "Stato di payjoin", - "@transactionLabelPayjoinStatus": { - "description": "Label for payjoin status" - }, - "passportStep2": "Fare clic sul segno con il codice QR", - "@passportStep2": { - "description": "Passport instruction step 2" - }, - "pinCodeRemoveButton": "Rimuovere PIN Sicurezza", - "@pinCodeRemoveButton": { - "description": "Button label to remove the security PIN" - }, - "withdrawOwnershipMyAccount": "Questo è il mio conto", - "@withdrawOwnershipMyAccount": { - "description": "Option indicating the account belongs to the user" - }, - "payAddMemo": "Aggiungi memo (opzionale)", - "@payAddMemo": { - "description": "Placeholder for memo input field" - }, - "transactionNetworkBitcoin": "Bitcoin", - "@transactionNetworkBitcoin": { - "description": "Label for Bitcoin network transactions" - }, - "recoverbullSelectVaultProvider": "Selezionare Vault Provider", - "@recoverbullSelectVaultProvider": { - "description": "Screen title for vault provider selection" - }, - "replaceByFeeOriginalTransactionTitle": "Transazione originale", - "@replaceByFeeOriginalTransactionTitle": { - "description": "Title for original transaction section" - }, - "testBackupPhysicalBackupTag": "Senza fiducia (prendi il tuo tempo)", - "@testBackupPhysicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes longer" - }, - "testBackupTitle": "Prova il backup del portafoglio", - "@testBackupTitle": { - "description": "AppBar title for main backup options screen" - }, - "coreSwapsLnSendFailed": "Swap ha fallito.", - "@coreSwapsLnSendFailed": { - "description": "Status message for failed Lightning send swap" - }, - "recoverbullErrorDecryptFailed": "Non è riuscito a decifrare la volta", - "@recoverbullErrorDecryptFailed": { - "description": "Error message when vault decryption fails" - }, - "keystoneStep9": "Fare clic sui pulsanti per firmare la transazione sul Keystone.", - "@keystoneStep9": { - "description": "Keystone instruction for signing" - }, - "totalFeesLabel": "Totale spese", - "@totalFeesLabel": { - "description": "Label for total fees in lightning swap" - }, - "payInProgressDescription": "Il pagamento è stato avviato e il destinatario riceverà i fondi dopo che la vostra transazione riceve 1 conferma onchain.", - "@payInProgressDescription": { - "description": "Description for payment in progress" - }, - "importQrDevicePassportStep10": "Nell'app portafogli BULL, selezionare \"Segwit (BIP84)\" come opzione di derivazione", - "@importQrDevicePassportStep10": { - "description": "Passport instruction step 10" - }, - "payHighPriority": "Alto", - "@payHighPriority": { - "description": "High fee priority option" - }, - "buyBitcoinPrice": "Bitcoin Prezzo", - "@buyBitcoinPrice": { - "description": "Label for Bitcoin exchange rate" - }, - "sendFrozenCoin": "Congelato", - "@sendFrozenCoin": { - "description": "Status for manually frozen UTXO" - }, - "importColdcardInstructionsStep4": "Verificare che il firmware sia aggiornato alla versione 1.3.4Q", - "@importColdcardInstructionsStep4": { - "description": "ImportColdcardQ: Fourth instruction step" - }, - "lastBackupTestLabel": "Ultimo test di backup: {date}", - "@lastBackupTestLabel": { - "description": "Label showing the date of the last backup test", - "placeholders": { - "date": { - "type": "String", - "example": "2025-01-20 15:30:45" - } - } - }, - "sendBroadcastTransaction": "Transazione di trasmissione", - "@sendBroadcastTransaction": { - "description": "Button label for broadcasting a transaction to the network" - }, - "receiveBitcoinConfirmationMessage": "La transazione Bitcoin richiederà un po 'per confermare.", - "@receiveBitcoinConfirmationMessage": { - "description": "Information message about Bitcoin transaction confirmation time" - }, - "walletTypeWatchOnly": "Guarda solo", - "@walletTypeWatchOnly": { - "description": "Wallet type label for watch-only wallets" - }, - "psbtFlowKruxTitle": "Istruzioni Krux", - "@psbtFlowKruxTitle": { - "description": "Title for Krux device signing instructions" - }, - "recoverbullDecryptVault": "Decrypt vault", - "@recoverbullDecryptVault": { - "description": "Button text to decrypt the selected vault" - }, - "connectHardwareWalletJade": "Blockstream Jade", - "@connectHardwareWalletJade": { - "description": "Blockstream Jade hardware wallet option" - }, - "coreSwapsChainRefundable": "Il trasferimento è pronto per essere rimborsato.", - "@coreSwapsChainRefundable": { - "description": "Status message for refundable chain swap" - }, - "buyInputCompleteKyc": "Completa KYC", - "@buyInputCompleteKyc": { - "description": "Button to complete KYC" - }, - "transactionFeesTotalDeducted": "Questa è la quota totale detratta dall'importo inviato", - "@transactionFeesTotalDeducted": { - "description": "Fee deduction explanation for sending swaps" - }, - "autoswapMaxFee": "Costo massimo di trasferimento", - "@autoswapMaxFee": { - "description": "Field label for max fee threshold" - }, - "sellReviewOrder": "Ordine di vendita", - "@sellReviewOrder": { - "description": "Title for order confirmation screen" - }, - "payDescription": "Designazione", - "@payDescription": { - "description": "Label for payment description/memo field" - }, - "buySecureBitcoinWallet": "Portafoglio Bitcoin sicuro", - "@buySecureBitcoinWallet": { - "description": "Label for secure Bitcoin wallet" - }, - "sendEnterRelativeFee": "Inserire la tassa relativa nei sati/vB", - "@sendEnterRelativeFee": { - "description": "Placeholder for relative fee rate input field" - }, - "importQrDevicePassportStep1": "Potenza sul dispositivo Passport", - "@importQrDevicePassportStep1": { - "description": "Passport instruction step 1" - }, - "fundExchangeMethodArsBankTransferSubtitle": "Invia un bonifico bancario dal tuo conto bancario", - "@fundExchangeMethodArsBankTransferSubtitle": { - "description": "Subtitle for Argentina bank transfer payment method" - }, - "transactionOrderLabelExchangeRate": "Tasso di cambio", - "@transactionOrderLabelExchangeRate": { - "description": "Label for order exchange rate" - }, - "backupSettingsScreenTitle": "Impostazioni di backup", - "@backupSettingsScreenTitle": { - "description": "AppBar title for backup settings screen" - }, - "fundExchangeBankTransferWireDescription": "Invia un bonifico bancario dal tuo conto bancario utilizzando i dettagli bancari di Bull Bitcoin di seguito. La tua banca potrebbe richiedere solo alcune parti di questi dettagli.", - "@fundExchangeBankTransferWireDescription": { - "description": "Description of how to use bank transfer wire method" - }, - "importQrDeviceKeystoneStep7": "Scansiona il codice QR visualizzato sul Keystone", - "@importQrDeviceKeystoneStep7": { - "description": "Keystone instruction step 7" - }, - "coldcardStep3": "Selezionare l'opzione \"Scan any QR code\"", - "@coldcardStep3": { - "description": "Coldcard instruction step 3" - }, - "coldcardStep14": "La transazione verrà importata nel portafoglio Bull Bitcoin.", - "@coldcardStep14": { - "description": "Coldcard instruction about import completion" - }, - "pinCodeSettingsLabel": "Codice PIN", - "@pinCodeSettingsLabel": { - "description": "The label for the button to access the PIN code settings" - }, - "buyExternalBitcoinWallet": "Portafoglio Bitcoin esterno", - "@buyExternalBitcoinWallet": { - "description": "Label for external wallet option" - }, - "passwordTooCommonError": "Questo {pinOrPassword} è troppo comune. Si prega di scegliere uno diverso.", - "@passwordTooCommonError": { - "description": "Error message for common password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "importWalletJade": "Blockstream Jade", - "@importWalletJade": { - "description": "Button label for Blockstream Jade hardware wallet" - }, - "payInvalidInvoice": "Fattura non valida", - "@payInvalidInvoice": { - "description": "Error message when invoice format is invalid" - }, - "receiveTotalFee": "Costo totale", - "@receiveTotalFee": { - "description": "Label for the total fee in a receive transaction" - }, - "importQrDeviceButtonOpenCamera": "Aprire la fotocamera", - "@importQrDeviceButtonOpenCamera": { - "description": "ImportQrDevice: Button to open camera for QR scanning" - }, - "recoverbullFetchingVaultKey": "Vai alla scheda chiave", - "@recoverbullFetchingVaultKey": { - "description": "Screen title while fetching vault key from server" - }, - "dcaConfirmFrequency": "Frequenza", - "@dcaConfirmFrequency": { - "description": "Field label for frequency" - }, - "recoverbullGoogleDriveDeleteVaultTitle": "Eliminare Vault", - "@recoverbullGoogleDriveDeleteVaultTitle": { - "description": "Title for delete vault confirmation dialog" - }, - "advancedOptionsTitle": "Opzioni avanzate", - "@advancedOptionsTitle": { - "description": "Bottom sheet header/title for advanced sending options" - }, - "dcaConfirmOrderType": "Tipo d'ordine", - "@dcaConfirmOrderType": { - "description": "Field label for order type" - }, - "payPriceWillRefreshIn": "Il prezzo si rinfresca in ", - "@payPriceWillRefreshIn": { - "description": "Text before countdown timer for price refresh" - }, - "recoverbullGoogleDriveErrorDeleteFailed": "Non è riuscito a cancellare la volta da Google Drive", - "@recoverbullGoogleDriveErrorDeleteFailed": { - "description": "Error message when deleting a drive backup fails" - }, - "broadcastSignedTxTo": "A", - "@broadcastSignedTxTo": { - "description": "Label for destination address" - }, - "arkAboutDurationDays": "{days} giorni", - "@arkAboutDurationDays": { - "description": "Duration format for plural days", - "placeholders": { - "days": { - "type": "int" - } - } - }, - "payPaymentDetails": "Dettagli di pagamento", - "@payPaymentDetails": { - "description": "Section header for payment information" - }, - "bitboxActionVerifyAddressTitle": "Verifica l'indirizzo su BitBox", - "@bitboxActionVerifyAddressTitle": { - "description": "Title for verify address action" - }, - "psbtSignTransaction": "Transazione dei segni", - "@psbtSignTransaction": { - "description": "AppBar title for PSBT signing screen" - }, - "sellRemainingLimit": "Restare oggi: {amount}", - "@sellRemainingLimit": { - "description": "Shows remaining daily limit", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "bitboxActionImportWalletSuccess": "Portafoglio importato con successo", - "@bitboxActionImportWalletSuccess": { - "description": "Success text for import wallet" - }, - "nextButton": "Il prossimo", - "@nextButton": { - "description": "Button label to go to next step" - }, - "ledgerSignButton": "Avviare la firma", - "@ledgerSignButton": { - "description": "Button label to start signing transaction with Ledger" - }, - "recoverbullPassword": "Password", - "@recoverbullPassword": { - "description": "Label for password input type" - }, - "dcaNetworkLiquid": "Rete liquida", - "@dcaNetworkLiquid": { - "description": "Liquid network label for DCA" - }, - "fundExchangeMethodSinpeTransfer": "Trasferimento SINPE", - "@fundExchangeMethodSinpeTransfer": { - "description": "Payment method: SINPE Transfer (Costa Rica)" - }, - "dcaCancelTitle": "Cancella Bitcoin ricorrenti acquistare?", - "@dcaCancelTitle": { - "description": "Dialog title for DCA cancellation" - }, - "payFromAnotherWallet": "Paga da un altro portafoglio Bitcoin", - "@payFromAnotherWallet": { - "description": "Subtitle for external wallet option" - }, - "importMnemonicHasBalance": "Ha equilibrio", - "@importMnemonicHasBalance": { - "description": "Status for wallet type with balance" - }, - "dcaLightningAddressEmptyError": "Si prega di inserire un indirizzo Lightning", - "@dcaLightningAddressEmptyError": { - "description": "Validation error when Lightning address field is empty" - }, - "googleAppleCloudRecommendationText": "si desidera assicurarsi di non perdere mai l'accesso al file del vault anche se si perde i dispositivi.", - "@googleAppleCloudRecommendationText": { - "description": "Text explaining when to use Google/Apple cloud" - }, - "closeDialogButton": "Chiudi", - "@closeDialogButton": { - "description": "Button to close the value display modal dialog" - }, - "jadeStep14": "La transazione verrà importata nel portafoglio Bull Bitcoin.", - "@jadeStep14": { - "description": "Jade instruction about import completion" - }, - "payCorporateName": "Nome aziendale", - "@payCorporateName": { - "description": "Label for corporate name field" - }, - "importColdcardError": "Non importare Coldcard", - "@importColdcardError": { - "description": "Error message" - }, - "transactionStatusPayjoinRequested": "Payjoin richiesto", - "@transactionStatusPayjoinRequested": { - "description": "Status label for payjoin transaction requests" - }, - "payOwnerNameHint": "Inserisci il nome del proprietario", - "@payOwnerNameHint": { - "description": "Hint for owner name input" - }, - "customLocationRecommendationText": "si è sicuri che non perderà il file del vault e sarà ancora accessibile se si perde il telefono.", - "@customLocationRecommendationText": { - "description": "Text explaining when to use custom location" - }, - "arkAboutForfeitAddress": "Indirizzo di consegna", - "@arkAboutForfeitAddress": { - "description": "Field label for forfeit address" - }, - "kruxStep13": "Fare clic su \"Ho chiuso\" nel portafoglio Bull Bitcoin.", - "@kruxStep13": { - "description": "Krux instruction to return to app" - }, - "transactionSwapInfoRefundableTransfer": "Questo trasferimento verrà rimborsato automaticamente entro pochi secondi. In caso contrario, è possibile tentare un rimborso manuale facendo clic sul pulsante \"Retry Transfer Refund\".", - "@transactionSwapInfoRefundableTransfer": { - "description": "Additional info for refundable transfers" - }, - "payBitcoinPrice": "Bitcoin Prezzo", - "@payBitcoinPrice": { - "description": "Label for Bitcoin exchange rate" - }, - "confirmLogoutMessage": "Sei sicuro di voler uscire dal tuo conto Bull Bitcoin? Dovrai accedere di nuovo per accedere alle funzionalità di scambio.", - "@confirmLogoutMessage": { - "description": "Confirmation message explaining logout consequences" - }, - "receivePaymentInProgress": "Pagamento in corso", - "@receivePaymentInProgress": { - "description": "Status message when a payment is being processed" - }, - "dcaSuccessMessageDaily": "Comprerai {amount} ogni giorno", - "@dcaSuccessMessageDaily": { - "description": "Success message for daily frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "walletNetworkLiquidTestnet": "Testato liquido", - "@walletNetworkLiquidTestnet": { - "description": "Network label for Liquid testnet" - }, - "electrumDeleteFailedError": "Non è stato possibile eliminare server personalizzati{reason}", - "@electrumDeleteFailedError": { - "description": "Error message when deleting custom server fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "receiveBoltzSwapFee": "Boltz Swap Fee", - "@receiveBoltzSwapFee": { - "description": "Label for the Boltz swap service fee in a receive transaction" - }, - "swapInfoBanner": "Trasferisci Bitcoin senza soluzione di continuità tra i portafogli. Tenere solo i fondi nel Portafoglio di Pagamento istantaneo per le spese giornaliere.", - "@swapInfoBanner": { - "description": "Info banner on swap amount screen" - }, - "payRBFEnabled": "RBF abilitato", - "@payRBFEnabled": { - "description": "Status when RBF is enabled" - }, - "takeYourTimeTag": "Prendi il tuo tempo", - "@takeYourTimeTag": { - "description": "Tag for options requiring more time" - }, - "arkAboutDust": "Polvere", - "@arkAboutDust": { - "description": "Field label for dust amount" - }, - "ledgerSuccessVerifyDescription": "L'indirizzo è stato verificato sul dispositivo Ledger.", - "@ledgerSuccessVerifyDescription": { - "description": "Success message description after verifying address on Ledger" - }, - "bip85Title": "BIP85 Entropie deterministiche", - "@bip85Title": { - "description": "AppBar title for BIP85 entropy derivation screen" - }, - "sendSwapTimeout": "Scambio tempo fuori", - "@sendSwapTimeout": { - "description": "Error when swap expires" - }, - "networkFeesLabel": "Tasse di rete", - "@networkFeesLabel": { - "description": "Label for network transaction fees in onchain send" - }, - "backupWalletPhysicalBackupDescription": "Scrivi 12 parole su un pezzo di carta. Tienili al sicuro e assicurati di non perderli.", - "@backupWalletPhysicalBackupDescription": { - "description": "Description of physical backup method" - }, - "sendSwapInProgressBitcoin": "Lo scambio è in corso. Le transazioni Bitcoin possono richiedere un po' di tempo per confermare. Puoi tornare a casa e aspettare.", - "@sendSwapInProgressBitcoin": { - "description": "Message for Bitcoin swap in progress" - }, - "electrumDeleteServerTitle": "Eliminare server personalizzati", - "@electrumDeleteServerTitle": { - "description": "Delete server dialog title" - }, - "buySelfie": "Selfie con ID", - "@buySelfie": { - "description": "Type of document required" - }, - "arkAboutSecretKey": "Chiave segreta", - "@arkAboutSecretKey": { - "description": "Label for secret key field in about page" - }, - "sellMxnBalance": "MXN Bilancio", - "@sellMxnBalance": { - "description": "Display text for MXN balance payout method" - }, - "fundExchangeWarningTactic4": "Essi chiedono di inviare Bitcoin al loro indirizzo", - "@fundExchangeWarningTactic4": { - "description": "Fourth scammer tactic warning" - }, - "fundExchangeSinpeDescription": "Colonne di trasferimento utilizzando SINPE", - "@fundExchangeSinpeDescription": { - "description": "Description for SINPE transfer method" - }, - "wordsDropdownSuffix": " parole", - "@wordsDropdownSuffix": { - "description": "Suffix for mnemonic length dropdown" - }, - "arkTxTypeRedeem": "Redeem", - "@arkTxTypeRedeem": { - "description": "Transaction type label for redeem transactions" - }, - "receiveVerifyAddressOnLedger": "Verifica l'indirizzo su Ledger", - "@receiveVerifyAddressOnLedger": { - "description": "Button label for verifying an address on a Ledger hardware wallet" - }, - "buyWaitForFreeWithdrawal": "Attendere il ritiro gratuito", - "@buyWaitForFreeWithdrawal": { - "description": "Button to wait for free (slower) withdrawal" - }, - "sellSendPaymentCrcBalance": "CRC Bilancio", - "@sellSendPaymentCrcBalance": { - "description": "CRC balance payout method" - }, - "backupSettingsKeyWarningBold": "Attenzione: Fai attenzione a dove salvare la chiave di backup.", - "@backupSettingsKeyWarningBold": { - "description": "Bold warning message in backup key warning modal" - }, - "settingsArkTitle": "Ark", - "@settingsArkTitle": { - "description": "Title for the Ark protocol section in Bitcoin settings" - }, - "exchangeLandingConnectAccount": "Collegare il conto di cambio Bull Bitcoin", - "@exchangeLandingConnectAccount": { - "description": "Subtitle text on the exchange landing screen encouraging users to connect" - }, - "recoverYourWalletTitle": "Recuperare il portafoglio", - "@recoverYourWalletTitle": { - "description": "Title for recover wallet screen" - }, - "importWatchOnlyLabel": "Etichetta", - "@importWatchOnlyLabel": { - "description": "Label for wallet name/label input field" - }, - "settingsAppSettingsTitle": "Impostazioni app", - "@settingsAppSettingsTitle": { - "description": "Title for the app settings section in the settings menu" - }, - "dcaWalletLightningSubtitle": "Richiede portafoglio compatibile, massimo 0.25 BTC", - "@dcaWalletLightningSubtitle": { - "description": "Subtitle/description for Lightning wallet option" - }, - "dcaNetworkBitcoin": "Rete Bitcoin", - "@dcaNetworkBitcoin": { - "description": "Bitcoin network label for DCA" - }, - "swapTransferRefundInProgressMessage": "C'era un errore nel trasferimento. Il rimborso è in corso.", - "@swapTransferRefundInProgressMessage": { - "description": "Message during refund process" - }, - "importQrDevicePassportName": "Passaporto della Fondazione", - "@importQrDevicePassportName": { - "description": "Name of Foundation Passport device" - }, - "fundExchangeMethodCanadaPostSubtitle": "Meglio per chi preferisce pagare di persona", - "@fundExchangeMethodCanadaPostSubtitle": { - "description": "Subtitle for Canada Post payment method" - }, - "importColdcardMultisigPrompt": "Per i portafogli multisig, eseguire la scansione del codice QR del descrittore del portafoglio", - "@importColdcardMultisigPrompt": { - "description": "Additional instruction for multisig" - }, - "passphraseLabel": "Passphrase", - "@passphraseLabel": { - "description": "Label for optional passphrase input field" - }, - "recoverbullConfirmInput": "Conferma {inputType}", - "@recoverbullConfirmInput": { - "description": "Label to confirm input (PIN or password)", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "transactionSwapDescLnReceiveCompleted": "Il tuo swap è stato completato con successo! I fondi dovrebbero ora essere disponibili nel portafoglio.", - "@transactionSwapDescLnReceiveCompleted": { - "description": "Description for completed Lightning receive swap" - }, - "psbtFlowSignTransaction": "Transazione dei segni", - "@psbtFlowSignTransaction": { - "description": "Title for psbt flow signing screen" - }, - "payAllPayments": "Tutti i pagamenti", - "@payAllPayments": { - "description": "Filter option to show all" - }, - "fundExchangeSinpeDescriptionBold": "sarà respinta.", - "@fundExchangeSinpeDescriptionBold": { - "description": "Bold text warning that payment from wrong number will be rejected" - }, - "transactionDetailLabelPayoutStatus": "Stato di pagamento", - "@transactionDetailLabelPayoutStatus": { - "description": "Label for payout status" - }, - "buyInputFundAccount": "Finanziamento del tuo conto", - "@buyInputFundAccount": { - "description": "Button to fund account" - }, - "importWatchOnlyZpub": "zpub", - "@importWatchOnlyZpub": { - "description": "Label for zpub import method" - }, - "testBackupNext": "Il prossimo", - "@testBackupNext": { - "description": "Button to proceed to verification quiz" - }, - "payBillerSearchHint": "Inserisci le prime 3 lettere del nome del biller", - "@payBillerSearchHint": { - "description": "Hint for biller search field" - }, - "coreSwapsLnSendCompletedRefunded": "Swap è stato rimborsato.", - "@coreSwapsLnSendCompletedRefunded": { - "description": "Status message for Lightning send swap completed via refund" - }, - "transactionSwapInfoClaimableSwap": "Lo swap sarà completato automaticamente entro pochi secondi. In caso contrario, è possibile provare un reclamo manuale facendo clic sul pulsante \"Retry Swap Claim\".", - "@transactionSwapInfoClaimableSwap": { - "description": "Additional info for claimable swaps" - }, - "mempoolCustomServerLabel": "DOGANA", - "@mempoolCustomServerLabel": { - "description": "Label badge for custom server" - }, - "arkAboutSessionDuration": "Durata della sessione", - "@arkAboutSessionDuration": { - "description": "Field label for session duration" - }, - "transferFeeLabel": "Tassa di trasferimento", - "@transferFeeLabel": { - "description": "Breakdown component showing Boltz transfer fee portion" - }, - "pinValidationError": "PIN deve essere almeno {minLength} cifre lunghe", - "@pinValidationError": { - "description": "Error message when PIN is too short", - "placeholders": { - "minLength": { - "type": "String" - } - } - }, - "buyConfirmationTimeValue": "10 minuti", - "@buyConfirmationTimeValue": { - "description": "Value for estimated confirmation time" - }, - "dcaOrderTypeValue": "Acquisto ricorrente", - "@dcaOrderTypeValue": { - "description": "Value for order type" - }, - "ledgerConnectingMessage": "Collegamento a {deviceName}", - "@ledgerConnectingMessage": { - "description": "Message shown while connecting to a specific Ledger device", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "buyConfirmAwaitingConfirmation": "Conferma attesa ", - "@buyConfirmAwaitingConfirmation": { - "description": "Awaiting confirmation label" - }, - "torSettingsSaveButton": "Salva", - "@torSettingsSaveButton": { - "description": "Save button label for Tor port settings" - }, - "allSeedViewShowSeedsButton": "Show Seeds", - "@allSeedViewShowSeedsButton": { - "description": "Button label to show seed phrases" - }, - "fundExchangeMethodBankTransferWireSubtitle": "Migliore e più affidabile opzione per importi più grandi (stesso o il giorno successivo)", - "@fundExchangeMethodBankTransferWireSubtitle": { - "description": "Subtitle for Bank Transfer Wire payment method" - }, - "fundExchangeCanadaPostStep4": "4. Il cassiere chiederà di vedere un pezzo di ID rilasciato dal governo e verificare che il nome sul tuo ID corrisponda al tuo conto Bull Bitcoin", - "@fundExchangeCanadaPostStep4": { - "description": "Step 4 for Canada Post payment process - ID verification" - }, - "fundExchangeCrIbanCrcLabelIban": "Numero di conto IBAN (solo colonne)", - "@fundExchangeCrIbanCrcLabelIban": { - "description": "Label for IBAN number field for CRC (Colones) only" - }, - "importQrDeviceSpecterInstructionsTitle": "Istruzioni Specter", - "@importQrDeviceSpecterInstructionsTitle": { - "description": "Title for Specter setup instructions" - }, - "testBackupScreenshot": "Schermata", - "@testBackupScreenshot": { - "description": "Label with X mark warning against taking screenshots" - }, - "transactionListLoadingTransactions": "Caricamento delle transazioni...", - "@transactionListLoadingTransactions": { - "description": "Message displayed while loading transactions" - }, - "dcaSuccessTitle": "L'acquisto ricorrente è attivo!", - "@dcaSuccessTitle": { - "description": "Success screen title after DCA is activated" - }, - "fundExchangeOnlineBillPaymentDescription": "Qualsiasi importo che invii tramite la funzione di pagamento della fattura online della tua banca utilizzando le informazioni qui sotto sarà accreditato sul tuo saldo conto Bull Bitcoin entro 3-4 giorni lavorativi.", - "@fundExchangeOnlineBillPaymentDescription": { - "description": "Description of how online bill payment works and timeframe" - }, - "receiveAwaitingPayment": "Pagamenti in attesa...", - "@receiveAwaitingPayment": { - "description": "Status while waiting for payment" - }, - "onboardingRecover": "Recuperare", - "@onboardingRecover": { - "description": "Button label for recovering a wallet in onboarding" - }, - "recoverbullGoogleDriveScreenTitle": "Google Drive Vaults", - "@recoverbullGoogleDriveScreenTitle": { - "description": "Screen title for Google Drive vaults management" - }, - "receiveQRCode": "Codice QR QR", - "@receiveQRCode": { - "description": "Section header for QR code display" - }, - "appSettingsDevModeTitle": "Modalità Dev", - "@appSettingsDevModeTitle": { - "description": "Title for the developer mode toggle in app settings" - }, - "payDecodeFailed": "Non codificare la fattura", - "@payDecodeFailed": { - "description": "Error when invoice parsing fails" - }, - "sendAbsoluteFees": "Tasse assolute", - "@sendAbsoluteFees": { - "description": "Label for absolute fee display mode (total sats)" - }, - "arkSendConfirm": "Conferma", - "@arkSendConfirm": { - "description": "Confirm button on send screen" - }, - "replaceByFeeErrorTransactionConfirmed": "La transazione originale è stata confermata", - "@replaceByFeeErrorTransactionConfirmed": { - "description": "Error message when original transaction is already confirmed" - }, - "rbfErrorFeeTooLow": "È necessario aumentare il tasso di tassa di almeno 1 sat/vbyte rispetto alla transazione originale", - "@rbfErrorFeeTooLow": { - "description": "Error when new fee rate is not high enough" - }, - "ledgerErrorMissingDerivationPathSign": "Il percorso di derivazione è richiesto per la firma", - "@ledgerErrorMissingDerivationPathSign": { - "description": "Error message when derivation path is missing for signing" - }, - "backupWalletTitle": "Eseguire il backup del portafoglio", - "@backupWalletTitle": { - "description": "AppBar title for main backup options screen" - }, - "jadeStep10": "Fare clic sui pulsanti per firmare la transazione sul tuo Jade.", - "@jadeStep10": { - "description": "Jade instruction for signing" - }, - "arkAboutDurationHour": "{hours} ora", - "@arkAboutDurationHour": { - "description": "Duration format for singular hour", - "placeholders": { - "hours": { - "type": "int" - } - } - }, - "bitboxScreenUnknownError": "Errore sconosciuto si è verificato", - "@bitboxScreenUnknownError": { - "description": "Fallback error message" - }, - "electrumPrivacyNoticeTitle": "Informativa sulla privacy", - "@electrumPrivacyNoticeTitle": { - "description": "Title for privacy notice bottom sheet" - }, - "receiveLiquid": "Liquidazione", - "@receiveLiquid": { - "description": "Label for receiving Bitcoin via Liquid Network" - }, - "payOpenChannelRequired": "L'apertura di un canale è richiesta per questo pagamento", - "@payOpenChannelRequired": { - "description": "Message indicating a new Lightning channel is needed" - }, - "coldcardStep1": "Accedi al dispositivo Coldcard Q", - "@coldcardStep1": { - "description": "Coldcard instruction step 1" - }, - "transactionDetailLabelBitcoinTxId": "ID transazione Bitcoin", - "@transactionDetailLabelBitcoinTxId": { - "description": "Label for Bitcoin transaction ID" - }, - "arkSendRecipientHint": "ark1qp9wsjfpsj5v5ex022v6..", - "@arkSendRecipientHint": { - "description": "Hint text for recipient address field" - }, - "sellSendPaymentCalculating": "Calcolo...", - "@sellSendPaymentCalculating": { - "description": "Calculating fees message" - }, - "arkRecoverableVtxos": "Vtxos recuperabili", - "@arkRecoverableVtxos": { - "description": "Label for switch to include recoverable vtxos in redeem" - }, - "psbtFlowTransactionImported": "La transazione verrà importata nel portafoglio Bull Bitcoin.", - "@psbtFlowTransactionImported": { - "description": "Confirmation that transaction was imported successfully" - }, - "testBackupGoogleDriveSignIn": "Dovrai accedere a Google Drive", - "@testBackupGoogleDriveSignIn": { - "description": "Progress screen title when fetching from Google Drive" - }, - "sendTransactionSignedLedger": "Transazione firmata con successo con Ledger", - "@sendTransactionSignedLedger": { - "description": "Success message after Ledger signing" - }, - "recoverbullRecoveryContinueButton": "Continua", - "@recoverbullRecoveryContinueButton": { - "description": "Button text to proceed with importing the wallet" - }, - "payTimeoutError": "Tempo di pagamento. Si prega di controllare lo stato", - "@payTimeoutError": { - "description": "Error when payment takes too long to complete" - }, - "kruxStep4": "Fare clic su Carica dalla fotocamera", - "@kruxStep4": { - "description": "Krux instruction step 4" - }, - "bitboxErrorInvalidMagicBytes": "Rilevato formato PSBT non valido.", - "@bitboxErrorInvalidMagicBytes": { - "description": "Error when PSBT has invalid magic bytes" - }, - "sellErrorRecalculateFees": "Non ha ricalcolato le tasse: {error}", - "@sellErrorRecalculateFees": { - "description": "Error message when fee recalculation fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "dcaSetupFrequencyError": "Seleziona una frequenza", - "@dcaSetupFrequencyError": { - "description": "Frequency validation error" - }, - "testBackupErrorNoMnemonic": "Nessun mnemonic caricato", - "@testBackupErrorNoMnemonic": { - "description": "Error when mnemonic is not loaded" - }, - "payInvoiceExpired": "Fattura scaduta", - "@payInvoiceExpired": { - "description": "Error message when Lightning invoice has expired" - }, - "payWhoAreYouPaying": "Chi paga?", - "@payWhoAreYouPaying": { - "description": "Question prompting user to select recipient" - }, - "confirmButtonLabel": "Conferma", - "@confirmButtonLabel": { - "description": "Button label to confirm and execute the transaction" - }, - "autoswapMaxFeeInfo": "Se la quota di trasferimento totale è superiore alla percentuale impostata, il trasferimento automatico sarà bloccato", - "@autoswapMaxFeeInfo": { - "description": "Info tooltip for max fee field" - }, - "importQrDevicePassportStep9": "Scansiona il codice QR visualizzato sul tuo passaporto", - "@importQrDevicePassportStep9": { - "description": "Passport instruction step 9" - }, - "swapProgressRefundedMessage": "Il trasferimento è stato debitamente rimborsato.", - "@swapProgressRefundedMessage": { - "description": "Refunded transfer message" - }, - "sendEconomyFee": "Economia", - "@sendEconomyFee": { - "description": "Lowest fee tier" - }, - "coreSwapsChainFailed": "Trasferimento Non riuscito.", - "@coreSwapsChainFailed": { - "description": "Status message for failed chain swap" - }, - "transactionDetailAddNote": "Aggiungi nota", - "@transactionDetailAddNote": { - "description": "Button label to add a note to a transaction" - }, - "addressCardUsedLabel": "Usato", - "@addressCardUsedLabel": { - "description": "Label indicating an address has been used" - }, - "buyConfirmTitle": "Acquistare Bitcoin", - "@buyConfirmTitle": { - "description": "AppBar title for buy confirmation screen" - }, - "exchangeLandingFeature5": "Chat con il supporto clienti", - "@exchangeLandingFeature5": { - "description": "Fifth feature bullet point" - }, - "electrumMainnet": "Mainnet", - "@electrumMainnet": { - "description": "Mainnet environment label" - }, - "buyThatWasFast": "E' stato veloce, vero?", - "@buyThatWasFast": { - "description": "Additional success message for accelerated transaction" - }, - "importWalletPassport": "Passaporto della Fondazione", - "@importWalletPassport": { - "description": "Button label for Foundation Passport hardware wallet" - }, - "buyExpressWithdrawalFee": "Pagamento espresso: {amount}", - "@buyExpressWithdrawalFee": { - "description": "Additional fee for instant withdrawal", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellDailyLimit": "Limite giornaliero: {amount}", - "@sellDailyLimit": { - "description": "Shows maximum daily sell amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "recoverbullConnectionFailed": "La connessione non è riuscita", - "@recoverbullConnectionFailed": { - "description": "Status label indicating connection failure" - }, - "transactionDetailLabelPayinMethod": "Metodo di pagamento", - "@transactionDetailLabelPayinMethod": { - "description": "Label for payin method" - }, - "sellCurrentRate": "Tasso attuale", - "@sellCurrentRate": { - "description": "Label for BTC/fiat exchange rate" - }, - "payAmountTooLow": "L'importo è inferiore al minimo", - "@payAmountTooLow": { - "description": "Error when payment amount is below minimum allowed" - }, - "onboardingCreateWalletButtonLabel": "Crea portafoglio", - "@onboardingCreateWalletButtonLabel": { - "description": "The label for the button to create a wallet from the onboarding screen" - }, - "bitboxScreenVerifyOnDevice": "Si prega di verificare questo indirizzo sul dispositivo BitBox", - "@bitboxScreenVerifyOnDevice": { - "description": "Instruction to verify address on device" - }, - "ledgerConnectTitle": "Collegare il dispositivo Ledger", - "@ledgerConnectTitle": { - "description": "Title for initial Ledger connection screen" - }, - "withdrawAmountTitle": "Ritiro fiat", - "@withdrawAmountTitle": { - "description": "AppBar title for withdraw amount screen" - }, - "coreScreensServerNetworkFeesLabel": "Tasse di rete del server", - "@coreScreensServerNetworkFeesLabel": { - "description": "Label for server network fees field" - }, - "dcaFrequencyValidationError": "Seleziona una frequenza", - "@dcaFrequencyValidationError": { - "description": "Form validation error when no frequency is selected" - }, - "walletsListTitle": "Dettagli del portafoglio", - "@walletsListTitle": { - "description": "Title for the wallet details list screen" - }, - "payAllCountries": "Tutti i paesi", - "@payAllCountries": { - "description": "Option for all countries filter" - }, - "sellCopBalance": "COP Bilancio", - "@sellCopBalance": { - "description": "Display text for COP balance payout method" - }, - "recoverbullVaultSelected": "Vault Selezionato", - "@recoverbullVaultSelected": { - "description": "Screen title after vault has been selected" - }, - "receiveTransferFee": "Tassa di trasferimento", - "@receiveTransferFee": { - "description": "Label for the transfer fee in a receive transaction" - }, - "fundExchangeInfoTransferCodeRequired": "È necessario aggiungere il codice di trasferimento come \"message\" o \"reason\" o \"descrizione\" quando si effettua il pagamento. Se si dimentica di inserire questo codice il pagamento può essere respinto.", - "@fundExchangeInfoTransferCodeRequired": { - "description": "Important info about transfer code requirement for Costa Rica transfers" - }, - "arkBoardingExitDelay": "Ritardo di uscita di imbarco", - "@arkBoardingExitDelay": { - "description": "Label for boarding exit delay field" - }, - "exchangeDcaFrequencyHour": "ora", - "@exchangeDcaFrequencyHour": { - "description": "DCA frequency unit: hour" - }, - "transactionLabelPayjoinCreationTime": "Tempo di creazione Payjoin", - "@transactionLabelPayjoinCreationTime": { - "description": "Label for payjoin creation timestamp" - }, - "payRBFDisabled": "Disabili RBF", - "@payRBFDisabled": { - "description": "Status when RBF is disabled" - }, - "exchangeAuthLoginFailedOkButton": "OK", - "@exchangeAuthLoginFailedOkButton": { - "description": "OK button label in the login failed dialog" - }, - "exchangeKycCardTitle": "Completa il tuo KYC", - "@exchangeKycCardTitle": { - "description": "Title of the KYC completion card" - }, - "importQrDeviceSuccess": "Portafoglio importato con successo", - "@importQrDeviceSuccess": { - "description": "Success message after import" - }, - "arkTxSettlement": "Settlement", - "@arkTxSettlement": { - "description": "Transaction type label for Ark settlement transactions" - }, - "autoswapEnable": "Attiva trasferimento automatico", - "@autoswapEnable": { - "description": "Toggle label to enable auto transfer" - }, - "transactionStatusTransferCompleted": "Trasferimento Completato", - "@transactionStatusTransferCompleted": { - "description": "Status label for completed transfers" - }, - "payInvalidSinpe": "Invalid Sinpe", - "@payInvalidSinpe": { - "description": "Error message for invalid SINPE" - }, - "coreScreensFromLabel": "Da", - "@coreScreensFromLabel": { - "description": "Label for source/sender field" - }, - "backupWalletGoogleDriveSignInTitle": "Dovrai accedere a Google Drive", - "@backupWalletGoogleDriveSignInTitle": { - "description": "Loading screen title when initiating Google Drive backup" - }, - "sendEstimatedDelivery10to30Minutes": "10-30 minuti", - "@sendEstimatedDelivery10to30Minutes": { - "description": "Estimated delivery time of 10 to 30 minutes" - }, - "transactionDetailLabelLiquidTxId": "ID transazione liquida", - "@transactionDetailLabelLiquidTxId": { - "description": "Label for Liquid transaction ID" - }, - "testBackupBackupId": "ID di backup:", - "@testBackupBackupId": { - "description": "Label for backup ID field" - }, - "walletDeletionErrorOngoingSwaps": "Non è possibile eliminare un portafoglio con swap in corso.", - "@walletDeletionErrorOngoingSwaps": { - "description": "Error message when attempting to delete a wallet with ongoing swaps" - }, - "bitboxScreenConnecting": "Collegamento a BitBox", - "@bitboxScreenConnecting": { - "description": "Main text when connecting to device" - }, - "psbtFlowScanAnyQr": "Selezionare l'opzione \"Scan any QR code\"", - "@psbtFlowScanAnyQr": { - "description": "Instruction to select scan any QR code option" - }, - "transactionLabelServerNetworkFees": "Tasse di rete del server", - "@transactionLabelServerNetworkFees": { - "description": "Label for server network fees in swap details" - }, - "importQrDeviceSeedsignerStep10": "Setup completo", - "@importQrDeviceSeedsignerStep10": { - "description": "SeedSigner instruction step 10" - }, - "sendReceive": "Ricevi", - "@sendReceive": { - "description": "Label for receive transaction type" - }, - "sellKycPendingDescription": "È necessario completare la verifica ID prima", - "@sellKycPendingDescription": { - "description": "Description explaining user must complete KYC before proceeding" - }, - "fundExchangeETransferDescription": "Qualsiasi importo che invii dalla tua banca via Email E-Transfer utilizzando le informazioni qui sotto verrà accreditato sul tuo conto Bull Bitcoin in pochi minuti.", - "@fundExchangeETransferDescription": { - "description": "Description of how E-Transfer works and timeframe" - }, - "sendClearSelection": "Selezione chiara", - "@sendClearSelection": { - "description": "Button to deselect all UTXOs" - }, - "fundExchangeLabelClabe": "CLABE", - "@fundExchangeLabelClabe": { - "description": "Label for CLABE number field (Mexico)" - }, - "statusCheckLastChecked": "Ultimo controllo: {time}", - "@statusCheckLastChecked": { - "description": "Label showing when services were last checked", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "backupWalletVaultProviderQuickEasy": "Veloce e facile", - "@backupWalletVaultProviderQuickEasy": { - "description": "Tag for Google Drive and iCloud providers" - }, - "sellPayoutAmount": "Importo di pagamento", - "@sellPayoutAmount": { - "description": "Label for amount user receives" - }, - "dcaConfirmFrequencyDaily": "Ogni giorno", - "@dcaConfirmFrequencyDaily": { - "description": "Daily frequency label" - }, - "buyConfirmPurchase": "Conferma l'acquisto", - "@buyConfirmPurchase": { - "description": "Button to confirm purchase" - }, - "transactionLabelNetworkFee": "Costo di rete", - "@transactionLabelNetworkFee": { - "description": "Label for network fee component" - }, - "importQrDeviceKeystoneStep9": "Setup è completo", - "@importQrDeviceKeystoneStep9": { - "description": "Keystone instruction step 9" - }, - "tapWordsInOrderTitle": "Toccare le parole di recupero in\nordine giusto", - "@tapWordsInOrderTitle": { - "description": "Title instructing user to tap words in order" - }, - "payEnterAmountTitle": "Inserire l'importo", - "@payEnterAmountTitle": { - "description": "Title for amount entry screen in payment flow" - }, - "transactionOrderLabelPayinMethod": "Metodo di pagamento", - "@transactionOrderLabelPayinMethod": { - "description": "Label for order payin method" - }, - "buyInputMaxAmountError": "Non puoi comprare più di", - "@buyInputMaxAmountError": { - "description": "Maximum amount error message" - }, - "walletDetailsDeletingMessage": "Deleting portafoglio...", - "@walletDetailsDeletingMessage": { - "description": "Message displayed while a wallet is being deleted" - }, - "receiveUnableToVerifyAddress": "In grado di verificare l'indirizzo: Informazioni sul portafoglio mancante o sull'indirizzo", - "@receiveUnableToVerifyAddress": { - "description": "Error message when address verification is not possible" - }, - "payInvalidAddress": "Indirizzo non valido", - "@payInvalidAddress": { - "description": "Error for malformed address" - }, - "appUnlockAttemptPlural": "tentativi falliti", - "@appUnlockAttemptPlural": { - "description": "Plural form of 'attempts' for failed unlock attempts" - }, - "exportVaultButton": "Vaso di esportazione", - "@exportVaultButton": { - "description": "Button label to export vault" - }, - "coreSwapsChainPaid": "In attesa del pagamento del fornitore di trasferimento per ricevere la conferma. Potrebbe volerci un po' per completare.", - "@coreSwapsChainPaid": { - "description": "Status message for paid chain swap" - }, - "arkConfirmed": "Confermato", - "@arkConfirmed": { - "description": "Label for confirmed balance in breakdown" - }, - "importQrDevicePassportStep6": "Selezionare \"Single-sig\"", - "@importQrDevicePassportStep6": { - "description": "Passport instruction step 6" - }, - "sendSatsPerVB": "sats/vB", - "@sendSatsPerVB": { - "description": "Unit label for satoshis per virtual byte" - }, - "withdrawRecipientsContinue": "Continua", - "@withdrawRecipientsContinue": { - "description": "Continue button on recipients screen" - }, - "enterPinAgainMessage": "Inserisci nuovamente il tuo {pinOrPassword} per continuare.", - "@enterPinAgainMessage": { - "description": "Message asking to re-enter PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "importColdcardButtonInstructions": "Istruzioni", - "@importColdcardButtonInstructions": { - "description": "ImportColdcardQ: Button to show setup instructions" - }, - "bitboxActionUnlockDeviceProcessingSubtext": "Si prega di inserire la password sul dispositivo BitBox...", - "@bitboxActionUnlockDeviceProcessingSubtext": { - "description": "Processing subtext for unlock device" - }, - "sellWhichWalletQuestion": "Da quale portafogli vuoi vendere?", - "@sellWhichWalletQuestion": { - "description": "Question prompting user to select wallet" - }, - "buyNetworkFeeRate": "Tasso di quota della rete", - "@buyNetworkFeeRate": { - "description": "Label for network fee rate" - }, - "autoswapAlwaysBlockLabel": "Bloccare sempre le tasse", - "@autoswapAlwaysBlockLabel": { - "description": "Label for toggle to always block high fee transfers" - }, - "receiveFixedAmount": "Importo", - "@receiveFixedAmount": { - "description": "Required amount field" - }, - "bitboxActionVerifyAddressSuccessSubtext": "L'indirizzo è stato verificato sul dispositivo BitBox.", - "@bitboxActionVerifyAddressSuccessSubtext": { - "description": "Success subtext for verify address" - }, - "transactionSwapDescLnSendPaid": "La tua transazione online e' stata trasmessa. Dopo 1 conferma, il pagamento Lightning verrà inviato.", - "@transactionSwapDescLnSendPaid": { - "description": "Description for paid Lightning send swap" - }, - "transactionSwapDescChainDefault": "Il tuo trasferimento e' in corso. Questo processo è automatizzato e può richiedere un po 'di tempo per completare.", - "@transactionSwapDescChainDefault": { - "description": "Default description for chain swap" - }, - "onboardingBullBitcoin": "Bull Bitcoin", - "@onboardingBullBitcoin": { - "description": "Brand name displayed in onboarding" - }, - "coreSwapsChainClaimable": "Il trasferimento è pronto per essere rivendicato.", - "@coreSwapsChainClaimable": { - "description": "Status message for claimable chain swap" - }, - "dcaNetworkLightning": "Rete di illuminazione", - "@dcaNetworkLightning": { - "description": "Lightning network label for DCA" - }, - "backupWalletHowToDecideVaultCloudRecommendationText": "si desidera assicurarsi di non perdere mai l'accesso al file del vault anche se si perde i dispositivi.", - "@backupWalletHowToDecideVaultCloudRecommendationText": { - "description": "Recommendation text for when to use cloud storage" - }, - "arkAboutEsploraUrl": "URL pagina", - "@arkAboutEsploraUrl": { - "description": "Field label for Esplora URL" - }, - "backupKeyExampleWarning": "Ad esempio, se si utilizza Google Drive per il file di backup, non utilizzare Google Drive per la chiave di backup.", - "@backupKeyExampleWarning": { - "description": "Example warning about not using same cloud provider" - }, - "importColdcardInstructionsStep3": "Passare a \"Advanced/Tools\"", - "@importColdcardInstructionsStep3": { - "description": "ImportColdcardQ: Third instruction step" - }, - "buyPhotoID": "ID della foto", - "@buyPhotoID": { - "description": "Type of document required" - }, - "exchangeSettingsAccountInformationTitle": "Informazioni sull'account", - "@exchangeSettingsAccountInformationTitle": { - "description": "Title for the account information section in exchange settings" - }, - "appStartupErrorTitle": "Errore di avvio", - "@appStartupErrorTitle": { - "description": "Title shown when the app fails to start up properly" - }, - "transactionLabelTransferId": "ID trasferimento", - "@transactionLabelTransferId": { - "description": "Label for transfer/swap ID" - }, - "sendTitle": "Invia", - "@sendTitle": { - "description": "Title for the send screen" - }, - "withdrawOrderNotFoundError": "L'ordine di ritiro non è stato trovato. Per favore riprovate.", - "@withdrawOrderNotFoundError": { - "description": "Error message for order not found during withdraw" - }, - "importQrDeviceSeedsignerStep4": "Selezionare \"Export Xpub\"", - "@importQrDeviceSeedsignerStep4": { - "description": "SeedSigner instruction step 4" - }, - "seedsignerStep6": " - Spostare il laser rosso su e giù sul codice QR", - "@seedsignerStep6": { - "description": "SeedSigner troubleshooting tip 2" - }, - "ledgerHelpStep5": "Assicurarsi che il Il dispositivo Ledger utilizza il firmware più recente, è possibile aggiornare il firmware utilizzando l'app desktop Ledger Live.", - "@ledgerHelpStep5": { - "description": "Fifth troubleshooting step for Ledger connection issues" - }, - "torSettingsPortDisplay": "Porta: {port}", - "@torSettingsPortDisplay": { - "description": "Display text showing current port number", - "placeholders": { - "port": { - "type": "int" - } - } - }, - "payTransitNumber": "Numero di trasmissione", - "@payTransitNumber": { - "description": "Label for transit number" - }, - "importQrDeviceSpecterStep5": "Selezionare \"Master public keys\"", - "@importQrDeviceSpecterStep5": { - "description": "Specter instruction step 5" - }, - "fundExchangeCostaRicaMethodIbanUsdTitle": "IBAN Costa Rica (USD)", - "@fundExchangeCostaRicaMethodIbanUsdTitle": { - "description": "Payment method title for IBAN USD in method list" - }, - "allSeedViewDeleteWarningTitle": "ATTENZIONE!", - "@allSeedViewDeleteWarningTitle": { - "description": "Title for delete seed warning dialog" - }, - "backupSettingsBackupKey": "Chiave di backup", - "@backupSettingsBackupKey": { - "description": "AppBar title for view backup key screen" - }, - "arkTransactionId": "ID transazione", - "@arkTransactionId": { - "description": "Label for transaction ID field in details table" - }, - "payInvoiceCopied": "Fattura copiata a clipboard", - "@payInvoiceCopied": { - "description": "Toast message after copying invoice" - }, - "recoverbullEncryptedVaultCreated": "Vault crittografato creato!", - "@recoverbullEncryptedVaultCreated": { - "description": "Success message title after vault creation" - }, - "addressViewChangeAddressesComingSoon": "Cambia gli indirizzi in arrivo", - "@addressViewChangeAddressesComingSoon": { - "description": "Empty state message for change addresses feature that is coming soon" - }, - "psbtFlowScanQrShown": "Scansione del codice QR mostrato nel portafoglio Bull", - "@psbtFlowScanQrShown": { - "description": "Instruction to scan QR code displayed in app" - }, - "testBackupErrorInvalidFile": "Contenuto del file non valido", - "@testBackupErrorInvalidFile": { - "description": "Error when selected file has invalid content" - }, - "payHowToPayInvoice": "Come vuoi pagare questa fattura?", - "@payHowToPayInvoice": { - "description": "Question for payment method selection" - }, - "transactionDetailLabelSendNetworkFee": "Inviare i costi di rete", - "@transactionDetailLabelSendNetworkFee": { - "description": "Label for send network fee" - }, - "sendSlowPaymentWarningDescription": "Gli swap Bitcoin richiederanno tempo per confermare.", - "@sendSlowPaymentWarningDescription": { - "description": "Description for slow payment warning" - }, - "bitboxActionVerifyAddressProcessingSubtext": "Si prega di confermare l'indirizzo sul dispositivo BitBox.", - "@bitboxActionVerifyAddressProcessingSubtext": { - "description": "Processing subtext for verify address" - }, - "pinConfirmHeadline": "Confermare il nuovo perno", - "@pinConfirmHeadline": { - "description": "Headline text on PIN confirmation screen" - }, - "fundExchangeCanadaPostQrCodeLabel": "Loadhub Codice QR", - "@fundExchangeCanadaPostQrCodeLabel": { - "description": "Label for the Loadhub QR code display" - }, - "payConfirmationRequired": "Richiesta conferma", - "@payConfirmationRequired": { - "description": "Message when user confirmation is needed" - }, - "bip85NextHex": "IL prossimo Articolo", - "@bip85NextHex": { - "description": "Button to derive next hex entropy" - }, - "physicalBackupStatusLabel": "Backup fisico", - "@physicalBackupStatusLabel": { - "description": "Status label for physical backup" - }, - "exchangeSettingsLogOutTitle": "Accedi", - "@exchangeSettingsLogOutTitle": { - "description": "Title for the log out option in exchange settings" - }, - "addressCardBalanceLabel": "Bilancia: ", - "@addressCardBalanceLabel": { - "description": "Label for the balance field in address card" - }, - "transactionStatusInProgress": "In corso", - "@transactionStatusInProgress": { - "description": "Status label for transactions in progress" - }, - "recoverWalletScreenTitle": "Recuperare Wallet", - "@recoverWalletScreenTitle": { - "description": "Title for recover wallet screen" - }, - "rbfEstimatedDelivery": "Consegna stimata ~ 10 minuti", - "@rbfEstimatedDelivery": { - "description": "Estimated confirmation time for fastest fee" - }, - "sendSwapCancelled": "Swap annullato", - "@sendSwapCancelled": { - "description": "Message when user cancels swap" - }, - "backupWalletGoogleDrivePrivacyMessage4": "mai ", - "@backupWalletGoogleDrivePrivacyMessage4": { - "description": "Fourth part of privacy message (bold)" - }, - "dcaPaymentMethodValue": "{currency} equilibrio", - "@dcaPaymentMethodValue": { - "description": "Value for payment method with currency code placeholder", - "placeholders": { - "currency": { - "type": "String" - } - } - }, - "swapTransferCompletedTitle": "Trasferimento completato", - "@swapTransferCompletedTitle": { - "description": "Title when swap completes successfully" - }, - "torSettingsStatusDisconnected": "Scollegato", - "@torSettingsStatusDisconnected": { - "description": "Status title when Tor is disconnected" - }, - "exchangeDcaCancelDialogTitle": "Cancella Bitcoin ricorrenti acquistare?", - "@exchangeDcaCancelDialogTitle": { - "description": "Title of the dialog confirming DCA cancellation" - }, - "sellSendPaymentMxnBalance": "MXN Bilancio", - "@sellSendPaymentMxnBalance": { - "description": "MXN balance payout method" - }, - "fundExchangeSinpeLabelRecipientName": "Nome destinatario", - "@fundExchangeSinpeLabelRecipientName": { - "description": "Label for recipient name in SINPE transfer" - }, - "dcaScheduleDescription": "Gli acquisti Bitcoin saranno posti automaticamente per questo programma.", - "@dcaScheduleDescription": { - "description": "Explanation text at the top of DCA setup form" - }, - "keystoneInstructionsTitle": "Istruzioni Keystone", - "@keystoneInstructionsTitle": { - "description": "Title for Keystone signing instructions modal" - }, - "hwLedger": "Ledger", - "@hwLedger": { - "description": "Name of Ledger hardware wallet" - }, - "physicalBackupDescription": "Scrivi 12 parole su un pezzo di carta. Tienili al sicuro e assicurati di non perderli.", - "@physicalBackupDescription": { - "description": "Description of physical backup method" - }, - "dcaConfirmButton": "Continua", - "@dcaConfirmButton": { - "description": "Button label to confirm and activate DCA" - }, - "dcaBackToHomeButton": "Torna a casa", - "@dcaBackToHomeButton": { - "description": "Button label to return to exchange home screen" - }, - "importQrDeviceKruxInstructionsTitle": "Istruzioni Krux", - "@importQrDeviceKruxInstructionsTitle": { - "description": "Title for Krux setup instructions" - }, - "transactionOrderLabelOriginName": "Nome di origine", - "@transactionOrderLabelOriginName": { - "description": "Label for origin name in fiat payment order" - }, - "importQrDeviceKeystoneInstructionsTitle": "Istruzioni Keystone", - "@importQrDeviceKeystoneInstructionsTitle": { - "description": "Title for Keystone setup instructions" - }, - "electrumSavePriorityFailedError": "Non riuscito a salvare la priorità del server{reason}", - "@electrumSavePriorityFailedError": { - "description": "Error message when saving server priority fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "globalDefaultLiquidWalletLabel": "Pagamenti istantiani", - "@globalDefaultLiquidWalletLabel": { - "description": "Default label for Liquid/instant payments wallets when used as the default wallet" - }, - "bitboxActionVerifyAddressProcessing": "Visualizza l'indirizzo su BitBox...", - "@bitboxActionVerifyAddressProcessing": { - "description": "Processing text for verify address" - }, - "sendTypeSwap": "Scambio", - "@sendTypeSwap": { - "description": "Send type name for Lightning swap transactions" - }, - "sendErrorAmountExceedsMaximum": "Importo supera il massimo importo swap", - "@sendErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum allowed for swap" - }, - "bitboxActionSignTransactionSuccess": "Transazione firmata con successo", - "@bitboxActionSignTransactionSuccess": { - "description": "Success text for sign transaction" - }, - "fundExchangeMethodInstantSepa": "SEPA istantaneo", - "@fundExchangeMethodInstantSepa": { - "description": "Payment method: Instant SEPA (Europe)" - }, - "buyVerificationFailed": "La verifica è fallita: {reason}", - "@buyVerificationFailed": { - "description": "Error message with failure reason", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "importWatchOnlyBuyDevice": "Acquistare un dispositivo", - "@importWatchOnlyBuyDevice": { - "description": "Button label to purchase a hardware wallet device" - }, - "sellMinimumAmount": "Importo minimo di vendita: {amount}", - "@sellMinimumAmount": { - "description": "Error for amount below minimum", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "importColdcardTitle": "Collegare Coldcard Q", - "@importColdcardTitle": { - "description": "AppBar title for Coldcard Q import" - }, - "ledgerSuccessImportDescription": "Il portafoglio Ledger è stato importato con successo.", - "@ledgerSuccessImportDescription": { - "description": "Success message description after importing Ledger wallet" - }, - "pinStatusProcessing": "Trattamento", - "@pinStatusProcessing": { - "description": "Status screen title during PIN save/delete operations" - }, - "dcaCancelMessage": "Il vostro piano di acquisto Bitcoin ricorrente si fermerà, e gli acquisti programmati termineranno. Per ricominciare, dovrai organizzare un nuovo piano.", - "@dcaCancelMessage": { - "description": "Dialog message for DCA cancellation" - }, - "fundExchangeHelpPaymentDescription": "Il tuo codice di trasferimento.", - "@fundExchangeHelpPaymentDescription": { - "description": "Help text for payment description field" - }, - "sellSendPaymentFastest": "Più veloce", - "@sellSendPaymentFastest": { - "description": "Fastest fee priority option" - }, - "dcaConfirmNetwork": "Rete di rete", - "@dcaConfirmNetwork": { - "description": "Field label for network" - }, - "allSeedViewDeleteWarningMessage": "Cancellare il seme è un'azione irreversibile. Solo fare questo se si dispone di backup sicuri di questo seme o i portafogli associati sono stati completamente drenati.", - "@allSeedViewDeleteWarningMessage": { - "description": "Warning message about deleting a seed" - }, - "bip329LabelsTitle": "BIP329 Etichette", - "@bip329LabelsTitle": { - "description": "Title for BIP329 labels page" - }, - "walletAutoTransferAllowButton": "Consentire", - "@walletAutoTransferAllowButton": { - "description": "Button to allow auto-transfer despite high fees" - }, - "autoswapSelectWalletRequired": "Seleziona un portafoglio Bitcoin *", - "@autoswapSelectWalletRequired": { - "description": "Placeholder for wallet dropdown when required" - }, - "exchangeFeatureSellBitcoin": "• Vendere Bitcoin, ottenere pagato con Bitcoin", - "@exchangeFeatureSellBitcoin": { - "description": "Feature bullet point describing selling Bitcoin functionality" - }, - "hwSeedSigner": "SeedSigner", - "@hwSeedSigner": { - "description": "Name of SeedSigner hardware wallet" - }, - "bitboxActionUnlockDeviceButton": "Sblocca il dispositivo", - "@bitboxActionUnlockDeviceButton": { - "description": "Button text for unlock device" - }, - "payNetworkError": "Errore di rete. Si prega di riprovare", - "@payNetworkError": { - "description": "Error message for network connectivity issues during payment" - }, - "sendNetworkFeesLabel": "Inviare quote di rete", - "@sendNetworkFeesLabel": { - "description": "Label for sending network fees in chain swap" - }, - "electrumUnknownError": "Si è verificato un errore", - "@electrumUnknownError": { - "description": "Generic error message for unknown errors" - }, - "payWhichWallet": "Da quale portafogli vuoi pagare?", - "@payWhichWallet": { - "description": "Question prompt for wallet selection" - }, - "autoswapBaseBalanceInfoText": "Il saldo del portafoglio di pagamento istantaneo tornerà a questo saldo dopo un'autoswap.", - "@autoswapBaseBalanceInfoText": { - "description": "Info text explaining what happens to the balance after an autoswap" - }, - "recoverbullSelectDecryptVault": "Decrypt vault", - "@recoverbullSelectDecryptVault": { - "description": "Primary button text to proceed with vault decryption" - }, - "buyUpgradeKYC": "Aggiornamento KYC Livello", - "@buyUpgradeKYC": { - "description": "Button to increase verification tier" - }, - "transactionOrderLabelOrderType": "Tipo d'ordine", - "@transactionOrderLabelOrderType": { - "description": "Label for order type" - }, - "autoswapEnableToggleLabel": "Attiva trasferimento automatico", - "@autoswapEnableToggleLabel": { - "description": "Label for the main toggle switch to enable/disable auto transfer feature" - }, - "sendDustAmount": "Importo troppo piccolo (polvere)", - "@sendDustAmount": { - "description": "Error for uneconomical amount" - }, - "allSeedViewExistingWallets": "Portafogli esistenti ({count})", - "@allSeedViewExistingWallets": { - "description": "Section header for existing wallets with count", - "placeholders": { - "count": { - "type": "int", - "format": "decimalPattern" - } - } - }, - "arkSendConfirmedBalance": "Equilibrio confermato", - "@arkSendConfirmedBalance": { - "description": "Confirmed balance label" - }, - "sellFastest": "Più veloce", - "@sellFastest": { - "description": "Display text for fastest fee option" - }, - "receiveTitle": "Ricevi", - "@receiveTitle": { - "description": "Main screen title for receive feature" - }, - "transactionSwapInfoRefundableSwap": "Questo swap verrà rimborsato automaticamente entro pochi secondi. In caso contrario, è possibile tentare un rimborso manuale facendo clic sul pulsante \"Rimborso Swap\".", - "@transactionSwapInfoRefundableSwap": { - "description": "Additional info for refundable swaps" - }, - "payCancelPayment": "Annulla pagamento", - "@payCancelPayment": { - "description": "Button text to cancel payment flow" - }, - "ledgerInstructionsAndroidUsb": "Assicurarsi che il Ledger è sbloccato con l'applicazione Bitcoin aperto e collegarlo via USB.", - "@ledgerInstructionsAndroidUsb": { - "description": "Connection instructions for Android devices (USB only)" - }, - "onboardingOwnYourMoney": "I tuoi soldi", - "@onboardingOwnYourMoney": { - "description": "Tagline displayed in onboarding splash screen" - }, - "allSeedViewTitle": "Seed Viewer", - "@allSeedViewTitle": { - "description": "Title for the seed viewer screen" - }, - "connectHardwareWalletLedger": "Ledger", - "@connectHardwareWalletLedger": { - "description": "Ledger hardware wallet option" - }, - "importQrDevicePassportInstructionsTitle": "Istruzioni per il passaporto della Fondazione", - "@importQrDevicePassportInstructionsTitle": { - "description": "Title for Passport setup instructions" - }, - "rbfFeeRate": "Tariffa: {rate}", - "@rbfFeeRate": { - "description": "Label showing fee rate", - "placeholders": { - "rate": { - "type": "String" - } - } - }, - "leaveYourPhone": "lasciare il telefono ed è ", - "@leaveYourPhone": { - "description": "Middle part of privacy assurance message" - }, - "sendFastFee": "Veloce", - "@sendFastFee": { - "description": "Highest fee tier" - }, - "exchangeBrandName": "BULL BITCOIN", - "@exchangeBrandName": { - "description": "The Bull Bitcoin brand name displayed on exchange screens" - }, - "torSettingsPortHelper": "Predefinita porta Orbot: 9050", - "@torSettingsPortHelper": { - "description": "Helper text explaining default Orbot port" - }, - "submitButton": "Inviare", - "@submitButton": { - "description": "Default button label to submit mnemonic" - }, - "bitboxScreenTryAgainButton": "Prova ancora", - "@bitboxScreenTryAgainButton": { - "description": "Button to retry failed action" - }, - "dcaConfirmTitle": "Confermare il Ricorso Comprare", - "@dcaConfirmTitle": { - "description": "AppBar title for DCA confirmation screen" - }, - "viewVaultKeyButton": "Visualizza Vault chiave", - "@viewVaultKeyButton": { - "description": "Button label to view vault key" - }, - "recoverbullPasswordMismatch": "Le password non corrispondono", - "@recoverbullPasswordMismatch": { - "description": "Validation error when passwords don't match" - }, - "fundExchangeCrIbanUsdTransferCodeWarning": "È necessario aggiungere il codice di trasferimento come \"message\" o \"reason\" o \"descrizione\" quando si effettua il pagamento. Se si dimentica di includere questo codice, il pagamento può essere respinto.", - "@fundExchangeCrIbanUsdTransferCodeWarning": { - "description": "Warning about including transfer code in payment for USD transfers" - }, - "sendAdvancedSettings": "Impostazioni avanzate", - "@sendAdvancedSettings": { - "description": "Title for advanced settings in the send flow" - }, - "backupSettingsPhysicalBackup": "Backup fisico", - "@backupSettingsPhysicalBackup": { - "description": "Label for physical backup status row" - }, - "importColdcardDescription": "Importa il codice QR del descrittore del portafoglio dal tuo Coldcard Q", - "@importColdcardDescription": { - "description": "ImportColdcardQ: Main instruction text on import page" - }, - "backupSettingsSecurityWarning": "Avviso di sicurezza", - "@backupSettingsSecurityWarning": { - "description": "Title for backup key security warning modal" - }, - "arkCopyAddress": "Indirizzo copiato", - "@arkCopyAddress": { - "description": "Button label to expand and show address details for copying" - }, - "sendScheduleFor": "Programma per {date}", - "@sendScheduleFor": { - "description": "Label for scheduled date", - "placeholders": { - "date": { - "type": "String" - } - } - }, - "psbtFlowClickDone": "Fare clic su \"Ho chiuso\" nel portafoglio Bull Bitcoin.", - "@psbtFlowClickDone": { - "description": "Instruction to click done button in app" - }, - "addressCardUnusedLabel": "Non usato", - "@addressCardUnusedLabel": { - "description": "Label indicating an address has not been used" - }, - "bitboxActionUnlockDeviceSuccess": "Dispositivo sbloccato Con successo", - "@bitboxActionUnlockDeviceSuccess": { - "description": "Success text for unlock device" - }, - "receivePayjoinInProgress": "Payjoin in corso", - "@receivePayjoinInProgress": { - "description": "Status message when a payjoin transaction is in progress" - }, - "payFor": "Per", - "@payFor": { - "description": "Label for recipient information section" - }, - "payEnterValidAmount": "Inserisci un importo valido", - "@payEnterValidAmount": { - "description": "Validation error for invalid amount format" - }, - "pinButtonRemove": "Rimuovere PIN Sicurezza", - "@pinButtonRemove": { - "description": "Button label to delete existing PIN" - }, - "urProgressLabel": "UR Progress: {parts} parti", - "@urProgressLabel": { - "description": "Progress message showing parts processed for multi-part UR codes", - "placeholders": { - "parts": { - "type": "String" - } - } - }, - "transactionDetailLabelAddressNotes": "Note di indirizzo", - "@transactionDetailLabelAddressNotes": { - "description": "Label for address notes" - }, - "coldcardInstructionsTitle": "Istruzioni Coldcard Q", - "@coldcardInstructionsTitle": { - "description": "Title for Coldcard Q signing instructions modal" - }, - "electrumDefaultServers": "Server predefiniti", - "@electrumDefaultServers": { - "description": "Section header for default servers list" - }, - "onboardingRecoverWallet": "Recuperare Wallet", - "@onboardingRecoverWallet": { - "description": "Title for the recover wallet screen in onboarding" - }, - "scanningProgressLabel": "Scansione: {percent}%", - "@scanningProgressLabel": { - "description": "Progress indicator for UR QR code scanning", - "placeholders": { - "percent": { - "type": "String" - } - } - }, - "transactionOrderLabelReferenceNumber": "Numero di riferimento", - "@transactionOrderLabelReferenceNumber": { - "description": "Label for reference number in order details" - }, - "backupWalletHowToDecide": "Come decidere?", - "@backupWalletHowToDecide": { - "description": "Link text to open modal explaining how to choose backup method" - }, - "recoverbullTestBackupDescription": "Ora testiamo il backup per assicurarci che tutto sia stato fatto correttamente.", - "@recoverbullTestBackupDescription": { - "description": "Description message before testing backup" - }, - "fundExchangeSpeiInfo": "Effettuare un deposito utilizzando il trasferimento SPEI (instante).", - "@fundExchangeSpeiInfo": { - "description": "Info message about SPEI transfer being instant" - }, - "screenshotLabel": "Schermata", - "@screenshotLabel": { - "description": "Label for screenshot (with X mark)" - }, - "bitboxErrorOperationTimeout": "L'operazione e' pronta. Per favore riprovate.", - "@bitboxErrorOperationTimeout": { - "description": "Error when BitBox operation times out" - }, - "receiveLightning": "Illuminazione", - "@receiveLightning": { - "description": "Label for receiving Bitcoin via Lightning Network" - }, - "sendRecipientAddressOrInvoice": "Indirizzo o fattura del destinatario", - "@sendRecipientAddressOrInvoice": { - "description": "Label for the recipient address or invoice input field" - }, - "mempoolCustomServerUrlEmpty": "Inserisci un URL del server", - "@mempoolCustomServerUrlEmpty": { - "description": "Error message when server URL is empty" - }, - "importQrDeviceKeystoneName": "Keystone", - "@importQrDeviceKeystoneName": { - "description": "Name of Keystone device" - }, - "payBitcoinAddress": "Indirizzo Bitcoin", - "@payBitcoinAddress": { - "description": "Label indicating payment destination is on-chain address" - }, - "buyInsufficientBalanceTitle": "Bilancio insufficiente", - "@buyInsufficientBalanceTitle": { - "description": "Title for insufficient balance error" - }, - "swapProgressPending": "Possibilità di trasferimento", - "@swapProgressPending": { - "description": "Pending transfer status" - }, - "exchangeDcaAddressLabelBitcoin": "Indirizzo Bitcoin", - "@exchangeDcaAddressLabelBitcoin": { - "description": "Label for Bitcoin address in DCA settings" - }, - "loadingBackupFile": "Caricamento file di backup...", - "@loadingBackupFile": { - "description": "Message shown while loading backup file" - }, - "legacySeedViewPassphrasesLabel": "Passphrases:", - "@legacySeedViewPassphrasesLabel": { - "description": "Label for passphrases section" - }, - "recoverbullContinue": "Continua", - "@recoverbullContinue": { - "description": "Button text to proceed to next step" - }, - "receiveAddressCopied": "Indirizzo copiato a clipboard", - "@receiveAddressCopied": { - "description": "Toast message after copying address" - }, - "transactionDetailLabelStatus": "Stato", - "@transactionDetailLabelStatus": { - "description": "Label for status" - }, - "sellSendPaymentPayinAmount": "Importo del pagamento", - "@sellSendPaymentPayinAmount": { - "description": "Field label for payin amount" - }, - "psbtFlowTurnOnDevice": "Accendere il dispositivo {device}", - "@psbtFlowTurnOnDevice": { - "description": "Instruction to power on hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "backupSettingsKeyServer": "Server chiave ", - "@backupSettingsKeyServer": { - "description": "Label for key server connection status indicator" - }, - "connectHardwareWalletColdcardQ": "Freccia Q", - "@connectHardwareWalletColdcardQ": { - "description": "Coldcard Q hardware wallet option" - }, - "seedsignerStep2": "Fare clic su Scansione", - "@seedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, - "addressCardIndexLabel": "Indice: ", - "@addressCardIndexLabel": { - "description": "Label for the address index field in address card" - }, - "ledgerErrorMissingDerivationPathVerify": "Il percorso di derivazione è richiesto per la verifica", - "@ledgerErrorMissingDerivationPathVerify": { - "description": "Error message when derivation path is missing for verification" - }, - "recoverbullErrorVaultNotSet": "Vault non è impostato", - "@recoverbullErrorVaultNotSet": { - "description": "Error when attempting operation without selected vault" - }, - "ledgerErrorMissingScriptTypeSign": "Il tipo di script è richiesto per la firma", - "@ledgerErrorMissingScriptTypeSign": { - "description": "Error message when script type is missing for signing" - }, - "dcaSetupContinue": "Continua", - "@dcaSetupContinue": { - "description": "Continue button on DCA setup" - }, - "electrumFormatError": "Utilizzare il formato host:port (ad esempio, example.com:50001)", - "@electrumFormatError": { - "description": "Validation error for incorrect server URL format" - }, - "arkAboutDurationDay": "{days} giorno", - "@arkAboutDurationDay": { - "description": "Duration format for singular day", - "placeholders": { - "days": { - "type": "int" - } - } - }, - "arkDurationHour": "{hours} ora", - "@arkDurationHour": { - "description": "Duration format for singular hour", - "placeholders": { - "hours": { - "type": "String" - } - } - }, - "transactionFeesDeductedFrom": "Queste tasse saranno detratte dall'importo inviato", - "@transactionFeesDeductedFrom": { - "description": "Fee deduction explanation for receiving swaps" - }, - "buyConfirmYouPay": "Paga", - "@buyConfirmYouPay": { - "description": "Field label for payment amount" - }, - "importWatchOnlyTitle": "Importa solo orologio", - "@importWatchOnlyTitle": { - "description": "AppBar title for watch-only import screen" - }, - "cancel": "Annulla", - "@cancel": { - "description": "Generic cancel button label" - }, - "walletDetailsWalletFingerprintLabel": "Impronte del portafoglio", - "@walletDetailsWalletFingerprintLabel": { - "description": "Label for the wallet fingerprint field in wallet details" - }, - "logsViewerTitle": "Logs", - "@logsViewerTitle": { - "description": "AppBar title for logs viewer screen" - }, - "recoverbullTorNotStarted": "Tor non è iniziato", - "@recoverbullTorNotStarted": { - "description": "Error message when Tor is not started" - }, - "arkPending": "Finanziamenti", - "@arkPending": { - "description": "Label for pending balance in breakdown" - }, - "transactionOrderLabelOrderStatus": "Stato dell'ordine", - "@transactionOrderLabelOrderStatus": { - "description": "Label for order status" - }, - "testBackupCreatedAt": "Creato a:", - "@testBackupCreatedAt": { - "description": "Label for vault creation timestamp field" - }, - "dcaSetRecurringBuyTitle": "Set acquisto ricorrente", - "@dcaSetRecurringBuyTitle": { - "description": "AppBar title for the main DCA setup screen" - }, - "psbtFlowSignTransactionOnDevice": "Fare clic sui pulsanti per firmare la transazione sul {device}.", - "@psbtFlowSignTransactionOnDevice": { - "description": "Instruction to sign transaction on hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "transactionStatusPending": "Finanziamenti", - "@transactionStatusPending": { - "description": "Status label for pending transactions" - }, - "settingsSuperuserModeDisabledMessage": "Modalità Superuser disattivato.", - "@settingsSuperuserModeDisabledMessage": { - "description": "Message shown when superuser mode is disabled" - }, - "bitboxCubitConnectionFailed": "Non è riuscito a connettersi al dispositivo BitBox. Controlla la connessione.", - "@bitboxCubitConnectionFailed": { - "description": "Error interpretation for connection failure" - }, - "settingsTermsOfServiceTitle": "Termini di servizio", - "@settingsTermsOfServiceTitle": { - "description": "Title for the terms of service section in the settings menu" - }, - "importQrDeviceScanning": "Scansione...", - "@importQrDeviceScanning": { - "description": "Status while scanning QR code" - }, - "importWalletKeystone": "Keystone", - "@importWalletKeystone": { - "description": "Button label for Keystone hardware wallet" - }, - "payNewRecipients": "Nuovi destinatari", - "@payNewRecipients": { - "description": "Tab label for new recipients" - }, - "transactionLabelSendNetworkFees": "Inviare commissioni di rete", - "@transactionLabelSendNetworkFees": { - "description": "Label for send network fees in swap details" - }, - "transactionLabelAddress": "Indirizzo", - "@transactionLabelAddress": { - "description": "Label for transaction address" - }, - "testBackupConfirm": "Conferma", - "@testBackupConfirm": { - "description": "Button text to confirm wallet selection" - }, - "urProcessingFailedMessage": "Lavorazione UR fallita", - "@urProcessingFailedMessage": { - "description": "Error message when UR processing encounters an exception" - }, - "backupWalletChooseVaultLocationTitle": "Scegli la posizione del caveau", - "@backupWalletChooseVaultLocationTitle": { - "description": "AppBar title for choosing encrypted vault provider screen" - }, - "receiveCopyAddressOnly": "Solo indirizzo di copia o di scansione", - "@receiveCopyAddressOnly": { - "description": "Option to copy or scan only the address without amount or other details" - }, - "testBackupErrorTestFailed": "Non è riuscito a testare il backup: {error}", - "@testBackupErrorTestFailed": { - "description": "Generic error message for backup test failure", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payLightningFee": "Fee di fulmine", - "@payLightningFee": { - "description": "Label for Lightning Network routing fee" - }, - "payLabelOptional": "Etichetta (opzionale)", - "@payLabelOptional": { - "description": "Label for optional label field" - }, - "recoverbullGoogleDriveDeleteButton": "Cancella", - "@recoverbullGoogleDriveDeleteButton": { - "description": "Delete button text for vault backup" - }, - "arkBalanceBreakdownTooltip": "Ripartizione del bilancio", - "@arkBalanceBreakdownTooltip": { - "description": "Tooltip for info button that opens balance breakdown" - }, - "exchangeDcaDeactivateTitle": "Disattivare l'acquisto ricorrente", - "@exchangeDcaDeactivateTitle": { - "description": "Title shown when DCA is active and can be deactivated" - }, - "fundExchangeMethodEmailETransferSubtitle": "Metodo più semplice e veloce (instante)", - "@fundExchangeMethodEmailETransferSubtitle": { - "description": "Subtitle for Email E-Transfer payment method" - }, - "testBackupLastBackupTest": "Ultimo test di backup: {timestamp}", - "@testBackupLastBackupTest": { - "description": "Shows timestamp of last physical backup test", - "placeholders": { - "timestamp": { - "type": "String" - } - } - }, - "payAmountRequired": "Importo richiesto", - "@payAmountRequired": { - "description": "Validation error for empty amount field" - }, - "keystoneStep7": " - Prova a spostare il dispositivo indietro un po'", - "@keystoneStep7": { - "description": "Keystone troubleshooting tip 3" - }, - "coreSwapsChainExpired": "Trasferimento scaduto", - "@coreSwapsChainExpired": { - "description": "Status message for expired chain swap" - }, - "payDefaultCommentOptional": "Commento predefinito (opzionale)", - "@payDefaultCommentOptional": { - "description": "Label for default comment field" - }, - "payCopyInvoice": "Copia fattura", - "@payCopyInvoice": { - "description": "Button text to copy invoice to clipboard" - }, - "transactionListYesterday": "Ieri", - "@transactionListYesterday": { - "description": "Date label for yesterday's transactions" - }, - "walletButtonReceive": "Ricevi", - "@walletButtonReceive": { - "description": "Button label to receive funds" - }, - "buyLevel2Limit": "Limite di livello 2: {amount}", - "@buyLevel2Limit": { - "description": "Purchase limit for enhanced KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "bitboxCubitDeviceNotPaired": "Dispositivo non accoppiato. Si prega di completare il processo di accoppiamento prima.", - "@bitboxCubitDeviceNotPaired": { - "description": "Error interpretation for device not paired" - }, - "sellCrcBalance": "CRC Bilancio", - "@sellCrcBalance": { - "description": "Display text for CRC balance payout method" - }, - "paySelectCoinsManually": "Seleziona le monete manualmente", - "@paySelectCoinsManually": { - "description": "Option to manually select UTXOs" - }, - "replaceByFeeActivatedLabel": "Attivato il sostituto", - "@replaceByFeeActivatedLabel": { - "description": "Label for RBF toggle switch" - }, - "sendPaymentProcessing": "Il pagamento viene effettuato. Potrebbe volerci un minuto", - "@sendPaymentProcessing": { - "description": "Message while payment processes" - }, - "electrumDefaultServersInfo": "Per proteggere la privacy, i server di default non vengono utilizzati quando i server personalizzati sono configurati.", - "@electrumDefaultServersInfo": { - "description": "Info message explaining default servers behavior" - }, - "transactionDetailLabelPayoutMethod": "Metodo di pagamento", - "@transactionDetailLabelPayoutMethod": { - "description": "Label for payout method" - }, - "testBackupErrorLoadMnemonic": "Non caricare mnemonic: {error}", - "@testBackupErrorLoadMnemonic": { - "description": "Error when loading mnemonic fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payPriceRefreshIn": "Il prezzo si rinfresca in ", - "@payPriceRefreshIn": { - "description": "Text before countdown timer" - }, - "bitboxCubitOperationCancelled": "L'operazione e' stata annullata. Per favore riprovate.", - "@bitboxCubitOperationCancelled": { - "description": "Error interpretation for cancelled operation" - }, - "passportStep3": "Scansione del codice QR mostrato nel portafoglio Bull", - "@passportStep3": { - "description": "Passport instruction step 3" - }, - "jadeStep5": "Se hai problemi di scansione:", - "@jadeStep5": { - "description": "Jade troubleshooting header" - }, - "electrumProtocolError": "Non includere il protocollo (ssl:// o tcp://).", - "@electrumProtocolError": { - "description": "Validation error when protocol is included in server URL" - }, - "receivePayjoinFailQuestion": "Non c'e' tempo di aspettare o il payjoin non e' riuscito da parte del mittente?", - "@receivePayjoinFailQuestion": { - "description": "Question prompting user if they want to proceed without payjoin" - }, - "arkSendConfirmTitle": "Conferma Invia", - "@arkSendConfirmTitle": { - "description": "Title for the ark send confirmation page" - }, - "importQrDeviceSeedsignerStep1": "Potenza sul dispositivo SeedSigner", - "@importQrDeviceSeedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, - "exchangeRecipientsTitle": "Recipienti", - "@exchangeRecipientsTitle": { - "description": "Title for the recipients section in exchange" - }, - "legacySeedViewEmptyPassphrase": "(vuoto)", - "@legacySeedViewEmptyPassphrase": { - "description": "Text shown for empty passphrase" - }, - "importWatchOnlyDerivationPath": "Sentiero di degrado", - "@importWatchOnlyDerivationPath": { - "description": "Label for derivation path field" - }, - "sendErrorBroadcastFailed": "Non ha trasmesso la transazione. Controlla la tua connessione di rete e riprova.", - "@sendErrorBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, - "paySecurityQuestion": "Domanda di sicurezza", - "@paySecurityQuestion": { - "description": "Label for security question field" - }, - "dcaSelectWalletTypeLabel": "Selezionare Bitcoin Wallet Tipo", - "@dcaSelectWalletTypeLabel": { - "description": "Label above wallet type selection radio buttons" - }, - "backupWalletHowToDecideVaultModalTitle": "Come decidere", - "@backupWalletHowToDecideVaultModalTitle": { - "description": "Modal title for vault location comparison help" - }, - "importQrDeviceJadeStep1": "Accendere il dispositivo Jade", - "@importQrDeviceJadeStep1": { - "description": "Jade instruction step 1" - }, - "payNotLoggedInDescription": "Non sei connesso. Si prega di accedere per continuare a utilizzare la funzione di pagamento.", - "@payNotLoggedInDescription": { - "description": "Description for not logged in state" - }, - "testBackupEncryptedVaultTag": "Facile e semplice (1 minuto)", - "@testBackupEncryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, - "transactionLabelAddressNotes": "Note di indirizzo", - "@transactionLabelAddressNotes": { - "description": "Label for address notes/labels" - }, - "bitboxScreenTroubleshootingStep3": "Riavviare il dispositivo BitBox02 rimuovendolo e ricollegandolo.", - "@bitboxScreenTroubleshootingStep3": { - "description": "Troubleshooting step 3" - }, - "torSettingsProxyPort": "Tor Proxy Port", - "@torSettingsProxyPort": { - "description": "Title for Tor proxy port settings" - }, - "fundExchangeErrorLoadingDetails": "I dettagli di pagamento non potrebbero essere caricati in questo momento. Si prega di tornare indietro e riprovare, scegliere un altro metodo di pagamento o tornare più tardi.", - "@fundExchangeErrorLoadingDetails": { - "description": "Error message when funding details fail to load" - }, - "testCompletedSuccessTitle": "Test completato con successo!", - "@testCompletedSuccessTitle": { - "description": "Title shown when backup test is successful" - }, - "payBitcoinAmount": "Importo di Bitcoin", - "@payBitcoinAmount": { - "description": "Label for Bitcoin amount" - }, - "fundExchangeSpeiTransfer": "Trasferimento SPEI", - "@fundExchangeSpeiTransfer": { - "description": "SPEI transfer method title (Mexico)" - }, - "recoverbullUnexpectedError": "Errore inaspettato", - "@recoverbullUnexpectedError": { - "description": "Short unexpected error message" - }, - "coreSwapsStatusFailed": "Fatta", - "@coreSwapsStatusFailed": { - "description": "Display name for failed swap status" - }, - "transactionFilterSell": "Vendita", - "@transactionFilterSell": { - "description": "Filter option to show only sell orders" - }, - "fundExchangeMethodSpeiTransfer": "Trasferimento SPEI", - "@fundExchangeMethodSpeiTransfer": { - "description": "Payment method: SPEI transfer (Mexico)" - }, - "fundExchangeSinpeWarningNoBitcoinDescription": " la parola \"Bitcoin\" o \"Crypto\" nella descrizione di pagamento. Questo blocca il pagamento.", - "@fundExchangeSinpeWarningNoBitcoinDescription": { - "description": "Warning that including Bitcoin or Crypto in description will block payment" - }, - "electrumAddServer": "Aggiungi server", - "@electrumAddServer": { - "description": "Add server button label" - }, - "addressViewCopyAddress": "Copia indirizzo", - "@addressViewCopyAddress": { - "description": "Button to copy address to clipboard" - }, - "receiveBitcoin": "Bitcoin", - "@receiveBitcoin": { - "description": "Label for receiving Bitcoin on the base layer" - }, - "pinAuthenticationTitle": "Autenticazione", - "@pinAuthenticationTitle": { - "description": "AppBar title for create/confirm PIN screens" - }, - "sellErrorNoWalletSelected": "Nessun portafoglio selezionato per inviare il pagamento", - "@sellErrorNoWalletSelected": { - "description": "Error message when no wallet is selected for payment" - }, - "fundExchangeCrIbanCrcRecipientNameHelp": "Usa il nostro nome ufficiale. Non usare \"Bull Bitcoin\".", - "@fundExchangeCrIbanCrcRecipientNameHelp": { - "description": "Help text for recipient name field explaining to use corporate name" - }, - "receiveVerifyAddressLedger": "Verifica l'indirizzo su Ledger", - "@receiveVerifyAddressLedger": { - "description": "Button label for verifying an address on a Ledger hardware wallet" - }, - "howToDecideButton": "Come decidere?", - "@howToDecideButton": { - "description": "Button label to show information about choosing backup methods" - }, - "testBackupFetchingFromDevice": "Prendere dal dispositivo.", - "@testBackupFetchingFromDevice": { - "description": "Progress screen title when fetching from local device" - }, - "backupWalletHowToDecideVaultCustomLocation": "Una posizione personalizzata può essere molto più sicuro, a seconda della posizione che si sceglie. È inoltre necessario assicurarsi di non perdere il file di backup o di perdere il dispositivo su cui il file di backup è memorizzato.", - "@backupWalletHowToDecideVaultCustomLocation": { - "description": "Explanation of custom location benefits and risks" - }, - "exchangeLegacyTransactionsComingSoon": "Transazioni legacy - Arrivo presto", - "@exchangeLegacyTransactionsComingSoon": { - "description": "Message indicating that the legacy transactions feature is coming soon" - }, - "buyProofOfAddress": "Prova di indirizzo", - "@buyProofOfAddress": { - "description": "Type of document required" - }, - "backupWalletInstructionNoDigitalCopies": "Non fare copie digitali del backup. Scrivilo su un pezzo di carta o inciso in metallo.", - "@backupWalletInstructionNoDigitalCopies": { - "description": "Instruction to avoid digital copies and use physical medium" - }, - "psbtFlowError": "Errore: {error}", - "@psbtFlowError": { - "description": "Error message in psbt flow", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "replaceByFeeFastestDescription": "Consegna stimata ~ 10 minuti", - "@replaceByFeeFastestDescription": { - "description": "Description for fastest fee option" - }, - "backupKeyHint": "acc8b7b12daf06412f45a90b7fd2..", - "@backupKeyHint": { - "description": "Hint text for backup key input" - }, - "importQrDeviceSeedsignerStep2": "Aprire il menu \"Seme\"", - "@importQrDeviceSeedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, - "exchangeAmountInputValidationZero": "L'importo deve essere maggiore di zero", - "@exchangeAmountInputValidationZero": { - "description": "Validation message when amount is zero or negative" - }, - "transactionLabelTransactionFee": "Costo di transazione", - "@transactionLabelTransactionFee": { - "description": "Label for transaction fee" - }, - "importWatchOnlyRequired": "Obbligo", - "@importWatchOnlyRequired": { - "description": "Placeholder hint for required input fields" - }, - "payWalletNotSynced": "Portafoglio non sincronizzato. Per favore", - "@payWalletNotSynced": { - "description": "Error when wallet sync is incomplete" - }, - "recoverbullRecoveryLoadingMessage": "Alla ricerca di equilibrio e transazioni..", - "@recoverbullRecoveryLoadingMessage": { - "description": "Loading message while checking wallet balance and transactions" - }, - "transactionSwapInfoChainDelay": "I trasferimenti on-chain possono richiedere un po 'di tempo per completare a causa dei tempi di conferma blockchain.", - "@transactionSwapInfoChainDelay": { - "description": "Additional info about chain transfer delays" - }, - "sellExchangeRate": "Tasso di cambio", - "@sellExchangeRate": { - "description": "Label for exchange rate" - }, - "walletOptionsNotFoundMessage": "Portafoglio non trovato", - "@walletOptionsNotFoundMessage": { - "description": "Error message displayed when a wallet cannot be found" - }, - "importMnemonicLegacy": "Legacy", - "@importMnemonicLegacy": { - "description": "Label for Legacy (BIP44) wallet type" - }, - "settingsDevModeWarningMessage": "Questa modalità è rischiosa. Permettendolo, si riconosce che si può perdere denaro", - "@settingsDevModeWarningMessage": { - "description": "Warning message displayed when enabling developer mode" - }, - "sellTitle": "Vendita Bitcoin", - "@sellTitle": { - "description": "AppBar title for sell screen" - }, - "recoverbullVaultKey": "Chiave del vaso", - "@recoverbullVaultKey": { - "description": "Screen title and label for vault key" - }, - "transactionListToday": "Oggi", - "@transactionListToday": { - "description": "Date label for today's transactions" - }, - "keystoneStep12": "Il portafoglio Bull Bitcoin ti chiederà di scansionare il codice QR sulla Keystone. Scansione.", - "@keystoneStep12": { - "description": "Keystone instruction for scanning signed PSBT" - }, - "ledgerErrorRejectedByUser": "La transazione è stata respinta dall'utente sul dispositivo Ledger.", - "@ledgerErrorRejectedByUser": { - "description": "Error message when user rejects transaction on Ledger (error code 6985)" - }, - "payFeeRate": "Tasso di tariffa", - "@payFeeRate": { - "description": "Label for fee rate (sat/vB)" - }, - "autoswapWarningDescription": "Autoswap assicura che un buon equilibrio sia mantenuto tra i pagamenti istantanei e Secure Bitcoin Wallet.", - "@autoswapWarningDescription": { - "description": "Description text at the top of the autoswap warning bottom sheet" - }, - "fundExchangeSinpeAddedToBalance": "Una volta che il pagamento viene inviato, verrà aggiunto al saldo del tuo account.", - "@fundExchangeSinpeAddedToBalance": { - "description": "Message explaining that payment will be added to account balance" - }, - "durationMinute": "{minutes} minuto", - "@durationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "recoverbullErrorDecryptedVaultNotSet": "La volta decifrata non è impostata", - "@recoverbullErrorDecryptedVaultNotSet": { - "description": "Error when attempting operation without decrypted vault" - }, - "pinCodeMismatchError": "I PIN non corrispondono", - "@pinCodeMismatchError": { - "description": "Error message when PIN confirmation doesn't match" - }, - "autoswapRecipientWalletPlaceholderRequired": "Seleziona un portafoglio Bitcoin *", - "@autoswapRecipientWalletPlaceholderRequired": { - "description": "Dropdown placeholder with required indicator when auto transfer is enabled" - }, - "recoverbullGoogleDriveErrorGeneric": "Si è verificato un errore. Per favore riprovate.", - "@recoverbullGoogleDriveErrorGeneric": { - "description": "Generic error message for unknown errors" - }, - "sellUnauthenticatedError": "Non sei autenticato. Si prega di accedere per continuare.", - "@sellUnauthenticatedError": { - "description": "Error message for unauthenticated user" - }, - "coreScreensConfirmSend": "Conferma Invia", - "@coreScreensConfirmSend": { - "description": "Title for confirm send action" - }, - "transactionDetailLabelSwapStatus": "Stato Swap", - "@transactionDetailLabelSwapStatus": { - "description": "Label for swap status" - }, - "passportStep10": "Il Passport ti mostrerà il suo codice QR.", - "@passportStep10": { - "description": "Passport instruction about signed PSBT QR" - }, - "transactionDetailLabelAmountSent": "Importo inviato", - "@transactionDetailLabelAmountSent": { - "description": "Label for amount sent" - }, - "electrumStopGapEmptyError": "Stop Gap non può essere vuoto", - "@electrumStopGapEmptyError": { - "description": "Validation error for empty Stop Gap field" - }, - "typeLabel": "Tipo: ", - "@typeLabel": { - "description": "Label for address type (Receive/Change)" - }, - "buyInputInsufficientBalance": "Bilancio insufficiente", - "@buyInputInsufficientBalance": { - "description": "Insufficient balance info card title" - }, - "ledgerProcessingSignSubtext": "Si prega di confermare la transazione sul dispositivo Ledger...", - "@ledgerProcessingSignSubtext": { - "description": "Processing subtext shown while signing transaction" - }, - "withdrawConfirmClabe": "CLABE", - "@withdrawConfirmClabe": { - "description": "Field label for CLABE (Mexico)" - }, - "amountLabel": "Importo", - "@amountLabel": { - "description": "Label for transaction amount display" - }, - "sellUsdBalance": "USD Bilancio", - "@sellUsdBalance": { - "description": "Display text for USD balance payout method" - }, - "payScanQRCode": "Scansione del QR Codice", - "@payScanQRCode": { - "description": "Button text to open QR code scanner for payment" - }, - "seedsignerStep10": "Il SeedSigner vi mostrerà il suo codice QR.", - "@seedsignerStep10": { - "description": "SeedSigner instruction about signed PSBT QR" - }, - "psbtInstructions": "Istruzioni", - "@psbtInstructions": { - "description": "Button text to show device-specific signing instructions" - }, - "swapProgressCompletedMessage": "Wow, hai aspettato! Il trasferimento ha completato con sucessità.", - "@swapProgressCompletedMessage": { - "description": "Completed transfer message" - }, - "sellCalculating": "Calcolo...", - "@sellCalculating": { - "description": "Text shown while calculating fees" - }, - "recoverbullPIN": "PIN", - "@recoverbullPIN": { - "description": "Label for PIN input type" - }, - "swapInternalTransferTitle": "Trasferimento interno", - "@swapInternalTransferTitle": { - "description": "AppBar title on the amount entry page" - }, - "withdrawConfirmPayee": "Pagamenti", - "@withdrawConfirmPayee": { - "description": "Field label for payee (Bill Payment)" - }, - "importQrDeviceJadeStep8": "Fare clic sul pulsante \"open camera\"", - "@importQrDeviceJadeStep8": { - "description": "Jade instruction step 8" - }, - "payPhoneNumberHint": "Inserisci il numero di telefono", - "@payPhoneNumberHint": { - "description": "Hint for phone number input" - }, - "exchangeTransactionsComingSoon": "Transazioni - Prossimamente", - "@exchangeTransactionsComingSoon": { - "description": "Message indicating that the transactions feature is coming soon" - }, - "navigationTabExchange": "Scambi", - "@navigationTabExchange": { - "description": "Label for the Exchange tab in bottom navigation" - }, - "dcaSuccessMessageWeekly": "Comprerai {amount} ogni settimana", - "@dcaSuccessMessageWeekly": { - "description": "Success message for weekly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "withdrawConfirmRecipientName": "Nome destinatario", - "@withdrawConfirmRecipientName": { - "description": "Field label for recipient name" - }, - "autoswapRecipientWalletPlaceholder": "Seleziona un portafoglio Bitcoin", - "@autoswapRecipientWalletPlaceholder": { - "description": "Dropdown placeholder text when no wallet is selected" - }, - "enterYourBackupPinTitle": "Inserisci il backup {pinOrPassword}", - "@enterYourBackupPinTitle": { - "description": "Title for entering backup PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "backupSettingsExporting": "Esportazione...", - "@backupSettingsExporting": { - "description": "Button text while vault export is in progress" - }, - "receiveDetails": "Dettagli", - "@receiveDetails": { - "description": "Label for viewing transaction details" - }, - "importQrDeviceSpecterStep11": "Setup è completo", - "@importQrDeviceSpecterStep11": { - "description": "Specter instruction step 11" - }, - "mempoolSettingsUseForFeeEstimationDescription": "Quando abilitato, questo server verrà utilizzato per la stima dei costi. Quando disattivato, il server mempool di Bull Bitcoin verrà utilizzato invece.", - "@mempoolSettingsUseForFeeEstimationDescription": { - "description": "Description for use for fee estimation toggle" - }, - "sendCustomFee": "Costo personalizzato", - "@sendCustomFee": { - "description": "Label for setting a custom transaction fee" - }, - "seedsignerStep7": " - Prova a spostare il dispositivo indietro un po'", - "@seedsignerStep7": { - "description": "SeedSigner troubleshooting tip 3" - }, - "sendAmount": "Importo", - "@sendAmount": { - "description": "Label for the transaction amount" - }, - "buyInputInsufficientBalanceMessage": "Non hai abbastanza equilibrio per creare questo ordine.", - "@buyInputInsufficientBalanceMessage": { - "description": "Insufficient balance message" - }, - "recoverbullSelectBackupFileNotValidError": "Recoverbull file di backup non è valido", - "@recoverbullSelectBackupFileNotValidError": { - "description": "Error when selected file is not a valid RecoverBull backup format" - }, - "swapErrorInsufficientFunds": "Non poteva costruire una transazione. Analogamente a causa di fondi insufficienti per coprire le spese e l'importo.", - "@swapErrorInsufficientFunds": { - "description": "Error when transaction cannot be built due to insufficient funds" - }, - "dcaConfirmAmount": "Importo", - "@dcaConfirmAmount": { - "description": "Field label for amount" - }, - "arkBalanceBreakdown": "Ripartizione del bilancio", - "@arkBalanceBreakdown": { - "description": "Title of bottom sheet showing balance breakdown" - }, - "seedsignerStep8": "Una volta che la transazione viene importata nel SeedSigner, è necessario selezionare il seme che si desidera firmare con.", - "@seedsignerStep8": { - "description": "SeedSigner instruction for seed selection" - }, - "sellSendPaymentPriceRefresh": "Il prezzo si rinfresca in ", - "@sellSendPaymentPriceRefresh": { - "description": "Price refresh countdown prefix" - }, - "arkAboutCopy": "Copia", - "@arkAboutCopy": { - "description": "Copy button label" - }, - "recoverbullPasswordRequired": "La password è richiesta", - "@recoverbullPasswordRequired": { - "description": "Validation error when password field is empty" - }, - "receiveNoteLabel": "Nota", - "@receiveNoteLabel": { - "description": "Label for the note field in receive" - }, - "payFirstName": "Nome", - "@payFirstName": { - "description": "Label for first name field" - }, - "arkNoTransactionsYet": "Ancora nessuna operazione.", - "@arkNoTransactionsYet": { - "description": "Empty state message shown when user has no transaction history" - }, - "recoverViaCloudDescription": "Recuperare il backup tramite cloud utilizzando il PIN.", - "@recoverViaCloudDescription": { - "description": "Description for recovering via cloud" - }, - "importWatchOnlySigningDevice": "Dispositivo di firma", - "@importWatchOnlySigningDevice": { - "description": "Label for signing device selection field" - }, - "receiveInvoiceExpired": "Fattura scaduta", - "@receiveInvoiceExpired": { - "description": "Status when invoice is no longer valid" - }, - "ledgerButtonManagePermissions": "Gestione delle autorizzazioni", - "@ledgerButtonManagePermissions": { - "description": "Button label to open app permissions settings" - }, - "autoswapMinimumThresholdErrorSats": "Soglia di equilibrio minima è {amount} sati", - "@autoswapMinimumThresholdErrorSats": { - "description": "Validation error shown when amount threshold is below minimum (sats display)", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyKycPendingTitle": "KYC ID Verification Pending", - "@buyKycPendingTitle": { - "description": "Title for KYC verification required card" - }, - "transactionOrderLabelPayinStatus": "Stato di pagamento", - "@transactionOrderLabelPayinStatus": { - "description": "Label for order payin status" - }, - "sellSendPaymentSecureWallet": "Portafoglio sicuro Bitcoin", - "@sellSendPaymentSecureWallet": { - "description": "Secure wallet label" - }, - "coreSwapsLnReceiveRefundable": "Swap è pronto per essere rimborsato.", - "@coreSwapsLnReceiveRefundable": { - "description": "Status message for refundable Lightning receive swap" - }, - "bitcoinSettingsElectrumServerTitle": "Impostazioni server Electrum", - "@bitcoinSettingsElectrumServerTitle": { - "description": "Title for the Electrum server settings section in Bitcoin settings" - }, - "payRemoveRecipient": "Rimuovere Recipiente", - "@payRemoveRecipient": { - "description": "Button to remove a recipient from batch" - }, - "pasteInputDefaultHint": "Incolla un indirizzo di pagamento o una fattura", - "@pasteInputDefaultHint": { - "description": "Default placeholder hint for paste input field" - }, - "sellKycPendingTitle": "KYC ID Verification Pending", - "@sellKycPendingTitle": { - "description": "Title shown when KYC verification is pending" - }, - "withdrawRecipientsFilterAll": "Tutti i tipi", - "@withdrawRecipientsFilterAll": { - "description": "Filter option for all recipient types" - }, - "bitboxScreenSegwitBip84Subtitle": "Native SegWit - Consigliato", - "@bitboxScreenSegwitBip84Subtitle": { - "description": "Subtitle for BIP84 option" - }, - "fundExchangeSpeiSubtitle": "Trasferire fondi utilizzando il CLABE", - "@fundExchangeSpeiSubtitle": { - "description": "SPEI transfer subtitle" - }, - "encryptedVaultRecommendationText": "Non sei sicuro e hai bisogno di più tempo per conoscere le pratiche di sicurezza di backup.", - "@encryptedVaultRecommendationText": { - "description": "Text explaining when to use encrypted vault" - }, - "urDecodingFailedMessage": "UR decodifica fallito", - "@urDecodingFailedMessage": { - "description": "Error message when UR decoding fails" - }, - "fundExchangeAccountSubtitle": "Selezionare il paese e il metodo di pagamento", - "@fundExchangeAccountSubtitle": { - "description": "Subtitle on fund exchange account screen prompting user to select country and payment method" - }, - "appStartupContactSupportButton": "Supporto di contatto", - "@appStartupContactSupportButton": { - "description": "Button label to contact support when app startup fails" - }, - "bitboxScreenWaitingConfirmation": "Attendere la conferma su BitBox02...", - "@bitboxScreenWaitingConfirmation": { - "description": "Message shown while waiting for device confirmation" - }, - "howToDecideVaultLocationText1": "Provider di storage cloud come Google o Apple non avranno accesso al tuo Bitcoin perché la password di crittografia è troppo forte. Possono accedere solo al Bitcoin nell'improbabile evento che colludono con il server chiave (il servizio online che memorizza la password di crittografia). Se il server chiave viene mai hackerato, il Bitcoin potrebbe essere a rischio con Google o Apple cloud.", - "@howToDecideVaultLocationText1": { - "description": "First paragraph explaining vault location decision" - }, - "receiveFeeExplanation": "Questa tassa sarà detratta dall'importo inviato", - "@receiveFeeExplanation": { - "description": "Explanation that fees are deducted from the sent amount" - }, - "payCannotBumpFee": "Non può urtare tassa per questa transazione", - "@payCannotBumpFee": { - "description": "Error when RBF is not available" - }, - "payAccountNumber": "Numero di conto", - "@payAccountNumber": { - "description": "Label for account number" - }, - "arkSatsUnit": "sats", - "@arkSatsUnit": { - "description": "Unit label for satoshis in Ark transaction details" - }, - "payMinimumAmount": "Minimo: {amount}", - "@payMinimumAmount": { - "description": "Label showing minimum payment amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sendSwapRefundCompleted": "Rimborso Swap Completato", - "@sendSwapRefundCompleted": { - "description": "Title when refund has completed" - }, - "torSettingsStatusUnknown": "Stato Sconosciuto", - "@torSettingsStatusUnknown": { - "description": "Status title when Tor status is unknown" - }, - "sendConfirmSwap": "Conferma Swap", - "@sendConfirmSwap": { - "description": "Button to proceed with swap" - }, - "exchangeLogoutComingSoon": "Log out - Prossimamente", - "@exchangeLogoutComingSoon": { - "description": "Message indicating that the log out feature is coming soon" - }, - "sendSending": "Inviare", - "@sendSending": { - "description": "Title shown while transaction is being sent" - }, - "withdrawConfirmAccount": "Account", - "@withdrawConfirmAccount": { - "description": "Field label for bank account" - }, - "backupButton": "Backup", - "@backupButton": { - "description": "Button label to start backup process" - }, - "sellSendPaymentPayoutAmount": "Importo di pagamento", - "@sellSendPaymentPayoutAmount": { - "description": "Field label for payout amount" - }, - "payOrderNumber": "Numero d'ordine", - "@payOrderNumber": { - "description": "Label for order number" - }, - "sendErrorConfirmationFailed": "Conferma non riuscita", - "@sendErrorConfirmationFailed": { - "description": "Error title when transaction confirmation fails" - }, - "recoverbullWaiting": "Aspettare", - "@recoverbullWaiting": { - "description": "Status label indicating waiting state" - }, - "notTestedStatus": "Non testato", - "@notTestedStatus": { - "description": "Status text indicating backup has not been tested" - }, - "paySinpeNumeroOrden": "Numero d'ordine", - "@paySinpeNumeroOrden": { - "description": "Label for order number in SINPE details" - }, - "backupBestPracticesTitle": "Migliori pratiche di backup", - "@backupBestPracticesTitle": { - "description": "Title for backup best practices screen" - }, - "transactionLabelRecipientAddress": "Indirizzo utile", - "@transactionLabelRecipientAddress": { - "description": "Label for recipient address" - }, - "backupWalletVaultProviderGoogleDrive": "Google Drive", - "@backupWalletVaultProviderGoogleDrive": { - "description": "Name of Google Drive vault provider option" - }, - "bitboxCubitDeviceNotFound": "Nessun dispositivo BitBox trovato. Si prega di collegare il dispositivo e riprovare.", - "@bitboxCubitDeviceNotFound": { - "description": "Error interpretation for device not found" - }, - "autoswapSaveError": "Non salvare le impostazioni: {error}", - "@autoswapSaveError": { - "description": "Error message when save fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "buyStandardWithdrawal": "Ritiro standard", - "@buyStandardWithdrawal": { - "description": "Regular withdrawal option" - }, - "swapContinue": "Continua", - "@swapContinue": { - "description": "Continue button on swap amount screen" - }, - "arkSettleButton": "Settle", - "@arkSettleButton": { - "description": "Settle button label" - }, - "electrumAddFailedError": "Non è possibile aggiungere server personalizzati{reason}", - "@electrumAddFailedError": { - "description": "Error message when adding custom server fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "transactionDetailLabelTransferFees": "Tasse di trasferimento", - "@transactionDetailLabelTransferFees": { - "description": "Label for transfer fees" - }, - "arkAboutDurationHours": "{hours} ore", - "@arkAboutDurationHours": { - "description": "Duration format for plural hours", - "placeholders": { - "hours": { - "type": "int" - } - } - }, - "importWalletSectionGeneric": "Portafogli generici", - "@importWalletSectionGeneric": { - "description": "Section header for generic wallet types" - }, - "arkEsploraUrl": "URL pagina", - "@arkEsploraUrl": { - "description": "Label for Esplora URL field" - }, - "backupSettingsNotTested": "Non testato", - "@backupSettingsNotTested": { - "description": "Status text shown when backup has not been tested" - }, - "googleDrivePrivacyMessage": "Google ti chiederà di condividere le informazioni personali con questa app.", - "@googleDrivePrivacyMessage": { - "description": "Message about Google requesting personal information" - }, - "errorGenericTitle": "Ops! Qualcosa non va", - "@errorGenericTitle": { - "description": "Generic error title when hasError is true" - }, - "bitboxActionPairDeviceSuccess": "Dispositivo accoppiato correttamente", - "@bitboxActionPairDeviceSuccess": { - "description": "Success text for pair device" - }, - "bitboxErrorNoDevicesFound": "Nessun dispositivo BitBox trovato. Assicurarsi che il dispositivo sia acceso e collegato tramite USB.", - "@bitboxErrorNoDevicesFound": { - "description": "Error when no BitBox devices are detected" - }, - "torSettingsStatusConnecting": "Collegamento...", - "@torSettingsStatusConnecting": { - "description": "Status title when Tor is connecting" - }, - "receiveSwapID": "ID Swap", - "@receiveSwapID": { - "description": "Label for the swap identifier in a receive transaction" - }, - "settingsBitcoinSettingsTitle": "Impostazioni Bitcoin", - "@settingsBitcoinSettingsTitle": { - "description": "Title for the Bitcoin settings section in the settings menu" - }, - "backupWalletHowToDecideBackupModalTitle": "Come decidere", - "@backupWalletHowToDecideBackupModalTitle": { - "description": "Modal title for backup method comparison help" - }, - "backupSettingsLabel": "Portafoglio di riserva", - "@backupSettingsLabel": { - "description": "The label for the button to access the backup settings" - }, - "ledgerWalletTypeNestedSegwit": "Segwit Nested (BIP49)", - "@ledgerWalletTypeNestedSegwit": { - "description": "Display name for Nested Segwit wallet type (BIP49)" - }, - "fundExchangeJurisdictionMexico": "🇲🇽 Messico", - "@fundExchangeJurisdictionMexico": { - "description": "Dropdown option for Mexico jurisdiction" - }, - "sellInteracEmail": "Email Interac", - "@sellInteracEmail": { - "description": "Label for email to receive Interac payment" - }, - "coreSwapsActionClose": "Chiudi", - "@coreSwapsActionClose": { - "description": "Action label for closing a swap cooperatively" - }, - "kruxStep6": "Se hai problemi di scansione:", - "@kruxStep6": { - "description": "Krux troubleshooting header" - }, - "autoswapMaximumFeeError": "La soglia massima della tassa è {threshold}%", - "@autoswapMaximumFeeError": { - "description": "Validation error shown when fee threshold exceeds maximum", - "placeholders": { - "threshold": { - "type": "String" - } - } - }, - "swapValidationEnterAmount": "Inserisci un importo", - "@swapValidationEnterAmount": { - "description": "Validation error when amount is empty" - }, - "recoverbullErrorVaultCreatedKeyNotStored": "Non riuscita: file Vault creato ma chiave non memorizzata nel server", - "@recoverbullErrorVaultCreatedKeyNotStored": { - "description": "Error when vault file created but server key storage failed" - }, - "exchangeSupportChatWalletIssuesInfo": "Questa chat è solo per problemi di scambio relativi in Finanziamento / Compro / Vendi / Ritiro / Paga.\nPer problemi relativi al portafoglio, unisciti al gruppo di telegram cliccando qui.", - "@exchangeSupportChatWalletIssuesInfo": { - "description": "Info message about wallet issues and telegram group link" - }, - "exchangeLoginButton": "Accedi o registrati", - "@exchangeLoginButton": { - "description": "Button label for logging in or signing up to the exchange" - }, - "arkAboutHide": "Nascondi", - "@arkAboutHide": { - "description": "Button text to hide visible secret key" - }, - "ledgerProcessingVerify": "Visualizza l'indirizzo su Ledger...", - "@ledgerProcessingVerify": { - "description": "Status message shown while verifying address on Ledger" - }, - "coreScreensFeePriorityLabel": "Priorità", - "@coreScreensFeePriorityLabel": { - "description": "Label for fee priority field" - }, - "arkSendPendingBalance": "Bilancia dei pagamenti ", - "@arkSendPendingBalance": { - "description": "Pending balance label" - }, - "coreScreensLogsTitle": "Logs", - "@coreScreensLogsTitle": { - "description": "AppBar title for logs viewer screen" - }, - "recoverbullVaultKeyInput": "Chiave del vaso", - "@recoverbullVaultKeyInput": { - "description": "Input field label for vault key entry" - }, - "testBackupErrorWalletMismatch": "Backup non corrisponde al portafoglio esistente", - "@testBackupErrorWalletMismatch": { - "description": "Error when backup doesn't match current wallet" - }, - "bip329LabelsHeading": "BIP329 Etichette Import/Esporto", - "@bip329LabelsHeading": { - "description": "Main heading on BIP329 labels page" - }, - "jadeStep2": "Aggiungi una passphrase se ne hai una (opzionale)", - "@jadeStep2": { - "description": "Jade instruction step 2" - }, - "coldcardStep4": "Scansione del codice QR mostrato nel portafoglio Bull", - "@coldcardStep4": { - "description": "Coldcard instruction step 4" - }, - "importQrDevicePassportStep5": "Selezionare l'opzione \"Sparrow\"", - "@importQrDevicePassportStep5": { - "description": "Passport instruction step 5" - }, - "psbtFlowClickPsbt": "Fare clic su PSBT", - "@psbtFlowClickPsbt": { - "description": "Instruction to click PSBT option on device" - }, - "sendInvoicePaid": "Fattura a pagamento", - "@sendInvoicePaid": { - "description": "Title when Lightning invoice payment succeeds" - }, - "buyKycPendingDescription": "È necessario completare l'ID verifica prima", - "@buyKycPendingDescription": { - "description": "Description for KYC verification required" - }, - "payBelowMinAmountError": "Stai cercando di pagare sotto l'importo minimo che può essere pagato con questo portafoglio.", - "@payBelowMinAmountError": { - "description": "Error message for amount below minimum" - }, - "arkReceiveSegmentArk": "Ark", - "@arkReceiveSegmentArk": { - "description": "Segment option for Ark address type" - }, - "autoswapRecipientWalletInfo": "Scegliere quale portafoglio Bitcoin riceverà i fondi trasferiti (richiesto)", - "@autoswapRecipientWalletInfo": { - "description": "Info tooltip for recipient wallet field" - }, - "importWalletKrux": "Krux", - "@importWalletKrux": { - "description": "Button label for Krux hardware wallet" - }, - "swapContinueButton": "Continua", - "@swapContinueButton": { - "description": "Button to proceed from amount page to confirmation" - }, - "bitcoinSettingsBroadcastTransactionTitle": "Transazione di trasmissione", - "@bitcoinSettingsBroadcastTransactionTitle": { - "description": "Title for the broadcast transaction option in Bitcoin settings" - }, - "sendSignWithLedger": "Firma con Ledger", - "@sendSignWithLedger": { - "description": "Button to sign transaction with Ledger hardware wallet" - }, - "pinSecurityTitle": "PIN di sicurezza", - "@pinSecurityTitle": { - "description": "AppBar title for PIN settings screen" - }, - "swapValidationPositiveAmount": "Inserisci un importo positivo", - "@swapValidationPositiveAmount": { - "description": "Validation error when amount is not positive" - }, - "walletDetailsSignerLabel": "Segnale", - "@walletDetailsSignerLabel": { - "description": "Label for the signer field in wallet details" - }, - "exchangeDcaSummaryMessage": "Stai acquistando {amount} ogni {frequency} via {network} finché ci sono fondi nel tuo account.", - "@exchangeDcaSummaryMessage": { - "description": "Summary message describing the DCA configuration", - "placeholders": { - "amount": { - "type": "String", - "description": "The amount being purchased (e.g., '$100 CAD')" - }, - "frequency": { - "type": "String" - }, - "network": { - "type": "String" - } - } - }, - "addressLabel": "Indirizzo: ", - "@addressLabel": { - "description": "Label for UTXO address in coin selection tile" - }, - "testBackupWalletTitle": "Test {walletName}", - "@testBackupWalletTitle": { - "description": "Dynamic AppBar title showing which wallet is being tested", - "placeholders": { - "walletName": { - "type": "String" - } - } - }, - "withdrawRecipientsPrompt": "Dove e come dovremmo inviare i soldi?", - "@withdrawRecipientsPrompt": { - "description": "Instructions on recipients screen" - }, - "withdrawRecipientsTitle": "Seleziona il destinatario", - "@withdrawRecipientsTitle": { - "description": "AppBar title for recipients screen" - }, - "sellPayoutRecipient": "Prestito", - "@sellPayoutRecipient": { - "description": "Label for payout recipient" - }, - "backupWalletLastBackupTest": "Ultimo test di backup: ", - "@backupWalletLastBackupTest": { - "description": "Label prefix for displaying timestamp of last physical backup test" - }, - "whatIsWordNumberPrompt": "Qual è il numero di parola {number}?", - "@whatIsWordNumberPrompt": { - "description": "Prompt asking for specific word number", - "placeholders": { - "number": { - "type": "int", - "example": "5" - } - } - }, - "keystoneStep1": "Accedi al tuo dispositivo Keystone", - "@keystoneStep1": { - "description": "Keystone instruction step 1" - }, - "keystoneStep3": "Scansione del codice QR mostrato nel portafoglio Bull", - "@keystoneStep3": { - "description": "Keystone instruction step 3" - }, - "backupKeyWarningMessage": "Attenzione: Fai attenzione a dove salvare la chiave di backup.", - "@backupKeyWarningMessage": { - "description": "Warning message about backup key storage" - }, - "arkSendSuccessTitle": "Invia successo", - "@arkSendSuccessTitle": { - "description": "Title shown after successful Ark send transaction" - }, - "importQrDevicePassportStep3": "Selezionare \"Conto di gestione\"", - "@importQrDevicePassportStep3": { - "description": "Passport instruction step 3" - }, - "exchangeAuthErrorMessage": "Si è verificato un errore, si prega di provare a accedere di nuovo.", - "@exchangeAuthErrorMessage": { - "description": "Login error message" - }, - "bitboxActionSignTransactionTitle": "Transazione dei segni", - "@bitboxActionSignTransactionTitle": { - "description": "Title for sign transaction action" - }, - "testBackupGoogleDrivePrivacyPart3": "lasciare il telefono ed è ", - "@testBackupGoogleDrivePrivacyPart3": { - "description": "Third part of privacy message" - }, - "logSettingsErrorLoadingMessage": "Tronchi di caricamento di errore: ", - "@logSettingsErrorLoadingMessage": { - "description": "Error message displayed when logs fail to load" - }, - "dcaAmountLabel": "Importo", - "@dcaAmountLabel": { - "description": "Label for amount detail row" - }, - "walletNetworkLiquid": "Rete liquida", - "@walletNetworkLiquid": { - "description": "Network label for Liquid mainnet" - }, - "receiveArkNetwork": "Ark", - "@receiveArkNetwork": { - "description": "Ark Instant Payments option" - }, - "swapMaxButton": "MAX", - "@swapMaxButton": { - "description": "Button to use maximum available balance" - }, - "transactionSwapStatusTransferStatus": "Stato di trasferimento", - "@transactionSwapStatusTransferStatus": { - "description": "Header for transfer status section" - }, - "importQrDeviceSeedsignerStep8": "Scansiona il codice QR visualizzato sul tuo SeedSigner", - "@importQrDeviceSeedsignerStep8": { - "description": "SeedSigner instruction step 8" - }, - "backupKeyTitle": "Chiave di backup", - "@backupKeyTitle": { - "description": "Title for backup key screen" - }, - "electrumDeletePrivacyNotice": "Informativa sulla privacy:\n\nUtilizzando il tuo nodo assicura che nessuna terza parte possa collegare il tuo indirizzo IP con le tue transazioni. Cancellando il tuo ultimo server personalizzato, ti connetterai a un server BullBitcoin.\n.\n", - "@electrumDeletePrivacyNotice": { - "description": "Privacy notice shown when deleting last custom server" - }, - "dcaConfirmFrequencyWeekly": "Ogni settimana", - "@dcaConfirmFrequencyWeekly": { - "description": "Weekly frequency label" - }, - "payInstitutionNumberHint": "Inserisci il numero di istituzione", - "@payInstitutionNumberHint": { - "description": "Hint for institution number input" - }, - "sendSlowPaymentWarning": "Avviso di pagamento lento", - "@sendSlowPaymentWarning": { - "description": "Warning title for slow payment confirmation" - }, - "quickAndEasyTag": "Veloce e facile", - "@quickAndEasyTag": { - "description": "Tag for quick and easy options" - }, - "settingsThemeTitle": "Tema", - "@settingsThemeTitle": { - "description": "Title for the theme selection in app settings" - }, - "exchangeSupportChatYesterday": "Ieri", - "@exchangeSupportChatYesterday": { - "description": "Label for yesterday in date formatting" - }, - "jadeStep3": "Selezionare l'opzione \"Scan QR\"", - "@jadeStep3": { - "description": "Jade instruction step 3" - }, - "dcaSetupFundAccount": "Finanziamento del tuo conto", - "@dcaSetupFundAccount": { - "description": "Button to fund account" - }, - "payEmail": "Email", - "@payEmail": { - "description": "Label for email field" - }, - "coldcardStep10": "Fare clic sui pulsanti per firmare la transazione sulla Coldcard.", - "@coldcardStep10": { - "description": "Coldcard instruction for signing" - }, - "sendErrorAmountBelowSwapLimits": "L'importo è inferiore ai limiti di swap", - "@sendErrorAmountBelowSwapLimits": { - "description": "Error when amount is below minimum swap limit" - }, - "labelErrorNotFound": "Etichetta \"{label}\" non trovata.", - "@labelErrorNotFound": { - "description": "Error message when a label is not found", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "payPrivatePayment": "Pagamento privato", - "@payPrivatePayment": { - "description": "Label for privacy-enhanced payment option" - }, - "autoswapDefaultWalletLabel": "Portafoglio Bitcoin", - "@autoswapDefaultWalletLabel": { - "description": "Default label for unnamed Bitcoin wallet" - }, - "recoverbullTestSuccessDescription": "Sei in grado di recuperare l'accesso a un portafoglio Bitcoin perso", - "@recoverbullTestSuccessDescription": { - "description": "Description shown after successful recovery test" - }, - "dcaDeactivate": "Disattivare l'acquisto ricorrente", - "@dcaDeactivate": { - "description": "Label to deactivate DCA" - }, - "exchangeAuthLoginFailedTitle": "Login Non riuscita", - "@exchangeAuthLoginFailedTitle": { - "description": "Title of the dialog shown when exchange login fails" - }, - "autoswapRecipientWallet": "Portafoglio Bitcoin sensibile", - "@autoswapRecipientWallet": { - "description": "Field label for recipient wallet dropdown" - }, - "arkUnifiedAddressBip21": "Indirizzo unificato (BIP21)", - "@arkUnifiedAddressBip21": { - "description": "Label for the BIP21 unified address field" - }, - "pickPasswordOrPinButton": "Scegli un {pinOrPassword} invece >", - "@pickPasswordOrPinButton": { - "description": "Button to switch between PIN and password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "password" - } - } - }, - "transactionDetailLabelOrderType": "Tipo d'ordine", - "@transactionDetailLabelOrderType": { - "description": "Label for order type" - }, - "autoswapWarningSettingsLink": "Portami alle impostazioni di autoswap", - "@autoswapWarningSettingsLink": { - "description": "Link text to navigate to autoswap settings from the warning bottom sheet" - }, - "payLiquidNetwork": "Rete liquida", - "@payLiquidNetwork": { - "description": "Option for Liquid Network payment" - }, - "backupSettingsKeyWarningExample": "Ad esempio, se si utilizza Google Drive per il file di backup, non utilizzare Google Drive per la chiave di backup.", - "@backupSettingsKeyWarningExample": { - "description": "Example explaining backup key storage separation" - }, - "backupWalletHowToDecideVaultCloudRecommendation": "Google o cloud Apple: ", - "@backupWalletHowToDecideVaultCloudRecommendation": { - "description": "Bold label for cloud storage recommendation" - }, - "testBackupEncryptedVaultDescription": "Backup anonimo con crittografia forte utilizzando il cloud.", - "@testBackupEncryptedVaultDescription": { - "description": "Description for encrypted vault backup option" - }, - "payNetworkType": "Rete di rete", - "@payNetworkType": { - "description": "Label for network type (Lightning/Bitcoin/Liquid)" - }, - "addressViewChangeType": "Cambiamento", - "@addressViewChangeType": { - "description": "Address type label for internal/change addresses" - }, - "walletDeletionConfirmationDeleteButton": "Cancella", - "@walletDeletionConfirmationDeleteButton": { - "description": "Delete button label in wallet deletion confirmation dialog" - }, - "confirmLogoutTitle": "Confermare il Logout", - "@confirmLogoutTitle": { - "description": "Dialog title for logout confirmation" - }, - "ledgerWalletTypeSelectTitle": "Seleziona Wallet Tipo", - "@ledgerWalletTypeSelectTitle": { - "description": "Title for wallet type selection modal" - }, - "swapTransferCompletedMessage": "Wow, hai aspettato! Il trasferimento è completato con successo.", - "@swapTransferCompletedMessage": { - "description": "Success message after transfer completion" - }, - "encryptedVaultTag": "Facile e semplice (1 minuto)", - "@encryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, - "electrumDelete": "Cancella", - "@electrumDelete": { - "description": "Delete button label in delete dialog" - }, - "testBackupGoogleDrivePrivacyPart4": "mai ", - "@testBackupGoogleDrivePrivacyPart4": { - "description": "Fourth part (emphasized) of privacy message" - }, - "arkConfirmButton": "Conferma", - "@arkConfirmButton": { - "description": "Confirm button to proceed with send transaction" - }, - "sendCoinControl": "Controllo delle monete", - "@sendCoinControl": { - "description": "Feature to manually select UTXOs" - }, - "withdrawSuccessOrderDetails": "Dettagli dell'ordine", - "@withdrawSuccessOrderDetails": { - "description": "Button label to view order details after withdrawal" - }, - "exchangeLandingConnect": "Collegare il conto di cambio Bull Bitcoin", - "@exchangeLandingConnect": { - "description": "Subtitle on exchange landing screen" - }, - "payProcessingPayment": "Pagamento di elaborazione...", - "@payProcessingPayment": { - "description": "Loading message while payment is being processed" - }, - "ledgerImportTitle": "Importazione Portafoglio Ledger", - "@ledgerImportTitle": { - "description": "Title for importing a Ledger hardware wallet" - }, - "exchangeDcaFrequencyMonth": "mese", - "@exchangeDcaFrequencyMonth": { - "description": "DCA frequency unit: month" - }, - "paySuccessfulPayments": "Successo", - "@paySuccessfulPayments": { - "description": "Filter for successful payments" - }, - "navigationTabWallet": "Portafoglio", - "@navigationTabWallet": { - "description": "Label for the Wallet tab in bottom navigation" - }, - "bitboxScreenScanning": "Scansione per dispositivi", - "@bitboxScreenScanning": { - "description": "Main text when scanning for devices" - }, - "howToDecideBackupTitle": "Come decidere", - "@howToDecideBackupTitle": { - "description": "Title for how to decide backup method modal" - }, - "statusCheckTitle": "Stato di servizio", - "@statusCheckTitle": { - "description": "Title for the service status screen" - }, - "ledgerHelpSubtitle": "In primo luogo, assicurarsi che il dispositivo Ledger è sbloccato e l'applicazione Bitcoin è aperta. Se il dispositivo non si connette ancora con l'app, prova il seguente:", - "@ledgerHelpSubtitle": { - "description": "Subtitle/introduction for Ledger troubleshooting help" - }, - "savingToDevice": "Salvando il tuo dispositivo.", - "@savingToDevice": { - "description": "Message shown when saving to device" - }, - "bitboxActionImportWalletButton": "Inizio Importazione", - "@bitboxActionImportWalletButton": { - "description": "Button text for import wallet" - }, - "fundExchangeLabelSwiftCode": "Codice SWIFT", - "@fundExchangeLabelSwiftCode": { - "description": "Label for SWIFT code field" - }, - "buyEnterBitcoinAddress": "Inserisci l'indirizzo bitcoin", - "@buyEnterBitcoinAddress": { - "description": "Label for bitcoin address input field" - }, - "autoswapWarningBaseBalance": "Bilancio di base 0.01", - "@autoswapWarningBaseBalance": { - "description": "Base balance text shown in the autoswap warning bottom sheet" - }, - "transactionDetailLabelPayoutAmount": "Importo di pagamento", - "@transactionDetailLabelPayoutAmount": { - "description": "Label for payout amount" - }, - "importQrDeviceSpecterStep6": "Scegliere \"Single key\"", - "@importQrDeviceSpecterStep6": { - "description": "Specter instruction step 6" - }, - "importQrDeviceJadeStep10": "Basta!", - "@importQrDeviceJadeStep10": { - "description": "Jade instruction step 10" - }, - "payPayeeAccountNumberHint": "Inserisci il numero di account", - "@payPayeeAccountNumberHint": { - "description": "Hint for account number input" - }, - "importQrDevicePassportStep8": "Sul dispositivo mobile, toccare \"open camera\"", - "@importQrDevicePassportStep8": { - "description": "Passport instruction step 8" - }, - "dcaConfirmationError": "Qualcosa non andava: {error}", - "@dcaConfirmationError": { - "description": "Error message displayed when confirmation fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "oopsSomethingWentWrong": "Ops! Qualcosa non va", - "@oopsSomethingWentWrong": { - "description": "Error title when something goes wrong" - }, - "pinStatusSettingUpDescription": "Impostazione del codice PIN", - "@pinStatusSettingUpDescription": { - "description": "Status screen description during PIN save/delete operations" - }, - "enterYourPinTitle": "Inserisci il tuo {pinOrPassword}", - "@enterYourPinTitle": { - "description": "Title for entering PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "onboardingPhysicalBackup": "Backup fisico", - "@onboardingPhysicalBackup": { - "description": "Title for the physical backup recovery option in onboarding" - }, - "swapFromLabel": "Da", - "@swapFromLabel": { - "description": "Label for source wallet dropdown" - }, - "fundExchangeCrIbanCrcDescription": "Invia un bonifico bancario dal tuo conto bancario utilizzando i dettagli qui sotto ", - "@fundExchangeCrIbanCrcDescription": { - "description": "First part of description for CR IBAN CRC transfer" - }, - "settingsDevModeWarningTitle": "Modalità Dev", - "@settingsDevModeWarningTitle": { - "description": "Title for the developer mode warning dialog" - }, - "importQrDeviceKeystoneStep4": "Selezionare Connetti il software Wallet", - "@importQrDeviceKeystoneStep4": { - "description": "Keystone instruction step 4" - }, - "bitcoinSettingsAutoTransferTitle": "Impostazioni di trasferimento automatico", - "@bitcoinSettingsAutoTransferTitle": { - "description": "Title for the auto transfer settings section in Bitcoin settings" - }, - "rbfOriginalTransaction": "Transazione originale", - "@rbfOriginalTransaction": { - "description": "Header label for original transaction details" - }, - "payViewRecipient": "Visualizza il destinatario", - "@payViewRecipient": { - "description": "Button to view recipient details" - }, - "exchangeAccountInfoUserNumberCopiedMessage": "Numero utente copiato a clipboard", - "@exchangeAccountInfoUserNumberCopiedMessage": { - "description": "Success message when user number is copied to clipboard" - }, - "settingsAppVersionLabel": "Versione dell'app: ", - "@settingsAppVersionLabel": { - "description": "Label displayed before the app version number in settings" - }, - "bip329LabelsExportButton": "Etichette di esportazione", - "@bip329LabelsExportButton": { - "description": "Button text to export labels" - }, - "jadeStep4": "Scansione del codice QR mostrato nel portafoglio Bull", - "@jadeStep4": { - "description": "Jade instruction step 4" - }, - "recoverbullRecoveryErrorWalletExists": "Questo portafoglio esiste già.", - "@recoverbullRecoveryErrorWalletExists": { - "description": "Error when attempting to restore vault that already exists" - }, - "payBillerNameValue": "Nome Biller selezionato", - "@payBillerNameValue": { - "description": "Placeholder for biller name" - }, - "sendSelectCoins": "Seleziona monete", - "@sendSelectCoins": { - "description": "Button to open UTXO selector" - }, - "fundExchangeLabelRoutingNumber": "Numero di instradamento", - "@fundExchangeLabelRoutingNumber": { - "description": "Label for routing number field" - }, - "enterBackupKeyManuallyButton": "Inserisci la chiave di backup manualmente > >", - "@enterBackupKeyManuallyButton": { - "description": "Button label to enter backup key manually" - }, - "paySyncingWallet": "Sincronizzazione portafoglio...", - "@paySyncingWallet": { - "description": "Status message during wallet sync" - }, - "allSeedViewLoadingMessage": "Questo può richiedere un po 'per caricare se si dispone di un sacco di semi su questo dispositivo.", - "@allSeedViewLoadingMessage": { - "description": "Loading message shown while fetching seeds" - }, - "paySelectWallet": "Seleziona Wallet", - "@paySelectWallet": { - "description": "Label for wallet selection dropdown in payment" - }, - "pinCodeChangeButton": "Cambia PIN", - "@pinCodeChangeButton": { - "description": "Button label to change existing PIN" - }, - "paySecurityQuestionHint": "Inserisci domanda di sicurezza (10-40 caratteri)", - "@paySecurityQuestionHint": { - "description": "Hint for security question input" - }, - "ledgerErrorMissingPsbt": "PSBT è necessario per la firma", - "@ledgerErrorMissingPsbt": { - "description": "Error message when PSBT parameter is missing for signing" - }, - "importWatchOnlyPasteHint": "Incolla xpub, ypub, zpub o descrittore", - "@importWatchOnlyPasteHint": { - "description": "Placeholder hint for paste input field" - }, - "sellAccountNumber": "Numero di conto", - "@sellAccountNumber": { - "description": "Label for bank account number" - }, - "backupWalletLastKnownEncryptedVault": "Ultimo noto crittografato Vault: ", - "@backupWalletLastKnownEncryptedVault": { - "description": "Label prefix for displaying timestamp of last encrypted vault backup" - }, - "dcaSetupInsufficientBalanceMessage": "Non hai abbastanza equilibrio per creare questo ordine.", - "@dcaSetupInsufficientBalanceMessage": { - "description": "Insufficient balance error message" - }, - "recoverbullGotIt": "Capito", - "@recoverbullGotIt": { - "description": "Button text to acknowledge and dismiss message" - }, - "sendAdvancedOptions": "Opzioni avanzate", - "@sendAdvancedOptions": { - "description": "Section header for advanced sending features" - }, - "sellRateValidFor": "Tariffa valida per {seconds}s", - "@sellRateValidFor": { - "description": "Shows rate expiration countdown", - "placeholders": { - "seconds": { - "type": "int" - } - } - }, - "autoswapAutoSaveError": "Non riuscita a salvare le impostazioni", - "@autoswapAutoSaveError": { - "description": "Error message when auto-save on disable fails" - }, - "exchangeAccountInfoVerificationLightVerification": "Verifica della luce", - "@exchangeAccountInfoVerificationLightVerification": { - "description": "Status label for light verification level" - }, - "exchangeFeatureBankTransfers": "• Trasferimenti bancari e bollette di pagamento", - "@exchangeFeatureBankTransfers": { - "description": "Feature bullet point describing bank transfer and bill payment features" - }, - "sellSendPaymentInstantPayments": "Pagamenti istantiani", - "@sellSendPaymentInstantPayments": { - "description": "Instant payments wallet label" - }, - "onboardingRecoverWalletButton": "Recuperare Wallet", - "@onboardingRecoverWalletButton": { - "description": "Button label for recovering a wallet in onboarding" - }, - "dcaConfirmAutoMessage": "L'acquisto degli ordini verrà effettuato automaticamente per queste impostazioni. Puoi disattivarli quando vuoi.", - "@dcaConfirmAutoMessage": { - "description": "DCA auto-placement message" - }, - "arkCollaborativeRedeem": "Riscatto collaborativo", - "@arkCollaborativeRedeem": { - "description": "Bottom sheet title for collaborative redeem for BTC address sends" - }, - "pinCodeCheckingStatus": "Controllo dello stato PIN", - "@pinCodeCheckingStatus": { - "description": "Status screen description while checking PIN status" - }, - "usePasswordInsteadButton": "Utilizzare {pinOrPassword} invece", - "@usePasswordInsteadButton": { - "description": "Button to use password/PIN instead", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "password" - } - } - }, - "coreSwapsLnSendFailedRefunding": "Swap sarà rimborsato a breve.", - "@coreSwapsLnSendFailedRefunding": { - "description": "Status message for failed Lightning send swap that will be refunded" - }, - "dcaWalletTypeLightning": "Rete di fulmini (LN)", - "@dcaWalletTypeLightning": { - "description": "Radio button option for Lightning wallet" - }, - "transactionSwapProgressBroadcasted": "Trasmissione", - "@transactionSwapProgressBroadcasted": { - "description": "Swap progress step: transaction broadcasted" - }, - "backupWalletVaultProviderAppleICloud": "Apple iCloud", - "@backupWalletVaultProviderAppleICloud": { - "description": "Name of Apple iCloud vault provider option" - }, - "swapValidationMinimumAmount": "Importo minimo è {amount} {currency}", - "@swapValidationMinimumAmount": { - "description": "Validation error when amount is below minimum", - "placeholders": { - "amount": { - "type": "String" - }, - "currency": { - "type": "String" - } - } - }, - "importMnemonicTitle": "Importazione di Mnemonic", - "@importMnemonicTitle": { - "description": "AppBar title for mnemonic import screen" - }, - "payReplaceByFeeActivated": "Attivato il sostituto", - "@payReplaceByFeeActivated": { - "description": "Label for RBF toggle" - }, - "testBackupDoNotShare": "NON CONDIVIDI CON NESSUNO", - "@testBackupDoNotShare": { - "description": "Warning header about keeping recovery phrase secret" - }, - "kruxInstructionsTitle": "Istruzioni Krux", - "@kruxInstructionsTitle": { - "description": "Title for Krux signing instructions modal" - }, - "payNotAuthenticated": "Non sei autenticato. Si prega di accedere per continuare.", - "@payNotAuthenticated": { - "description": "Error message when user is not authenticated" - }, - "paySinpeNumeroComprobante": "Numero di riferimento", - "@paySinpeNumeroComprobante": { - "description": "Label for reference number in SINPE details" - }, - "backupSettingsViewVaultKey": "Visualizza Vault chiave", - "@backupSettingsViewVaultKey": { - "description": "Button text to view vault decryption key" - }, - "ledgerErrorNoConnection": "Nessuna connessione Ledger disponibile", - "@ledgerErrorNoConnection": { - "description": "Error message when no Ledger connection is available" - }, - "testBackupSuccessButton": "Capito", - "@testBackupSuccessButton": { - "description": "Button to dismiss success screen" - }, - "transactionLabelTransactionId": "ID transazione", - "@transactionLabelTransactionId": { - "description": "Label for transaction ID field" - }, - "buyNetworkFeeExplanation": "La quota di rete Bitcoin sarà detratta dall'importo che ricevi e raccolti dai minatori Bitcoin", - "@buyNetworkFeeExplanation": { - "description": "Explanation of network fees for express withdrawal" - }, - "transactionDetailLabelAddress": "Indirizzo", - "@transactionDetailLabelAddress": { - "description": "Label for address" - }, - "fundExchangeCrIbanUsdLabelPaymentDescription": "Descrizione del pagamento", - "@fundExchangeCrIbanUsdLabelPaymentDescription": { - "description": "Label for payment description field in CR IBAN USD transfer" - }, - "fundExchangeInfoBeneficiaryNameLeonod": "Il nome del beneficiario dovrebbe essere LEONOD. Se metti qualcos'altro, il tuo pagamento verrà respinto.", - "@fundExchangeInfoBeneficiaryNameLeonod": { - "description": "Critical info about beneficiary name being LEONOD" - }, - "importWalletLedger": "Ledger", - "@importWalletLedger": { - "description": "Button label for Ledger hardware wallet" - }, - "recoverbullCheckingConnection": "Controllo della connessione per RecoverBull", - "@recoverbullCheckingConnection": { - "description": "Screen title while checking connection status" - }, - "exchangeLandingTitle": "BULL BITCOIN", - "@exchangeLandingTitle": { - "description": "Main title on exchange landing screen" - }, - "psbtFlowSignWithQr": "Fare clic sul segno con il codice QR", - "@psbtFlowSignWithQr": { - "description": "Instruction to select QR code signing method" - }, - "doneButton": "Fatto", - "@doneButton": { - "description": "Button to close advanced options bottom sheet" - }, - "withdrawSuccessTitle": "Iniziato il ritiro", - "@withdrawSuccessTitle": { - "description": "Title shown when withdrawal is successfully initiated" - }, - "paySendAll": "Invia tutto", - "@paySendAll": { - "description": "Button to send entire wallet balance" - }, - "pinCodeAuthentication": "Autenticazione", - "@pinCodeAuthentication": { - "description": "AppBar title for PIN code authentication screens" - }, - "payLowPriority": "Basso", - "@payLowPriority": { - "description": "Low fee priority option" - }, - "coreSwapsLnReceivePending": "Swap non è ancora inizializzato.", - "@coreSwapsLnReceivePending": { - "description": "Status message for pending Lightning receive swap" - }, - "arkSendConfirmMessage": "Si prega di confermare i dettagli della transazione prima di inviare.", - "@arkSendConfirmMessage": { - "description": "Message displayed on send confirmation page" - }, - "bitcoinSettingsLegacySeedsTitle": "Legacy Seeds", - "@bitcoinSettingsLegacySeedsTitle": { - "description": "Title for the legacy seeds section in Bitcoin settings" - }, - "transactionDetailLabelPayjoinCreationTime": "Tempo di creazione Payjoin", - "@transactionDetailLabelPayjoinCreationTime": { - "description": "Label for payjoin creation time" - }, - "backupWalletBestPracticesTitle": "Migliori pratiche di backup", - "@backupWalletBestPracticesTitle": { - "description": "AppBar title for physical backup checklist screen" - }, - "transactionSwapInfoFailedExpired": "Se avete domande o dubbi, si prega di contattare il supporto per l'assistenza.", - "@transactionSwapInfoFailedExpired": { - "description": "Additional info for failed or expired swaps" - }, - "memorizePasswordWarning": "È necessario memorizzare questo {pinOrPassword} per recuperare l'accesso al portafoglio. Deve essere di almeno 6 cifre. Se perdi questo {pinOrPassword} non puoi recuperare il backup.", - "@memorizePasswordWarning": { - "description": "Warning about memorizing PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "googleAppleCloudRecommendation": "Google o cloud Apple: ", - "@googleAppleCloudRecommendation": { - "description": "Bold label for Google/Apple cloud recommendation" - }, - "exchangeGoToWebsiteButton": "Vai al sito di cambio Bull Bitcoin", - "@exchangeGoToWebsiteButton": { - "description": "Button label for navigating to the Bull Bitcoin exchange website" - }, - "testWalletTitle": "Test {walletName}", - "@testWalletTitle": { - "description": "Title for testing wallet backup", - "placeholders": { - "walletName": { - "type": "String", - "example": "Default Wallets" - } - } - }, - "exchangeBitcoinWalletsLiquidAddressLabel": "Indirizzo liquido", - "@exchangeBitcoinWalletsLiquidAddressLabel": { - "description": "Label for Liquid address field in exchange Bitcoin wallets" - }, - "backupWalletSuccessTestButton": "Test di backup", - "@backupWalletSuccessTestButton": { - "description": "Button text to proceed to backup testing" - }, - "pinCodeSettingUp": "Impostazione del codice PIN", - "@pinCodeSettingUp": { - "description": "Status screen description while setting up PIN" - }, - "replaceByFeeErrorFeeRateTooLow": "È necessario aumentare il tasso di tassa di almeno 1 sat/vbyte rispetto alla transazione originale", - "@replaceByFeeErrorFeeRateTooLow": { - "description": "Error message when new fee rate is not high enough" - }, - "payPriority": "Priorità", - "@payPriority": { - "description": "Label for transaction priority/fee level" - }, - "fundExchangeCostaRicaMethodIbanCrcSubtitle": "Fondi di trasferimento in Costa Rica Colón (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcSubtitle": { - "description": "Subtitle description for IBAN CRC payment method" - }, - "receiveNoTimeToWait": "Non c'e' tempo di aspettare o il payjoin non e' riuscito da parte del mittente?", - "@receiveNoTimeToWait": { - "description": "Question prompting user if they want to proceed without payjoin" - }, - "payChannelBalanceLow": "Bilancio del canale troppo basso", - "@payChannelBalanceLow": { - "description": "Error when Lightning channel lacks sufficient outbound liquidity" - }, - "allSeedViewNoSeedsFound": "Nessun seme trovato.", - "@allSeedViewNoSeedsFound": { - "description": "Message shown when no seeds are found" - }, - "bitboxScreenActionFailed": "{action}", - "@bitboxScreenActionFailed": { - "description": "Main text when action fails", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "dcaSetupScheduleMessage": "Gli acquisti Bitcoin saranno posti automaticamente per questo programma.", - "@dcaSetupScheduleMessage": { - "description": "DCA schedule explanation" - }, - "coreSwapsStatusExpired": "Scadenza", - "@coreSwapsStatusExpired": { - "description": "Display name for expired swap status" - }, - "fundExchangeCanadaPostStep3": "3. Dica al cassiere l'importo che si desidera caricare", - "@fundExchangeCanadaPostStep3": { - "description": "Step 3 for Canada Post payment process" - }, - "payFee": "Fee", - "@payFee": { - "description": "Label for fee" - }, - "systemLabelSelfSpend": "Trascorrere", - "@systemLabelSelfSpend": { - "description": "System label for self-spend transactions" - }, - "swapProgressRefundMessage": "C'era un errore nel trasferimento. Il rimborso è in corso.", - "@swapProgressRefundMessage": { - "description": "Refund in progress message" - }, - "passportStep4": "Se hai problemi di scansione:", - "@passportStep4": { - "description": "Passport troubleshooting header" - }, - "dcaConfirmContinue": "Continua", - "@dcaConfirmContinue": { - "description": "Continue button on DCA confirmation" - }, - "decryptVaultButton": "Decrypt vault", - "@decryptVaultButton": { - "description": "Button label to decrypt vault" - }, - "electrumNetworkBitcoin": "Bitcoin", - "@electrumNetworkBitcoin": { - "description": "Bitcoin network tab label" - }, - "paySecureBitcoinWallet": "Portafoglio sicuro Bitcoin", - "@paySecureBitcoinWallet": { - "description": "Display text for secure Bitcoin wallet" - }, - "exchangeAppSettingsDefaultCurrencyLabel": "Valuta di default", - "@exchangeAppSettingsDefaultCurrencyLabel": { - "description": "Label for default currency setting in exchange app settings" - }, - "arkSendRecipientError": "Inserisci un destinatario", - "@arkSendRecipientError": { - "description": "Error message when recipient field is empty" - }, - "arkArkAddress": "Indirizzo dell'arca", - "@arkArkAddress": { - "description": "Label for the Ark address field" - }, - "payRecipientName": "Nome destinatario", - "@payRecipientName": { - "description": "Label for recipient name" - }, - "exchangeBitcoinWalletsLightningAddressLabel": "Illuminazione (indirizzo LN)", - "@exchangeBitcoinWalletsLightningAddressLabel": { - "description": "Label for Lightning address field in exchange Bitcoin wallets" - }, - "bitboxActionVerifyAddressButton": "Verifica l'indirizzo", - "@bitboxActionVerifyAddressButton": { - "description": "Button text for verify address" - }, - "torSettingsInfoTitle": "Informazioni importanti", - "@torSettingsInfoTitle": { - "description": "Title for the Tor information card" - }, - "importColdcardInstructionsStep7": "Sul dispositivo mobile, toccare \"open camera\"", - "@importColdcardInstructionsStep7": { - "description": "ImportColdcardQ: Seventh instruction step" - }, - "testBackupStoreItSafe": "Conservalo in un posto sicuro.", - "@testBackupStoreItSafe": { - "description": "Sub-instruction telling users to store recovery phrase safely" - }, - "enterBackupKeyLabel": "Inserisci la chiave di backup", - "@enterBackupKeyLabel": { - "description": "Label for backup key input field" - }, - "bitboxScreenTroubleshootingSubtitle": "In primo luogo, assicurarsi che il dispositivo BitBox02 è collegato alla porta USB del telefono. Se il dispositivo non si connette ancora con l'app, prova il seguente:", - "@bitboxScreenTroubleshootingSubtitle": { - "description": "Subtitle for troubleshooting instructions" - }, - "securityWarningTitle": "Avviso di sicurezza", - "@securityWarningTitle": { - "description": "Title for security warning dialog" - }, - "never": "mai ", - "@never": { - "description": "Bold part of privacy assurance (never)" - }, - "notLoggedInTitle": "Non sei in ritardo", - "@notLoggedInTitle": { - "description": "Title for not logged in state" - }, - "testBackupWhatIsWordNumber": "Qual è il numero di parola {number}?", - "@testBackupWhatIsWordNumber": { - "description": "Quiz prompt asking for specific word number", - "placeholders": { - "number": { - "type": "int" - } - } - }, - "payInvoiceDetails": "Dettagli della fattura", - "@payInvoiceDetails": { - "description": "Section header for invoice information" - }, - "exchangeLandingLoginButton": "Accedi o registrati", - "@exchangeLandingLoginButton": { - "description": "Button to proceed to login/signup" - }, - "torSettingsEnableProxy": "Abilitare Tor Proxy", - "@torSettingsEnableProxy": { - "description": "Label for the toggle to enable/disable Tor proxy" - }, - "bitboxScreenAddressToVerify": "Indirizzo per verificare:", - "@bitboxScreenAddressToVerify": { - "description": "Label for address verification" - }, - "payConfirmPayment": "Conferma pagamento", - "@payConfirmPayment": { - "description": "Button text to confirm and execute payment" - }, - "bitboxErrorPermissionDenied": "Le autorizzazioni USB sono necessarie per connettersi ai dispositivi BitBox.", - "@bitboxErrorPermissionDenied": { - "description": "Error when USB permissions are not granted for BitBox" - }, - "recoveryPhraseTitle": "Scrivi la tua frase di recupero\nnell'ordine corretto", - "@recoveryPhraseTitle": { - "description": "Title instructing user to write down recovery phrase" - }, - "bitboxActionSignTransactionProcessingSubtext": "Si prega di confermare la transazione sul dispositivo BitBox...", - "@bitboxActionSignTransactionProcessingSubtext": { - "description": "Processing subtext for sign transaction" - }, - "sellConfirmPayment": "Conferma del pagamento", - "@sellConfirmPayment": { - "description": "Screen title for payment confirmation" - }, - "sellSelectCoinsManually": "Seleziona le monete manualmente", - "@sellSelectCoinsManually": { - "description": "Option to manually select UTXOs" - }, - "addressViewReceiveType": "Ricevi", - "@addressViewReceiveType": { - "description": "Address type label for external/receive addresses" - }, - "coldcardStep11": "La Coldcard Q ti mostrerà il suo codice QR.", - "@coldcardStep11": { - "description": "Coldcard instruction about signed PSBT QR" - }, - "fundExchangeLabelIban": "Numero di conto IBAN", - "@fundExchangeLabelIban": { - "description": "Label for IBAN account number field" - }, - "swapDoNotUninstallWarning": "Non disinstallare l'app finché il trasferimento non sarà completato!", - "@swapDoNotUninstallWarning": { - "description": "Warning message during pending transfer" - }, - "testBackupErrorVerificationFailed": "La verifica è fallita: {error}", - "@testBackupErrorVerificationFailed": { - "description": "Generic error message for verification failure", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "sendViewDetails": "Visualizza dettagli", - "@sendViewDetails": { - "description": "Button to view transaction details" - }, - "recoverbullErrorUnexpected": "Errore inaspettato, vedi log", - "@recoverbullErrorUnexpected": { - "description": "Error message for unexpected errors" - }, - "sendSubmarineSwap": "Submarine Swap", - "@sendSubmarineSwap": { - "description": "Feature to swap on-chain to Lightning" - }, - "transactionLabelLiquidTransactionId": "ID transazione liquida", - "@transactionLabelLiquidTransactionId": { - "description": "Label for Liquid network transaction ID" - }, - "payNotAvailable": "N/A", - "@payNotAvailable": { - "description": "Placeholder for unavailable information" - }, - "payFastest": "Più veloce", - "@payFastest": { - "description": "Display text for fastest fee option" - }, - "allSeedViewSecurityWarningTitle": "Avviso di sicurezza", - "@allSeedViewSecurityWarningTitle": { - "description": "Title for security warning dialog" - }, - "sendSwapFeeEstimate": "Tassa di swap stimata: {amount}", - "@sendSwapFeeEstimate": { - "description": "Estimated cost of swap", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "coreSwapsLnReceiveExpired": "Scambio scaduto.", - "@coreSwapsLnReceiveExpired": { - "description": "Status message for expired Lightning receive swap" - }, - "fundExchangeOnlineBillPaymentLabelBillerName": "Cerca la lista dei fatturatori della tua banca per questo nome", - "@fundExchangeOnlineBillPaymentLabelBillerName": { - "description": "Label for biller name in online bill payment" - }, - "recoverbullSelectFetchDriveFilesError": "Non riuscito a recuperare tutti i backup delle unità", - "@recoverbullSelectFetchDriveFilesError": { - "description": "Error when unable to retrieve backup list from Google Drive" - }, - "psbtFlowLoadFromCamera": "Fare clic su Carica dalla fotocamera", - "@psbtFlowLoadFromCamera": { - "description": "Instruction to select camera load option on device" - }, - "exchangeAccountInfoVerificationLimitedVerification": "Verifica limitata", - "@exchangeAccountInfoVerificationLimitedVerification": { - "description": "Status label for limited verification level" - }, - "addressViewErrorLoadingMoreAddresses": "Caricamento errori più indirizzi: {error}", - "@addressViewErrorLoadingMoreAddresses": { - "description": "Error message displayed when pagination of addresses fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "arkCopy": "Copia", - "@arkCopy": { - "description": "Button label to copy field value to clipboard" - }, - "sendBuildingTransaction": "Operazione di costruzione...", - "@sendBuildingTransaction": { - "description": "Status while constructing transaction" - }, - "fundExchangeMethodEmailETransfer": "Email E-Transfer", - "@fundExchangeMethodEmailETransfer": { - "description": "Payment method: Email E-Transfer (Canada)" - }, - "electrumConfirm": "Conferma", - "@electrumConfirm": { - "description": "Confirm button label in advanced options" - }, - "transactionDetailLabelOrderNumber": "Numero d'ordine", - "@transactionDetailLabelOrderNumber": { - "description": "Label for order number" - }, - "bitboxActionPairDeviceSuccessSubtext": "Il dispositivo BitBox è ora accoppiato e pronto all'uso.", - "@bitboxActionPairDeviceSuccessSubtext": { - "description": "Success subtext for pair device" - }, - "pickPasswordInsteadButton": "Scegli la password invece >", - "@pickPasswordInsteadButton": { - "description": "Button label to switch to password input" - }, - "coreScreensSendNetworkFeeLabel": "Inviare i costi di rete", - "@coreScreensSendNetworkFeeLabel": { - "description": "Label for send network fee field" - }, - "bitboxScreenScanningSubtext": "Alla ricerca del dispositivo BitBox...", - "@bitboxScreenScanningSubtext": { - "description": "Subtext when scanning" - }, - "sellOrderFailed": "Non ha posto ordine di vendita", - "@sellOrderFailed": { - "description": "Error message when order fails" - }, - "payInvalidAmount": "Importo non valido", - "@payInvalidAmount": { - "description": "Error when entered amount is invalid" - }, - "fundExchangeLabelBankName": "Nome della banca", - "@fundExchangeLabelBankName": { - "description": "Label for bank name field" - }, - "ledgerErrorMissingScriptTypeVerify": "Il tipo di script è richiesto per la verifica", - "@ledgerErrorMissingScriptTypeVerify": { - "description": "Error message when script type is missing for verification" - }, - "backupWalletEncryptedVaultDescription": "Backup anonimo con crittografia forte utilizzando il cloud.", - "@backupWalletEncryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, - "sellRateExpired": "Tasso di cambio scaduto. Raffreddamento...", - "@sellRateExpired": { - "description": "Message when rate quote times out" - }, - "payExternalWallet": "Portafoglio esterno", - "@payExternalWallet": { - "description": "Option for external wallet" - }, - "recoverbullConfirm": "Conferma", - "@recoverbullConfirm": { - "description": "Button text to confirm an action" - }, - "arkPendingBalance": "Bilancia dei pagamenti", - "@arkPendingBalance": { - "description": "Label for pending balance row" - }, - "fundExchangeInfoBankCountryUk": "Il nostro paese è il Regno Unito.", - "@fundExchangeInfoBankCountryUk": { - "description": "Info message that bank country is United Kingdom" - }, - "dcaConfirmNetworkBitcoin": "Bitcoin", - "@dcaConfirmNetworkBitcoin": { - "description": "Bitcoin network label" - }, - "seedsignerStep14": "Ora è pronto a trasmettere! Non appena si fa clic sulla trasmissione, la transazione verrà pubblicata sulla rete Bitcoin e i fondi saranno inviati.", - "@seedsignerStep14": { - "description": "SeedSigner final instruction about broadcasting" - }, - "fundExchangeCostaRicaMethodIbanCrcTitle": "IBAN Costa Rica (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcTitle": { - "description": "Payment method title for IBAN CRC in method list" - }, - "payOrderDetails": "Dettagli dell'ordine", - "@payOrderDetails": { - "description": "Title for SINPE order details screen" - }, - "importMnemonicTransactions": "{count} transazioni", - "@importMnemonicTransactions": { - "description": "Shows number of transactions for wallet type", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "exchangeAppSettingsPreferredLanguageLabel": "Lingua preferenziale", - "@exchangeAppSettingsPreferredLanguageLabel": { - "description": "Label for preferred language setting in exchange app settings" - }, - "walletDeletionConfirmationMessage": "Sei sicuro di voler eliminare questo portafoglio?", - "@walletDeletionConfirmationMessage": { - "description": "Message in the wallet deletion confirmation dialog" - }, - "rbfTitle": "Sostituire a pagamento", - "@rbfTitle": { - "description": "AppBar title for Replace-By-Fee screen" - }, - "sellAboveMaxAmountError": "Stai cercando di vendere sopra l'importo massimo che può essere venduto con questo portafoglio.", - "@sellAboveMaxAmountError": { - "description": "Error message for amount above maximum" - }, - "settingsSuperuserModeUnlockedMessage": "Modalità Superuser sbloccato!", - "@settingsSuperuserModeUnlockedMessage": { - "description": "Message shown when superuser mode is enabled" - }, - "pickPinInsteadButton": "Scegliere PIN invece >", - "@pickPinInsteadButton": { - "description": "Button label to switch to PIN input" - }, - "backupWalletVaultProviderCustomLocation": "Posizione personalizzata", - "@backupWalletVaultProviderCustomLocation": { - "description": "Name of custom location vault provider option" - }, - "addressViewErrorLoadingAddresses": "Indirizzo di caricamento di errore: {error}", - "@addressViewErrorLoadingAddresses": { - "description": "Error message displayed when addresses fail to load", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "bitboxErrorConnectionTypeNotInitialized": "Tipo di connessione non inizializzato.", - "@bitboxErrorConnectionTypeNotInitialized": { - "description": "Error when connection type is not initialized" - }, - "transactionListOngoingTransfersDescription": "Questi trasferimenti sono attualmente in corso. I vostri fondi sono sicuri e saranno disponibili quando il trasferimento sarà completato.", - "@transactionListOngoingTransfersDescription": { - "description": "Description for ongoing transfers section" - }, - "ledgerErrorUnknown": "Errore sconosciuto", - "@ledgerErrorUnknown": { - "description": "Generic error message for unknown Ledger errors" - }, - "payBelowMinAmount": "Stai cercando di pagare sotto l'importo minimo che può essere pagato con questo portafoglio.", - "@payBelowMinAmount": { - "description": "Error message when payment amount is below minimum" - }, - "ledgerProcessingVerifySubtext": "Si prega di confermare l'indirizzo sul dispositivo Ledger.", - "@ledgerProcessingVerifySubtext": { - "description": "Processing subtext shown while verifying address" - }, - "transactionOrderLabelOriginCedula": "Origine Cedula", - "@transactionOrderLabelOriginCedula": { - "description": "Label for origin cedula in fiat payment order" - }, - "recoverbullRecoveryTransactionsLabel": "Transazioni: {count}", - "@recoverbullRecoveryTransactionsLabel": { - "description": "Label showing total number of transactions found", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "buyViewDetails": "Visualizza dettagli", - "@buyViewDetails": { - "description": "Button to view order details" - }, - "paySwapFailed": "Swap fallito", - "@paySwapFailed": { - "description": "Error message when swap fails" - }, - "autoswapMaxFeeLabel": "Costo massimo di trasferimento", - "@autoswapMaxFeeLabel": { - "description": "Label for fee threshold percentage input field" - }, - "importMnemonicBalance": "Equilibrio: {amount}", - "@importMnemonicBalance": { - "description": "Shows balance for wallet type", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "appUnlockScreenTitle": "Autenticazione", - "@appUnlockScreenTitle": { - "description": "Title of the app unlock screen" - }, - "importQrDeviceWalletName": "Nome del portafoglio", - "@importQrDeviceWalletName": { - "description": "Label for wallet name field" - }, - "payNoRouteFound": "Nessun percorso trovato per questo pagamento", - "@payNoRouteFound": { - "description": "Error when Lightning routing cannot find a path" - }, - "fundExchangeLabelBeneficiaryName": "Nome beneficiario", - "@fundExchangeLabelBeneficiaryName": { - "description": "Label for beneficiary name field" - }, - "exchangeSupportChatMessageEmptyError": "Il messaggio non può essere vuoto", - "@exchangeSupportChatMessageEmptyError": { - "description": "Error message when trying to send an empty message" - }, - "fundExchangeWarningTactic2": "Ti stanno offrendo un prestito", - "@fundExchangeWarningTactic2": { - "description": "Second scammer tactic warning" - }, - "sellLiquidNetwork": "Rete liquida", - "@sellLiquidNetwork": { - "description": "Option for Liquid Network payment" - }, - "payViewTransaction": "Visualizza la Transazione", - "@payViewTransaction": { - "description": "Button text to view transaction details" - }, - "transactionLabelToWallet": "Portafoglio", - "@transactionLabelToWallet": { - "description": "Label for destination wallet" - }, - "exchangeFileUploadInstructions": "Se avete bisogno di inviare altri documenti, caricarli qui.", - "@exchangeFileUploadInstructions": { - "description": "Instructions for uploading documents in exchange" - }, - "ledgerInstructionsAndroidDual": "Assicurarsi che il Ledger è sbloccato con l'applicazione Bitcoin aperta e abilitata Bluetooth, o collegare il dispositivo tramite USB.", - "@ledgerInstructionsAndroidDual": { - "description": "Connection instructions for Android devices (Bluetooth or USB)" - }, - "arkSendRecipientLabel": "Indirizzo del destinatario", - "@arkSendRecipientLabel": { - "description": "Label for recipient address field" - }, - "defaultWalletsLabel": "Portafogli di default", - "@defaultWalletsLabel": { - "description": "Label for default wallets" - }, - "jadeStep9": "Una volta che la transazione viene importata nel tuo Jade, rivedere l'indirizzo di destinazione e l'importo.", - "@jadeStep9": { - "description": "Jade instruction for reviewing transaction" - }, - "receiveAddLabel": "Aggiungi l'etichetta", - "@receiveAddLabel": { - "description": "Button label for adding a label to a receive address" - }, - "ledgerWalletTypeNestedSegwitDescription": "P2WPKH-nested-in-P2SH", - "@ledgerWalletTypeNestedSegwitDescription": { - "description": "Technical description for Nested Segwit wallet type" - }, - "dcaConfirmFrequencyHourly": "Ogni ora", - "@dcaConfirmFrequencyHourly": { - "description": "Hourly frequency label" - }, - "legacySeedViewMnemonicLabel": "Mnemonic", - "@legacySeedViewMnemonicLabel": { - "description": "Label for mnemonic words display" - }, - "sellSwiftCode": "Codice SWIFT/BIC", - "@sellSwiftCode": { - "description": "Label for international bank code" - }, - "fundExchangeCanadaPostTitle": "In persona in contanti o addebito al Canada Post", - "@fundExchangeCanadaPostTitle": { - "description": "Screen title for Canada Post payment method" - }, - "receiveInvoiceExpiry": "La fattura scade in {time}", - "@receiveInvoiceExpiry": { - "description": "Shows expiration countdown", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "testBackupGoogleDrivePrivacyPart5": "condiviso con Bull Bitcoin.", - "@testBackupGoogleDrivePrivacyPart5": { - "description": "Fifth part of privacy message" - }, - "arkTotal": "Totale", - "@arkTotal": { - "description": "Label for total balance in breakdown" - }, - "bitboxActionSignTransactionSuccessSubtext": "La tua transazione è stata firmata con successo.", - "@bitboxActionSignTransactionSuccessSubtext": { - "description": "Success subtext for sign transaction" - }, - "transactionStatusTransferExpired": "Trasferimento scaduto", - "@transactionStatusTransferExpired": { - "description": "Status label for expired transfers" - }, - "backupWalletInstructionLosePhone": "Senza un backup, se si perde o si rompe il telefono, o se si disinstalla l'app Bull Bitcoin, i bitcoin saranno persi per sempre.", - "@backupWalletInstructionLosePhone": { - "description": "Warning instruction about consequences without backup" - }, - "recoverbullConnected": "Collegato", - "@recoverbullConnected": { - "description": "Status label indicating successful connection" - }, - "dcaConfirmLightningAddress": "Indirizzo fulmine", - "@dcaConfirmLightningAddress": { - "description": "Field label for Lightning address" - }, - "coreSwapsLnReceiveCompleted": "Swap è completato.", - "@coreSwapsLnReceiveCompleted": { - "description": "Status message for completed Lightning receive swap" - }, - "backupWalletErrorGoogleDriveSave": "Non riuscito a salvare Google Drive", - "@backupWalletErrorGoogleDriveSave": { - "description": "Error when saving to Google Drive fails" - }, - "settingsTorSettingsTitle": "Impostazioni Tor", - "@settingsTorSettingsTitle": { - "description": "Title for the Tor settings section in app settings" - }, - "importQrDeviceKeystoneStep2": "Inserisci il tuo PIN", - "@importQrDeviceKeystoneStep2": { - "description": "Keystone instruction step 2" - }, - "receiveBitcoinTransactionWillTakeTime": "La transazione Bitcoin richiederà un po 'per confermare.", - "@receiveBitcoinTransactionWillTakeTime": { - "description": "Information message about Bitcoin transaction confirmation time" - }, - "sellOrderNotFoundError": "L'ordine di vendita non è stato trovato. Per favore riprovate.", - "@sellOrderNotFoundError": { - "description": "Error message for order not found" - }, - "sellErrorPrepareTransaction": "Non è riuscito a preparare la transazione: {error}", - "@sellErrorPrepareTransaction": { - "description": "Error message when transaction preparation fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "fundExchangeOnlineBillPaymentTitle": "Pagamento online", - "@fundExchangeOnlineBillPaymentTitle": { - "description": "Screen title for Online Bill Payment details" - }, - "importQrDeviceSeedsignerStep7": "Sul tuo dispositivo mobile, tocca Telecamera aperta", - "@importQrDeviceSeedsignerStep7": { - "description": "SeedSigner instruction step 7" - }, - "addressViewChangeAddressesDescription": "Portafoglio display Modifica degli indirizzi", - "@addressViewChangeAddressesDescription": { - "description": "Description for the coming soon dialog when trying to view change addresses" - }, - "sellReceiveAmount": "Riceverai", - "@sellReceiveAmount": { - "description": "Label showing fiat amount to receive" - }, - "bitboxCubitInvalidResponse": "Risposta non valida dal dispositivo BitBox. Per favore riprovate.", - "@bitboxCubitInvalidResponse": { - "description": "Error interpretation for invalid response" - }, - "settingsScreenTitle": "Impostazioni impostazioni", - "@settingsScreenTitle": { - "description": "The title of the settings screen" - }, - "transactionDetailLabelTransferFee": "Tassa di trasferimento", - "@transactionDetailLabelTransferFee": { - "description": "Label for transfer fee (Boltz fee)" - }, - "importQrDeviceKruxStep5": "Scansiona il codice QR che vedi sul tuo dispositivo.", - "@importQrDeviceKruxStep5": { - "description": "Krux instruction step 5" - }, - "arkStatus": "Stato", - "@arkStatus": { - "description": "Label for transaction status field in details table" - }, - "fundExchangeHelpTransferCode": "Aggiungi questo come motivo per il trasferimento", - "@fundExchangeHelpTransferCode": { - "description": "Help text for transfer code field" - }, - "mempoolCustomServerEdit": "Modifica", - "@mempoolCustomServerEdit": { - "description": "Button text to edit custom mempool server" - }, - "importQrDeviceKruxStep2": "Fare clic su chiave pubblica estesa", - "@importQrDeviceKruxStep2": { - "description": "Krux instruction step 2" - }, - "recoverButton": "Recuperare", - "@recoverButton": { - "description": "Button label to recover wallet" - }, - "passportStep5": " - Aumentare la luminosità dello schermo sul dispositivo", - "@passportStep5": { - "description": "Passport troubleshooting tip 1" - }, - "bitboxScreenConnectSubtext": "Assicurarsi che il BitBox02 sia sbloccato e collegato tramite USB.", - "@bitboxScreenConnectSubtext": { - "description": "Subtext for initial state" - }, - "payOwnerName": "Nome del proprietario", - "@payOwnerName": { - "description": "Label for owner name field" - }, - "transactionNetworkLiquid": "Liquidazione", - "@transactionNetworkLiquid": { - "description": "Label for Liquid network transactions" - }, - "payEstimatedConfirmation": "Conferma stimata: {time}", - "@payEstimatedConfirmation": { - "description": "Estimated time until confirmation", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "bitboxErrorInvalidResponse": "Risposta non valida dal dispositivo BitBox. Per favore riprovate.", - "@bitboxErrorInvalidResponse": { - "description": "Error when BitBox returns an invalid response" - }, - "psbtFlowAddPassphrase": "Aggiungi una passphrase se ne hai una (opzionale)", - "@psbtFlowAddPassphrase": { - "description": "Optional instruction to add BIP39 passphrase" - }, - "payAdvancedOptions": "Opzioni avanzate", - "@payAdvancedOptions": { - "description": "Title for advanced options bottom sheet" - }, - "sendSigningTransaction": "La transazione di firma...", - "@sendSigningTransaction": { - "description": "Status while hardware wallet signs" - }, - "sellErrorFeesNotCalculated": "Tasse di transazione non calcolate. Per favore riprovate.", - "@sellErrorFeesNotCalculated": { - "description": "Error message when transaction fees calculation failed" - }, - "dcaAddressLiquid": "Indirizzo liquido", - "@dcaAddressLiquid": { - "description": "Liquid address label" - }, - "buyVerificationInProgress": "Verifica in corso...", - "@buyVerificationInProgress": { - "description": "Status during KYC review" - }, - "transactionSwapDescChainPaid": "La tua transazione e' stata trasmessa. Stiamo aspettando che la transazione di blocco venga confermata.", - "@transactionSwapDescChainPaid": { - "description": "Description for paid chain swap" - }, - "mempoolSettingsUseForFeeEstimation": "Utilizzo della stima delle tasse", - "@mempoolSettingsUseForFeeEstimation": { - "description": "Label for use for fee estimation toggle" - }, - "buyPaymentMethod": "Metodo di pagamento", - "@buyPaymentMethod": { - "description": "Label for payment method dropdown" - }, - "coreSwapsStatusCompleted": "Completato", - "@coreSwapsStatusCompleted": { - "description": "Display name for completed swap status" - }, - "fundExchangeCrIbanUsdDescriptionEnd": ". I fondi saranno aggiunti al saldo del tuo conto.", - "@fundExchangeCrIbanUsdDescriptionEnd": { - "description": "End of description for CR IBAN USD transfer" - }, - "psbtFlowMoveCloserFurther": "Prova a spostare il dispositivo più vicino o più lontano", - "@psbtFlowMoveCloserFurther": { - "description": "Troubleshooting tip to adjust distance" - }, - "arkAboutDurationMinutes": "{minutes} minuti", - "@arkAboutDurationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "int" - } - } - }, - "swapProgressTitle": "Trasferimento interno", - "@swapProgressTitle": { - "description": "AppBar title for swap progress screen" - }, - "pinButtonConfirm": "Conferma", - "@pinButtonConfirm": { - "description": "Button label to submit confirmed PIN" - }, - "coldcardStep2": "Aggiungi una passphrase se ne hai una (opzionale)", - "@coldcardStep2": { - "description": "Coldcard instruction step 2" - }, - "electrumInvalidNumberError": "Inserisci un numero valido", - "@electrumInvalidNumberError": { - "description": "Validation error for non-numeric input" - }, - "coreWalletTransactionStatusConfirmed": "Confermato", - "@coreWalletTransactionStatusConfirmed": { - "description": "Display name for confirmed wallet transaction status" - }, - "recoverbullSelectGoogleDrive": "Google Drive", - "@recoverbullSelectGoogleDrive": { - "description": "Name label for Google Drive backup provider option" - }, - "recoverbullEnterInput": "Inserisci il tuo {inputType}", - "@recoverbullEnterInput": { - "description": "Input field label prompting for PIN or password", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "importQrDevicePassportStep12": "Setup completo.", - "@importQrDevicePassportStep12": { - "description": "Passport instruction step 12" - }, - "fundExchangeLabelIbanUsdOnly": "IBAN numero di conto (solo per dollari USA)", - "@fundExchangeLabelIbanUsdOnly": { - "description": "Label for IBAN field - US Dollars only" - }, - "payRecipientDetails": "Dettagli importanti", - "@payRecipientDetails": { - "description": "Label for recipient details" - }, - "fundExchangeWarningTitle": "Attenzione per truffatori", - "@fundExchangeWarningTitle": { - "description": "Title of the scammer warning screen" - }, - "receiveError": "Errore: {error}", - "@receiveError": { - "description": "Generic error message with error details", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "electrumRetryCount": "Conte di recupero", - "@electrumRetryCount": { - "description": "Retry Count field label and hint in advanced options" - }, - "walletDetailsDescriptorLabel": "Descrittore", - "@walletDetailsDescriptorLabel": { - "description": "Label for the wallet descriptor field in wallet details" - }, - "importQrDeviceSeedsignerInstructionsTitle": "Istruzioni SeedSigner", - "@importQrDeviceSeedsignerInstructionsTitle": { - "description": "Title for SeedSigner setup instructions" - }, - "payOrderNotFoundError": "L'ordine di pagamento non è stato trovato. Per favore riprovate.", - "@payOrderNotFoundError": { - "description": "Error message for order not found" - }, - "jadeStep12": "Fare clic su \"Ho chiuso\" nel portafoglio Bull Bitcoin.", - "@jadeStep12": { - "description": "Jade instruction to return to app" - }, - "payFilterByType": "Filtra per tipo", - "@payFilterByType": { - "description": "Label for type filter dropdown" - }, - "importMnemonicImporting": "Importazione...", - "@importMnemonicImporting": { - "description": "Loading message while importing wallet" - }, - "recoverbullGoogleDriveExportButton": "Esportazione", - "@recoverbullGoogleDriveExportButton": { - "description": "Export button text for vault backup" - }, - "bip329LabelsDescription": "Importare o esportare etichette di portafoglio utilizzando il formato standard BIP329.", - "@bip329LabelsDescription": { - "description": "Description of BIP329 labels functionality" - }, - "backupWalletHowToDecideBackupEncryptedRecommendationText": "Non sei sicuro e hai bisogno di più tempo per conoscere le pratiche di sicurezza di backup.", - "@backupWalletHowToDecideBackupEncryptedRecommendationText": { - "description": "Recommendation text for when to use encrypted vault" - }, - "backupWalletImportanceWarning": "Senza un backup, alla fine perderai l'accesso ai tuoi soldi. È fondamentale fare un backup.", - "@backupWalletImportanceWarning": { - "description": "Warning message emphasizing the importance of creating a backup" - }, - "autoswapMaxFeeInfoText": "Se la quota di trasferimento totale è superiore alla percentuale impostata, il trasferimento automatico sarà bloccato", - "@autoswapMaxFeeInfoText": { - "description": "Help text explaining how the max fee threshold works" - }, - "recoverbullGoogleDriveCancelButton": "Annulla", - "@recoverbullGoogleDriveCancelButton": { - "description": "Cancel button text for delete confirmation dialog" - }, - "backupWalletSuccessDescription": "Ora testiamo il backup per assicurarci che tutto sia stato fatto correttamente.", - "@backupWalletSuccessDescription": { - "description": "Success screen description prompting user to test backup" - }, - "rbfBroadcast": "Trasmissione", - "@rbfBroadcast": { - "description": "Button text to broadcast the bumped transaction" - }, - "sendEstimatedDeliveryFewHours": "poche ore", - "@sendEstimatedDeliveryFewHours": { - "description": "Estimated delivery time of a few hours" - }, - "dcaConfirmFrequencyMonthly": "Ogni mese", - "@dcaConfirmFrequencyMonthly": { - "description": "Monthly frequency label" - }, - "importWatchOnlyScriptType": "Tipo di script", - "@importWatchOnlyScriptType": { - "description": "Label for script type field" - }, - "electrumCustomServers": "Server personalizzati", - "@electrumCustomServers": { - "description": "Section header for custom servers list" - }, - "transactionStatusSwapFailed": "Scambio non riuscito", - "@transactionStatusSwapFailed": { - "description": "Status label for failed swaps" - }, - "fundExchangeCrIbanCrcLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanCrcLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (legal ID number in Costa Rica)" - }, - "continueButton": "Continua", - "@continueButton": { - "description": "Default button text for success state" - }, - "payBatchPayment": "Pagamento Batch", - "@payBatchPayment": { - "description": "Option to combine multiple payments" - }, - "transactionLabelBoltzSwapFee": "Boltz Swap Fee", - "@transactionLabelBoltzSwapFee": { - "description": "Label for Boltz swap fee component" - }, - "transactionSwapDescLnReceiveFailed": "C'era un problema con il tuo swap. Si prega di contattare il supporto se i fondi non sono stati restituiti entro 24 ore.", - "@transactionSwapDescLnReceiveFailed": { - "description": "Description for failed Lightning receive swap" - }, - "sellOrderNumber": "Numero d'ordine", - "@sellOrderNumber": { - "description": "Label for order number" - }, - "payRecipientCount": "{count} destinatari", - "@payRecipientCount": { - "description": "Label showing number of recipients", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "sendErrorBuildFailed": "Costruisci falliti", - "@sendErrorBuildFailed": { - "description": "Error title when transaction build fails" - }, - "transactionDetailSwapProgress": "Progressi di Swap", - "@transactionDetailSwapProgress": { - "description": "Title for ongoing swap details" - }, - "arkAboutDurationMinute": "{minutes} minuto", - "@arkAboutDurationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "int" - } - } - }, - "backupWalletInstructionLoseBackup": "Se si perde il backup di 12 parole, non sarà in grado di recuperare l'accesso al portafoglio Bitcoin.", - "@backupWalletInstructionLoseBackup": { - "description": "Warning instruction about losing backup" - }, - "payIsCorporateAccount": "E' un conto aziendale?", - "@payIsCorporateAccount": { - "description": "Question for corporate account checkbox" - }, - "sellSendPaymentInsufficientBalance": "Insufficiente equilibrio nel portafoglio selezionato per completare questo ordine di vendita.", - "@sellSendPaymentInsufficientBalance": { - "description": "Insufficient balance error" - }, - "fundExchangeCrIbanCrcLabelRecipientName": "Nome destinatario", - "@fundExchangeCrIbanCrcLabelRecipientName": { - "description": "Label for recipient name in CR IBAN CRC transfer" - }, - "swapTransferPendingTitle": "Possibilità di trasferimento", - "@swapTransferPendingTitle": { - "description": "Title during pending swap status" - }, - "mempoolCustomServerSaveSuccess": "Server personalizzato salvato con successo", - "@mempoolCustomServerSaveSuccess": { - "description": "Success message when custom server is saved" - }, - "sendErrorBalanceTooLowForMinimum": "Bilancia troppo bassa per importo minimo di swap", - "@sendErrorBalanceTooLowForMinimum": { - "description": "Error when balance is below minimum required for swap" - }, - "testBackupSuccessMessage": "Sei in grado di recuperare l'accesso a un portafoglio Bitcoin perso", - "@testBackupSuccessMessage": { - "description": "Success screen message confirming recovery capability" - }, - "electrumTimeout": "Timeout (secondi)", - "@electrumTimeout": { - "description": "Timeout field label and hint in advanced options" - }, - "transactionDetailLabelOrderStatus": "Stato dell'ordine", - "@transactionDetailLabelOrderStatus": { - "description": "Label for order status" - }, - "electrumSaveFailedError": "Non riuscito a salvare opzioni avanzate", - "@electrumSaveFailedError": { - "description": "Error message when saving advanced options fails" - }, - "arkSettleTransactionCount": "Settle {count} {transaction}", - "@arkSettleTransactionCount": { - "description": "Button label showing number of unsettled transactions", - "placeholders": { - "count": { - "type": "String" - }, - "transaction": { - "type": "String" - } - } - }, - "bitboxScreenWalletTypeLabel": "Tipo di portafoglio:", - "@bitboxScreenWalletTypeLabel": { - "description": "Label for wallet type selector" - }, - "importQrDeviceKruxStep6": "Basta!", - "@importQrDeviceKruxStep6": { - "description": "Krux instruction step 6" - }, - "recoverbullRecoveryErrorMissingDerivationPath": "File di backup percorso di derivazione mancante.", - "@recoverbullRecoveryErrorMissingDerivationPath": { - "description": "Error when vault backup file is missing required derivation path" - }, - "payUnauthenticatedError": "Non sei autenticato. Si prega di accedere per continuare.", - "@payUnauthenticatedError": { - "description": "Error message for unauthenticated user" - }, - "payClabe": "CLABE", - "@payClabe": { - "description": "Label for CLABE field" - }, - "mempoolCustomServerDelete": "Cancella", - "@mempoolCustomServerDelete": { - "description": "Button text to delete custom mempool server" - }, - "optionalPassphraseHint": "Passphrase opzionale", - "@optionalPassphraseHint": { - "description": "Placeholder hint for passphrase field" - }, - "importColdcardImporting": "Importazione portafoglio Coldcard...", - "@importColdcardImporting": { - "description": "Status while importing" - }, - "exchangeDcaHideSettings": "Nascondi le impostazioni", - "@exchangeDcaHideSettings": { - "description": "Link text to hide DCA settings details" - }, - "appUnlockIncorrectPinError": "PIN non corretto. Per favore riprovate. {failedAttempts} {attemptsWord}", - "@appUnlockIncorrectPinError": { - "description": "Error message shown when user enters incorrect PIN", - "placeholders": { - "failedAttempts": { - "type": "int" - }, - "attemptsWord": { - "type": "String" - } - } - }, - "buyBitcoinSent": "Bitcoin inviato!", - "@buyBitcoinSent": { - "description": "Success message for accelerated transaction" - }, - "coreScreensPageNotFound": "Pagina non trovata", - "@coreScreensPageNotFound": { - "description": "Error message shown when a page/route is not found" - }, - "passportStep8": "Una volta che la transazione viene importata nel tuo passaporto, rivedere l'indirizzo di destinazione e l'importo.", - "@passportStep8": { - "description": "Passport instruction for reviewing transaction" - }, - "importQrDeviceTitle": "Collegare {deviceName}", - "@importQrDeviceTitle": { - "description": "AppBar title for QR device import", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "exchangeFeatureDcaOrders": "• DCA, Limite ordini e Auto-buy", - "@exchangeFeatureDcaOrders": { - "description": "Feature bullet point describing DCA and automated buying features" - }, - "payIban": "IBAN", - "@payIban": { - "description": "Label for IBAN field" - }, - "sellSendPaymentPayoutRecipient": "Prestito", - "@sellSendPaymentPayoutRecipient": { - "description": "Field label for payout recipient" - }, - "swapInfoDescription": "Trasferisci Bitcoin senza soluzione di continuità tra i portafogli. Tenere solo i fondi nel Portafoglio di Pagamento istantaneo per le spese giornaliere.", - "@swapInfoDescription": { - "description": "Information banner text on amount page" - }, - "fundExchangeCanadaPostStep7": "7. I fondi saranno aggiunti al saldo del tuo conto Bull Bitcoin entro 30 minuti", - "@fundExchangeCanadaPostStep7": { - "description": "Step 7 for Canada Post payment process - timeframe" - }, - "autoswapSaveButton": "Salva", - "@autoswapSaveButton": { - "description": "Save button label at bottom of settings sheet" - }, - "importWatchOnlyDisclaimerDescription": "Assicurarsi che il percorso di derivazione che si sceglie corrisponda a quello che ha prodotto il dato xpub verificando il primo indirizzo derivato dal portafoglio prima dell'uso. Utilizzando il percorso sbagliato può portare alla perdita di fondi", - "@importWatchOnlyDisclaimerDescription": { - "description": "Description explaining derivation path matching requirement" - }, - "fundExchangeWarningTactic8": "Ti stanno pressando per agire rapidamente", - "@fundExchangeWarningTactic8": { - "description": "Eighth scammer tactic warning" - }, - "encryptedVaultStatusLabel": "Vault crittografato", - "@encryptedVaultStatusLabel": { - "description": "Status label for encrypted vault" - }, - "sendConfirmSend": "Conferma Invia", - "@sendConfirmSend": { - "description": "Title for send confirmation screen" - }, - "fundExchangeBankTransfer": "Trasferimento bancario", - "@fundExchangeBankTransfer": { - "description": "Bank transfer method title" - }, - "importQrDeviceButtonInstructions": "Istruzioni", - "@importQrDeviceButtonInstructions": { - "description": "ImportQrDevice: Button to show setup instructions" - }, - "buyLevel3Limit": "Limite di livello 3: {amount}", - "@buyLevel3Limit": { - "description": "Purchase limit for full KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "electrumLiquidSslInfo": "Nessun protocollo deve essere specificato, SSL verrà utilizzato automaticamente.", - "@electrumLiquidSslInfo": { - "description": "Info text for Liquid server protocol" - }, - "sendDeviceConnected": "Dispositivo collegato", - "@sendDeviceConnected": { - "description": "Status when hardware wallet is detected" - }, - "swapErrorAmountAboveMaximum": "Importo superiore al massimo importo swap: {max} sats", - "@swapErrorAmountAboveMaximum": { - "description": "Error shown when amount is above maximum", - "placeholders": { - "max": { - "type": "String" - } - } - }, - "psbtFlowPassportTitle": "Istruzioni per il passaporto della Fondazione", - "@psbtFlowPassportTitle": { - "description": "Title for Foundation Passport device signing instructions" - }, - "exchangeLandingFeature3": "Vendere Bitcoin, ottenere pagato con Bitcoin", - "@exchangeLandingFeature3": { - "description": "Third feature bullet point" - }, - "notLoggedInMessage": "Accedi al tuo account Bull Bitcoin per accedere alle impostazioni di scambio.", - "@notLoggedInMessage": { - "description": "Message prompting user to log in for exchange features" - }, - "swapTotalFees": "Totale delle spese ", - "@swapTotalFees": { - "description": "Total fees label" - }, - "keystoneStep11": "Fare clic su \"Ho chiuso\" nel portafoglio Bull Bitcoin.", - "@keystoneStep11": { - "description": "Keystone instruction to return to app" - }, - "scanningCompletedMessage": "Scansione completata", - "@scanningCompletedMessage": { - "description": "Success message when UR scanning completes" - }, - "recoverbullSecureBackup": "Proteggi il backup", - "@recoverbullSecureBackup": { - "description": "Screen title for backup security setup" - }, - "payDone": "Fatto", - "@payDone": { - "description": "Button to close bottom sheet" - }, - "receiveContinue": "Continua", - "@receiveContinue": { - "description": "Button label for continuing in the receive flow" - }, - "buyUnauthenticatedError": "Non sei autenticato. Si prega di accedere per continuare.", - "@buyUnauthenticatedError": { - "description": "Error message for unauthenticated user during buy" - }, - "bitboxActionSignTransactionButton": "Avviare la firma", - "@bitboxActionSignTransactionButton": { - "description": "Button text for sign transaction" - }, - "sendEnterAbsoluteFee": "Entra in quota assoluta nei sati", - "@sendEnterAbsoluteFee": { - "description": "Placeholder for absolute fee input field" - }, - "importWatchOnlyDisclaimerTitle": "Avviso di percorso di derivation", - "@importWatchOnlyDisclaimerTitle": { - "description": "Title for derivation path warning disclaimer" - }, - "withdrawConfirmIban": "IBAN", - "@withdrawConfirmIban": { - "description": "Field label for IBAN" - }, - "payPayee": "Pagamenti", - "@payPayee": { - "description": "Label for payee details" - }, - "exchangeAccountComingSoon": "Questa funzione sta arrivando presto.", - "@exchangeAccountComingSoon": { - "description": "Message indicating that a feature is coming soon" - }, - "sellInProgress": "Vendere in corso...", - "@sellInProgress": { - "description": "Message for sell in progress" - }, - "testBackupLastKnownVault": "Ultimo noto crittografato Vault: {timestamp}", - "@testBackupLastKnownVault": { - "description": "Shows timestamp of last encrypted vault backup", - "placeholders": { - "timestamp": { - "type": "String" - } - } - }, - "recoverbullErrorFetchKeyFailed": "Non è riuscito a prendere la chiave a volta dal server", - "@recoverbullErrorFetchKeyFailed": { - "description": "Error message when server key fetch fails" - }, - "sendSwapInProgressInvoice": "Lo scambio è in corso. La fattura sarà pagata in pochi secondi.", - "@sendSwapInProgressInvoice": { - "description": "Message for Liquid swap in progress" - }, - "arkReceiveButton": "Ricevi", - "@arkReceiveButton": { - "description": "Bottom button to navigate to receive page" - }, - "electrumRetryCountNegativeError": "Retry Count non può essere negativo", - "@electrumRetryCountNegativeError": { - "description": "Validation error for negative Retry Count value" - }, - "fundExchangeOnlineBillPaymentLabelAccountNumber": "Aggiungi questo come numero del conto", - "@fundExchangeOnlineBillPaymentLabelAccountNumber": { - "description": "Label for account number in online bill payment" - }, - "importQrDeviceJadeStep4": "Selezionare \"Opzioni\" dal menu principale", - "@importQrDeviceJadeStep4": { - "description": "Jade instruction step 4" - }, - "backupWalletSavingToDeviceTitle": "Salvando il tuo dispositivo.", - "@backupWalletSavingToDeviceTitle": { - "description": "Loading screen title when saving to custom location" - }, - "transactionFilterSend": "Invia", - "@transactionFilterSend": { - "description": "Filter option to show only sent transactions" - }, - "paySwapInProgress": "Scambio in corso...", - "@paySwapInProgress": { - "description": "Status message during submarine swap" - }, - "importMnemonicSyncMessage": "Tutti e tre i tipi di portafoglio stanno sincronizzando e il loro equilibrio e le transazioni apparirà presto. Si può aspettare fino a quando la sincronizzazione completa o procedere all'importazione se si è sicuri di quale tipo di portafoglio si desidera importare.", - "@importMnemonicSyncMessage": { - "description": "Message explaining wallet type syncing process" - }, - "coreSwapsLnSendClaimable": "Swap è pronto per essere rivendicato.", - "@coreSwapsLnSendClaimable": { - "description": "Status message for claimable Lightning send swap" - }, - "fundExchangeMethodCrIbanCrcSubtitle": "Fondi di trasferimento in Costa Rica Colón (CRC)", - "@fundExchangeMethodCrIbanCrcSubtitle": { - "description": "Subtitle for Costa Rica IBAN CRC payment method" - }, - "transactionDetailTitle": "Dettagli di transazione", - "@transactionDetailTitle": { - "description": "Title for transaction details screen" - }, - "autoswapRecipientWalletLabel": "Portafoglio Bitcoin sensibile", - "@autoswapRecipientWalletLabel": { - "description": "Label for wallet selection dropdown" - }, - "coreScreensConfirmTransfer": "Confermare il trasferimento", - "@coreScreensConfirmTransfer": { - "description": "Title for confirm transfer action" - }, - "payPaymentInProgressDescription": "Il pagamento è stato avviato e il destinatario riceverà i fondi dopo che la vostra transazione riceve 1 conferma onchain.", - "@payPaymentInProgressDescription": { - "description": "Description for payment in progress" - }, - "transactionLabelTotalTransferFees": "Totale spese di trasferimento", - "@transactionLabelTotalTransferFees": { - "description": "Label for total transfer fees" - }, - "recoverbullRetry": "Reazione", - "@recoverbullRetry": { - "description": "Button text to retry failed operation" - }, - "arkSettleMessage": "Finalizzare le transazioni in sospeso e includere vtxos recuperabili se necessario", - "@arkSettleMessage": { - "description": "Settle bottom sheet explanation" - }, - "receiveCopyInvoice": "Copia fattura", - "@receiveCopyInvoice": { - "description": "Button to copy invoice to clipboard" - }, - "exchangeAccountInfoLastNameLabel": "Cognome", - "@exchangeAccountInfoLastNameLabel": { - "description": "Label for last name field in account information" - }, - "walletAutoTransferBlockedTitle": "Trasferimento automatico Bloccato", - "@walletAutoTransferBlockedTitle": { - "description": "Title for auto-swap fee warning when fees exceed threshold" - }, - "importQrDeviceJadeInstructionsTitle": "Istruzioni Blockstream Jade", - "@importQrDeviceJadeInstructionsTitle": { - "description": "Title for Jade setup instructions" - }, - "paySendMax": "Max", - "@paySendMax": { - "description": "Button to set amount to maximum available" - }, - "recoverbullGoogleDriveDeleteConfirmation": "Sei sicuro di voler eliminare questo backup della cassaforte? Questa azione non può essere annullata.", - "@recoverbullGoogleDriveDeleteConfirmation": { - "description": "Confirmation message for deleting a vault backup" - }, - "arkReceiveArkAddress": "Indirizzo dell'arca", - "@arkReceiveArkAddress": { - "description": "Label for Ark address" - }, - "googleDriveSignInMessage": "Dovrai accedere a Google Drive", - "@googleDriveSignInMessage": { - "description": "Message about needing to sign in to Google Drive" - }, - "transactionNoteEditTitle": "Modifica nota", - "@transactionNoteEditTitle": { - "description": "Title for edit note dialog" - }, - "transactionDetailLabelCompletedAt": "Completato a", - "@transactionDetailLabelCompletedAt": { - "description": "Label for completion time" - }, - "passportStep9": "Fare clic sui pulsanti per firmare la transazione sul passaporto.", - "@passportStep9": { - "description": "Passport instruction for signing" - }, - "walletTypeBitcoinNetwork": "Rete Bitcoin", - "@walletTypeBitcoinNetwork": { - "description": "Wallet type label for Bitcoin network" - }, - "electrumDeleteConfirmation": "Sei sicuro di voler eliminare questo server?\n\n{serverUrl}", - "@electrumDeleteConfirmation": { - "description": "Confirmation message for server deletion", - "placeholders": { - "serverUrl": { - "type": "String" - } - } - }, - "arkServerUrl": "URL del server", - "@arkServerUrl": { - "description": "Label for server URL field" - }, - "importMnemonicSelectType": "Selezionare un tipo di portafoglio da importare", - "@importMnemonicSelectType": { - "description": "Instruction to select wallet type" - }, - "fundExchangeMethodArsBankTransfer": "Trasferimento bancario", - "@fundExchangeMethodArsBankTransfer": { - "description": "Payment method: Bank Transfer (Argentina)" - }, - "importQrDeviceKeystoneStep1": "Potenza sul dispositivo Keystone", - "@importQrDeviceKeystoneStep1": { - "description": "Keystone instruction step 1" - }, - "arkDurationDays": "{days} giorni", - "@arkDurationDays": { - "description": "Duration format for plural days", - "placeholders": { - "days": { - "type": "String" - } - } - }, - "bitcoinSettingsBip85EntropiesTitle": "BIP85 Entropie deterministiche", - "@bitcoinSettingsBip85EntropiesTitle": { - "description": "Title for the BIP85 deterministic entropies section in Bitcoin settings" - }, - "swapTransferAmount": "Importo del trasferimento", - "@swapTransferAmount": { - "description": "Label for amount input field" - }, - "feePriorityLabel": "Priorità", - "@feePriorityLabel": { - "description": "Label for fee selection priority option" - }, - "coreScreensToLabel": "A", - "@coreScreensToLabel": { - "description": "Label for destination/receiver field" - }, - "backupSettingsTestBackup": "Test di backup", - "@backupSettingsTestBackup": { - "description": "Button text to test existing backup" - }, - "coreSwapsActionRefund": "Rimborso", - "@coreSwapsActionRefund": { - "description": "Action label for refunding a swap" - }, - "payInsufficientBalance": "Bilancio insufficiente nel portafoglio selezionato per completare questo ordine di pagamento.", - "@payInsufficientBalance": { - "description": "Error message for insufficient balance" - }, - "viewLogsLabel": "Visualizza i log", - "@viewLogsLabel": { - "description": "List tile label to view logs inline or in viewer" - }, - "sendSwapTimeEstimate": "Tempo stimato: {time}", - "@sendSwapTimeEstimate": { - "description": "Expected swap duration", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "hwKeystone": "Keystone", - "@hwKeystone": { - "description": "Name of Keystone hardware wallet" - }, - "kruxStep12": "Il Krux ti mostrerà il suo codice QR.", - "@kruxStep12": { - "description": "Krux instruction about signed PSBT QR" - }, - "buyInputMinAmountError": "Dovresti comprare almeno", - "@buyInputMinAmountError": { - "description": "Minimum amount error message" - }, - "ledgerScanningTitle": "Scansione per dispositivi", - "@ledgerScanningTitle": { - "description": "Title shown while scanning for Ledger devices" - }, - "payInstitutionCode": "Codice delle istituzioni", - "@payInstitutionCode": { - "description": "Label for institution code field" - }, - "recoverbullFetchVaultKey": "Vai alla scheda chiave", - "@recoverbullFetchVaultKey": { - "description": "Screen title for vault key fetch screen" - }, - "coreSwapsActionClaim": "Ricorso", - "@coreSwapsActionClaim": { - "description": "Action label for claiming a swap" - }, - "bitboxActionUnlockDeviceSuccessSubtext": "Il dispositivo BitBox è ora sbloccato e pronto all'uso.", - "@bitboxActionUnlockDeviceSuccessSubtext": { - "description": "Success subtext for unlock device" - }, - "payShareInvoice": "Fatturato", - "@payShareInvoice": { - "description": "Button text to share payment invoice" - }, - "walletDetailsSignerDeviceLabel": "Dispositivo di segnale", - "@walletDetailsSignerDeviceLabel": { - "description": "Label for the signer device field in wallet details" - }, - "bitboxScreenEnterPassword": "Inserisci la password", - "@bitboxScreenEnterPassword": { - "description": "Main text when waiting for password" - }, - "keystoneStep10": "La Keystone ti mostrerà il suo codice QR.", - "@keystoneStep10": { - "description": "Keystone instruction about signed PSBT QR" - }, - "ledgerSuccessSignTitle": "Transazione firmata con successo", - "@ledgerSuccessSignTitle": { - "description": "Success message title after signing transaction with Ledger" - }, - "electrumPrivacyNoticeContent1": "Informativa sulla privacy: Utilizzando il proprio nodo assicura che nessuna terza parte possa collegare il tuo indirizzo IP, con le tue transazioni.", - "@electrumPrivacyNoticeContent1": { - "description": "First paragraph of privacy notice" - }, - "testBackupEnterKeyManually": "Inserisci la chiave di backup manualmente > >", - "@testBackupEnterKeyManually": { - "description": "Button text to manually enter backup key" - }, - "fundExchangeWarningTactic3": "Dicono che lavorano per il debito o la raccolta fiscale", - "@fundExchangeWarningTactic3": { - "description": "Third scammer tactic warning" - }, - "payCoinjoinFailed": "CoinJoin fallito", - "@payCoinjoinFailed": { - "description": "Error when CoinJoin fails" - }, - "allWordsSelectedMessage": "Hai selezionato tutte le parole", - "@allWordsSelectedMessage": { - "description": "Message shown when all words are selected" - }, - "bitboxActionPairDeviceTitle": "Dispositivo di coppia BitBox", - "@bitboxActionPairDeviceTitle": { - "description": "Title for pair device action" - }, - "buyKYCLevel2": "Livello 2 - Migliorato", - "@buyKYCLevel2": { - "description": "Enhanced verification tier" - }, - "receiveAmount": "Importo (opzionale)", - "@receiveAmount": { - "description": "Optional amount field for invoice" - }, - "testBackupErrorSelectAllWords": "Seleziona tutte le parole", - "@testBackupErrorSelectAllWords": { - "description": "Error when not all words are selected" - }, - "buyLevel1Limit": "Limite di livello 1: {amount}", - "@buyLevel1Limit": { - "description": "Purchase limit for basic KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "dcaNetworkLabel": "Rete di rete", - "@dcaNetworkLabel": { - "description": "Label for network detail row" - }, - "sendScanBitcoinQRCode": "Scansiona qualsiasi codice QR Bitcoin o Lightning da pagare con bitcoin.", - "@sendScanBitcoinQRCode": { - "description": "Instructions for scanning a QR code to make a Bitcoin payment" - }, - "toLabel": "A", - "@toLabel": { - "description": "Label for destination address in transaction details" - }, - "passportStep7": " - Prova a spostare il dispositivo indietro un po'", - "@passportStep7": { - "description": "Passport troubleshooting tip 3" - }, - "sendConfirm": "Conferma", - "@sendConfirm": { - "description": "Button label for confirming a send transaction" - }, - "payPhoneNumber": "Numero di telefono", - "@payPhoneNumber": { - "description": "Label for phone number field" - }, - "transactionSwapProgressInvoicePaid": "Fatturato\nPagato", - "@transactionSwapProgressInvoicePaid": { - "description": "Swap progress step: Lightning invoice paid" - }, - "sendInsufficientFunds": "Fondi insufficienti", - "@sendInsufficientFunds": { - "description": "Error when balance too low" - }, - "sendSuccessfullySent": "Con successo", - "@sendSuccessfullySent": { - "description": "Title for successful send completion" - }, - "sendSwapAmount": "Importo di swap", - "@sendSwapAmount": { - "description": "Label for amount being swapped" - }, - "autoswapTitle": "Impostazioni di trasferimento automatico", - "@autoswapTitle": { - "description": "Header title for auto transfer settings bottom sheet" - }, - "sellInteracTransfer": "Interac e-Transfer", - "@sellInteracTransfer": { - "description": "Option for Interac payment (Canada)" - }, - "bitboxScreenPairingCodeSubtext": "Verificare questo codice corrisponde alla schermata BitBox02, quindi confermare sul dispositivo.", - "@bitboxScreenPairingCodeSubtext": { - "description": "Subtext when showing pairing code" - }, - "createdAtLabel": "Creato a:", - "@createdAtLabel": { - "description": "Label for creation date" - }, - "pinConfirmMismatchError": "I PIN non corrispondono", - "@pinConfirmMismatchError": { - "description": "Error message when confirmation PIN doesn't match original" - }, - "autoswapMinimumThresholdErrorBtc": "Soglia di equilibrio minimo è {amount} BTC", - "@autoswapMinimumThresholdErrorBtc": { - "description": "Validation error shown when amount threshold is below minimum (BTC display)", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "receiveLiquidNetwork": "Liquidazione", - "@receiveLiquidNetwork": { - "description": "Liquid Network option" - }, - "autoswapSettingsTitle": "Impostazioni di trasferimento automatico", - "@autoswapSettingsTitle": { - "description": "Main header/title of the auto swap settings bottom sheet" - }, - "payFirstNameHint": "Inserisci il nome", - "@payFirstNameHint": { - "description": "Hint for first name input" - }, - "payAdvancedSettings": "Impostazioni avanzate", - "@payAdvancedSettings": { - "description": "Button for advanced settings" - }, - "walletDetailsPubkeyLabel": "Pubkey", - "@walletDetailsPubkeyLabel": { - "description": "Label for the public key field in wallet details" - }, - "arkAboutBoardingExitDelay": "Ritardo di uscita di imbarco", - "@arkAboutBoardingExitDelay": { - "description": "Field label for boarding exit delay" - }, - "receiveConfirmedInFewSeconds": "Sarà confermato in pochi secondi", - "@receiveConfirmedInFewSeconds": { - "description": "Message indicating quick confirmation time for Lightning transactions" - }, - "backupWalletInstructionNoPassphrase": "Il backup non è protetto da passphrase. Aggiungi una passphrase al backup in seguito creando un nuovo portafoglio.", - "@backupWalletInstructionNoPassphrase": { - "description": "Information about passphrase protection option" - }, - "transactionDetailLabelSwapId": "ID Swap", - "@transactionDetailLabelSwapId": { - "description": "Label for swap ID" - }, - "sendSwapFailed": "Lo scambio e' fallito. Il rimborso verrà effettuato a breve.", - "@sendSwapFailed": { - "description": "Message explaining swap failure and refund" - }, - "sellNetworkError": "Errore di rete. Si prega di riprovare", - "@sellNetworkError": { - "description": "Error for connectivity issues" - }, - "sendHardwareWallet": "Portafoglio hardware", - "@sendHardwareWallet": { - "description": "Option to sign with hardware device" - }, - "sendUserRejected": "L'utente ha rifiutato sul dispositivo", - "@sendUserRejected": { - "description": "Error when user declines on hardware wallet" - }, - "swapSubtractFeesLabel": "Sottrarre tasse da importo", - "@swapSubtractFeesLabel": { - "description": "Label when receive exact amount toggle is off" - }, - "buyVerificationRequired": "Verifica richiesta per questo importo", - "@buyVerificationRequired": { - "description": "Error when KYC needed for purchase size" - }, - "withdrawConfirmBankAccount": "Conto bancario", - "@withdrawConfirmBankAccount": { - "description": "Default label for bank account in confirmation screen" - }, - "kruxStep1": "Accedi al tuo dispositivo Krux", - "@kruxStep1": { - "description": "Krux instruction step 1" - }, - "dcaUseDefaultLightningAddress": "Usa il mio indirizzo fulmine predefinito.", - "@dcaUseDefaultLightningAddress": { - "description": "Checkbox label to use default Lightning address" - }, - "recoverbullErrorRejected": "Rigettato dal server chiave", - "@recoverbullErrorRejected": { - "description": "Error message when request is rejected by the key server" - }, - "sellEstimatedArrival": "Arrivo stimato: {time}", - "@sellEstimatedArrival": { - "description": "Expected time to receive fiat", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "fundExchangeWarningTacticsTitle": "Tattiche di truffatore comuni", - "@fundExchangeWarningTacticsTitle": { - "description": "Title for the list of common scammer tactics" - }, - "payInstitutionCodeHint": "Inserisci il codice dell'istituzione", - "@payInstitutionCodeHint": { - "description": "Hint for institution code input" - }, - "arkConfirmedBalance": "Equilibrio confermato", - "@arkConfirmedBalance": { - "description": "Label for confirmed balance row" - }, - "walletAddressTypeNativeSegwit": "Nativo Segwit", - "@walletAddressTypeNativeSegwit": { - "description": "Address type for BIP84 wallets" - }, - "payOpenInvoice": "Fattura aperta", - "@payOpenInvoice": { - "description": "Button to open invoice" - }, - "payMaximumAmount": "Massimo: {amount}", - "@payMaximumAmount": { - "description": "Label showing maximum payment amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellSendPaymentNetworkFees": "Tasse di rete", - "@sellSendPaymentNetworkFees": { - "description": "Field label for network fees" - }, - "transactionSwapDescLnReceivePaid": "Il pagamento è stato ricevuto! Stiamo ora trasmettendo la transazione on-chain al vostro portafoglio.", - "@transactionSwapDescLnReceivePaid": { - "description": "Description for paid Lightning receive swap" - }, - "transactionNoteUpdateButton": "Aggiornamento", - "@transactionNoteUpdateButton": { - "description": "Button label to update a note" - }, - "payAboveMaxAmount": "Stai cercando di pagare sopra l'importo massimo che può essere pagato con questo portafoglio.", - "@payAboveMaxAmount": { - "description": "Error message when payment amount exceeds maximum" - }, - "receiveNetworkUnavailable": "{network} non è attualmente disponibile", - "@receiveNetworkUnavailable": { - "description": "Error when network is down", - "placeholders": { - "network": { - "type": "String" - } - } - }, - "fundExchangeHelpBeneficiaryAddress": "Il nostro indirizzo ufficiale, nel caso in cui ciò sia richiesto dalla tua banca", - "@fundExchangeHelpBeneficiaryAddress": { - "description": "Help text for beneficiary address field" - }, - "backupWalletPhysicalBackupTitle": "Backup fisico", - "@backupWalletPhysicalBackupTitle": { - "description": "Title for physical backup option" - }, - "arkTxBoarding": "Imbarco", - "@arkTxBoarding": { - "description": "Transaction type label for Ark boarding transactions" - }, - "bitboxActionVerifyAddressSuccess": "Indirizzo verificato con successo", - "@bitboxActionVerifyAddressSuccess": { - "description": "Success text for verify address" - }, - "psbtImDone": "Ho finito", - "@psbtImDone": { - "description": "Button text to proceed after signing transaction on hardware device" - }, - "bitboxScreenSelectWalletType": "Seleziona Wallet Tipo", - "@bitboxScreenSelectWalletType": { - "description": "Title for wallet type selection modal" - }, - "appUnlockEnterPinMessage": "Inserisci il codice pin per sbloccare", - "@appUnlockEnterPinMessage": { - "description": "Message prompting user to enter their PIN code to unlock the app" - }, - "torSettingsTitle": "Impostazioni Tor", - "@torSettingsTitle": { - "description": "AppBar title for the Tor settings screen" - }, - "backupSettingsRevealing": "Rivelazione...", - "@backupSettingsRevealing": { - "description": "Button text while revealing vault key" - }, - "payTotal": "Totale", - "@payTotal": { - "description": "Label for total payment amount (amount + fee)" - }, - "autoswapSaveErrorMessage": "Non salvare le impostazioni: {error}", - "@autoswapSaveErrorMessage": { - "description": "SnackBar error message when save fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "exchangeDcaAddressLabelLightning": "Indirizzo fulmine", - "@exchangeDcaAddressLabelLightning": { - "description": "Label for Lightning address in DCA settings" - }, - "addressViewTitle": "Indirizzo dettagli", - "@addressViewTitle": { - "description": "AppBar title for address details screen" - }, - "payCompleted": "Pagamento completato!", - "@payCompleted": { - "description": "Title for payment completed screen" - }, - "bitboxScreenManagePermissionsButton": "Gestione delle autorizzazioni", - "@bitboxScreenManagePermissionsButton": { - "description": "Button to open app permissions settings" - }, - "sellKYCPending": "Verifica KYC in sospeso", - "@sellKYCPending": { - "description": "Message when verification in progress" - }, - "buyGetConfirmedFaster": "Ottenere confermato più velocemente", - "@buyGetConfirmedFaster": { - "description": "Subtitle for acceleration option" - }, - "transactionOrderLabelPayinAmount": "Importo del pagamento", - "@transactionOrderLabelPayinAmount": { - "description": "Label for order payin amount" - }, - "dcaLightningAddressLabel": "Indirizzo fulmine", - "@dcaLightningAddressLabel": { - "description": "Label for Lightning address detail row (shown only for Lightning network)" - }, - "electrumEnableSsl": "Abilitare SSL", - "@electrumEnableSsl": { - "description": "SSL toggle label in add custom server sheet" - }, - "payCustomFee": "Costo personalizzato", - "@payCustomFee": { - "description": "Option to set custom fee amount" - }, - "backupInstruction5": "Il backup non è protetto da passphrase. Aggiungi una passphrase al backup in seguito creando un nuovo portafoglio.", - "@backupInstruction5": { - "description": "Fifth backup instruction about passphrase protection" - }, - "buyConfirmExpress": "Conferma espresso", - "@buyConfirmExpress": { - "description": "Button to confirm express withdrawal" - }, - "fundExchangeBankTransferWireTimeframe": "Tutti i fondi che invii verranno aggiunti al tuo Bull Bitcoin entro 1-2 giorni lavorativi.", - "@fundExchangeBankTransferWireTimeframe": { - "description": "Timeframe for bank transfer wire funds to be credited" - }, - "sendDeviceDisconnected": "Dispositivo staccato", - "@sendDeviceDisconnected": { - "description": "Error when hardware wallet unplugged" - }, - "withdrawConfirmError": "Errore: {error}", - "@withdrawConfirmError": { - "description": "Error message on confirmation screen", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payFeeBumpFailed": "Fee urto fallito", - "@payFeeBumpFailed": { - "description": "Error when fee bump fails" - }, - "arkAboutUnilateralExitDelay": "Ritardo di uscita unilaterale", - "@arkAboutUnilateralExitDelay": { - "description": "Field label for unilateral exit delay" - }, - "payUnsupportedInvoiceType": "Tipo di fattura non supportato", - "@payUnsupportedInvoiceType": { - "description": "Error for unknown invoice format" - }, - "seedsignerStep13": "La transazione verrà importata nel portafoglio Bull Bitcoin.", - "@seedsignerStep13": { - "description": "SeedSigner instruction about import completion" - }, - "autoswapRecipientWalletDefaultLabel": "Portafoglio Bitcoin", - "@autoswapRecipientWalletDefaultLabel": { - "description": "Default label shown for wallets without a custom label in the dropdown" - }, - "transactionSwapDescLnReceiveClaimable": "La transazione on-chain è stata confermata. Stiamo ora rivendicando i fondi per completare il tuo swap.", - "@transactionSwapDescLnReceiveClaimable": { - "description": "Description for claimable Lightning receive swap" - }, - "dcaPaymentMethodLabel": "Metodo di pagamento", - "@dcaPaymentMethodLabel": { - "description": "Label for payment method detail row" - }, - "swapProgressPendingMessage": "Il trasferimento è in corso. Le transazioni Bitcoin possono richiedere un po' di tempo per confermare. Puoi tornare a casa e aspettare.", - "@swapProgressPendingMessage": { - "description": "Pending transfer message" - }, - "walletDetailsNetworkLabel": "Rete di rete", - "@walletDetailsNetworkLabel": { - "description": "Label for the network field in wallet details" - }, - "broadcastSignedTxBroadcasting": "Trasmissione...", - "@broadcastSignedTxBroadcasting": { - "description": "Loading message while broadcasting" - }, - "recoverbullSelectRecoverWallet": "Recuperare Wallet", - "@recoverbullSelectRecoverWallet": { - "description": "AppBar title for initial provider selection screen" - }, - "receivePayjoinActivated": "Payjoin attivato", - "@receivePayjoinActivated": { - "description": "Message indicating that payjoin is activated for the receive transaction" - }, - "importMnemonicContinue": "Continua", - "@importMnemonicContinue": { - "description": "Button text to proceed after entering mnemonic" - }, - "psbtFlowMoveLaser": "Spostare il laser rosso su e giù sul codice QR", - "@psbtFlowMoveLaser": { - "description": "Troubleshooting tip for devices with laser scanners" - }, - "chooseVaultLocationTitle": "Scegli la posizione del caveau", - "@chooseVaultLocationTitle": { - "description": "Title for choose vault location screen" - }, - "dcaConfirmOrderTypeValue": "Acquisto ricorrente", - "@dcaConfirmOrderTypeValue": { - "description": "Order type value" - }, - "psbtFlowDeviceShowsQr": "Il {device} vi mostrerà il suo codice QR.", - "@psbtFlowDeviceShowsQr": { - "description": "Information that device will display QR code after signing", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "fundExchangeCrBankTransferDescriptionExactly": "esattamente", - "@fundExchangeCrBankTransferDescriptionExactly": { - "description": "Emphasized word 'exactly' in Costa Rica description" - }, - "testBackupEncryptedVaultTitle": "Criptato", - "@testBackupEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option card" - }, - "dcaWalletTypeLiquid": "Liquido (LBTC)", - "@dcaWalletTypeLiquid": { - "description": "Radio button option for Liquid wallet" - }, - "fundExchangeLabelInstitutionNumber": "Numero di istituzione", - "@fundExchangeLabelInstitutionNumber": { - "description": "Label for institution number field" - }, - "encryptedVaultDescription": "Backup anonimo con crittografia forte utilizzando il cloud.", - "@encryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, - "arkAboutCopiedMessage": "{label} copiato a clipboard", - "@arkAboutCopiedMessage": { - "description": "Snackbar message when field copied", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "swapAmountLabel": "Importo", - "@swapAmountLabel": { - "description": "Label for amount input section" - }, - "recoverbullSelectCustomLocation": "Location personalizzata", - "@recoverbullSelectCustomLocation": { - "description": "AppBar title for custom location file picker screen" - }, - "sellConfirmOrder": "Confermare l'ordine di vendita", - "@sellConfirmOrder": { - "description": "Button to submit sell order" - }, - "exchangeAccountInfoUserNumberLabel": "Numero utente", - "@exchangeAccountInfoUserNumberLabel": { - "description": "Label for user number field in account information" - }, - "buyVerificationComplete": "Verifica completa", - "@buyVerificationComplete": { - "description": "Success message after KYC approval" - }, - "transactionNotesLabel": "Note di transazione", - "@transactionNotesLabel": { - "description": "Label for transaction notes section" - }, - "replaceByFeeFeeRateDisplay": "Tariffa: {feeRate}", - "@replaceByFeeFeeRateDisplay": { - "description": "Display text showing the fee rate", - "placeholders": { - "feeRate": { - "type": "String" - } - } - }, - "torSettingsPortValidationRange": "Il porto deve essere compreso tra 1 e 65535", - "@torSettingsPortValidationRange": { - "description": "Validation error when port is out of valid range" - }, - "fundExchangeMethodCrIbanUsdSubtitle": "Trasferimenti in dollari statunitensi (USD)", - "@fundExchangeMethodCrIbanUsdSubtitle": { - "description": "Subtitle for Costa Rica IBAN USD payment method" - }, - "electrumTimeoutEmptyError": "Il timeout non può essere vuoto", - "@electrumTimeoutEmptyError": { - "description": "Validation error for empty Timeout field" - }, - "electrumPrivacyNoticeContent2": "Tuttavia, Se si visualizzano transazioni tramite mempool facendo clic sulla pagina Transaction ID o Recipient Details, queste informazioni saranno note a BullBitcoin.", - "@electrumPrivacyNoticeContent2": { - "description": "Second paragraph of privacy notice" - }, - "exchangeAccountInfoVerificationIdentityVerified": "Identità verificata", - "@exchangeAccountInfoVerificationIdentityVerified": { - "description": "Status label for identity verified verification level" - }, - "importColdcardScanPrompt": "Scansiona il codice QR dal tuo Coldcard Q", - "@importColdcardScanPrompt": { - "description": "Instruction to scan Coldcard QR" - }, - "torSettingsDescConnected": "Il proxy Tor è in esecuzione e pronto", - "@torSettingsDescConnected": { - "description": "Description when Tor is connected" - }, - "backupSettingsEncryptedVault": "Vault crittografato", - "@backupSettingsEncryptedVault": { - "description": "Label for encrypted vault backup status row" - }, - "autoswapAlwaysBlockInfoDisabled": "Quando disattivato, ti verrà data l'opzione per consentire un auto-trasferimento che è bloccato a causa di alti costi", - "@autoswapAlwaysBlockInfoDisabled": { - "description": "Help text when always block is disabled" - }, - "dcaSetupTitle": "Set acquisto ricorrente", - "@dcaSetupTitle": { - "description": "AppBar title for DCA setup screen" - }, - "sendErrorInsufficientBalanceForPayment": "Non abbastanza saldo per coprire questo pagamento", - "@sendErrorInsufficientBalanceForPayment": { - "description": "Error when wallet balance is insufficient for payment" - }, - "bitboxScreenPairingCode": "Codice di accoppiamento", - "@bitboxScreenPairingCode": { - "description": "Main text when showing pairing code" - }, - "testBackupPhysicalBackupTitle": "Backup fisico", - "@testBackupPhysicalBackupTitle": { - "description": "Title for physical backup option card" - }, - "fundExchangeSpeiDescription": "Trasferire fondi utilizzando il CLABE", - "@fundExchangeSpeiDescription": { - "description": "Description for SPEI transfer method" - }, - "ledgerProcessingImport": "Importazione di Wallet", - "@ledgerProcessingImport": { - "description": "Status message shown while importing Ledger wallet" - }, - "coldcardStep15": "Ora è pronto a trasmettere! Non appena si fa clic sulla trasmissione, la transazione verrà pubblicata sulla rete Bitcoin e i fondi saranno inviati.", - "@coldcardStep15": { - "description": "Coldcard final instruction about broadcasting" - }, - "comingSoonDefaultMessage": "Questa funzione è attualmente in fase di sviluppo e sarà disponibile presto.", - "@comingSoonDefaultMessage": { - "description": "Default message for features under development" - }, - "dcaFrequencyLabel": "Frequenza", - "@dcaFrequencyLabel": { - "description": "Label for frequency detail row" - }, - "ledgerErrorMissingAddress": "L'indirizzo è richiesto per la verifica", - "@ledgerErrorMissingAddress": { - "description": "Error message when address is missing for verification" - }, - "enterBackupKeyManuallyTitle": "Inserire la chiave di backup manualmente", - "@enterBackupKeyManuallyTitle": { - "description": "Title for enter backup key manually screen" - }, - "transactionDetailLabelRecipientAddress": "Indirizzo utile", - "@transactionDetailLabelRecipientAddress": { - "description": "Label for recipient address" - }, - "recoverbullCreatingVault": "Creare crittografato Vaccino", - "@recoverbullCreatingVault": { - "description": "Screen title while vault is being created" - }, - "walletsListNoWalletsMessage": "Nessun portafoglio trovato", - "@walletsListNoWalletsMessage": { - "description": "Message displayed when no wallets are found" - }, - "importWalletColdcardQ": "Freccia Q", - "@importWalletColdcardQ": { - "description": "Button label for Coldcard Q hardware wallet" - }, - "backupSettingsStartBackup": "Avvio di backup", - "@backupSettingsStartBackup": { - "description": "Button text to start new backup process" - }, - "sendReceiveAmount": "Ricevi l'importo", - "@sendReceiveAmount": { - "description": "Label for amount being received in swap" - }, - "recoverbullTestRecovery": "Test di recupero", - "@recoverbullTestRecovery": { - "description": "Button text to initiate recovery test" - }, - "sellNetAmount": "Importo netto", - "@sellNetAmount": { - "description": "Label for amount after fees" - }, - "willNot": "non lo farà ", - "@willNot": { - "description": "Bold part of privacy assurance (will not)" - }, - "arkAboutServerPubkey": "Server pubkey", - "@arkAboutServerPubkey": { - "description": "Field label for server pubkey" - }, - "receiveReceiveAmount": "Ricevi l'importo", - "@receiveReceiveAmount": { - "description": "Label for the amount that will be received after fees" - }, - "exchangeReferralsApplyToJoinMessage": "Applicare per aderire al programma qui", - "@exchangeReferralsApplyToJoinMessage": { - "description": "Message with link to apply for the referral program" - }, - "payLabelHint": "Inserisci un'etichetta per questo destinatario", - "@payLabelHint": { - "description": "Hint for label input" - }, - "payBitcoinOnchain": "Bitcoin on-chain", - "@payBitcoinOnchain": { - "description": "Option for Bitcoin on-chain payment" - }, - "pinManageDescription": "Gestione del PIN di sicurezza", - "@pinManageDescription": { - "description": "Headline text on PIN settings screen" - }, - "pinCodeConfirm": "Conferma", - "@pinCodeConfirm": { - "description": "Button label to confirm PIN entry" - }, - "bitboxActionUnlockDeviceProcessing": "Dispositivo di sblocco", - "@bitboxActionUnlockDeviceProcessing": { - "description": "Processing text for unlock device" - }, - "seedsignerStep4": "Se hai problemi di scansione:", - "@seedsignerStep4": { - "description": "SeedSigner troubleshooting header" - }, - "mempoolNetworkLiquidTestnet": "Testato liquido", - "@mempoolNetworkLiquidTestnet": { - "description": "Label for Liquid Testnet network" - }, - "payBitcoinOnChain": "Bitcoin on-chain", - "@payBitcoinOnChain": { - "description": "Option for Bitcoin on-chain payment" - }, - "torSettingsDescDisconnected": "Tor proxy non è in esecuzione", - "@torSettingsDescDisconnected": { - "description": "Description when Tor is disconnected" - }, - "ledgerButtonTryAgain": "Prova ancora", - "@ledgerButtonTryAgain": { - "description": "Button label to retry a failed Ledger operation" - }, - "bitboxScreenNestedSegwitBip49Subtitle": "P2WPKH-nested-in-P2SH", - "@bitboxScreenNestedSegwitBip49Subtitle": { - "description": "Subtitle for BIP49 option" - }, - "buyInstantPaymentWallet": "Portafoglio di pagamento istantaneo", - "@buyInstantPaymentWallet": { - "description": "Label for instant payment (Liquid) wallet" - }, - "autoswapMaxBalanceLabel": "Bilanciamento Max Instant Wallet", - "@autoswapMaxBalanceLabel": { - "description": "Label for amount threshold input field" - }, - "recoverbullRecoverBullServer": "RecoverBull Server", - "@recoverbullRecoverBullServer": { - "description": "Label for RecoverBull server connection status" - }, - "satsBitcoinUnitSettingsLabel": "Unità di visualizzazione in sati", - "@satsBitcoinUnitSettingsLabel": { - "description": "The label to switch the Bitcoin unit to sats in settings" - }, - "exchangeDcaViewSettings": "Visualizza le impostazioni", - "@exchangeDcaViewSettings": { - "description": "Link text to view DCA settings details" - }, - "payRetryPayment": "Recuperare il pagamento", - "@payRetryPayment": { - "description": "Button text to retry a failed payment" - }, - "exchangeSupportChatTitle": "Chat di supporto", - "@exchangeSupportChatTitle": { - "description": "Title for the support chat screen" - }, - "sellAdvancedSettings": "Impostazioni avanzate", - "@sellAdvancedSettings": { - "description": "Button for advanced settings" - }, - "arkTxTypeCommitment": "Impegno", - "@arkTxTypeCommitment": { - "description": "Transaction type label for commitment transactions" - }, - "exchangeReferralsJoinMissionTitle": "Entra nella missione", - "@exchangeReferralsJoinMissionTitle": { - "description": "Title encouraging users to join the referral mission" - }, - "exchangeSettingsLogInTitle": "Accedi", - "@exchangeSettingsLogInTitle": { - "description": "Title for the log in option in exchange settings" - }, - "customLocationRecommendation": "Posizione personalizzata: ", - "@customLocationRecommendation": { - "description": "Bold label for custom location recommendation" - }, - "fundExchangeMethodCrIbanUsd": "Costa Rica IBAN (USD)", - "@fundExchangeMethodCrIbanUsd": { - "description": "Payment method: Costa Rica IBAN in US Dollars" - }, - "recoverbullErrorSelectVault": "Non selezionare il caveau", - "@recoverbullErrorSelectVault": { - "description": "Error message when vault selection fails" - }, - "paySwapCompleted": "Swap completato", - "@paySwapCompleted": { - "description": "Status message after successful swap" - }, - "receiveDescription": "Descrizione (opzionale)", - "@receiveDescription": { - "description": "Optional memo field" - }, - "bitboxScreenVerifyAddress": "Verifica l'indirizzo", - "@bitboxScreenVerifyAddress": { - "description": "Main text when showing address verification" - }, - "bitboxScreenConnectDevice": "Collegare il dispositivo BitBox", - "@bitboxScreenConnectDevice": { - "description": "Main text when in initial state" - }, - "arkYesterday": "Ieri", - "@arkYesterday": { - "description": "Date label for transactions from yesterday" - }, - "amountRequestedLabel": "Quantità richiesta: {amount}", - "@amountRequestedLabel": { - "description": "Shows the requested amount to send", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "swapProgressRefunded": "Transfer Rimborso", - "@swapProgressRefunded": { - "description": "Refunded transfer status" - }, - "payPaymentHistory": "Storia del pagamento", - "@payPaymentHistory": { - "description": "Title for list of past payments" - }, - "exchangeFeatureUnifiedHistory": "• Storia delle transazioni unificata", - "@exchangeFeatureUnifiedHistory": { - "description": "Feature bullet point describing unified transaction history feature" - }, - "payViewDetails": "Visualizza dettagli", - "@payViewDetails": { - "description": "Button to view order details" - }, - "withdrawOrderAlreadyConfirmedError": "Questo ordine di recesso è già stato confermato.", - "@withdrawOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed withdrawal order" - }, - "autoswapSelectWallet": "Seleziona un portafoglio Bitcoin", - "@autoswapSelectWallet": { - "description": "Placeholder for wallet dropdown" - }, - "walletAutoTransferBlockButton": "Blocco", - "@walletAutoTransferBlockButton": { - "description": "Button to block auto-transfer until next execution" - }, - "recoverbullGoogleDriveErrorSelectFailed": "Non selezionare la volta da Google Drive", - "@recoverbullGoogleDriveErrorSelectFailed": { - "description": "Error message when selecting/loading a drive backup fails" - }, - "autoswapRecipientWalletRequired": "#", - "@autoswapRecipientWalletRequired": { - "description": "Required field indicator asterisk" - }, - "pinCodeLoading": "Caricamento", - "@pinCodeLoading": { - "description": "Status screen title while loading PIN settings" - }, - "fundExchangeCrIbanUsdLabelRecipientName": "Nome destinatario", - "@fundExchangeCrIbanUsdLabelRecipientName": { - "description": "Label for recipient name in CR IBAN USD transfer" - }, - "ledgerSignTitle": "Transazione dei segni", - "@ledgerSignTitle": { - "description": "Title for signing a transaction with Ledger" - }, - "importWatchOnlyCancel": "Annulla", - "@importWatchOnlyCancel": { - "description": "Button to cancel watch-only import" - }, - "arkAboutTitle": "Informazioni", - "@arkAboutTitle": { - "description": "AppBar title for Ark about screen" - }, - "exchangeSettingsSecuritySettingsTitle": "Impostazioni di sicurezza", - "@exchangeSettingsSecuritySettingsTitle": { - "description": "Title for the security settings section in exchange settings" - } -} + "translationWarningTitle": "Traduzioni generate dall'IA", + "translationWarningDescription": "La maggior parte delle traduzioni in questa app sono state generate utilizzando l'IA e potrebbero contenere imprecisioni. Se noti errori o desideri aiutare a migliorare le traduzioni, puoi contribuire attraverso la nostra piattaforma di traduzione comunitaria.", + "translationWarningContributeButton": "Aiuta a migliorare le traduzioni", + "translationWarningDismissButton": "Capito", + "bitboxErrorMultipleDevicesFound": "Trovati più dispositivi BitBox. Assicurarsi che un solo dispositivo sia collegato.", + "payTransactionBroadcast": "Transazione trasmissione", + "fundExchangeSepaDescriptionExactly": "esattamente.", + "payPleasePayInvoice": "Si prega di pagare questa fattura", + "swapMax": "MAX", + "importQrDeviceSpecterStep2": "Inserisci il tuo PIN", + "importColdcardInstructionsStep10": "Setup completo", + "buyPayoutWillBeSentIn": "La tua vincita verrà inviata ", + "fundExchangeInstantSepaInfo": "Utilizzare solo per operazioni inferiori a €20.000. Per operazioni più grandi, utilizzare l'opzione Regolare SEPA.", + "transactionLabelSwapId": "ID Swap", + "dcaChooseWalletTitle": "Scegli il portafoglio Bitcoin", + "torSettingsPortHint": "9050", + "electrumTimeoutPositiveError": "Il timeout deve essere positivo", + "bitboxScreenNeedHelpButton": "Ti serve aiuto?", + "sellSendPaymentAboveMax": "Stai cercando di vendere sopra l'importo massimo che può essere venduto con questo portafoglio.", + "fundExchangeETransferLabelSecretAnswer": "Risposta segreta", + "payPayinAmount": "Importo del pagamento", + "transactionDetailLabelTransactionFee": "Costo di transazione", + "jadeStep13": "Il portafoglio Bull Bitcoin ti chiederà di scansionare il codice QR sulla Jade. Scansione.", + "transactionSwapDescLnSendPending": "Il tuo scambio e' stato avviato. Stiamo trasmettendo la transazione on-chain per bloccare i vostri fondi.", + "payInstitutionNumber": "Numero delle istituzioni", + "sendScheduledPayment": "Pagamento pianificato", + "fundExchangeLabelBicCode": "Codice BIC", + "fundExchangeCanadaPostStep6": "6. Il cassiere vi darà una ricevuta, tenerla come prova di pagamento", + "withdrawOwnershipQuestion": "A chi appartiene questo account?", + "sendSendNetworkFee": "Inviare i costi di rete", + "exchangeDcaUnableToGetConfig": "Non è possibile ottenere la configurazione DCA", + "psbtFlowClickScan": "Fare clic su Scansione", + "sellInstitutionNumber": "Numero delle istituzioni", + "recoverbullGoogleDriveErrorDisplay": "Errore: {error}", + "@recoverbullGoogleDriveErrorDisplay": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "mempoolSettingsCustomServer": "Server personalizzato", + "fundExchangeMethodRegularSepa": "SEPA regolare", + "addressViewTransactions": "Transazioni", + "fundExchangeSinpeLabelPhone": "Invia a questo numero di telefono", + "importQrDeviceKruxStep3": "Fare clic su XPUB - Codice QR", + "passportStep1": "Accedi al tuo dispositivo Passport", + "sellAdvancedOptions": "Opzioni avanzate", + "electrumPrivacyNoticeSave": "Salva", + "bip329LabelsImportSuccessSingular": "1 etichetta importata", + "bip329LabelsImportSuccessPlural": "{count} etichette importate", + "@bip329LabelsImportSuccessPlural": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "withdrawOwnershipOtherAccount": "Questo è il conto di qualcun altro", + "receiveInvoice": "Fattura di fulmine", + "receiveGenerateAddress": "Generare nuovo indirizzo", + "kruxStep3": "Fare clic su PSBT", + "hwColdcardQ": "Freccia Q", + "fundExchangeCrIbanCrcTransferCodeWarning": "È necessario aggiungere il codice di trasferimento come \"message\" o \"reason\" o \"descrizione\" quando si effettua il pagamento. Se si dimentica di includere questo codice, il pagamento può essere respinto.", + "paySinpeBeneficiario": "Beneficiario", + "exchangeDcaAddressDisplay": "{addressLabel}:", + "@exchangeDcaAddressDisplay": { + "placeholders": { + "addressLabel": { + "type": "String", + "description": "The address label (e.g., 'Bitcoin address')" + }, + "address": { + "type": "String", + "description": "The actual address" + } + } + }, + "autoswapAlwaysBlockEnabledInfo": "Quando abilitato, i trasferimenti automatici con tasse superiori al limite impostato saranno sempre bloccati", + "electrumServerAlreadyExists": "Questo server esiste già", + "sellPaymentMethod": "Metodo di pagamento", + "transactionNoteHint": "Nota", + "transactionLabelPreimage": "Preimaging", + "coreSwapsChainCanCoop": "Il trasferimento completerà momentaneamente.", + "importColdcardInstructionsStep2": "Inserire una passphrase se applicabile", + "satsSuffix": " sats", + "recoverbullErrorPasswordNotSet": "La password non è impostata", + "sellSendPaymentExchangeRate": "Tasso di cambio", + "systemLabelAutoSwap": "Auto Swap", + "fundExchangeSinpeTitle": "Trasferimento SINPE", + "payExpiresIn": "Scade in {time}", + "@payExpiresIn": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "transactionDetailLabelConfirmationTime": "Tempo di conferma", + "fundExchangeCanadaPostStep5": "5. Pagamento con contanti o carta di debito", + "importQrDeviceKruxName": "Krux", + "addressViewNoAddressesFound": "Nessun indirizzo trovato", + "backupWalletErrorSaveBackup": "Non riuscito a salvare il backup", + "exchangeReferralsTitle": "Codici di riferimento", + "onboardingRecoverYourWallet": "Recuperare il portafoglio", + "bitboxScreenTroubleshootingStep2": "Assicurarsi che il telefono ha le autorizzazioni USB abilitate.", + "replaceByFeeErrorNoFeeRateSelected": "Si prega di selezionare una tariffa di tassa", + "transactionSwapDescChainPending": "Il tuo trasferimento è stato creato ma non è ancora iniziato.", + "coreScreensTransferFeeLabel": "Tassa di trasferimento", + "onboardingEncryptedVaultDescription": "Recuperare il backup tramite cloud utilizzando il PIN.", + "transactionOrderLabelPayoutStatus": "Stato di pagamento", + "transactionSwapStatusSwapStatus": "Stato di swap", + "arkAboutDurationSeconds": "{seconds} secondi", + "@arkAboutDurationSeconds": { + "placeholders": { + "seconds": { + "type": "int" + } + } + }, + "receiveInvoiceCopied": "Fattura copiata a clipboard", + "kruxStep7": " - Aumentare la luminosità dello schermo sul dispositivo", + "autoswapUpdateSettingsError": "Non è possibile aggiornare le impostazioni di swap automatico", + "transactionStatusTransferFailed": "Trasferimento non corretto", + "jadeStep11": "La Jade ti mostrerà il suo codice QR.", + "buyConfirmExternalWallet": "Portafoglio Bitcoin esterno", + "bitboxActionPairDeviceProcessing": "Dispositivo di accoppiamento", + "exchangeCurrencyDropdownTitle": "Seleziona la valuta", + "receiveServerNetworkFees": "Tasse di rete del server", + "importQrDeviceImporting": "Importare portafoglio...", + "rbfFastest": "Più veloce", + "buyConfirmExpressWithdrawal": "Confermare il ritiro espresso", + "arkReceiveBoardingAddress": "BTC Indirizzo d'imbarco", + "sellSendPaymentTitle": "Conferma del pagamento", + "recoverbullReenterConfirm": "Si prega di reinserire il {inputType} per confermare.", + "@recoverbullReenterConfirm": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "importWatchOnlyCopiedToClipboard": "Copied a clipboard", + "dcaLightningAddressInvalidError": "Si prega di inserire un indirizzo fulmine valido", + "ledgerButtonNeedHelp": "Ti serve aiuto?", + "backupInstruction4": "Non fare copie digitali del backup. Scrivilo su un pezzo di carta o inciso in metallo.", + "hwKrux": "Krux", + "transactionFilterTransfer": "Trasferimento", + "recoverbullSelectVaultImportSuccess": "La tua cassaforte e' stata importata con successo", + "mempoolServerNotUsed": "Non utilizzato (server personalizzato attivo)", + "recoverbullSelectErrorPrefix": "Errore:", + "bitboxErrorDeviceMismatch": "Rilevato errore del dispositivo.", + "arkReceiveBtcAddress": "BT2 indirizzo", + "exchangeLandingRecommendedExchange": "Scambio Bitcoin consigliato", + "backupWalletHowToDecideVaultMoreInfo": "Visitare Recoverbull.com per ulteriori informazioni.", + "recoverbullGoBackEdit": "Torna indietro e modifica", + "importWatchOnlyWalletGuides": "Guide del portafoglio", + "receiveConfirming": "Conferma... ({count}/{required})", + "@receiveConfirming": { + "placeholders": { + "count": { + "type": "int" + }, + "required": { + "type": "int" + } + } + }, + "fundExchangeInfoPaymentDescription": "Nella descrizione di pagamento, aggiungere il codice di trasferimento.", + "payInstantPayments": "Pagamenti istantiani", + "importWatchOnlyImportButton": "Importare Orologio-Only Wallet", + "fundExchangeCrIbanCrcDescriptionBold": "esattamente", + "electrumTitle": "Impostazioni server Electrum", + "importQrDeviceJadeStep7": "Se necessario, selezionare \"Opzioni\" per cambiare il tipo di indirizzo", + "transactionNetworkLightning": "Illuminazione", + "paySecurityQuestionLength": "{count}/40 caratteri", + "@paySecurityQuestionLength": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "sendBroadcastingTransaction": "Trasmissione della transazione.", + "pinCodeMinLengthError": "PIN deve essere almeno {minLength} cifre lunghe", + "@pinCodeMinLengthError": { + "placeholders": { + "minLength": { + "type": "String" + } + } + }, + "swapReceiveExactAmountLabel": "Ricevi la quantità esatta", + "arkContinueButton": "Continua", + "ledgerImportButton": "Inizio Importazione", + "dcaActivate": "Attivare l'acquisto ricorrente", + "labelInputLabel": "Etichetta", + "bitboxActionPairDeviceButton": "Iniziare a coppie", + "importQrDeviceSpecterName": "Spettacolo", + "transactionDetailLabelSwapFees": "Tasse di cambio", + "broadcastSignedTxFee": "Fee", + "recoverbullRecoveryBalanceLabel": "Equilibrio: {amount}", + "@recoverbullRecoveryBalanceLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "buyFundYourAccount": "Finanziamento del tuo conto", + "sellReplaceByFeeActivated": "Attivato il sostituto", + "globalDefaultBitcoinWalletLabel": "Sicuro Bitcoin", + "arkAboutServerUrl": "URL del server", + "fundExchangeLabelRecipientAddress": "Indirizzo utile", + "save": "Salva", + "dcaWalletLiquidSubtitle": "Richiede portafoglio compatibile", + "fundExchangeCrIbanCrcTitle": "Trasferimento bancario (CRC)", + "appUnlockButton": "Sblocca", + "payServiceFee": "Costo del servizio", + "transactionStatusSwapExpired": "Scambio scaduto", + "swapAmountPlaceholder": "0", + "fundExchangeMethodInstantSepaSubtitle": "Più veloce - Solo per operazioni inferiori a €20.000", + "dcaConfirmError": "Qualcosa non andava: {error}", + "@dcaConfirmError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaNetworkLiquid": "Rete liquida", + "fundExchangeSepaDescription": "Invia un trasferimento SEPA dal tuo conto bancario utilizzando i dettagli qui sotto ", + "sendAddress": "Indirizzo: ", + "receiveBitcoinNetwork": "Bitcoin", + "fundExchangeCrIbanCrcPaymentDescriptionHelp": "Il tuo codice di trasferimento.", + "testBackupWriteDownPhrase": "Scrivi la tua frase di recupero\nnell'ordine corretto", + "jadeStep8": " - Prova a spostare il dispositivo più vicino o più lontano", + "payNotLoggedIn": "Non è stato registrato", + "importQrDeviceSpecterStep7": "Disattivare \"Usa SLIP-132\"", + "customLocationTitle": "Location personalizzata", + "importQrDeviceJadeStep5": "Selezionare \"Wallet\" dall'elenco delle opzioni", + "arkSettled": "Settled", + "transactionFilterBuy": "Comprare", + "approximateFiatPrefix": "~", + "sendEstimatedDeliveryHoursToDays": "ore a giorni", + "coreWalletTransactionStatusPending": "Finanziamenti", + "ledgerActionFailedMessage": "{action}", + "@ledgerActionFailedMessage": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "testBackupErrorLoadWallets": "Non caricare i portafogli: {error}", + "@testBackupErrorLoadWallets": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "fundExchangeLabelBankAccountCountry": "Paese", + "walletAddressTypeNestedSegwit": "Segwit annidato", + "dcaConfirmDeactivate": "Sì, disattivare", + "exchangeLandingFeature2": "DCA, ordini di limite e acquisto automatico", + "payPaymentPending": "Pagamento in sospeso", + "payConfirmHighFee": "La tassa per questo pagamento è {percentage}% dell'importo. Continua?", + "@payConfirmHighFee": { + "placeholders": { + "percentage": { + "type": "String" + } + } + }, + "payPayoutAmount": "Importo di pagamento", + "autoswapMaxBalanceInfo": "Quando l'equilibrio del portafoglio supera il doppio di questa quantità, il trasferimento automatico si attiva per ridurre l'equilibrio a questo livello", + "payPhone": "Telefono", + "recoverbullTorNetwork": "Rete", + "transactionDetailLabelTransferStatus": "Stato di trasferimento", + "importColdcardInstructionsTitle": "Istruzioni Coldcard Q", + "sendVerifyOnDevice": "Verifica sul dispositivo", + "sendAmountRequested": "Importo richiesto: ", + "exchangeTransactionsTitle": "Transazioni", + "payRoutingFailed": "La routine fallita", + "payCard": "Carta carta", + "sendFreezeCoin": "Congelare Moneta", + "fundExchangeLabelTransitNumber": "Numero di trasmissione", + "buyConfirmYouReceive": "Ricevete", + "buyDocumentUpload": "Documenti di caricamento", + "walletAddressTypeConfidentialSegwit": "Segwit riservati", + "transactionDetailRetryTransfer": "Trasferimento di ripiani {action}", + "@transactionDetailRetryTransfer": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "sendTransferFeeDescription": "Questa è la quota totale detratta dall'importo inviato", + "bitcoinSettingsWalletsTitle": "Portafogli", + "arkReceiveSegmentBoarding": "Imbarco", + "seedsignerStep12": "Il portafoglio Bull Bitcoin ti chiederà di scansionare il codice QR sul SeedSigner. Scansione.", + "psbtFlowKeystoneTitle": "Istruzioni Keystone", + "transactionLabelTransferStatus": "Stato di trasferimento", + "arkSessionDuration": "Durata della sessione", + "buyAboveMaxAmountError": "Stai cercando di acquistare sopra la quantità massima.", + "electrumTimeoutWarning": "Il vostro timeout ({timeoutValue} secondi) è inferiore al valore raccomandato ({recommended} secondi) per questo Stop Gap.", + "@electrumTimeoutWarning": { + "placeholders": { + "timeoutValue": { + "type": "String" + }, + "recommended": { + "type": "String" + } + } + }, + "sendShowPsbt": "Mostra PSBT", + "ledgerErrorUnknownOccurred": "Errore sconosciuto si è verificato", + "receiveAddress": "Ricevi l'indirizzo", + "broadcastSignedTxAmount": "Importo", + "hwJade": "Blockstream Jade", + "keystoneStep14": "Ora è pronto a trasmettere! Non appena si fa clic sulla trasmissione, la transazione verrà pubblicata sulla rete Bitcoin e i fondi saranno inviati.", + "recoverbullErrorConnectionFailed": "Non è riuscito a connettersi al server chiave di destinazione. Riprova più tardi!", + "testBackupDigitalCopy": "Copia digitale", + "fundExchangeLabelMemo": "Memo", + "paySearchPayments": "Pagamenti di ricerca...", + "payPendingPayments": "Finanziamenti", + "passwordMinLengthError": "{pinOrPassword} deve essere lungo almeno 6 cifre", + "@passwordMinLengthError": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "coreSwapsLnSendExpired": "Scambio scaduto", + "sellSendPaymentUsdBalance": "USD Bilancio", + "backupWalletEncryptedVaultTag": "Facile e semplice (1 minuto)", + "payBroadcastFailed": "Trasmissione fallito", + "arkSettleTransactions": "Settle Transactions", + "transactionLabelConfirmationTime": "Tempo di conferma", + "languageSettingsScreenTitle": "Lingua", + "payNetworkFees": "Tasse di rete", + "bitboxScreenSegwitBip84": "Segwit (BIP84)", + "bitboxScreenConnectingSubtext": "Stabilire un collegamento sicuro...", + "receiveShareAddress": "Condividi Indirizzo", + "arkTxPending": "Finanziamenti", + "payAboveMaxAmountError": "Stai cercando di pagare sopra l'importo massimo che può essere pagato con questo portafoglio.", + "sharedWithBullBitcoin": "condiviso con Bull Bitcoin.", + "jadeStep7": " - Tenere costante il codice QR e centralizzato", + "sendCouldNotBuildTransaction": "Non potrebbe costruire la Transazione", + "allSeedViewIUnderstandButton": "Capisco", + "coreScreensExternalTransfer": "Trasferimento esterno", + "fundExchangeSinpeWarningNoBitcoin": "Non mettere", + "ledgerHelpStep3": "Assicurati che il tuo Ledger abbia attivato Bluetooth.", + "coreSwapsChainFailedRefunding": "Il trasferimento sarà rimborsato a breve.", + "sendSelectAmount": "Selezionare la quantità", + "sellKYCRejected": "Verifica KYC respinta", + "electrumNetworkLiquid": "Liquidazione", + "buyBelowMinAmountError": "Stai cercando di acquistare sotto la quantità minima.", + "exchangeLandingFeature6": "Storia delle transazioni unificata", + "transactionStatusPaymentRefunded": "Pagamento Rimborso", + "pinCodeSecurityPinTitle": "PIN di sicurezza", + "bitboxActionImportWalletSuccessSubtext": "Il portafoglio BitBox è stato importato con successo.", + "electrumEmptyFieldError": "Questo campo non può essere vuoto", + "transactionStatusPaymentInProgress": "Pagamento in corso", + "connectHardwareWalletKrux": "Krux", + "receiveSelectNetwork": "Selezionare la rete", + "sellLoadingGeneric": "Caricamento...", + "ledgerWalletTypeSegwit": "Segwit (BIP84)", + "bip85Mnemonic": "Mnemonic", + "importQrDeviceSeedsignerName": "SeedSigner", + "payFeeTooHigh": "Le tasse sono insolitamente alte", + "fundExchangeBankTransferWireTitle": "Bonifico bancario (wire)", + "psbtFlowPartProgress": "Parte {current} di {total}", + "@psbtFlowPartProgress": { + "placeholders": { + "current": { + "type": "String" + }, + "total": { + "type": "String" + } + } + }, + "receiveShareInvoice": "Fatturato", + "buyCantBuyMoreThan": "Non puoi comprare più di", + "dcaUnableToGetConfig": "Non è possibile ottenere la configurazione DCA", + "exchangeAuthLoginFailed": "Login Non riuscita", + "arkAvailable": "Disponibile", + "transactionSwapDescChainFailed": "C'era un problema con il tuo trasferimento. Si prega di contattare il supporto se i fondi non sono stati restituiti entro 24 ore.", + "testBackupWarningMessage": "Senza un backup, alla fine perderai l'accesso ai tuoi soldi. È fondamentale fare un backup.", + "arkNetwork": "Rete di rete", + "importWatchOnlyYpub": "ypub", + "ledgerVerifyTitle": "Verifica l'indirizzo su Ledger", + "recoverbullSwitchToPassword": "Scegli invece una password", + "exchangeDcaNetworkBitcoin": "Rete Bitcoin", + "autoswapWarningTitle": "Autoswap è abilitata con le seguenti impostazioni:", + "seedsignerStep1": "Accendere il dispositivo SeedSigner", + "backupWalletHowToDecideBackupLosePhysical": "Uno dei modi più comuni che le persone perdono il loro Bitcoin è perché perdono il backup fisico. Chiunque trovi il tuo backup fisico sarà in grado di prendere tutto il tuo Bitcoin. Se siete molto sicuri che si può nascondere bene e non perdere mai, è una buona opzione.", + "transactionLabelStatus": "Stato", + "transactionSwapDescLnSendDefault": "Il tuo scambio e' in corso. Questo processo è automatizzato e può richiedere un po 'di tempo per completare.", + "recoverbullErrorMissingBytes": "Mancano i byte della risposta Tor. Riprovare ma se il problema persiste, è un problema noto per alcuni dispositivi con Tor.", + "coreScreensReceiveNetworkFeeLabel": "Ricevi le quote di rete", + "transactionPayjoinStatusCompleted": "Completato", + "payEstimatedFee": "Tasse stimate", + "sendSendAmount": "Inviare Importo", + "sendSelectedUtxosInsufficient": "Utxos selezionato non copre l'importo richiesto", + "swapErrorBalanceTooLow": "Bilancia troppo bassa per importo minimo di swap", + "replaceByFeeErrorGeneric": "Si è verificato un errore durante il tentativo di sostituire la transazione", + "fundExchangeWarningTactic5": "Essi chiedono di inviare Bitcoin su un'altra piattaforma", + "rbfCustomFee": "Costo personalizzato", + "importQrDeviceFingerprint": "Impronte pubblicitarie", + "physicalBackupRecommendationText": "Sei fiducioso nelle tue capacità di sicurezza operative per nascondere e preservare le tue parole di seme Bitcoin.", + "importWatchOnlyDescriptor": "Descrittore", + "payPaymentInProgress": "Pagamento in corso!", + "recoverbullFailed": "Fatta", + "payOrderAlreadyConfirmed": "Questo ordine di pagamento è già stato confermato.", + "ledgerProcessingSign": "Transazione di firma", + "jadeStep6": " - Aumentare la luminosità dello schermo sul dispositivo", + "fundExchangeETransferLabelEmail": "Invia l'E-transfer a questa e-mail", + "pinCodeCreateButton": "Creare PIN", + "bitcoinSettingsTestnetModeTitle": "Modalità Testnet", + "buyTitle": "Acquistare Bitcoin", + "fromLabel": "Da", + "sellCompleteKYC": "Completa KYC", + "hwConnectTitle": "Collegare il portafoglio hardware", + "payRequiresSwap": "Questo pagamento richiede uno swap", + "exchangeSecurityManage2FAPasswordLabel": "Gestione 2FA e password", + "backupWalletSuccessTitle": "Backup completato!", + "transactionSwapDescLnSendFailed": "C'era un problema con il tuo swap. I vostri fondi verranno restituiti automaticamente al vostro portafoglio.", + "sendCoinAmount": "Importo: {amount}", + "@sendCoinAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "walletDeletionFailedOkButton": "OK", + "payTotalFees": "Totale delle spese", + "fundExchangeOnlineBillPaymentHelpBillerName": "Aggiungi questa società come payee - è Bull Bitcoin processore di pagamento", + "payPayoutMethod": "Metodo di pagamento", + "ledgerVerifyButton": "Verifica l'indirizzo", + "sendErrorSwapFeesNotLoaded": "Pagamenti non caricati", + "walletDetailsCopyButton": "Copia", + "backupWalletGoogleDrivePrivacyMessage3": "lasciare il telefono ed è ", + "backupCompletedDescription": "Ora testiamo il backup per assicurarci che tutto sia stato fatto correttamente.", + "sendErrorInsufficientFundsForFees": "Non abbastanza fondi per coprire l'importo e le tasse", + "buyConfirmPayoutMethod": "Metodo di pagamento", + "dcaCancelButton": "Annulla", + "durationMinutes": "{minutes} minuti", + "@durationMinutes": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "dcaConfirmNetworkLiquid": "Liquidazione", + "walletDetailsAddressTypeLabel": "Tipo di indirizzo", + "emptyMnemonicWordsError": "Inserisci tutte le parole della tua mnemonica", + "arkSettleCancel": "Annulla", + "testBackupTapWordsInOrder": "Toccare le parole di recupero in\nordine giusto", + "transactionSwapDescLnSendExpired": "Questo swap è scaduto. I vostri fondi saranno automaticamente restituiti al vostro portafoglio.", + "testBackupButton": "Test di backup", + "receiveNotePlaceholder": "Nota", + "sendChange": "Cambiamento", + "coreScreensInternalTransfer": "Trasferimento interno", + "sendSwapWillTakeTime": "Ci vorrà un po' per confermare", + "autoswapSelectWalletError": "Si prega di selezionare un portafoglio Bitcoin destinatario", + "sellServiceFee": "Costo del servizio", + "connectHardwareWalletTitle": "Collegare il portafoglio hardware", + "replaceByFeeCustomFeeTitle": "Costo personalizzato", + "kruxStep14": "Il portafoglio Bull Bitcoin ti chiederà di scansionare il codice QR sul Krux. Scansione.", + "payAvailableBalance": "Disponibile: {amount}", + "@payAvailableBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "payCheckingStatus": "Controllare lo stato di pagamento...", + "payMemo": "Memo", + "languageSettingsLabel": "Lingua", + "fundExchangeMethodCrIbanCrc": "Costa Rica IBAN (CRC)", + "walletDeletionFailedTitle": "Eliminare non riuscita", + "payPayFromWallet": "Paga dal portafoglio", + "broadcastSignedTxNfcTitle": "NFC", + "buyYouPay": "Paga", + "payOrderAlreadyConfirmedError": "Questo ordine di pagamento è già stato confermato.", + "passportStep12": "Il portafoglio Bull Bitcoin ti chiederà di scansionare il codice QR sul passaporto. Scansione.", + "paySelectRecipient": "Seleziona il destinatario", + "payNoActiveWallet": "Nessun portafoglio attivo", + "importQrDeviceKruxStep4": "Fare clic sul pulsante \"open camera\"", + "appStartupErrorMessageWithBackup": "Su v5.4.0 è stato scoperto un bug critico in una delle nostre dipendenze che influiscono sullo storage di chiave privata. La tua app è stata influenzata da questo. Dovrai eliminare questa applicazione e reinstallarla con il tuo seme di backup.", + "payPasteInvoice": "Fatturato", + "labelErrorUnexpected": "Errore inaspettato: {message}", + "@labelErrorUnexpected": { + "placeholders": { + "message": { + "type": "String" + } + } + }, + "arkStatusSettled": "Settled", + "dcaWalletBitcoinSubtitle": "Minimo 0,00", + "bitboxScreenEnterPasswordSubtext": "Inserisci la password sul dispositivo BitBox per continuare.", + "systemLabelSwaps": "Scambi", + "sendOpenTheCamera": "Aprire la fotocamera", + "passportStep11": "Fare clic su \"Ho chiuso\" nel portafoglio Bull Bitcoin.", + "sendSwapId": "ID Swap", + "electrumServerOnline": "Online", + "fundExchangeAccountTitle": "Finanziamento del tuo conto", + "exchangeAppSettingsSaveButton": "Salva", + "fundExchangeWarningTactic1": "Essi sono promettenti ritorni sugli investimenti", + "testBackupDefaultWallets": "Portafogli di default", + "receiveSendNetworkFee": "Inviare i costi di rete", + "autoswapRecipientWalletInfoText": "Scegliere quale portafoglio Bitcoin riceverà i fondi trasferiti (richiesto)", + "withdrawAboveMaxAmountError": "Stai cercando di prelevare al di sopra dell'importo massimo.", + "psbtFlowScanDeviceQr": "Il portafoglio Bull Bitcoin ti chiederà di scansionare il codice QR sul {device}. Scansione.", + "@psbtFlowScanDeviceQr": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "exchangeAuthLoginFailedMessage": "Si è verificato un errore, si prega di provare a accedere di nuovo.", + "okButton": "OK", + "passportStep13": "La transazione verrà importata nel portafoglio Bull Bitcoin.", + "importQrDeviceKeystoneStep3": "Fare clic sui tre punti in alto a destra", + "exchangeAmountInputValidationInvalid": "Importo non valido", + "exchangeAccountInfoLoadErrorMessage": "Non è possibile caricare le informazioni dell'account", + "dcaWalletSelectionContinueButton": "Continua", + "pinButtonChange": "Cambia PIN", + "sendErrorInsufficientFundsForPayment": "Non abbastanza fondi disponibili per fare questo pagamento.", + "arkAboutShow": "Mostra", + "fundExchangeETransferTitle": "Dettagli E-Transfer", + "verifyButton": "Verifica", + "autoswapWarningOkButton": "OK", + "swapTitle": "Trasferimento interno", + "sendOutputTooSmall": "Produzione sotto il limite di polvere", + "copiedToClipboardMessage": "Copied a clipboard", + "torSettingsStatusConnected": "Collegato", + "receiveNote": "Nota", + "arkCopiedToClipboard": "{label} copiato a clipboard", + "@arkCopiedToClipboard": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "arkRecipientAddress": "Indirizzo utile", + "payLightningNetwork": "Rete di illuminazione", + "shareLogsLabel": "Dividere i registri", + "ledgerSuccessVerifyTitle": "Indirizzo di verifica su Ledger...", + "payCorporateNameHint": "Inserisci il nome aziendale", + "sellExternalWallet": "Portafoglio esterno", + "backupSettingsFailedToDeriveKey": "Non è riuscito a derivare la chiave di backup", + "googleDriveProvider": "Google Drive", + "sellAccountName": "Nome del conto", + "statusCheckUnknown": "Sconosciuto", + "howToDecideVaultLocationText2": "Una posizione personalizzata può essere molto più sicuro, a seconda della posizione che si sceglie. È inoltre necessario assicurarsi di non perdere il file di backup o di perdere il dispositivo su cui il file di backup è memorizzato.", + "logSettingsLogsTitle": "Logs", + "fundExchangeOnlineBillPaymentHelpAccountNumber": "Questo numero di account unico è creato solo per voi", + "psbtFlowReadyToBroadcast": "Ora è pronto a trasmettere! Non appena si fa clic sulla trasmissione, la transazione verrà pubblicata sulla rete Bitcoin e i fondi saranno inviati.", + "sendErrorLiquidWalletRequired": "Il portafoglio liquido deve essere utilizzato per uno swap liquido a fulmine", + "arkDurationMinutes": "{minutes} minuti", + "@arkDurationMinutes": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "dcaSetupInsufficientBalance": "Bilancia insufficiente", + "swapTransferRefundedMessage": "Il trasferimento è stato rimborsato con successo.", + "payInvalidState": "Stato non valido", + "receiveWaitForPayjoin": "Attendere che il mittente finisca la transazione payjoin", + "seedsignerStep5": " - Aumentare la luminosità dello schermo sul dispositivo", + "transactionSwapDescLnReceiveExpired": "Questo swap è scaduto. Eventuali fondi inviati verranno restituiti automaticamente al mittente.", + "sellKYCApproved": "KYC approvato", + "arkTransaction": "transazione", + "dcaFrequencyMonthly": "mese", + "buyKYCLevel": "KYC Livello", + "passportInstructionsTitle": "Istruzioni per il passaporto della Fondazione", + "ledgerSuccessImportTitle": "Portafoglio importato con successo", + "physicalBackupTitle": "Backup fisico", + "exchangeReferralsMissionLink": "bullbitcoin.com/missione", + "swapTransferPendingMessage": "Il trasferimento è in corso. Le transazioni Bitcoin possono richiedere un po' di tempo per confermare. Puoi tornare a casa e aspettare.", + "transactionSwapLiquidToBitcoin": "L-BTC → BTC", + "testBackupDecryptVault": "Decrypt vault", + "transactionDetailBumpFees": "Pagamenti", + "psbtFlowNoPartsToDisplay": "Nessuna parte da visualizzare", + "addressCardCopiedMessage": "Indirizzo copiato a clipboard", + "totalFeeLabel": "Costo totale", + "mempoolCustomServerBottomSheetDescription": "Inserisci l'URL del server mempool personalizzato. Il server verrà convalidato prima di salvare.", + "sellBelowMinAmountError": "Stai cercando di vendere sotto l'importo minimo che può essere venduto con questo portafoglio.", + "buyAwaitingConfirmation": "Conferma attesa ", + "payExpired": "Scadenza", + "recoverbullBalance": "Equilibrio: {balance}", + "@recoverbullBalance": { + "placeholders": { + "balance": { + "type": "String" + } + } + }, + "exchangeSecurityAccessSettingsButton": "Impostazioni di accesso", + "payPaymentSuccessful": "Pagamento con successo", + "exchangeHomeWithdraw": "Ritiro", + "importMnemonicSegwit": "Segwitt", + "importQrDeviceJadeStep6": "Selezionare \"Export Xpub\" dal menu del portafoglio", + "buyContinue": "Continua", + "recoverbullEnterToDecrypt": "Inserisci il tuo {inputType} per decifrare il caveau.", + "@recoverbullEnterToDecrypt": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "swapTransferTitle": "Trasferimento", + "testBackupSuccessTitle": "Test completato con successo!", + "recoverbullSelectTakeYourTime": "Prendi il tuo tempo", + "sendConfirmCustomFee": "Confermare la tariffa personalizzata", + "coreScreensTotalFeesLabel": "Totale spese", + "mempoolSettingsDescription": "Configurare server mempool personalizzati per diverse reti. Ogni rete può utilizzare il proprio server per l'esploratore del blocco e la stima delle commissioni.", + "transactionSwapProgressClaim": "Ricorso", + "exchangeHomeDeposit": "Deposito", + "sendFrom": "Da", + "sendTransactionBuilt": "Transazione pronta", + "bitboxErrorOperationCancelled": "L'operazione e' stata annullata. Per favore riprovate.", + "dcaOrderTypeLabel": "Tipo d'ordine", + "withdrawConfirmCard": "Carta carta", + "dcaSuccessMessageHourly": "Comprerai {amount} ogni ora", + "@dcaSuccessMessageHourly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "loginButton": "LOGIN", + "revealingVaultKeyButton": "Rivelazione...", + "arkAboutNetwork": "Rete di rete", + "payLastName": "Ultimo nome", + "transactionPayjoinStatusExpired": "Scadenza", + "fundExchangeMethodBankTransferWire": "Trasferimento bancario (Wire o EFT)", + "psbtFlowLoginToDevice": "Accedi al tuo dispositivo {device}", + "@psbtFlowLoginToDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "fundExchangeJurisdictionCostaRica": "🇨🇷 Costa Costa Rica", + "payCalculating": "Calcolo...", + "transactionDetailLabelTransferId": "ID trasferimento", + "fundExchangeContinueButton": "Continua", + "currencySettingsDefaultFiatCurrencyLabel": "Moneta di fiat predefinito", + "payRecipient": "Recipiente", + "fundExchangeCrIbanUsdRecipientNameHelp": "Usa il nostro nome ufficiale. Non usare \"Bull Bitcoin\".", + "sendUnfreezeCoin": "Unfreeze Coin", + "sellEurBalance": "EUR Bilancio", + "jadeInstructionsTitle": "Blockstream Jade PSBT Istruzioni", + "scanNfcButton": "Scansione NFC", + "testBackupChooseVaultLocation": "Scegli la posizione del caveau", + "torSettingsInfoDescription": "• Il proxy Tor si applica solo a Bitcoin (non liquido)\n• Predefinita porta Orbot è 9050\n• Assicurarsi che Orbot sia in esecuzione prima di abilitare\n• La connessione può essere più lenta attraverso Tor", + "dcaAddressBitcoin": "Indirizzo Bitcoin", + "sendErrorAmountBelowMinimum": "Importo sotto limite minimo di swap: {minLimit} sats", + "@sendErrorAmountBelowMinimum": { + "placeholders": { + "minLimit": { + "type": "String" + } + } + }, + "recoverbullGoogleDriveErrorFetchFailed": "Non riuscito a recuperare le volte da Google Drive", + "systemLabelExchangeBuy": "Comprare", + "sendRecipientAddress": "Indirizzo del destinatario", + "arkTxTypeBoarding": "Imbarco", + "exchangeAmountInputValidationInsufficient": "Bilancio insufficiente", + "psbtFlowReviewTransaction": "Una volta che la transazione viene importata nel vostro {device}, rivedere l'indirizzo di destinazione e l'importo.", + "@psbtFlowReviewTransaction": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "arkTransactions": "transazioni", + "broadcastSignedTxCameraButton": "Macchina fotografica", + "importQrDeviceJadeName": "Blockstream Jade", + "importWalletImportMnemonic": "Importazione di Mnemonic", + "bip85NextMnemonic": "Il prossimo Mnemonic", + "bitboxErrorNoActiveConnection": "Nessuna connessione attiva al dispositivo BitBox.", + "dcaFundAccountButton": "Finanziamento del tuo conto", + "transactionFilterAll": "Tutti", + "arkSendTitle": "Invia", + "recoverbullVaultRecovery": "Vault Recovery", + "transactionDetailLabelAmountReceived": "Importo ricevuto", + "bitboxCubitOperationTimeout": "L'operazione e' pronta. Per favore riprovate.", + "receivePaymentReceived": "Pagamento ricevuto!", + "backupWalletHowToDecideVaultCloudSecurity": "Provider di storage cloud come Google o Apple non avranno accesso al tuo Bitcoin perché la password di crittografia è troppo forte. Possono accedere solo al Bitcoin nell'improbabile evento che colludono con il server chiave (il servizio online che memorizza la password di crittografia). Se il server chiave viene mai hackerato, il Bitcoin potrebbe essere a rischio con Google o Apple cloud.", + "howToDecideBackupText1": "Uno dei modi più comuni che le persone perdono il loro Bitcoin è perché perdono il backup fisico. Chiunque trovi il tuo backup fisico sarà in grado di prendere tutto il tuo Bitcoin. Se siete molto sicuri che si può nascondere bene e non perdere mai, è una buona opzione.", + "payOrderNotFound": "L'ordine di pagamento non è stato trovato. Per favore riprovate.", + "coldcardStep13": "Il portafoglio Bull Bitcoin ti chiederà di scansionare il codice QR sulla Coldcard. Scansione.", + "psbtFlowIncreaseBrightness": "Aumenta la luminosità dello schermo sul tuo dispositivo", + "payCoinjoinCompleted": "CoinJoin completato", + "electrumAddCustomServer": "Aggiungi server personalizzato", + "psbtFlowClickSign": "Fare clic sul segno", + "rbfSatsPerVbyte": "sats/vB", + "broadcastSignedTxDoneButton": "Fatto", + "sendRecommendedFee": "Consigliato: {rate} sat/vB", + "@sendRecommendedFee": { + "placeholders": { + "rate": { + "type": "String" + } + } + }, + "mempoolCustomServerUrl": "URL del server", + "buyOrderAlreadyConfirmedError": "Questo ordine di acquisto è già stato confermato.", + "fundExchangeArsBankTransferTitle": "Trasferimento bancario", + "transactionLabelReceiveAmount": "Ricevi l'importo", + "sendServerNetworkFees": "Tasse di rete del server", + "importWatchOnlyImport": "Importazioni", + "backupWalletBackupButton": "Backup", + "mempoolSettingsTitle": "Server Mempool", + "recoverbullErrorVaultCreationFailed": "La creazione del vaso non è riuscita, può essere il file o la chiave", + "sellSendPaymentFeePriority": "Priorità", + "bitboxActionSignTransactionProcessing": "Transazione di firma", + "sellWalletBalance": "Equilibrio: {amount}", + "@sellWalletBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "recoverbullGoogleDriveNoBackupsFound": "Nessun backup trovato", + "sellSelectNetwork": "Selezionare la rete", + "sellSendPaymentOrderNumber": "Numero d'ordine", + "arkDust": "Polvere", + "dcaConfirmPaymentMethod": "Metodo di pagamento", + "sellSendPaymentAdvanced": "Impostazioni avanzate", + "bitcoinSettingsImportWalletTitle": "Importa Wallet", + "backupWalletErrorGoogleDriveConnection": "Non è riuscito a connettersi a Google Drive", + "payEnterInvoice": "Inserisci fattura", + "broadcastSignedTxPasteHint": "Incolla un PSBT o una transazione HEX", + "transactionLabelAmountSent": "Importo inviato", + "testBackupPassphrase": "Passphrase", + "arkSetupEnable": "Attiva Ark", + "walletDeletionErrorDefaultWallet": "Non è possibile eliminare un portafoglio predefinito.", + "confirmTransferTitle": "Confermare il trasferimento", + "payFeeBreakdown": "Ripartizione delle quote", + "coreSwapsLnSendPaid": "La fattura sarà pagata dopo la conferma del pagamento.", + "fundExchangeCrBankTransferDescription2": ". I fondi saranno aggiunti al saldo del tuo conto.", + "sellAmount": "Importo da vendere", + "transactionLabelSwapStatus": "Stato Swap", + "walletDeletionConfirmationCancelButton": "Annulla", + "ledgerErrorDeviceLocked": "Il dispositivo Ledger è bloccato. Si prega di sbloccare il dispositivo e riprovare.", + "importQrDeviceSeedsignerStep5": "Scegliere \"Single Sig\", quindi selezionare il tipo di script preferito (scegliere Segwit nativo se non sicuro).", + "recoverbullRecoveryErrorWalletMismatch": "Esiste già un portafoglio predefinito diverso. Puoi avere solo un portafoglio predefinito.", + "payNoRecipientsFound": "Nessun destinatario trovato a pagare.", + "payNoInvoiceData": "Nessun dato di fattura disponibile", + "recoverbullErrorInvalidCredentials": "Password sbagliata per questo file di backup", + "paySinpeMonto": "Importo", + "arkDurationSeconds": "{seconds} secondi", + "@arkDurationSeconds": { + "placeholders": { + "seconds": { + "type": "String" + } + } + }, + "receiveCopyOrScanAddressOnly": "Solo indirizzo di copia o di scansione", + "transactionDetailAccelerate": "Accelerare", + "importQrDevicePassportStep11": "Inserisci un'etichetta per il tuo portafoglio Passport e tocca \"Import\"", + "fundExchangeJurisdictionCanada": "🇨🇦 Canada", + "withdrawBelowMinAmountError": "Stai cercando di ritirarti sotto l'importo minimo.", + "recoverbullTransactions": "Transazioni: {count}", + "@recoverbullTransactions": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "swapYouPay": "Paga", + "encryptedVaultTitle": "Criptato", + "fundExchangeCrIbanUsdLabelIban": "Numero conto IBAN (solo dollari USA)", + "chooseAccessPinTitle": "Scegli l'accesso {pinOrPassword}", + "@chooseAccessPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importWalletSeedSigner": "SeedSigner", + "featureComingSoonTitle": "Caratteristica che arriva presto", + "swapProgressRefundInProgress": "Rimborso di trasferimento in corso", + "transactionDetailLabelPayjoinExpired": "Scadenza", + "payBillerName": "Nome Biller", + "transactionSwapProgressCompleted": "Completato", + "sendErrorBitcoinWalletRequired": "Il portafoglio Bitcoin deve essere utilizzato per un bitcoin per uno swap fulmine", + "pinCodeManageTitle": "Gestione del PIN di sicurezza", + "buyConfirmBitcoinPrice": "Bitcoin Prezzo", + "arkUnifiedAddressCopied": "Indirizzo unificato copiato", + "transactionSwapDescLnSendCompleted": "Il pagamento Lightning è stato inviato con successo! Il tuo swap è ora completo.", + "exchangeDcaCancelDialogCancelButton": "Annulla", + "sellOrderAlreadyConfirmedError": "Questo ordine di vendita è già stato confermato.", + "paySinpeEnviado": "SINPE ENVIADO!", + "withdrawConfirmPhone": "Telefono", + "payNoDetailsAvailable": "Nessun dettaglio disponibile", + "allSeedViewOldWallets": "Portafogli vecchi ({count})", + "@allSeedViewOldWallets": { + "placeholders": { + "count": { + "type": "int", + "format": "decimalPattern" + } + } + }, + "sellOrderPlaced": "Ordine di vendita effettuato con successo", + "buyInsufficientFundsError": "Fondi insufficienti nel tuo conto Bull Bitcoin per completare questo ordine di acquisto.", + "ledgerHelpStep4": "Assicurati di aver installato l'ultima versione dell'app Bitcoin da Ledger Live.", + "recoverbullPleaseWait": "Si prega di aspettare mentre creiamo una connessione sicura...", + "broadcastSignedTxBroadcast": "Trasmissione", + "lastKnownEncryptedVault": "Ultimo noto crittografato Vault: {date}", + "@lastKnownEncryptedVault": { + "placeholders": { + "date": { + "type": "String", + "example": "2025-01-20 15:30:45" + } + } + }, + "fundExchangeInfoTransferCode": "È necessario aggiungere il codice di trasferimento come \"message\" o \"reason\" quando si effettua il pagamento.", + "hwChooseDevice": "Scegliere il portafoglio hardware che si desidera collegare", + "transactionListNoTransactions": "Ancora nessuna operazione.", + "torSettingsConnectionStatus": "Stato di connessione", + "backupInstruction1": "Se si perde il backup di 12 parole, non sarà in grado di recuperare l'accesso al portafoglio Bitcoin.", + "sendErrorInvalidAddressOrInvoice": "Invalid Bitcoin Indirizzo di pagamento o fattura", + "transactionLabelAmountReceived": "Importo ricevuto", + "recoverbullRecoveryTitle": "Ripristino del caveau", + "broadcastSignedTxScanQR": "Scansiona il codice QR dal tuo portafoglio hardware", + "transactionStatusTransferInProgress": "Trasferimenti in corso", + "ledgerSuccessSignDescription": "La tua transazione è stata firmata con successo.", + "exchangeSupportChatMessageRequired": "È necessario un messaggio", + "buyEstimatedFeeValue": "Valore di quota stimato", + "payName": "Nome", + "sendSignWithBitBox": "Firma con BitBox", + "sendSwapRefundInProgress": "Rimborso Swap in progresso", + "exchangeKycLimited": "Limitazioni", + "backupWalletHowToDecideVaultCustomRecommendationText": "si è sicuri che non perderà il file del vault e sarà ancora accessibile se si perde il telefono.", + "swapErrorAmountBelowMinimum": "L'importo di swap è inferiore: {min} sats", + "@swapErrorAmountBelowMinimum": { + "placeholders": { + "min": { + "type": "String" + } + } + }, + "settingsGithubLabel": "Github", + "sellTransactionFee": "Costo di transazione", + "coldcardStep5": "Se hai problemi di scansione:", + "buyExpressWithdrawal": "Ritiro espresso", + "payPaymentConfirmed": "Pagamento confermato", + "transactionOrderLabelOrderNumber": "Numero d'ordine", + "buyEnterAmount": "Inserisci l'importo", + "sellShowQrCode": "Mostra il codice QR", + "receiveConfirmed": "Confermato", + "walletOptionsWalletDetailsTitle": "Dettagli del portafoglio", + "sellSecureBitcoinWallet": "Portafoglio sicuro Bitcoin", + "ledgerWalletTypeLegacy": "Legacy (BIP44)", + "transactionDetailTransferProgress": "Trasferimenti", + "sendNormalFee": "Normale", + "importWalletConnectHardware": "Collegare il portafoglio hardware", + "importWatchOnlyType": "Tipo", + "transactionDetailLabelPayinAmount": "Importo del pagamento", + "importWalletSectionHardware": "Portafogli hardware", + "connectHardwareWalletDescription": "Scegliere il portafoglio hardware che si desidera collegare", + "sendEstimatedDelivery10Minutes": "10 minuti", + "enterPinToContinueMessage": "Inserisci il tuo {pinOrPassword} per continuare", + "@enterPinToContinueMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "swapTransferFrom": "Transfer da", + "errorSharingLogsMessage": "Log di condivisione degli errori: {error}", + "@errorSharingLogsMessage": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payShowQrCode": "Mostra il codice QR", + "onboardingRecoverWalletButtonLabel": "Recuperare portafoglio", + "torSettingsPortValidationEmpty": "Inserisci un numero di porta", + "ledgerHelpStep1": "Riavviare il dispositivo Ledger.", + "swapAvailableBalance": "Bilancio disponibile", + "fundExchangeCrIbanCrcLabelPaymentDescription": "Descrizione del pagamento", + "walletTypeWatchSigner": "Guarda-Signer", + "settingsWalletBackupTitle": "Portafoglio di riserva", + "ledgerConnectingSubtext": "Stabilire un collegamento sicuro...", + "transactionError": "Errore - {error}", + "@transactionError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "electrumPrivacyNoticeCancel": "Annulla", + "coreSwapsLnSendPending": "Swap non è ancora inizializzato.", + "recoverbullVaultCreatedSuccess": "Vault creato con successo", + "payAmount": "Importo", + "sellMaximumAmount": "Importo massimo di vendita: {amount}", + "@sellMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sellViewDetailsButton": "Visualizza dettagli", + "receiveGenerateInvoice": "Fatturato", + "kruxStep8": " - Spostare il laser rosso su e giù sul codice QR", + "coreScreensFeeDeductionExplanation": "Questa è la quota totale detratta dall'importo inviato", + "transactionSwapProgressInitiated": "Iniziato", + "fundExchangeTitle": "Finanziamenti", + "dcaNetworkValidationError": "Seleziona una rete", + "coldcardStep12": "Fare clic su \"Ho chiuso\" nel portafoglio Bull Bitcoin.", + "autoswapAlwaysBlockDisabledInfo": "Quando disattivato, ti verrà data l'opzione per consentire un auto-trasferimento che è bloccato a causa di alti costi", + "bip85Index": "Indice: {index}", + "@bip85Index": { + "placeholders": { + "index": { + "type": "int" + } + } + }, + "broadcastSignedTxPageTitle": "Transazione firmata Broadcast", + "sendInsufficientBalance": "Bilancio insufficiente", + "paySecurityAnswer": "Risposta di sicurezza", + "walletArkInstantPayments": "Pagamenti istantanei", + "passwordLabel": "Password", + "importQrDeviceError": "Non importare il portafoglio", + "onboardingSplashDescription": "Sovrano auto custodia portafoglio Bitcoin e servizio di cambio solo Bitcoin.", + "statusCheckOffline": "Offline", + "fundExchangeCrIbanCrcDescriptionEnd": ". I fondi saranno aggiunti al saldo del tuo conto.", + "payAccount": "Account", + "testBackupGoogleDrivePrivacyPart2": "non lo farà ", + "buyCompleteKyc": "Completa KYC", + "vaultSuccessfullyImported": "La tua cassaforte e' stata importata con successo", + "payAccountNumberHint": "Inserisci il numero di account", + "buyOrderNotFoundError": "L'ordine di acquisto non è stato trovato. Per favore riprovate.", + "backupWalletGoogleDrivePrivacyMessage2": "non lo farà ", + "payAddressRequired": "Indirizzo è richiesto", + "arkTransactionDetails": "Dettagli di transazione", + "payTotalAmount": "Importo totale", + "exchangeLegacyTransactionsTitle": "Transazioni legacy", + "autoswapWarningDontShowAgain": "Non mostrare di nuovo questo avvertimento.", + "sellInsufficientBalance": "Bilancio portafoglio insufficiente", + "recoverWalletButton": "Recuperare Wallet", + "mempoolCustomServerDeleteMessage": "Sei sicuro di voler eliminare questo server mempool personalizzato? Il server predefinito verrà utilizzato invece.", + "coldcardStep6": " - Aumentare la luminosità dello schermo sul dispositivo", + "exchangeAppSettingsValidationWarning": "Si prega di impostare le preferenze di lingua e valuta prima di salvare.", + "sellCashPickup": "Ritiro dei contanti", + "coreSwapsLnReceivePaid": "Il creditore ha pagato la fattura.", + "payInProgress": "Pagamento in corso!", + "recoverbullRecoveryErrorKeyDerivationFailed": "La derivazione della chiave di backup locale è fallita.", + "swapValidationInsufficientBalance": "Bilancio insufficiente", + "transactionLabelFromWallet": "Dal portafoglio", + "recoverbullErrorRateLimited": "Tasso limitato. Si prega di riprovare in {retryIn}", + "@recoverbullErrorRateLimited": { + "placeholders": { + "retryIn": { + "type": "String" + } + } + }, + "importWatchOnlyExtendedPublicKey": "Pubblico esteso chiave", + "autoswapAlwaysBlock": "Bloccare sempre le tasse", + "walletDeletionConfirmationTitle": "Elimina Wallet", + "sendNetworkFees": "Tasse di rete", + "mempoolNetworkBitcoinMainnet": "Bitcoin Mainnet", + "paySinpeOrigen": "Origine", + "networkFeeLabel": "Costo di rete", + "recoverbullMemorizeWarning": "È necessario memorizzare questo {inputType} per recuperare l'accesso al portafoglio. Deve essere di almeno 6 cifre. Se perdi questo {inputType} non puoi recuperare il backup.", + "@recoverbullMemorizeWarning": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "kruxStep15": "La transazione verrà importata nel portafoglio Bull Bitcoin.", + "fundExchangeETransferLabelSecretQuestion": "Domanda segreta", + "importColdcardButtonPurchase": "Dispositivo di acquisto", + "jadeStep15": "Ora è pronto a trasmettere! Non appena si fa clic sulla trasmissione, la transazione verrà pubblicata sulla rete Bitcoin e i fondi saranno inviati.", + "confirmButton": "Conferma", + "transactionSwapInfoClaimableTransfer": "Il trasferimento sarà completato automaticamente entro pochi secondi. In caso contrario, è possibile provare un reclamo manuale facendo clic sul pulsante \"Retry Transfer Claim\".", + "payActualFee": "Quota effettiva", + "electrumValidateDomain": "Convalida dominio", + "importQrDeviceJadeFirmwareWarning": "Assicurarsi che il dispositivo sia aggiornato al firmware più recente", + "arkPreconfirmed": "Confermato", + "recoverbullSelectFileNotSelectedError": "File non selezionato", + "arkDurationDay": "{days} giorno", + "@arkDurationDay": { + "placeholders": { + "days": { + "type": "String" + } + } + }, + "arkSendButton": "Invia", + "buyInputContinue": "Continua", + "fundExchangeMethodSpeiTransferSubtitle": "Trasferire fondi utilizzando il CLABE", + "importQrDeviceJadeStep3": "Seguire le istruzioni del dispositivo per sbloccare il Jade", + "paySecurityQuestionLengthError": "Deve essere 10-40 caratteri", + "sendSigningFailed": "La firma fallita", + "bitboxErrorDeviceNotPaired": "Dispositivo non accoppiato. Si prega di completare il processo di accoppiamento prima.", + "transferIdLabel": "ID trasferimento", + "paySelectActiveWallet": "Seleziona un portafoglio", + "arkDurationHours": "{hours} ore", + "@arkDurationHours": { + "placeholders": { + "hours": { + "type": "String" + } + } + }, + "transcribeLabel": "Trascrizione", + "pinCodeProcessing": "Trattamento", + "transactionDetailLabelRefunded": "Rimborso", + "dcaFrequencyHourly": "ora", + "swapValidationSelectFromWallet": "Selezionare un portafoglio da trasferire", + "sendSwapInitiated": "Swap Iniziato", + "backupSettingsKeyWarningMessage": "E 'criticamente importante che non salvare la chiave di backup nello stesso luogo in cui si salva il file di backup. Conservare sempre su dispositivi separati o fornitori di cloud separati.", + "recoverbullEnterToTest": "Inserisci il tuo {inputType} per testare la tua cassaforte.", + "@recoverbullEnterToTest": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "fundExchangeCrBankTransferDescription1": "Invia un bonifico bancario dal tuo conto bancario utilizzando i dettagli qui sotto ", + "transactionNoteSaveButton": "Salva", + "fundExchangeHelpBeneficiaryName": "Usa il nostro nome ufficiale. Non usare \"Bull Bitcoin\".", + "payRecipientType": "Tipo sensibile", + "sellOrderCompleted": "Ordine completato!", + "importQrDeviceSpecterStep10": "Inserisci un'etichetta per il tuo portafoglio Specter e tocca Import", + "recoverbullSelectVaultSelected": "Vault Selezionato", + "dcaWalletTypeBitcoin": "Bitcoin (BTC)", + "payNoPayments": "Nessun pagamento", + "onboardingEncryptedVault": "Criptato", + "exchangeAccountInfoTitle": "Informazioni sull'account", + "exchangeDcaActivateTitle": "Attivare l'acquisto ricorrente", + "buyConfirmationTime": "Tempo di conferma", + "encryptedVaultRecommendation": "Criptato: ", + "payLightningInvoice": "Fattura di fulmine", + "transactionOrderLabelPayoutAmount": "Importo di pagamento", + "recoverbullSelectEnterBackupKeyManually": "Inserisci la chiave di backup manualmente > >", + "exportingVaultButton": "Esportazione...", + "payCoinjoinInProgress": "CoinJoin in corso...", + "testBackupAllWordsSelected": "Hai selezionato tutte le parole", + "ledgerProcessingImportSubtext": "Impostare il portafoglio solo orologio...", + "digitalCopyLabel": "Copia digitale", + "receiveNewAddress": "Nuovo indirizzo", + "arkAmount": "Importo", + "fundExchangeWarningTactic7": "Ti dicono di non preoccuparti di questo avvertimento", + "importQrDeviceSpecterStep1": "Potenza sul dispositivo Specter", + "transactionNoteAddTitle": "Aggiungi nota", + "paySecurityAnswerHint": "Inserisci la risposta di sicurezza", + "bitboxActionImportWalletTitle": "Importazione Portafoglio BitBox", + "backupSettingsError": "Errore", + "exchangeFeatureCustomerSupport": "• Chat con il supporto clienti", + "sellPleasePayInvoice": "Si prega di pagare questa fattura", + "fundExchangeMethodCanadaPost": "In persona in contanti o addebito al Canada Post", + "payInvoiceDecoded": "Fattura decodificata con successo", + "coreScreensAmountLabel": "Importo", + "receiveSwapId": "ID Swap", + "transactionLabelCompletedAt": "Completato a", + "pinCodeCreateTitle": "Crea nuovo pin", + "swapTransferRefundInProgressTitle": "Rimborso di trasferimento in corso", + "swapYouReceive": "Hai ricevuto", + "recoverbullSelectCustomLocationProvider": "Posizione personalizzata", + "electrumInvalidRetryError": "Invalid Retry Valore di conteggio: {value}", + "@electrumInvalidRetryError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "paySelectNetwork": "Selezionare la rete", + "informationWillNotLeave": "Queste informazioni ", + "backupWalletInstructionSecurityRisk": "Chiunque abbia accesso al backup di 12 parole può rubare i bitcoin. Nascondilo bene.", + "sellCadBalance": "CAD Bilancio", + "doNotShareWarning": "NON CONDIVIDI CON NESSUNO", + "torSettingsPortNumber": "Numero della porta", + "payNameHint": "Inserisci il nome del destinatario", + "autoswapWarningTriggerAmount": "Trigger Quantità di 0.02 BTC", + "legacySeedViewScreenTitle": "Legacy Seeds", + "recoverbullErrorCheckStatusFailed": "Non è riuscito a controllare lo stato della volta", + "pleaseWaitFetching": "Per favore, aspettate mentre prendiamo il vostro file di backup.", + "backupWalletPhysicalBackupTag": "Senza fiducia (prendi il tuo tempo)", + "electrumReset": "Ripristino", + "payInsufficientBalanceError": "Bilancio insufficiente nel portafoglio selezionato per completare questo ordine di pagamento.", + "backupCompletedTitle": "Backup completato!", + "arkDate": "Data", + "psbtFlowInstructions": "Istruzioni", + "systemLabelExchangeSell": "Vendita", + "sendHighFeeWarning": "Avvertenza a pagamento", + "electrumStopGapNegativeError": "Stop Gap non può essere negativo", + "walletButtonSend": "Invia", + "importColdcardInstructionsStep9": "Inserisci un 'Label' per il tuo portafoglio Coldcard Q e tocca \"Import\"", + "bitboxScreenTroubleshootingStep1": "Assicurati di avere l'ultimo firmware installato sul BitBox.", + "backupSettingsExportVault": "Vaso di esportazione", + "bitboxActionUnlockDeviceTitle": "Sblocca il dispositivo BitBox", + "withdrawRecipientsNewTab": "Nuovo destinatario", + "autoswapRecipientRequired": "#", + "exchangeLandingFeature4": "Trasferimenti bancari e bollette di pagamento", + "sellSendPaymentPayFromWallet": "Paga dal portafoglio", + "settingsServicesStatusTitle": "Stato", + "sellPriceWillRefreshIn": "Il prezzo si rinfresca in ", + "labelDeleteFailed": "Incapace di eliminare \"{label}\". Per favore riprovate.", + "@labelDeleteFailed": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "kruxStep16": "Ora è pronto a trasmettere! Non appena si fa clic sulla trasmissione, la transazione verrà pubblicata sulla rete Bitcoin e i fondi saranno inviati.", + "recoverbullRecoveryErrorVaultCorrupted": "Il file di backup selezionato è danneggiato.", + "buyVerifyIdentity": "Verificare l'identità", + "exchangeDcaCancelDialogConfirmButton": "Sì, disattivare", + "electrumServerUrlHint": "{network} {environment} URL server", + "@electrumServerUrlHint": { + "placeholders": { + "network": { + "type": "String" + }, + "environment": { + "type": "String" + } + } + }, + "payEmailHint": "Inserisci l'indirizzo email", + "backupWalletGoogleDrivePermissionWarning": "Google ti chiederà di condividere le informazioni personali con questa app.", + "bitboxScreenVerifyAddressSubtext": "Confronta questo indirizzo con lo schermo BitBox02", + "importQrDeviceSeedsignerStep9": "Inserisci un'etichetta per il tuo portafoglio SeedSigner e tocca Import", + "testCompletedSuccessMessage": "Sei in grado di recuperare l'accesso a un portafoglio Bitcoin perso", + "importWatchOnlyScanQR": "Scansione del QR", + "walletBalanceUnconfirmedIncoming": "In corso", + "selectAmountTitle": "Selezionare la quantità", + "buyYouBought": "Hai comprato {amount}", + "@buyYouBought": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "routeErrorMessage": "Pagina non trovata", + "connectHardwareWalletPassport": "Passaporto della Fondazione", + "autoswapTriggerBalanceError": "L'equilibrio del trigger deve essere almeno 2x il saldo di base", + "receiveEnterHere": "Entra qui...", + "receiveNetworkFee": "Costo di rete", + "payLiquidFee": "Costo liquido", + "fundExchangeSepaTitle": "Trasferimento SEPA", + "autoswapLoadSettingsError": "Non caricare le impostazioni di swap automatico", + "durationSeconds": "{seconds} secondi", + "@durationSeconds": { + "placeholders": { + "seconds": { + "type": "String" + } + } + }, + "broadcastSignedTxReviewTransaction": "Revisione delle transazioni", + "walletArkExperimental": "Sperimentale", + "importQrDeviceKeystoneStep5": "Scegli l'opzione portafoglio BULL", + "electrumLoadFailedError": "Non caricare server{reason}", + "@electrumLoadFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "ledgerVerifyAddressLabel": "Indirizzo per verificare:", + "buyAccelerateTransaction": "Accelerare la Transazione", + "backupSettingsTested": "Testato", + "receiveLiquidConfirmationMessage": "Sarà confermato in pochi secondi", + "jadeStep1": "Accedi al tuo dispositivo Jade", + "recoverbullSelectDriveBackups": "Backup di unità", + "exchangeAuthOk": "OK", + "settingsSecurityPinTitle": "Perno di sicurezza", + "testBackupErrorFailedToFetch": "Non riuscito a recuperare il backup: {error}", + "@testBackupErrorFailedToFetch": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "arkDurationMinute": "{minutes} minuto", + "@arkDurationMinute": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "psbtFlowTroubleScanningTitle": "Se hai problemi di scansione:", + "arkReceiveUnifiedCopied": "Indirizzo unificato copiato", + "importQrDeviceJadeStep9": "Scansiona il codice QR che vedi sul tuo dispositivo.", + "transactionDetailLabelPayjoinCompleted": "Completato", + "sellArsBalance": "ARS Balance", + "fundExchangeCanadaPostStep1": "1. Vai a qualsiasi Canada Post posizione", + "exchangeKycLight": "Luce", + "seedsignerInstructionsTitle": "Istruzioni SeedSigner", + "exchangeAmountInputValidationEmpty": "Inserisci un importo", + "bitboxActionPairDeviceProcessingSubtext": "Si prega di verificare il codice di accoppiamento sul dispositivo BitBox...", + "recoverbullKeyServer": "Server chiave ", + "recoverbullPasswordTooCommon": "Questa password è troppo comune. Si prega di scegliere uno diverso", + "backupInstruction3": "Chiunque abbia accesso al backup di 12 parole può rubare i bitcoin. Nascondilo bene.", + "arkRedeemButton": "Redeem", + "fundExchangeLabelBeneficiaryAddress": "Indirizzo beneficiario", + "testBackupVerify": "Verifica", + "transactionDetailLabelCreatedAt": "Creato a", + "fundExchangeJurisdictionArgentina": "🇦🇷 Argentina", + "walletNetworkBitcoin": "Rete Bitcoin", + "electrumAdvancedOptions": "Opzioni avanzate", + "autoswapWarningCardSubtitle": "Un swap verrà attivato se il saldo dei pagamenti istantanei supera 0,02 BTC.", + "transactionStatusConfirmed": "Confermato", + "dcaFrequencyDaily": "giorno", + "transactionLabelSendAmount": "Inviare Importo", + "testedStatus": "Testato", + "fundExchangeWarningTactic6": "Vogliono che tu condividi lo schermo", + "buyYouReceive": "Ricevete", + "payFilterPayments": "Filtra pagamenti", + "electrumCancel": "Annulla", + "exchangeFileUploadButton": "Caricamento", + "payCopied": "Ricevuto!", + "transactionLabelReceiveNetworkFee": "Ricevi le quote di rete", + "bitboxScreenTroubleshootingTitle": "Risoluzione problemi BitBox02", + "broadcastSignedTxPushTxButton": "PushTx", + "fundExchangeCrIbanUsdDescriptionBold": "esattamente", + "fundExchangeSelectCountry": "Selezionare il paese e il metodo di pagamento", + "fundExchangeCostaRicaMethodSinpeSubtitle": "Colonne di trasferimento utilizzando SINPE", + "kruxStep2": "Fare clic sul segno", + "fundExchangeArsBankTransferDescription": "Invia un bonifico bancario dal tuo conto bancario utilizzando i dettagli bancari esatti in Argentina qui sotto.", + "importWatchOnlyFingerprint": "Impronte pubblicitarie", + "exchangeBitcoinWalletsEnterAddressHint": "Inserisci l'indirizzo", + "dcaViewSettings": "Visualizza le impostazioni", + "withdrawAmountContinue": "Continua", + "allSeedViewSecurityWarningMessage": "Visualizzare frasi di seme è un rischio di sicurezza. Chiunque veda la tua frase di seme può accedere ai tuoi fondi. Assicurarsi di essere in una posizione privata e che nessuno può vedere lo schermo.", + "walletNetworkBitcoinTestnet": "Testnet di Bitcoin", + "recoverbullSeeMoreVaults": "Vedi altre volte", + "sellPayFromWallet": "Paga dal portafoglio", + "pinProtectionDescription": "Il PIN protegge l'accesso al portafoglio e alle impostazioni. Tienilo memorabile.", + "kruxStep5": "Scansione del codice QR mostrato nel portafoglio Bull", + "backupSettingsLabelsButton": "Etichette", + "payMediumPriority": "Media", + "payWhichWalletQuestion": "Da quale portafogli vuoi pagare?", + "dcaHideSettings": "Nascondi le impostazioni", + "exchangeDcaCancelDialogMessage": "Il vostro piano di acquisto Bitcoin ricorrente si fermerà, e gli acquisti programmati termineranno. Per ricominciare, dovrai organizzare un nuovo piano.", + "transactionSwapDescChainExpired": "Questo trasferimento è scaduto. I vostri fondi saranno automaticamente restituiti al vostro portafoglio.", + "payValidating": "Convalida...", + "sendDone": "Fatto", + "exchangeBitcoinWalletsTitle": "Portafogli Bitcoin predefiniti", + "importColdcardInstructionsStep1": "Accedi al dispositivo Coldcard Q", + "transactionLabelSwapStatusRefunded": "Rimborso", + "receiveLightningInvoice": "Fattura di fulmine", + "pinCodeContinue": "Continua", + "payInvoiceTitle": "Fatturato", + "swapProgressGoHome": "Vai a casa", + "replaceByFeeSatsVbUnit": "sats/vB", + "fundExchangeCrIbanUsdDescription": "Invia un bonifico bancario dal tuo conto bancario utilizzando i dettagli qui sotto ", + "coreScreensSendAmountLabel": "Inviare Importo", + "backupSettingsRecoverBullSettings": "Recoverbull", + "fundExchangeLabelBankAddress": "Indirizzo della nostra banca", + "exchangeDcaAddressLabelLiquid": "Indirizzo liquido", + "backupWalletGoogleDrivePrivacyMessage5": "condiviso con Bull Bitcoin.", + "settingsDevModeUnderstandButton": "Capisco", + "recoverbullSelectQuickAndEasy": "Veloce e facile", + "exchangeFileUploadTitle": "Caricamento file sicuro", + "backupWalletHowToDecideBackupPhysicalRecommendationText": "Sei fiducioso nelle tue capacità di sicurezza operative per nascondere e preservare le tue parole di seme Bitcoin.", + "bitboxCubitHandshakeFailed": "Non sono riuscito a stabilire una connessione sicura. Per favore riprovate.", + "sendErrorAmountAboveSwapLimits": "L'importo è superiore ai limiti di swap", + "backupWalletHowToDecideBackupEncryptedVault": "Il caveau criptato ti impedisce di ladri che cercano di rubare il tuo backup. Ti impedisce anche di perdere accidentalmente il backup in quanto verrà memorizzato nel cloud. I provider di storage cloud come Google o Apple non avranno accesso al tuo Bitcoin perché la password di crittografia è troppo forte. C'è una piccola possibilità che il server web che memorizza la chiave di crittografia del backup potrebbe essere compromesso. In questo caso, la sicurezza del backup nel tuo account cloud potrebbe essere a rischio.", + "coreSwapsChainCompletedRefunded": "Il trasferimento è stato rimborsato.", + "payClabeHint": "Inserisci il numero CLABE", + "fundExchangeLabelBankCountry": "Paese", + "seedsignerStep11": "Fare clic su \"Ho chiuso\" nel portafoglio Bull Bitcoin.", + "transactionDetailLabelPayjoinStatus": "Stato di payjoin", + "fundExchangeBankTransferSubtitle": "Invia un bonifico bancario dal tuo conto bancario", + "recoverbullErrorInvalidVaultFile": "File della cassaforte non valida.", + "sellProcessingOrder": "Ordine di elaborazione...", + "sellUpdatingRate": "Aggiornamento del tasso di cambio...", + "importQrDeviceKeystoneStep6": "Sul tuo dispositivo mobile, tocca Telecamera aperta", + "bip85Hex": "H", + "testYourWalletTitle": "Metti alla prova il portafoglio", + "storeItSafelyMessage": "Conservalo in un posto sicuro.", + "receiveLightningNetwork": "Illuminazione", + "receiveVerifyAddressError": "In grado di verificare l'indirizzo: Informazioni sul portafoglio mancante o sull'indirizzo", + "arkForfeitAddress": "Indirizzo di consegna", + "swapTransferRefundedTitle": "Transfer Rimborso", + "bitboxErrorConnectionFailed": "Non è riuscito a connettersi al dispositivo BitBox. Controlla la connessione.", + "exchangeFileUploadDocumentTitle": "Caricare qualsiasi documento", + "dcaInsufficientBalanceDescription": "Non hai abbastanza equilibrio per creare questo ordine.", + "pinButtonContinue": "Continua", + "importColdcardSuccess": "Portafoglio Coldcard importato", + "withdrawUnauthenticatedError": "Non sei autenticato. Si prega di accedere per continuare.", + "sellBitcoinAmount": "Importo di Bitcoin", + "recoverbullTestCompletedTitle": "Test completato con successo!", + "arkBtcAddress": "BT2 indirizzo", + "transactionFilterReceive": "Ricevi", + "recoverbullErrorInvalidFlow": "Flusso non valido", + "exchangeDcaFrequencyDay": "giorno", + "payBumpFee": "Bump Fee", + "arkCancelButton": "Annulla", + "bitboxActionImportWalletProcessingSubtext": "Impostare il portafoglio solo orologio...", + "psbtFlowDone": "Ho finito", + "exchangeHomeDepositButton": "Deposito", + "testBackupRecoverWallet": "Recuperare Wallet", + "fundExchangeMethodSinpeTransferSubtitle": "Colonne di trasferimento utilizzando SINPE", + "arkInstantPayments": "Pagamenti istantanei dell'arca", + "sendEstimatedDelivery": "Consegna prevista ~ ", + "fundExchangeMethodOnlineBillPayment": "Pagamento online", + "coreScreensTransferIdLabel": "ID trasferimento", + "anErrorOccurred": "Si è verificato un errore", + "howToDecideBackupText2": "Il caveau criptato ti impedisce di ladri che cercano di rubare il tuo backup. Ti impedisce anche di perdere accidentalmente il backup in quanto verrà memorizzato nel cloud. I provider di storage cloud come Google o Apple non avranno accesso al tuo Bitcoin perché la password di crittografia è troppo forte. C'è una piccola possibilità che il server web che memorizza la chiave di crittografia del backup potrebbe essere compromesso. In questo caso, la sicurezza del backup nel tuo account cloud potrebbe essere a rischio.", + "sellIBAN": "IBAN", + "allSeedViewPassphraseLabel": "Passphrase:", + "dcaBuyingMessage": "Stai acquistando {amount} ogni {frequency} via {network} finché ci sono fondi nel tuo account.", + "@dcaBuyingMessage": { + "placeholders": { + "amount": { + "type": "String" + }, + "frequency": { + "type": "String" + }, + "network": { + "type": "String" + } + } + }, + "exchangeCurrencyDropdownValidation": "Seleziona una valuta", + "withdrawConfirmTitle": "Confermare il ritiro", + "importQrDeviceSpecterStep3": "Inserisci il tuo seme/chiave (scelga quale opzione ti si addice)", + "payPayeeAccountNumber": "Numero di conto", + "importMnemonicBalanceLabel": "Equilibrio: {amount}", + "@importMnemonicBalanceLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "transactionSwapProgressInProgress": "In corso", + "fundExchangeWarningConfirmation": "Confermo che non mi viene chiesto di comprare Bitcoin da qualcun altro.", + "recoverbullSelectCustomLocationError": "Non selezionare il file dalla posizione personalizzata", + "mempoolCustomServerDeleteTitle": "Elimina server personalizzato?", + "confirmSendTitle": "Conferma Invia", + "buyKYCLevel1": "Livello 1 - Basic", + "sendErrorAmountAboveMaximum": "Importo sopra il limite massimo di swap: {maxLimit} sats", + "@sendErrorAmountAboveMaximum": { + "placeholders": { + "maxLimit": { + "type": "String" + } + } + }, + "coreSwapsLnSendCompletedSuccess": "Swap è completato con successo.", + "importColdcardScanning": "Scansione...", + "transactionLabelTransferFee": "Tassa di trasferimento", + "visitRecoverBullMessage": "Visitare Recoverbull.com per ulteriori informazioni.", + "payMyFiatRecipients": "I miei destinatari fiat", + "exchangeLandingFeature1": "Acquista Bitcoin direttamente a self-custody", + "bitboxCubitPermissionDenied": "Permesso USB negato. Si prega di concedere il permesso per accedere al dispositivo BitBox.", + "swapTransferTo": "Trasferimento", + "testBackupPinMessage": "Prova per assicurarti di ricordare il backup {pinOrPassword}", + "@testBackupPinMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "bitcoinSettingsMempoolServerTitle": "Impostazioni server Mempool", + "transactionSwapDescLnReceiveDefault": "Il tuo scambio e' in corso. Questo processo è automatizzato e può richiedere un po 'di tempo per completare.", + "selectCoinsManuallyLabel": "Seleziona le monete manualmente", + "psbtFlowSeedSignerTitle": "Istruzioni SeedSigner", + "appUnlockAttemptSingular": "tentativo fallito", + "importQrDevicePassportStep2": "Inserisci il tuo PIN", + "transactionOrderLabelPayoutMethod": "Metodo di pagamento", + "buyShouldBuyAtLeast": "Dovresti comprare almeno", + "pinCodeCreateDescription": "Il PIN protegge l'accesso al portafoglio e alle impostazioni. Tienilo memorabile.", + "payCorporate": "Corporate", + "recoverbullErrorRecoveryFailed": "Non ha recuperato il caveau", + "buyMax": "Max", + "onboardingCreateNewWallet": "Crea nuovo portafoglio", + "buyExpressWithdrawalDesc": "Ricevi Bitcoin immediatamente dopo il pagamento", + "backupIdLabel": "ID di backup:", + "sellBalanceWillBeCredited": "Il saldo del tuo conto verrà accreditato dopo che la tua transazione riceve 1 conferma in contanti.", + "payExchangeRate": "Tasso di cambio", + "startBackupButton": "Avvio di backup", + "buyInputTitle": "Acquistare Bitcoin", + "arkSendRecipientTitle": "Invia a Recipiente", + "importMnemonicImport": "Importazioni", + "recoverbullPasswordTooShort": "La password deve essere lunga almeno 6 caratteri", + "arkAddressPlaceholder": "ark1qp9wsjfpsj5v5ex022v6..", + "payNetwork": "Rete di rete", + "sendBuildFailed": "Non riuscita a costruire transazioni", + "paySwapFee": "Scambio Fee", + "exchangeAccountSettingsTitle": "Impostazioni account di Exchange", + "arkBoardingConfirmed": "Imbarco confermato", + "broadcastSignedTxTitle": "Transazione di trasmissione", + "backupWalletVaultProviderTakeYourTime": "Prendi il tuo tempo", + "arkSettleIncludeRecoverable": "Includere vtxos recuperabili", + "ledgerWalletTypeSegwitDescription": "Native SegWit - Consigliato", + "exchangeAccountInfoFirstNameLabel": "Nome", + "payPaymentFailed": "Pagamento fallito", + "sendRefundProcessed": "Il rimborso è stato effettuato.", + "exchangeKycCardSubtitle": "Per rimuovere i limiti di transazione", + "importColdcardInvalidQR": "Codice QR Invalid Coldcard", + "testBackupTranscribe": "Trascrizione", + "sendUnconfirmed": "Non confermato", + "testBackupRetrieveVaultDescription": "Prova per assicurarti di recuperare la tua criptata.", + "fundExchangeLabelCvu": "CVU", + "electrumStopGap": "Stop Gap", + "payBroadcastingTransaction": "Trasmissione...", + "bip329LabelsImportButton": "Etichette di importazione", + "fiatCurrencySettingsLabel": "Moneta Fiat", + "arkStatusConfirmed": "Confermato", + "withdrawConfirmAmount": "Importo", + "transactionSwapDoNotUninstall": "Non disinstallare l'app finché non si completa lo swap.", + "payDefaultCommentHint": "Inserisci commento predefinito", + "labelErrorSystemCannotDelete": "Le etichette di sistema non possono essere eliminate.", + "copyDialogButton": "Copia", + "bitboxActionImportWalletProcessing": "Importazione di Wallet", + "swapConfirmTransferTitle": "Confermare il trasferimento", + "payTransitNumberHint": "Inserisci il numero di transito", + "recoverbullSwitchToPIN": "Scegli un PIN", + "payQrCode": "Codice QR QR", + "exchangeAccountInfoVerificationLevelLabel": "Livello di verifica", + "walletDetailsDerivationPathLabel": "Sentiero di degrado", + "exchangeBitcoinWalletsBitcoinAddressLabel": "Indirizzo Bitcoin", + "transactionDetailLabelExchangeRate": "Tasso di cambio", + "electrumServerOffline": "Offline", + "sendTransferFee": "Tassa di trasferimento", + "fundExchangeLabelIbanCrcOnly": "Numero di conto IBAN (solo per Coloni)", + "arkServerPubkey": "Server pubkey", + "testBackupPhysicalBackupDescription": "Scrivi 12 parole su un pezzo di carta. Tienili al sicuro e assicurati di non perderli.", + "sendInitiatingSwap": "Iniziare lo scambio...", + "sellLightningNetwork": "Rete di illuminazione", + "buySelectWallet": "Selezionare il portafoglio", + "testBackupErrorIncorrectOrder": "Ordine di parola non corretto. Per favore riprovate.", + "importColdcardInstructionsStep6": "Scegliere \"Bull Bitcoin\" come opzione di esportazione", + "swapValidationSelectToWallet": "Selezionare un portafoglio da trasferire", + "receiveWaitForSenderToFinish": "Attendere che il mittente finisca la transazione payjoin", + "arkSetupTitle": "Ark Setup", + "seedsignerStep3": "Scansione del codice QR mostrato nel portafoglio Bull", + "sellErrorLoadUtxos": "Non caricare UTXOs: {error}", + "@sellErrorLoadUtxos": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "payDecodingInvoice": "Decoding fattura...", + "importColdcardInstructionsStep5": "Selezionare \"Export Wallet\"", + "electrumStopGapTooHighError": "Stop Gap sembra troppo alto. {maxStopGap}", + "@electrumStopGapTooHighError": { + "placeholders": { + "maxStopGap": { + "type": "String" + } + } + }, + "electrumTimeoutTooHighError": "Il timeout sembra troppo alto. (Max. {maxTimeout} secondi)", + "@electrumTimeoutTooHighError": { + "placeholders": { + "maxTimeout": { + "type": "String" + } + } + }, + "sellInstantPayments": "Pagamenti istantiani", + "priceChartFetchingHistory": "Recuperare la cronologia dei prezzi...", + "sellDone": "Fatto", + "payFromWallet": "Da Wallet", + "dcaConfirmRecurringBuyTitle": "Confermare il Ricorso Comprare", + "transactionSwapBitcoinToLiquid": "BTC → L-BTC", + "sellBankDetails": "Dettagli della banca", + "pinStatusCheckingDescription": "Controllo dello stato PIN", + "coreScreensConfirmButton": "Conferma", + "passportStep6": " - Spostare il laser rosso su e giù sul codice QR", + "importQrDeviceSpecterStep8": "Sul tuo dispositivo mobile, tocca Telecamera aperta", + "sellSendPaymentContinue": "Continua", + "coreSwapsStatusPending": "Finanziamenti", + "electrumDragToReorder": "(Premitura lunga per trascinare e cambiare la priorità)", + "keystoneStep4": "Se hai problemi di scansione:", + "autoswapTriggerAtBalanceInfoText": "Autoswap si attiva quando il saldo supera questa quantità.", + "exchangeLandingDisclaimerNotAvailable": "I servizi di cambio criptovaluta non sono disponibili nell'applicazione mobile Bull Bitcoin.", + "sendCustomFeeRate": "Tariffa doganale", + "ledgerHelpTitle": "Risoluzione dei problemi Ledger", + "swapErrorAmountExceedsMaximum": "Importo supera il massimo importo swap", + "transactionLabelTotalSwapFees": "Totale spese di swap", + "errorLabel": "Errore", + "receiveInsufficientInboundLiquidity": "Capacità di ricezione di fulmini insufficienti", + "withdrawRecipientsMyTab": "I miei destinatari fiat", + "sendFeeRateTooLow": "Tassi di tariffa troppo bassi", + "payLastNameHint": "Inserisci il cognome", + "exchangeLandingRestriction": "L'accesso ai servizi di scambio sarà limitato ai paesi in cui Bull Bitcoin può operare legalmente e può richiedere KYC.", + "payFailedPayments": "Fatta", + "transactionDetailLabelToWallet": "Portafoglio", + "fundExchangeLabelRecipientName": "Nome destinatario", + "arkToday": "Oggi", + "importQrDeviceJadeStep2": "Selezionare \"Modalità QR\" dal menu principale", + "rbfErrorAlreadyConfirmed": "La transazione originale è stata confermata", + "psbtFlowMoveBack": "Prova a spostare il dispositivo indietro un po'", + "exchangeReferralsContactSupportMessage": "Contatta il supporto per conoscere il nostro programma di riferimento", + "sellSendPaymentEurBalance": "EUR Bilancio", + "exchangeAccountTitle": "Account di cambio", + "swapProgressCompleted": "Trasferimento completato", + "keystoneStep2": "Fare clic su Scansione", + "sendContinue": "Continua", + "transactionDetailRetrySwap": "Retry Swap {action}", + "@transactionDetailRetrySwap": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "sendErrorSwapCreationFailed": "Non sono riuscito a creare swap.", + "arkNoBalanceData": "Nessun dato di bilancio disponibile", + "autoswapWarningCardTitle": "Autoswap è abilitato.", + "coreSwapsChainCompletedSuccess": "Il trasferimento è completato con successo.", + "physicalBackupRecommendation": "Backup fisico: ", + "autoswapMaxBalance": "Bilanciamento Max Instant Wallet", + "importQrDeviceImport": "Importazioni", + "importQrDeviceScanPrompt": "Scansiona il codice QR dal tuo {deviceName}", + "@importQrDeviceScanPrompt": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "fundExchangeCostaRicaMethodSinpeTitle": "SINPE Móvil", + "sellBitcoinOnChain": "Bitcoin on-chain", + "fundExchangeLabelCedulaJuridica": "Cédula Jurídica", + "exchangeRecipientsComingSoon": "Recipienti - In arrivo", + "ledgerWalletTypeLabel": "Tipo di portafoglio:", + "bip85ExperimentalWarning": "Sperimentale\nEseguire il backup dei percorsi di derivazione manualmente", + "addressViewBalance": "Bilancio", + "recoverbullLookingForBalance": "Alla ricerca di equilibrio e transazioni..", + "recoverbullSelectNoBackupsFound": "Nessun backup trovato", + "importMnemonicNestedSegwit": "Segwit annidato", + "sendReplaceByFeeActivated": "Attivato il sostituto", + "psbtFlowScanQrOption": "Selezionare l'opzione \"Scan QR\"", + "coreSwapsLnReceiveFailed": "Swap ha fallito.", + "fundExchangeCostaRicaMethodIbanUsdSubtitle": "Trasferimenti in dollari statunitensi (USD)", + "transactionDetailLabelPayinStatus": "Stato di pagamento", + "importQrDeviceSpecterStep9": "Scansiona il codice QR visualizzato sul tuo Specter", + "settingsRecoverbullTitle": "Recoverbull", + "buyInputKycPending": "KYC ID Verification Pending", + "importWatchOnlySelectDerivation": "Selezionare la derivazione", + "walletAddressTypeLegacy": "Legacy", + "hwPassport": "Passaporto della Fondazione", + "electrumInvalidStopGapError": "Fermata non valida Valore di guadagno: {value}", + "@electrumInvalidStopGapError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "dcaFrequencyWeekly": "settimana", + "fundExchangeMethodRegularSepaSubtitle": "Utilizzare solo per operazioni più grandi superiori a €20.000", + "settingsTelegramLabel": "Telegramma", + "walletDetailsSignerDeviceNotSupported": "Non supportato", + "exchangeLandingDisclaimerLegal": "L'accesso ai servizi di scambio sarà limitato ai paesi in cui Bull Bitcoin può operare legalmente e può richiedere KYC.", + "backupWalletEncryptedVaultTitle": "Criptato", + "mempoolNetworkLiquidMainnet": "Mainnet liquido", + "sellFromAnotherWallet": "Vendere da un altro portafoglio Bitcoin", + "automaticallyFetchKeyButton": "Tasto automatico >", + "importColdcardButtonOpenCamera": "Aprire la fotocamera", + "recoverbullReenterRequired": "Reinserire il {inputType}", + "@recoverbullReenterRequired": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "payFeePriority": "Priorità", + "buyInsufficientBalanceDescription": "Non hai abbastanza equilibrio per creare questo ordine.", + "sendSelectNetworkFee": "Selezionare la tassa di rete", + "exchangeDcaFrequencyWeek": "settimana", + "keystoneStep6": " - Spostare il laser rosso su e giù sul codice QR", + "walletDeletionErrorGeneric": "Non è riuscito a eliminare il portafoglio, si prega di riprovare.", + "fundExchangeLabelTransferCode": "Codice di trasferimento (aggiungere questo come descrizione di pagamento)", + "sellNoInvoiceData": "Nessun dato di fattura disponibile", + "ledgerInstructionsIos": "Assicurarsi che il Ledger è sbloccato con l'applicazione Bitcoin aperto e Bluetooth abilitato.", + "replaceByFeeScreenTitle": "Sostituire a pagamento", + "arkReceiveCopyAddress": "Indirizzo copiato", + "testBackupErrorWriteFailed": "Scrivi a storage fail: {error}", + "@testBackupErrorWriteFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaNetworkLightning": "Rete di illuminazione", + "sendType": "Tipo: ", + "buyBitcoinAddressHint": "BC1QYL7J673H...6Y6ALV70M0", + "exchangeHomeWithdrawButton": "Ritiro", + "transactionListOngoingTransfersTitle": "Transfer in corso", + "arkSendAmountTitle": "Inserire l'importo", + "addressViewAddress": "Indirizzo", + "payOnChainFee": "Fee on-Chain", + "arkReceiveUnifiedAddress": "Indirizzo unificato (BIP21)", + "sellHowToPayInvoice": "Come vuoi pagare questa fattura?", + "payUseCoinjoin": "Utilizzare CoinJoinin", + "autoswapWarningExplanation": "Quando il saldo supera l'importo del trigger, verrà attivato uno swap. L'importo di base verrà mantenuto nel portafoglio pagamenti istantanei e l'importo rimanente verrà scambiato nel vostro portafoglio Bitcoin sicuro.", + "recoverbullVaultRecoveryTitle": "Ripristino del caveau", + "passportStep14": "Ora è pronto a trasmettere! Non appena si fa clic sulla trasmissione, la transazione verrà pubblicata sulla rete Bitcoin e i fondi saranno inviati.", + "settingsCurrencyTitle": "Valuta", + "transactionSwapDescChainClaimable": "La transazione di blocco è stata confermata. State ora sostenendo i fondi per completare il vostro trasferimento.", + "sendSwapDetails": "Swap dettagli", + "onboardingPhysicalBackupDescription": "Recuperare il portafoglio tramite 12 parole.", + "psbtFlowSelectSeed": "Una volta che la transazione viene importata nel vostro {device}, è necessario selezionare il seme che si desidera firmare con.", + "@psbtFlowSelectSeed": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "pinStatusLoading": "Caricamento", + "payTitle": "Paga", + "buyInputKycMessage": "È necessario completare l'ID verifica prima", + "ledgerSuccessAddressVerified": "Indirizzo verificato con successo!", + "fundExchangeCrIbanUsdLabelCedulaJuridica": "Cédula Jurídica", + "arkSettleDescription": "Finalizzare le transazioni in sospeso e includere vtxos recuperabili se necessario", + "backupWalletHowToDecideVaultCustomRecommendation": "Posizione personalizzata: ", + "arkSendSuccessMessage": "La tua transazione di Ark ha avuto successo!", + "sendSats": "sats", + "electrumInvalidTimeoutError": "Valore di timeout non valido: {value}", + "@electrumInvalidTimeoutError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "exchangeKycLevelLimited": "Limitazioni", + "withdrawConfirmEmail": "Email", + "buyNetworkFees": "Tasse di rete", + "coldcardStep7": " - Spostare il laser rosso su e giù sul codice QR", + "transactionSwapDescChainRefundable": "Il trasferimento sarà rimborsato. I vostri fondi verranno restituiti automaticamente al vostro portafoglio.", + "sendPaymentWillTakeTime": "Pagamento Ci vorrà tempo", + "fundExchangeSpeiTitle": "Trasferimento SPEI", + "receivePaymentNormally": "Ricevere il pagamento normalmente", + "kruxStep10": "Una volta che la transazione viene importata nel Krux, rivedere l'indirizzo di destinazione e l'importo.", + "bitboxErrorHandshakeFailed": "Non sono riuscito a stabilire una connessione sicura. Per favore riprovate.", + "sellKYCRequired": "Verifica KYC richiesta", + "coldcardStep8": " - Prova a spostare il dispositivo indietro un po'", + "bitboxScreenDefaultWalletLabel": "Portafoglio BitBox", + "replaceByFeeBroadcastButton": "Trasmissione", + "swapExternalTransferLabel": "Trasferimento esterno", + "transactionPayjoinNoProposal": "Non riceve una proposta payjoin dal ricevitore?", + "importQrDevicePassportStep4": "Selezionare \"Connect Wallet\"", + "payAddRecipient": "Aggiungi Recipiente", + "recoverbullVaultImportedSuccess": "La tua cassaforte e' stata importata con successo", + "backupKeySeparationWarning": "E 'criticamente importante che non salvare la chiave di backup nello stesso luogo in cui si salva il file di backup. Conservare sempre su dispositivi separati o fornitori di cloud separati.", + "coreSwapsStatusInProgress": "In corso", + "confirmAccessPinTitle": "Confermare l'accesso {pinOrPassword}", + "@confirmAccessPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "sellErrorUnexpectedOrderType": "SellOrder previsto ma ha ricevuto un diverso tipo di ordine", + "pinCreateHeadline": "Crea nuovo pin", + "transactionSwapProgressConfirmed": "Confermato", + "sellRoutingNumber": "Numero di rotazione", + "sellDailyLimitReached": "Limite di vendita giornaliero raggiunto", + "requiredHint": "Obbligo", + "arkUnilateralExitDelay": "Ritardo di uscita unilaterale", + "arkStatusPending": "Finanziamenti", + "importWatchOnlyXpub": "xpubblica", + "dcaInsufficientBalanceTitle": "Bilancia insufficiente", + "arkType": "Tipo", + "backupImportanceMessage": "Senza un backup, alla fine perderai l'accesso ai tuoi soldi. È fondamentale fare un backup.", + "testBackupGoogleDrivePermission": "Google ti chiederà di condividere le informazioni personali con questa app.", + "testnetModeSettingsLabel": "Modalità Testnet", + "testBackupErrorUnexpectedSuccess": "Successo inaspettato: il backup dovrebbe corrispondere al portafoglio esistente", + "coreScreensReceiveAmountLabel": "Ricevi l'importo", + "payAllTypes": "Tutti i tipi", + "systemLabelPayjoin": "Pagamento", + "onboardingScreenTitle": "Benvenuto", + "pinCodeConfirmTitle": "Confermare il nuovo perno", + "arkSetupExperimentalWarning": "Ark e' ancora sperimentale.\n\nIl portafoglio Ark deriva dalla frase principale del portafoglio. Nessun backup aggiuntivo è necessario, il backup portafoglio esistente ripristina i fondi Ark troppo.\n\nContinuando, si riconosce la natura sperimentale di Ark e il rischio di perdere fondi.\n\nNota dello sviluppatore: Il segreto dell'arca deriva dal seme principale del portafoglio utilizzando una derivazione arbitraria BIP-85 (indice 11811).", + "keyServerLabel": "Server chiave ", + "recoverbullEnterToView": "Si prega di inserire il {inputType} per visualizzare la chiave della volta.", + "@recoverbullEnterToView": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "payReviewPayment": "Pagamento", + "electrumBitcoinSslInfo": "Se non viene specificato alcun protocollo, ssl verrà utilizzato per impostazione predefinita.", + "transactionTitle": "Transazioni", + "sellQrCode": "Codice QR QR", + "walletOptionsUnnamedWalletFallback": "Portafoglio senza nome", + "fundExchangeRegularSepaInfo": "Utilizzare solo per operazioni superiori a €20.000. Per le transazioni più piccole, utilizzare l'opzione Instant SEPA.", + "fundExchangeDoneButton": "Fatto", + "buyKYCLevel3": "Livello 3 - Pieno", + "appStartupErrorMessageNoBackup": "Su v5.4.0 è stato scoperto un bug critico in una delle nostre dipendenze che influiscono sullo storage di chiave privata. La tua app è stata influenzata da questo. Contatta il nostro team di supporto.", + "sellGoHome": "Vai a casa", + "keystoneStep8": "Una volta che la transazione viene importata nel Keystone, rivedere l'indirizzo di destinazione e l'importo.", + "psbtFlowSpecterTitle": "Istruzioni Specter", + "importMnemonicChecking": "Controllo...", + "sendConnectDevice": "Collegare il dispositivo", + "connectHardwareWalletSeedSigner": "SeedSigner", + "importQrDevicePassportStep7": "Selezionare \"QR Code\"", + "delete": "Cancella", + "connectingToKeyServer": "Collegamento a Key Server tramite Tor.\nQuesto può richiedere fino a un minuto.", + "bitboxErrorDeviceNotFound": "Dispositivo BitBox non trovato.", + "ledgerScanningMessage": "Alla ricerca di dispositivi Ledger nelle vicinanze...", + "sellInsufficientBalanceError": "Insufficiente equilibrio nel portafoglio selezionato per completare questo ordine di vendita.", + "transactionSwapDescLnReceivePending": "Il tuo scambio e' stato avviato. Stiamo aspettando che venga ricevuto un pagamento sul Lightning Network.", + "tryAgainButton": "Prova ancora", + "psbtFlowHoldSteady": "Tenere il codice QR costante e centralizzato", + "swapConfirmTitle": "Confermare il trasferimento", + "testBackupGoogleDrivePrivacyPart1": "Queste informazioni ", + "connectHardwareWalletKeystone": "Keystone", + "importWalletTitle": "Aggiungi un nuovo portafoglio", + "mempoolSettingsDefaultServer": "Server predefinito", + "sendPasteAddressOrInvoice": "Incolla un indirizzo di pagamento o una fattura", + "swapToLabel": "A", + "payLoadingRecipients": "Caricamento dei destinatari...", + "sendSignatureReceived": "Firma ricevuta", + "failedToDeriveBackupKey": "Non è riuscito a derivare la chiave di backup", + "recoverbullGoogleDriveErrorExportFailed": "Non ha esportato il caveau da Google Drive", + "exchangeKycLevelLight": "Luce", + "transactionLabelCreatedAt": "Creato a", + "bip329LabelsExportSuccessSingular": "1 etichetta esportata", + "bip329LabelsExportSuccessPlural": "{count} etichette esportate", + "@bip329LabelsExportSuccessPlural": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "fundExchangeMethodOnlineBillPaymentSubtitle": "L'opzione più lenta, ma può essere fatto tramite online banking (3-4 giorni lavorativi)", + "walletDeletionErrorWalletNotFound": "Il portafoglio che stai cercando di eliminare non esiste.", + "payEnableRBF": "Abilitare RBF", + "transactionDetailLabelFromWallet": "Dal portafoglio", + "settingsLanguageTitle": "Lingua", + "importQrDeviceInvalidQR": "Codice QR non valido", + "exchangeAppSettingsSaveSuccessMessage": "Impostazioni salvate con successo", + "addressViewShowQR": "Mostra il codice QR", + "testBackupVaultSuccessMessage": "La tua cassaforte e' stata importata con successo", + "exchangeSupportChatInputHint": "Digitare un messaggio...", + "electrumTestnet": "Testa", + "sellSelectWallet": "Seleziona Wallet", + "mempoolCustomServerAdd": "Aggiungi server personalizzato", + "sendHighFeeWarningDescription": "Costo totale è {feePercent}% dell'importo che state inviando", + "@sendHighFeeWarningDescription": { + "placeholders": { + "feePercent": { + "type": "String" + } + } + }, + "withdrawConfirmButton": "Confermare il ritiro", + "fundExchangeLabelBankAccountDetails": "Dati del conto bancario", + "payLiquidAddress": "Indirizzo liquido", + "sellTotalFees": "Totale delle spese", + "importWatchOnlyUnknown": "Sconosciuto", + "bitboxScreenNestedSegwitBip49": "Segwit Nested (BIP49)", + "payContinue": "Continua", + "importColdcardInstructionsStep8": "Scansiona il codice QR visualizzato sul tuo Coldcard Q", + "dcaSuccessMessageMonthly": "Comprerai {amount} ogni mese", + "@dcaSuccessMessageMonthly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sendSelectedCoins": "{count} monete selezionate", + "@sendSelectedCoins": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "rbfErrorNoFeeRate": "Si prega di selezionare una tariffa di tassa", + "backupWalletGoogleDrivePrivacyMessage1": "Queste informazioni ", + "labelErrorUnsupportedType": "Questo tipo {type} non è supportato", + "@labelErrorUnsupportedType": { + "placeholders": { + "type": { + "type": "String" + } + } + }, + "paySatsPerByte": "{sats}", + "@paySatsPerByte": { + "placeholders": { + "sats": { + "type": "String" + } + } + }, + "payRbfActivated": "Attivato il sostituto", + "dcaConfirmNetworkLightning": "Illuminazione", + "ledgerDefaultWalletLabel": "Portafoglio Ledger", + "importWalletSpecter": "Spettacolo", + "customLocationProvider": "Posizione personalizzata", + "dcaSelectFrequencyLabel": "Seleziona frequenza", + "transactionSwapDescChainCompleted": "Il vostro trasferimento è stato completato con successo! I fondi dovrebbero ora essere disponibili nel portafoglio.", + "coreSwapsLnSendRefundable": "Swap è pronto per essere rimborsato.", + "backupInstruction2": "Senza un backup, se si perde o si rompe il telefono, o se si disinstalla l'app Bull Bitcoin, i bitcoin saranno persi per sempre.", + "autoswapSave": "Salva", + "swapGoHomeButton": "Vai a casa", + "sendFeeRateTooHigh": "Il tasso di rendimento sembra molto alto", + "ledgerHelpStep2": "Assicurarsi che il telefono ha Bluetooth acceso e consentito.", + "fundExchangeCrIbanUsdPaymentDescriptionHelp": "Il tuo codice di trasferimento.", + "recoverVia12WordsDescription": "Recuperare il portafoglio tramite 12 parole.", + "fundExchangeFundAccount": "Finanziamento del tuo conto", + "electrumServerSettingsLabel": "Electrum server (nodo Bitcoin)", + "dcaEnterLightningAddressLabel": "Inserisci l'indirizzo di illuminazione", + "statusCheckOnline": "Online", + "buyPayoutMethod": "Metodo di pagamento", + "exchangeAmountInputTitle": "Inserire l'importo", + "electrumCloseTooltip": "Chiudi", + "payIbanHint": "Inserisci IBAN", + "sendCoinConfirmations": "{count} conferme", + "@sendCoinConfirmations": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "fundExchangeLabelRecipientNameArs": "Nome destinatario", + "sendTo": "A", + "gotItButton": "Capito", + "walletTypeLiquidLightningNetwork": "Rete di liquidi e fulmini", + "sendFeePriority": "Priorità", + "transactionPayjoinSendWithout": "Inviare senza pagamento", + "paySelectCountry": "Seleziona il paese", + "importMnemonicTransactionsLabel": "Transazioni: {count}", + "@importMnemonicTransactionsLabel": { + "placeholders": { + "count": { + "type": "String" + } + } + }, + "exchangeSettingsReferralsTitle": "Referrals", + "autoswapAlwaysBlockInfoEnabled": "Quando abilitato, i trasferimenti automatici con tasse superiori al limite impostato saranno sempre bloccati", + "importMnemonicSelectScriptType": "Importazione di Mnemonic", + "sellSendPaymentCadBalance": "CAD Bilancio", + "recoverbullConnectingTor": "Collegamento a Key Server tramite Tor.\nCi vorra' un minuto.", + "fundExchangeCanadaPostStep2": "2. Chiedi al cassiere di scansionare il codice QR \"Loadhub\"", + "recoverbullEnterVaultKeyInstead": "Inserire una chiave a volta invece", + "exchangeAccountInfoEmailLabel": "Email", + "legacySeedViewNoSeedsMessage": "Nessun seme ereditario trovato.", + "arkAboutDustValue": "{dust}", + "@arkAboutDustValue": { + "placeholders": { + "dust": { + "type": "int" + } + } + }, + "keystoneStep5": " - Aumentare la luminosità dello schermo sul dispositivo", + "sendSelectCoinsManually": "Seleziona le monete manualmente", + "importMnemonicEmpty": "Vuoto", + "electrumBitcoinServerInfo": "Inserisci l'indirizzo del server in formato: host:port (ad esempio.com:50001)", + "recoverbullErrorServiceUnavailable": "Servizio non disponibile. Controlla la connessione.", + "arkSettleTitle": "Settle Transactions", + "sendErrorInsufficientBalanceForSwap": "Non abbastanza saldo per pagare questo swap tramite Liquid e non entro limiti di swap per pagare tramite Bitcoin.", + "psbtFlowJadeTitle": "Blockstream Jade PSBT Istruzioni", + "torSettingsDescUnknown": "Incapace di determinare Lo status di Tor. Assicurare che Orbot sia installato e funzionante.", + "transactionFilterPayjoin": "Pagamento", + "importQrDeviceKeystoneStep8": "Inserisci un'etichetta per il tuo portafoglio Keystone e tocca Import", + "dcaContinueButton": "Continua", + "fundExchangeCrIbanUsdTitle": "Trasferimento bancario (USD)", + "buyStandardWithdrawalDesc": "Ricevi Bitcoin dopo il pagamento cancella (1-3 giorni)", + "psbtFlowColdcardTitle": "Istruzioni Coldcard Q", + "sendRelativeFees": "Tasse relative", + "payToAddress": "Per indirizzo", + "sellCopyInvoice": "Copia fattura", + "cancelButton": "Annulla", + "coreScreensNetworkFeesLabel": "Tasse di rete", + "kruxStep9": " - Prova a spostare il dispositivo indietro un po'", + "sendReceiveNetworkFee": "Ricevi le quote di rete", + "arkTxPayment": "Pagamento", + "importQrDeviceSeedsignerStep6": "Selezionare \"Sparrow\" come opzione di esportazione", + "swapValidationMaximumAmount": "Importo massimo è {amount} {currency}", + "@swapValidationMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + }, + "currency": { + "type": "String" + } + } + }, + "fundExchangeETransferLabelBeneficiaryName": "Utilizzare questo come nome beneficiario E-transfer", + "backupWalletErrorFileSystemPath": "Non selezionare il percorso del file system", + "coreSwapsLnSendCanCoop": "Swap completerà momentaneamente.", + "electrumServerNotUsed": "Non usato", + "backupWalletHowToDecideBackupPhysicalRecommendation": "Backup fisico: ", + "payDebitCardNumber": "Numero della carta di debito", + "receiveRequestInboundLiquidity": "Richiedi capacità di ricezione", + "backupWalletHowToDecideBackupMoreInfo": "Visitare Recoverbull.com per ulteriori informazioni.", + "walletAutoTransferBlockedMessage": "Tentare di trasferire {amount} BTC. La tassa attuale è {currentFee}% dell'importo di trasferimento e la soglia di tassa è impostata a {thresholdFee}%", + "@walletAutoTransferBlockedMessage": { + "placeholders": { + "amount": { + "type": "String" + }, + "currentFee": { + "type": "String" + }, + "thresholdFee": { + "type": "String" + } + } + }, + "kruxStep11": "Fare clic sui pulsanti per firmare la transazione sul Krux.", + "exchangeSupportChatEmptyState": "Nessun messaggio. Inizia una conversazione!", + "payExternalWalletDescription": "Paga da un altro portafoglio Bitcoin", + "electrumRetryCountEmptyError": "Retry Count non può essere vuoto", + "ledgerErrorBitcoinAppNotOpen": "Si prega di aprire l'app Bitcoin sul dispositivo Ledger e riprovare.", + "physicalBackupTag": "Senza fiducia (prendi il tuo tempo)", + "arkIncludeRecoverableVtxos": "Includere vtxos recuperabili", + "payCompletedDescription": "Il pagamento è stato completato e il destinatario ha ricevuto i fondi.", + "recoverbullConnecting": "Collegamento", + "swapExternalAddressHint": "Inserisci l'indirizzo del portafoglio esterno", + "torSettingsDescConnecting": "Istituzione Collegamento Tor", + "ledgerWalletTypeLegacyDescription": "P2PKH - Formato più vecchio", + "dcaConfirmationDescription": "L'acquisto degli ordini verrà effettuato automaticamente per queste impostazioni. Puoi disattivarli quando vuoi.", + "appleICloudProvider": "Apple iCloud", + "exchangeAccountInfoVerificationNotVerified": "Non verificato", + "fundExchangeWarningDescription": "Se qualcuno ti sta chiedendo di comprare Bitcoin o \"aiutarti\", stai attento, potrebbero essere cercando di truffarti!", + "transactionDetailLabelTransactionId": "ID transazione", + "arkReceiveTitle": "Ark Ricevimento", + "payDebitCardNumberHint": "Inserisci il numero della carta di debito", + "backupWalletHowToDecideBackupEncryptedRecommendation": "Criptato: ", + "seedsignerStep9": "Verifica l'indirizzo di destinazione e l'importo e conferma la firma sul tuo SeedSigner.", + "logoutButton": "Logout", + "payReplaceByFee": "Sostituire-By-Fee (RBF)", + "coreSwapsLnReceiveClaimable": "Swap è pronto per essere rivendicato.", + "pinButtonCreate": "Creare PIN", + "fundExchangeJurisdictionEurope": "🇪🇺 Europa (SEPA)", + "settingsExchangeSettingsTitle": "Impostazioni di Exchange", + "sellFeePriority": "Priorità", + "exchangeFeatureSelfCustody": "• Acquistare Bitcoin direttamente a self-custody", + "arkBoardingUnconfirmed": "Imbarco non confermato", + "fundExchangeLabelPaymentDescription": "Descrizione del pagamento", + "payAmountTooHigh": "Importo superiore al massimo", + "dcaConfirmPaymentBalance": "{currency} equilibrio", + "@dcaConfirmPaymentBalance": { + "placeholders": { + "currency": { + "type": "String" + } + } + }, + "torSettingsPortValidationInvalid": "Inserisci un numero valido", + "sellBankTransfer": "Trasferimento bancario", + "importQrDeviceSeedsignerStep3": "Scansiona un SeedQR o inserisci la tua frase di seme di 12 o 24 parole", + "replaceByFeeFastestTitle": "Più veloce", + "transactionLabelBitcoinTransactionId": "ID transazione Bitcoin", + "sellPayinAmount": "Importo del pagamento", + "exchangeKycRemoveLimits": "Per rimuovere i limiti di transazione", + "autoswapMaxBalanceInfoText": "Quando l'equilibrio del portafoglio supera il doppio di questa quantità, il trasferimento automatico si attiva per ridurre l'equilibrio a questo livello", + "sellSendPaymentBelowMin": "Stai cercando di vendere sotto l'importo minimo che può essere venduto con questo portafoglio.", + "dcaWalletSelectionDescription": "Gli acquisti Bitcoin saranno posti automaticamente per questo programma.", + "sendTypeSend": "Invia", + "payFeeBumpSuccessful": "Fee urto successo", + "importQrDeviceKruxStep1": "Accendere il dispositivo Krux", + "transactionSwapProgressFundsClaimed": "Fondi\nPregiudiziale", + "recoverbullSelectAppleIcloud": "Apple iCloud", + "dcaAddressLightning": "Indirizzo fulmine", + "keystoneStep13": "La transazione verrà importata nel portafoglio Bull Bitcoin.", + "receiveGenerationFailed": "Non generare {type}", + "@receiveGenerationFailed": { + "placeholders": { + "type": { + "type": "String" + } + } + }, + "coreSwapsLnReceiveCanCoop": "Swap completerà momentaneamente.", + "addressViewAddressesTitle": "Indirizzo", + "withdrawRecipientsNoRecipients": "Nessun destinatario ha trovato di ritirarsi.", + "transactionSwapProgressPaymentMade": "Pagamento\nFatto", + "importQrDeviceSpecterStep4": "Seguire le istruzioni secondo il metodo scelto", + "coreSwapsChainPending": "Il trasferimento non è ancora inizializzato.", + "importWalletImportWatchOnly": "Importa solo orologio", + "coldcardStep9": "Una volta importata la transazione nella tua Coldcard, controlla l'indirizzo di destinazione e l'importo.", + "sendErrorArkExperimentalOnly": "Le richieste di pagamento ARK sono disponibili solo dalla funzione sperimentale Ark.", + "exchangeKycComplete": "Completa il tuo KYC", + "enterBackupKeyManuallyDescription": "Se hai esportato la chiave di backup e l'hai salvata in una posizione seperata da solo, puoi entrare manualmente qui. Altrimenti torna alla schermata precedente.", + "sellBitcoinPriceLabel": "Bitcoin Prezzo", + "receiveCopyAddress": "Copia indirizzo", + "receiveSave": "Salva", + "mempoolNetworkBitcoinTestnet": "Testnet di Bitcoin", + "transactionLabelPayjoinStatus": "Stato di payjoin", + "passportStep2": "Fare clic sul segno con il codice QR", + "pinCodeRemoveButton": "Rimuovere PIN Sicurezza", + "withdrawOwnershipMyAccount": "Questo è il mio conto", + "payAddMemo": "Aggiungi memo (opzionale)", + "transactionNetworkBitcoin": "Bitcoin", + "recoverbullSelectVaultProvider": "Selezionare Vault Provider", + "replaceByFeeOriginalTransactionTitle": "Transazione originale", + "testBackupPhysicalBackupTag": "Senza fiducia (prendi il tuo tempo)", + "testBackupTitle": "Prova il backup del portafoglio", + "coreSwapsLnSendFailed": "Swap ha fallito.", + "recoverbullErrorDecryptFailed": "Non è riuscito a decifrare la volta", + "keystoneStep9": "Fare clic sui pulsanti per firmare la transazione sul Keystone.", + "totalFeesLabel": "Totale spese", + "payInProgressDescription": "Il pagamento è stato avviato e il destinatario riceverà i fondi dopo che la vostra transazione riceve 1 conferma onchain.", + "importQrDevicePassportStep10": "Nell'app portafogli BULL, selezionare \"Segwit (BIP84)\" come opzione di derivazione", + "payHighPriority": "Alto", + "buyBitcoinPrice": "Bitcoin Prezzo", + "sendFrozenCoin": "Congelato", + "importColdcardInstructionsStep4": "Verificare che il firmware sia aggiornato alla versione 1.3.4Q", + "lastBackupTestLabel": "Ultimo test di backup: {date}", + "@lastBackupTestLabel": { + "placeholders": { + "date": { + "type": "String", + "example": "2025-01-20 15:30:45" + } + } + }, + "sendBroadcastTransaction": "Transazione di trasmissione", + "receiveBitcoinConfirmationMessage": "La transazione Bitcoin richiederà un po 'per confermare.", + "walletTypeWatchOnly": "Guarda solo", + "psbtFlowKruxTitle": "Istruzioni Krux", + "recoverbullDecryptVault": "Decrypt vault", + "connectHardwareWalletJade": "Blockstream Jade", + "coreSwapsChainRefundable": "Il trasferimento è pronto per essere rimborsato.", + "buyInputCompleteKyc": "Completa KYC", + "transactionFeesTotalDeducted": "Questa è la quota totale detratta dall'importo inviato", + "autoswapMaxFee": "Costo massimo di trasferimento", + "sellReviewOrder": "Ordine di vendita", + "payDescription": "Designazione", + "buySecureBitcoinWallet": "Portafoglio Bitcoin sicuro", + "sendEnterRelativeFee": "Inserire la tassa relativa nei sati/vB", + "importQrDevicePassportStep1": "Potenza sul dispositivo Passport", + "fundExchangeMethodArsBankTransferSubtitle": "Invia un bonifico bancario dal tuo conto bancario", + "transactionOrderLabelExchangeRate": "Tasso di cambio", + "backupSettingsScreenTitle": "Impostazioni di backup", + "fundExchangeBankTransferWireDescription": "Invia un bonifico bancario dal tuo conto bancario utilizzando i dettagli bancari di Bull Bitcoin di seguito. La tua banca potrebbe richiedere solo alcune parti di questi dettagli.", + "importQrDeviceKeystoneStep7": "Scansiona il codice QR visualizzato sul Keystone", + "coldcardStep3": "Selezionare l'opzione \"Scan any QR code\"", + "coldcardStep14": "La transazione verrà importata nel portafoglio Bull Bitcoin.", + "pinCodeSettingsLabel": "Codice PIN", + "buyExternalBitcoinWallet": "Portafoglio Bitcoin esterno", + "passwordTooCommonError": "Questo {pinOrPassword} è troppo comune. Si prega di scegliere uno diverso.", + "@passwordTooCommonError": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importWalletJade": "Blockstream Jade", + "payInvalidInvoice": "Fattura non valida", + "receiveTotalFee": "Costo totale", + "importQrDeviceButtonOpenCamera": "Aprire la fotocamera", + "recoverbullFetchingVaultKey": "Vai alla scheda chiave", + "dcaConfirmFrequency": "Frequenza", + "recoverbullGoogleDriveDeleteVaultTitle": "Eliminare Vault", + "advancedOptionsTitle": "Opzioni avanzate", + "dcaConfirmOrderType": "Tipo d'ordine", + "payPriceWillRefreshIn": "Il prezzo si rinfresca in ", + "recoverbullGoogleDriveErrorDeleteFailed": "Non è riuscito a cancellare la volta da Google Drive", + "broadcastSignedTxTo": "A", + "arkAboutDurationDays": "{days} giorni", + "@arkAboutDurationDays": { + "placeholders": { + "days": { + "type": "int" + } + } + }, + "payPaymentDetails": "Dettagli di pagamento", + "bitboxActionVerifyAddressTitle": "Verifica l'indirizzo su BitBox", + "psbtSignTransaction": "Transazione dei segni", + "sellRemainingLimit": "Restare oggi: {amount}", + "@sellRemainingLimit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "bitboxActionImportWalletSuccess": "Portafoglio importato con successo", + "nextButton": "Il prossimo", + "ledgerSignButton": "Avviare la firma", + "recoverbullPassword": "Password", + "dcaNetworkLiquid": "Rete liquida", + "fundExchangeMethodSinpeTransfer": "Trasferimento SINPE", + "dcaCancelTitle": "Cancella Bitcoin ricorrenti acquistare?", + "payFromAnotherWallet": "Paga da un altro portafoglio Bitcoin", + "importMnemonicHasBalance": "Ha equilibrio", + "dcaLightningAddressEmptyError": "Si prega di inserire un indirizzo Lightning", + "googleAppleCloudRecommendationText": "si desidera assicurarsi di non perdere mai l'accesso al file del vault anche se si perde i dispositivi.", + "closeDialogButton": "Chiudi", + "jadeStep14": "La transazione verrà importata nel portafoglio Bull Bitcoin.", + "payCorporateName": "Nome aziendale", + "importColdcardError": "Non importare Coldcard", + "transactionStatusPayjoinRequested": "Payjoin richiesto", + "payOwnerNameHint": "Inserisci il nome del proprietario", + "customLocationRecommendationText": "si è sicuri che non perderà il file del vault e sarà ancora accessibile se si perde il telefono.", + "arkAboutForfeitAddress": "Indirizzo di consegna", + "kruxStep13": "Fare clic su \"Ho chiuso\" nel portafoglio Bull Bitcoin.", + "transactionSwapInfoRefundableTransfer": "Questo trasferimento verrà rimborsato automaticamente entro pochi secondi. In caso contrario, è possibile tentare un rimborso manuale facendo clic sul pulsante \"Retry Transfer Refund\".", + "payBitcoinPrice": "Bitcoin Prezzo", + "confirmLogoutMessage": "Sei sicuro di voler uscire dal tuo conto Bull Bitcoin? Dovrai accedere di nuovo per accedere alle funzionalità di scambio.", + "receivePaymentInProgress": "Pagamento in corso", + "dcaSuccessMessageDaily": "Comprerai {amount} ogni giorno", + "@dcaSuccessMessageDaily": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "walletNetworkLiquidTestnet": "Testato liquido", + "electrumDeleteFailedError": "Non è stato possibile eliminare server personalizzati{reason}", + "@electrumDeleteFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "receiveBoltzSwapFee": "Boltz Swap Fee", + "swapInfoBanner": "Trasferisci Bitcoin senza soluzione di continuità tra i portafogli. Tenere solo i fondi nel Portafoglio di Pagamento istantaneo per le spese giornaliere.", + "payRBFEnabled": "RBF abilitato", + "takeYourTimeTag": "Prendi il tuo tempo", + "arkAboutDust": "Polvere", + "ledgerSuccessVerifyDescription": "L'indirizzo è stato verificato sul dispositivo Ledger.", + "bip85Title": "BIP85 Entropie deterministiche", + "sendSwapTimeout": "Scambio tempo fuori", + "networkFeesLabel": "Tasse di rete", + "backupWalletPhysicalBackupDescription": "Scrivi 12 parole su un pezzo di carta. Tienili al sicuro e assicurati di non perderli.", + "sendSwapInProgressBitcoin": "Lo scambio è in corso. Le transazioni Bitcoin possono richiedere un po' di tempo per confermare. Puoi tornare a casa e aspettare.", + "electrumDeleteServerTitle": "Eliminare server personalizzati", + "buySelfie": "Selfie con ID", + "arkAboutSecretKey": "Chiave segreta", + "sellMxnBalance": "MXN Bilancio", + "fundExchangeWarningTactic4": "Essi chiedono di inviare Bitcoin al loro indirizzo", + "fundExchangeSinpeDescription": "Colonne di trasferimento utilizzando SINPE", + "wordsDropdownSuffix": " parole", + "arkTxTypeRedeem": "Redeem", + "receiveVerifyAddressOnLedger": "Verifica l'indirizzo su Ledger", + "buyWaitForFreeWithdrawal": "Attendere il ritiro gratuito", + "sellSendPaymentCrcBalance": "CRC Bilancio", + "backupSettingsKeyWarningBold": "Attenzione: Fai attenzione a dove salvare la chiave di backup.", + "settingsArkTitle": "Ark", + "exchangeLandingConnectAccount": "Collegare il conto di cambio Bull Bitcoin", + "recoverYourWalletTitle": "Recuperare il portafoglio", + "importWatchOnlyLabel": "Etichetta", + "settingsAppSettingsTitle": "Impostazioni app", + "dcaWalletLightningSubtitle": "Richiede portafoglio compatibile, massimo 0.25 BTC", + "dcaNetworkBitcoin": "Rete Bitcoin", + "swapTransferRefundInProgressMessage": "C'era un errore nel trasferimento. Il rimborso è in corso.", + "importQrDevicePassportName": "Passaporto della Fondazione", + "fundExchangeMethodCanadaPostSubtitle": "Meglio per chi preferisce pagare di persona", + "importColdcardMultisigPrompt": "Per i portafogli multisig, eseguire la scansione del codice QR del descrittore del portafoglio", + "passphraseLabel": "Passphrase", + "recoverbullConfirmInput": "Conferma {inputType}", + "@recoverbullConfirmInput": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "transactionSwapDescLnReceiveCompleted": "Il tuo swap è stato completato con successo! I fondi dovrebbero ora essere disponibili nel portafoglio.", + "psbtFlowSignTransaction": "Transazione dei segni", + "payAllPayments": "Tutti i pagamenti", + "fundExchangeSinpeDescriptionBold": "sarà respinta.", + "transactionDetailLabelPayoutStatus": "Stato di pagamento", + "buyInputFundAccount": "Finanziamento del tuo conto", + "importWatchOnlyZpub": "zpub", + "testBackupNext": "Il prossimo", + "payBillerSearchHint": "Inserisci le prime 3 lettere del nome del biller", + "coreSwapsLnSendCompletedRefunded": "Swap è stato rimborsato.", + "transactionSwapInfoClaimableSwap": "Lo swap sarà completato automaticamente entro pochi secondi. In caso contrario, è possibile provare un reclamo manuale facendo clic sul pulsante \"Retry Swap Claim\".", + "mempoolCustomServerLabel": "DOGANA", + "arkAboutSessionDuration": "Durata della sessione", + "transferFeeLabel": "Tassa di trasferimento", + "pinValidationError": "PIN deve essere almeno {minLength} cifre lunghe", + "@pinValidationError": { + "placeholders": { + "minLength": { + "type": "String" + } + } + }, + "buyConfirmationTimeValue": "10 minuti", + "dcaOrderTypeValue": "Acquisto ricorrente", + "ledgerConnectingMessage": "Collegamento a {deviceName}", + "@ledgerConnectingMessage": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "buyConfirmAwaitingConfirmation": "Conferma attesa ", + "torSettingsSaveButton": "Salva", + "allSeedViewShowSeedsButton": "Show Seeds", + "fundExchangeMethodBankTransferWireSubtitle": "Migliore e più affidabile opzione per importi più grandi (stesso o il giorno successivo)", + "fundExchangeCanadaPostStep4": "4. Il cassiere chiederà di vedere un pezzo di ID rilasciato dal governo e verificare che il nome sul tuo ID corrisponda al tuo conto Bull Bitcoin", + "fundExchangeCrIbanCrcLabelIban": "Numero di conto IBAN (solo colonne)", + "importQrDeviceSpecterInstructionsTitle": "Istruzioni Specter", + "testBackupScreenshot": "Schermata", + "transactionListLoadingTransactions": "Caricamento delle transazioni...", + "dcaSuccessTitle": "L'acquisto ricorrente è attivo!", + "fundExchangeOnlineBillPaymentDescription": "Qualsiasi importo che invii tramite la funzione di pagamento della fattura online della tua banca utilizzando le informazioni qui sotto sarà accreditato sul tuo saldo conto Bull Bitcoin entro 3-4 giorni lavorativi.", + "receiveAwaitingPayment": "Pagamenti in attesa...", + "onboardingRecover": "Recuperare", + "recoverbullGoogleDriveScreenTitle": "Google Drive Vaults", + "receiveQRCode": "Codice QR QR", + "appSettingsDevModeTitle": "Modalità Dev", + "payDecodeFailed": "Non codificare la fattura", + "sendAbsoluteFees": "Tasse assolute", + "arkSendConfirm": "Conferma", + "replaceByFeeErrorTransactionConfirmed": "La transazione originale è stata confermata", + "rbfErrorFeeTooLow": "È necessario aumentare il tasso di tassa di almeno 1 sat/vbyte rispetto alla transazione originale", + "ledgerErrorMissingDerivationPathSign": "Il percorso di derivazione è richiesto per la firma", + "backupWalletTitle": "Eseguire il backup del portafoglio", + "jadeStep10": "Fare clic sui pulsanti per firmare la transazione sul tuo Jade.", + "arkAboutDurationHour": "{hours} ora", + "@arkAboutDurationHour": { + "placeholders": { + "hours": { + "type": "int" + } + } + }, + "bitboxScreenUnknownError": "Errore sconosciuto si è verificato", + "electrumPrivacyNoticeTitle": "Informativa sulla privacy", + "receiveLiquid": "Liquidazione", + "payOpenChannelRequired": "L'apertura di un canale è richiesta per questo pagamento", + "coldcardStep1": "Accedi al dispositivo Coldcard Q", + "transactionDetailLabelBitcoinTxId": "ID transazione Bitcoin", + "arkSendRecipientHint": "ark1qp9wsjfpsj5v5ex022v6..", + "sellSendPaymentCalculating": "Calcolo...", + "arkRecoverableVtxos": "Vtxos recuperabili", + "psbtFlowTransactionImported": "La transazione verrà importata nel portafoglio Bull Bitcoin.", + "testBackupGoogleDriveSignIn": "Dovrai accedere a Google Drive", + "sendTransactionSignedLedger": "Transazione firmata con successo con Ledger", + "recoverbullRecoveryContinueButton": "Continua", + "payTimeoutError": "Tempo di pagamento. Si prega di controllare lo stato", + "kruxStep4": "Fare clic su Carica dalla fotocamera", + "bitboxErrorInvalidMagicBytes": "Rilevato formato PSBT non valido.", + "sellErrorRecalculateFees": "Non ha ricalcolato le tasse: {error}", + "@sellErrorRecalculateFees": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "dcaSetupFrequencyError": "Seleziona una frequenza", + "testBackupErrorNoMnemonic": "Nessun mnemonic caricato", + "payInvoiceExpired": "Fattura scaduta", + "payWhoAreYouPaying": "Chi paga?", + "confirmButtonLabel": "Conferma", + "autoswapMaxFeeInfo": "Se la quota di trasferimento totale è superiore alla percentuale impostata, il trasferimento automatico sarà bloccato", + "importQrDevicePassportStep9": "Scansiona il codice QR visualizzato sul tuo passaporto", + "swapProgressRefundedMessage": "Il trasferimento è stato debitamente rimborsato.", + "sendEconomyFee": "Economia", + "coreSwapsChainFailed": "Trasferimento Non riuscito.", + "transactionDetailAddNote": "Aggiungi nota", + "addressCardUsedLabel": "Usato", + "buyConfirmTitle": "Acquistare Bitcoin", + "exchangeLandingFeature5": "Chat con il supporto clienti", + "electrumMainnet": "Mainnet", + "buyThatWasFast": "E' stato veloce, vero?", + "importWalletPassport": "Passaporto della Fondazione", + "buyExpressWithdrawalFee": "Pagamento espresso: {amount}", + "@buyExpressWithdrawalFee": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sellDailyLimit": "Limite giornaliero: {amount}", + "@sellDailyLimit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "recoverbullConnectionFailed": "La connessione non è riuscita", + "transactionDetailLabelPayinMethod": "Metodo di pagamento", + "sellCurrentRate": "Tasso attuale", + "payAmountTooLow": "L'importo è inferiore al minimo", + "onboardingCreateWalletButtonLabel": "Crea portafoglio", + "bitboxScreenVerifyOnDevice": "Si prega di verificare questo indirizzo sul dispositivo BitBox", + "ledgerConnectTitle": "Collegare il dispositivo Ledger", + "withdrawAmountTitle": "Ritiro fiat", + "coreScreensServerNetworkFeesLabel": "Tasse di rete del server", + "dcaFrequencyValidationError": "Seleziona una frequenza", + "walletsListTitle": "Dettagli del portafoglio", + "payAllCountries": "Tutti i paesi", + "sellCopBalance": "COP Bilancio", + "recoverbullVaultSelected": "Vault Selezionato", + "receiveTransferFee": "Tassa di trasferimento", + "fundExchangeInfoTransferCodeRequired": "È necessario aggiungere il codice di trasferimento come \"message\" o \"reason\" o \"descrizione\" quando si effettua il pagamento. Se si dimentica di inserire questo codice il pagamento può essere respinto.", + "arkBoardingExitDelay": "Ritardo di uscita di imbarco", + "exchangeDcaFrequencyHour": "ora", + "transactionLabelPayjoinCreationTime": "Tempo di creazione Payjoin", + "payRBFDisabled": "Disabili RBF", + "exchangeAuthLoginFailedOkButton": "OK", + "exchangeKycCardTitle": "Completa il tuo KYC", + "importQrDeviceSuccess": "Portafoglio importato con successo", + "arkTxSettlement": "Settlement", + "autoswapEnable": "Attiva trasferimento automatico", + "transactionStatusTransferCompleted": "Trasferimento Completato", + "payInvalidSinpe": "Invalid Sinpe", + "coreScreensFromLabel": "Da", + "backupWalletGoogleDriveSignInTitle": "Dovrai accedere a Google Drive", + "sendEstimatedDelivery10to30Minutes": "10-30 minuti", + "transactionDetailLabelLiquidTxId": "ID transazione liquida", + "testBackupBackupId": "ID di backup:", + "walletDeletionErrorOngoingSwaps": "Non è possibile eliminare un portafoglio con swap in corso.", + "bitboxScreenConnecting": "Collegamento a BitBox", + "psbtFlowScanAnyQr": "Selezionare l'opzione \"Scan any QR code\"", + "transactionLabelServerNetworkFees": "Tasse di rete del server", + "importQrDeviceSeedsignerStep10": "Setup completo", + "sendReceive": "Ricevi", + "sellKycPendingDescription": "È necessario completare la verifica ID prima", + "fundExchangeETransferDescription": "Qualsiasi importo che invii dalla tua banca via Email E-Transfer utilizzando le informazioni qui sotto verrà accreditato sul tuo conto Bull Bitcoin in pochi minuti.", + "sendClearSelection": "Selezione chiara", + "fundExchangeLabelClabe": "CLABE", + "statusCheckLastChecked": "Ultimo controllo: {time}", + "@statusCheckLastChecked": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "backupWalletVaultProviderQuickEasy": "Veloce e facile", + "sellPayoutAmount": "Importo di pagamento", + "dcaConfirmFrequencyDaily": "Ogni giorno", + "buyConfirmPurchase": "Conferma l'acquisto", + "transactionLabelNetworkFee": "Costo di rete", + "importQrDeviceKeystoneStep9": "Setup è completo", + "tapWordsInOrderTitle": "Toccare le parole di recupero in\nordine giusto", + "payEnterAmountTitle": "Inserire l'importo", + "transactionOrderLabelPayinMethod": "Metodo di pagamento", + "buyInputMaxAmountError": "Non puoi comprare più di", + "walletDetailsDeletingMessage": "Deleting portafoglio...", + "receiveUnableToVerifyAddress": "In grado di verificare l'indirizzo: Informazioni sul portafoglio mancante o sull'indirizzo", + "payInvalidAddress": "Indirizzo non valido", + "appUnlockAttemptPlural": "tentativi falliti", + "exportVaultButton": "Vaso di esportazione", + "coreSwapsChainPaid": "In attesa del pagamento del fornitore di trasferimento per ricevere la conferma. Potrebbe volerci un po' per completare.", + "arkConfirmed": "Confermato", + "importQrDevicePassportStep6": "Selezionare \"Single-sig\"", + "sendSatsPerVB": "sats/vB", + "withdrawRecipientsContinue": "Continua", + "enterPinAgainMessage": "Inserisci nuovamente il tuo {pinOrPassword} per continuare.", + "@enterPinAgainMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importColdcardButtonInstructions": "Istruzioni", + "bitboxActionUnlockDeviceProcessingSubtext": "Si prega di inserire la password sul dispositivo BitBox...", + "sellWhichWalletQuestion": "Da quale portafogli vuoi vendere?", + "buyNetworkFeeRate": "Tasso di quota della rete", + "autoswapAlwaysBlockLabel": "Bloccare sempre le tasse", + "receiveFixedAmount": "Importo", + "bitboxActionVerifyAddressSuccessSubtext": "L'indirizzo è stato verificato sul dispositivo BitBox.", + "transactionSwapDescLnSendPaid": "La tua transazione online e' stata trasmessa. Dopo 1 conferma, il pagamento Lightning verrà inviato.", + "transactionSwapDescChainDefault": "Il tuo trasferimento e' in corso. Questo processo è automatizzato e può richiedere un po 'di tempo per completare.", + "onboardingBullBitcoin": "Bull Bitcoin", + "coreSwapsChainClaimable": "Il trasferimento è pronto per essere rivendicato.", + "dcaNetworkLightning": "Rete di illuminazione", + "backupWalletHowToDecideVaultCloudRecommendationText": "si desidera assicurarsi di non perdere mai l'accesso al file del vault anche se si perde i dispositivi.", + "arkAboutEsploraUrl": "URL pagina", + "backupKeyExampleWarning": "Ad esempio, se si utilizza Google Drive per il file di backup, non utilizzare Google Drive per la chiave di backup.", + "importColdcardInstructionsStep3": "Passare a \"Advanced/Tools\"", + "buyPhotoID": "ID della foto", + "exchangeSettingsAccountInformationTitle": "Informazioni sull'account", + "appStartupErrorTitle": "Errore di avvio", + "transactionLabelTransferId": "ID trasferimento", + "sendTitle": "Invia", + "withdrawOrderNotFoundError": "L'ordine di ritiro non è stato trovato. Per favore riprovate.", + "importQrDeviceSeedsignerStep4": "Selezionare \"Export Xpub\"", + "seedsignerStep6": " - Spostare il laser rosso su e giù sul codice QR", + "ledgerHelpStep5": "Assicurarsi che il Il dispositivo Ledger utilizza il firmware più recente, è possibile aggiornare il firmware utilizzando l'app desktop Ledger Live.", + "torSettingsPortDisplay": "Porta: {port}", + "@torSettingsPortDisplay": { + "placeholders": { + "port": { + "type": "int" + } + } + }, + "payTransitNumber": "Numero di trasmissione", + "importQrDeviceSpecterStep5": "Selezionare \"Master public keys\"", + "fundExchangeCostaRicaMethodIbanUsdTitle": "IBAN Costa Rica (USD)", + "allSeedViewDeleteWarningTitle": "ATTENZIONE!", + "backupSettingsBackupKey": "Chiave di backup", + "arkTransactionId": "ID transazione", + "payInvoiceCopied": "Fattura copiata a clipboard", + "recoverbullEncryptedVaultCreated": "Vault crittografato creato!", + "addressViewChangeAddressesComingSoon": "Cambia gli indirizzi in arrivo", + "psbtFlowScanQrShown": "Scansione del codice QR mostrato nel portafoglio Bull", + "testBackupErrorInvalidFile": "Contenuto del file non valido", + "payHowToPayInvoice": "Come vuoi pagare questa fattura?", + "transactionDetailLabelSendNetworkFee": "Inviare i costi di rete", + "sendSlowPaymentWarningDescription": "Gli swap Bitcoin richiederanno tempo per confermare.", + "bitboxActionVerifyAddressProcessingSubtext": "Si prega di confermare l'indirizzo sul dispositivo BitBox.", + "pinConfirmHeadline": "Confermare il nuovo perno", + "fundExchangeCanadaPostQrCodeLabel": "Loadhub Codice QR", + "payConfirmationRequired": "Richiesta conferma", + "bip85NextHex": "IL prossimo Articolo", + "physicalBackupStatusLabel": "Backup fisico", + "exchangeSettingsLogOutTitle": "Accedi", + "addressCardBalanceLabel": "Bilancia: ", + "transactionStatusInProgress": "In corso", + "recoverWalletScreenTitle": "Recuperare Wallet", + "rbfEstimatedDelivery": "Consegna stimata ~ 10 minuti", + "sendSwapCancelled": "Swap annullato", + "backupWalletGoogleDrivePrivacyMessage4": "mai ", + "dcaPaymentMethodValue": "{currency} equilibrio", + "@dcaPaymentMethodValue": { + "placeholders": { + "currency": { + "type": "String" + } + } + }, + "swapTransferCompletedTitle": "Trasferimento completato", + "torSettingsStatusDisconnected": "Scollegato", + "exchangeDcaCancelDialogTitle": "Cancella Bitcoin ricorrenti acquistare?", + "sellSendPaymentMxnBalance": "MXN Bilancio", + "fundExchangeSinpeLabelRecipientName": "Nome destinatario", + "dcaScheduleDescription": "Gli acquisti Bitcoin saranno posti automaticamente per questo programma.", + "keystoneInstructionsTitle": "Istruzioni Keystone", + "hwLedger": "Ledger", + "physicalBackupDescription": "Scrivi 12 parole su un pezzo di carta. Tienili al sicuro e assicurati di non perderli.", + "dcaConfirmButton": "Continua", + "dcaBackToHomeButton": "Torna a casa", + "importQrDeviceKruxInstructionsTitle": "Istruzioni Krux", + "transactionOrderLabelOriginName": "Nome di origine", + "importQrDeviceKeystoneInstructionsTitle": "Istruzioni Keystone", + "electrumSavePriorityFailedError": "Non riuscito a salvare la priorità del server{reason}", + "@electrumSavePriorityFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "globalDefaultLiquidWalletLabel": "Pagamenti istantiani", + "bitboxActionVerifyAddressProcessing": "Visualizza l'indirizzo su BitBox...", + "sendTypeSwap": "Scambio", + "sendErrorAmountExceedsMaximum": "Importo supera il massimo importo swap", + "bitboxActionSignTransactionSuccess": "Transazione firmata con successo", + "fundExchangeMethodInstantSepa": "SEPA istantaneo", + "buyVerificationFailed": "La verifica è fallita: {reason}", + "@buyVerificationFailed": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "importWatchOnlyBuyDevice": "Acquistare un dispositivo", + "sellMinimumAmount": "Importo minimo di vendita: {amount}", + "@sellMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "importColdcardTitle": "Collegare Coldcard Q", + "ledgerSuccessImportDescription": "Il portafoglio Ledger è stato importato con successo.", + "pinStatusProcessing": "Trattamento", + "dcaCancelMessage": "Il vostro piano di acquisto Bitcoin ricorrente si fermerà, e gli acquisti programmati termineranno. Per ricominciare, dovrai organizzare un nuovo piano.", + "fundExchangeHelpPaymentDescription": "Il tuo codice di trasferimento.", + "sellSendPaymentFastest": "Più veloce", + "dcaConfirmNetwork": "Rete di rete", + "allSeedViewDeleteWarningMessage": "Cancellare il seme è un'azione irreversibile. Solo fare questo se si dispone di backup sicuri di questo seme o i portafogli associati sono stati completamente drenati.", + "bip329LabelsTitle": "BIP329 Etichette", + "walletAutoTransferAllowButton": "Consentire", + "autoswapSelectWalletRequired": "Seleziona un portafoglio Bitcoin *", + "exchangeFeatureSellBitcoin": "• Vendere Bitcoin, ottenere pagato con Bitcoin", + "hwSeedSigner": "SeedSigner", + "bitboxActionUnlockDeviceButton": "Sblocca il dispositivo", + "payNetworkError": "Errore di rete. Si prega di riprovare", + "sendNetworkFeesLabel": "Inviare quote di rete", + "electrumUnknownError": "Si è verificato un errore", + "payWhichWallet": "Da quale portafogli vuoi pagare?", + "autoswapBaseBalanceInfoText": "Il saldo del portafoglio di pagamento istantaneo tornerà a questo saldo dopo un'autoswap.", + "recoverbullSelectDecryptVault": "Decrypt vault", + "buyUpgradeKYC": "Aggiornamento KYC Livello", + "transactionOrderLabelOrderType": "Tipo d'ordine", + "autoswapEnableToggleLabel": "Attiva trasferimento automatico", + "sendDustAmount": "Importo troppo piccolo (polvere)", + "allSeedViewExistingWallets": "Portafogli esistenti ({count})", + "@allSeedViewExistingWallets": { + "placeholders": { + "count": { + "type": "int", + "format": "decimalPattern" + } + } + }, + "arkSendConfirmedBalance": "Equilibrio confermato", + "sellFastest": "Più veloce", + "receiveTitle": "Ricevi", + "transactionSwapInfoRefundableSwap": "Questo swap verrà rimborsato automaticamente entro pochi secondi. In caso contrario, è possibile tentare un rimborso manuale facendo clic sul pulsante \"Rimborso Swap\".", + "payCancelPayment": "Annulla pagamento", + "ledgerInstructionsAndroidUsb": "Assicurarsi che il Ledger è sbloccato con l'applicazione Bitcoin aperto e collegarlo via USB.", + "onboardingOwnYourMoney": "I tuoi soldi", + "allSeedViewTitle": "Seed Viewer", + "connectHardwareWalletLedger": "Ledger", + "importQrDevicePassportInstructionsTitle": "Istruzioni per il passaporto della Fondazione", + "rbfFeeRate": "Tariffa: {rate}", + "@rbfFeeRate": { + "placeholders": { + "rate": { + "type": "String" + } + } + }, + "leaveYourPhone": "lasciare il telefono ed è ", + "sendFastFee": "Veloce", + "exchangeBrandName": "BULL BITCOIN", + "torSettingsPortHelper": "Predefinita porta Orbot: 9050", + "submitButton": "Inviare", + "bitboxScreenTryAgainButton": "Prova ancora", + "dcaConfirmTitle": "Confermare il Ricorso Comprare", + "viewVaultKeyButton": "Visualizza Vault chiave", + "recoverbullPasswordMismatch": "Le password non corrispondono", + "fundExchangeCrIbanUsdTransferCodeWarning": "È necessario aggiungere il codice di trasferimento come \"message\" o \"reason\" o \"descrizione\" quando si effettua il pagamento. Se si dimentica di includere questo codice, il pagamento può essere respinto.", + "sendAdvancedSettings": "Impostazioni avanzate", + "backupSettingsPhysicalBackup": "Backup fisico", + "importColdcardDescription": "Importa il codice QR del descrittore del portafoglio dal tuo Coldcard Q", + "backupSettingsSecurityWarning": "Avviso di sicurezza", + "arkCopyAddress": "Indirizzo copiato", + "sendScheduleFor": "Programma per {date}", + "@sendScheduleFor": { + "placeholders": { + "date": { + "type": "String" + } + } + }, + "psbtFlowClickDone": "Fare clic su \"Ho chiuso\" nel portafoglio Bull Bitcoin.", + "addressCardUnusedLabel": "Non usato", + "bitboxActionUnlockDeviceSuccess": "Dispositivo sbloccato Con successo", + "receivePayjoinInProgress": "Payjoin in corso", + "payFor": "Per", + "payEnterValidAmount": "Inserisci un importo valido", + "pinButtonRemove": "Rimuovere PIN Sicurezza", + "urProgressLabel": "UR Progress: {parts} parti", + "@urProgressLabel": { + "placeholders": { + "parts": { + "type": "String" + } + } + }, + "transactionDetailLabelAddressNotes": "Note di indirizzo", + "coldcardInstructionsTitle": "Istruzioni Coldcard Q", + "electrumDefaultServers": "Server predefiniti", + "onboardingRecoverWallet": "Recuperare Wallet", + "scanningProgressLabel": "Scansione: {percent}%", + "@scanningProgressLabel": { + "placeholders": { + "percent": { + "type": "String" + } + } + }, + "transactionOrderLabelReferenceNumber": "Numero di riferimento", + "backupWalletHowToDecide": "Come decidere?", + "recoverbullTestBackupDescription": "Ora testiamo il backup per assicurarci che tutto sia stato fatto correttamente.", + "fundExchangeSpeiInfo": "Effettuare un deposito utilizzando il trasferimento SPEI (instante).", + "screenshotLabel": "Schermata", + "bitboxErrorOperationTimeout": "L'operazione e' pronta. Per favore riprovate.", + "receiveLightning": "Illuminazione", + "sendRecipientAddressOrInvoice": "Indirizzo o fattura del destinatario", + "mempoolCustomServerUrlEmpty": "Inserisci un URL del server", + "importQrDeviceKeystoneName": "Keystone", + "payBitcoinAddress": "Indirizzo Bitcoin", + "buyInsufficientBalanceTitle": "Bilancio insufficiente", + "swapProgressPending": "Possibilità di trasferimento", + "exchangeDcaAddressLabelBitcoin": "Indirizzo Bitcoin", + "loadingBackupFile": "Caricamento file di backup...", + "legacySeedViewPassphrasesLabel": "Passphrases:", + "recoverbullContinue": "Continua", + "receiveAddressCopied": "Indirizzo copiato a clipboard", + "transactionDetailLabelStatus": "Stato", + "sellSendPaymentPayinAmount": "Importo del pagamento", + "psbtFlowTurnOnDevice": "Accendere il dispositivo {device}", + "@psbtFlowTurnOnDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "backupSettingsKeyServer": "Server chiave ", + "connectHardwareWalletColdcardQ": "Freccia Q", + "seedsignerStep2": "Fare clic su Scansione", + "addressCardIndexLabel": "Indice: ", + "ledgerErrorMissingDerivationPathVerify": "Il percorso di derivazione è richiesto per la verifica", + "recoverbullErrorVaultNotSet": "Vault non è impostato", + "ledgerErrorMissingScriptTypeSign": "Il tipo di script è richiesto per la firma", + "dcaSetupContinue": "Continua", + "electrumFormatError": "Utilizzare il formato host:port (ad esempio, example.com:50001)", + "arkAboutDurationDay": "{days} giorno", + "@arkAboutDurationDay": { + "placeholders": { + "days": { + "type": "int" + } + } + }, + "arkDurationHour": "{hours} ora", + "@arkDurationHour": { + "placeholders": { + "hours": { + "type": "String" + } + } + }, + "transactionFeesDeductedFrom": "Queste tasse saranno detratte dall'importo inviato", + "buyConfirmYouPay": "Paga", + "importWatchOnlyTitle": "Importa solo orologio", + "cancel": "Annulla", + "walletDetailsWalletFingerprintLabel": "Impronte del portafoglio", + "logsViewerTitle": "Logs", + "recoverbullTorNotStarted": "Tor non è iniziato", + "arkPending": "Finanziamenti", + "transactionOrderLabelOrderStatus": "Stato dell'ordine", + "testBackupCreatedAt": "Creato a:", + "dcaSetRecurringBuyTitle": "Set acquisto ricorrente", + "psbtFlowSignTransactionOnDevice": "Fare clic sui pulsanti per firmare la transazione sul {device}.", + "@psbtFlowSignTransactionOnDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "transactionStatusPending": "Finanziamenti", + "settingsSuperuserModeDisabledMessage": "Modalità Superuser disattivato.", + "bitboxCubitConnectionFailed": "Non è riuscito a connettersi al dispositivo BitBox. Controlla la connessione.", + "settingsTermsOfServiceTitle": "Termini di servizio", + "importQrDeviceScanning": "Scansione...", + "importWalletKeystone": "Keystone", + "payNewRecipients": "Nuovi destinatari", + "transactionLabelSendNetworkFees": "Inviare commissioni di rete", + "transactionLabelAddress": "Indirizzo", + "testBackupConfirm": "Conferma", + "urProcessingFailedMessage": "Lavorazione UR fallita", + "backupWalletChooseVaultLocationTitle": "Scegli la posizione del caveau", + "receiveCopyAddressOnly": "Solo indirizzo di copia o di scansione", + "testBackupErrorTestFailed": "Non è riuscito a testare il backup: {error}", + "@testBackupErrorTestFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payLightningFee": "Fee di fulmine", + "payLabelOptional": "Etichetta (opzionale)", + "recoverbullGoogleDriveDeleteButton": "Cancella", + "arkBalanceBreakdownTooltip": "Ripartizione del bilancio", + "exchangeDcaDeactivateTitle": "Disattivare l'acquisto ricorrente", + "fundExchangeMethodEmailETransferSubtitle": "Metodo più semplice e veloce (instante)", + "testBackupLastBackupTest": "Ultimo test di backup: {timestamp}", + "@testBackupLastBackupTest": { + "placeholders": { + "timestamp": { + "type": "String" + } + } + }, + "payAmountRequired": "Importo richiesto", + "keystoneStep7": " - Prova a spostare il dispositivo indietro un po'", + "coreSwapsChainExpired": "Trasferimento scaduto", + "payDefaultCommentOptional": "Commento predefinito (opzionale)", + "payCopyInvoice": "Copia fattura", + "transactionListYesterday": "Ieri", + "walletButtonReceive": "Ricevi", + "buyLevel2Limit": "Limite di livello 2: {amount}", + "@buyLevel2Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "bitboxCubitDeviceNotPaired": "Dispositivo non accoppiato. Si prega di completare il processo di accoppiamento prima.", + "sellCrcBalance": "CRC Bilancio", + "paySelectCoinsManually": "Seleziona le monete manualmente", + "replaceByFeeActivatedLabel": "Attivato il sostituto", + "sendPaymentProcessing": "Il pagamento viene effettuato. Potrebbe volerci un minuto", + "electrumDefaultServersInfo": "Per proteggere la privacy, i server di default non vengono utilizzati quando i server personalizzati sono configurati.", + "transactionDetailLabelPayoutMethod": "Metodo di pagamento", + "testBackupErrorLoadMnemonic": "Non caricare mnemonic: {error}", + "@testBackupErrorLoadMnemonic": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payPriceRefreshIn": "Il prezzo si rinfresca in ", + "bitboxCubitOperationCancelled": "L'operazione e' stata annullata. Per favore riprovate.", + "passportStep3": "Scansione del codice QR mostrato nel portafoglio Bull", + "jadeStep5": "Se hai problemi di scansione:", + "electrumProtocolError": "Non includere il protocollo (ssl:// o tcp://).", + "receivePayjoinFailQuestion": "Non c'e' tempo di aspettare o il payjoin non e' riuscito da parte del mittente?", + "arkSendConfirmTitle": "Conferma Invia", + "importQrDeviceSeedsignerStep1": "Potenza sul dispositivo SeedSigner", + "exchangeRecipientsTitle": "Recipienti", + "legacySeedViewEmptyPassphrase": "(vuoto)", + "importWatchOnlyDerivationPath": "Sentiero di degrado", + "sendErrorBroadcastFailed": "Non ha trasmesso la transazione. Controlla la tua connessione di rete e riprova.", + "paySecurityQuestion": "Domanda di sicurezza", + "dcaSelectWalletTypeLabel": "Selezionare Bitcoin Wallet Tipo", + "backupWalletHowToDecideVaultModalTitle": "Come decidere", + "importQrDeviceJadeStep1": "Accendere il dispositivo Jade", + "payNotLoggedInDescription": "Non sei connesso. Si prega di accedere per continuare a utilizzare la funzione di pagamento.", + "testBackupEncryptedVaultTag": "Facile e semplice (1 minuto)", + "transactionLabelAddressNotes": "Note di indirizzo", + "bitboxScreenTroubleshootingStep3": "Riavviare il dispositivo BitBox02 rimuovendolo e ricollegandolo.", + "torSettingsProxyPort": "Tor Proxy Port", + "fundExchangeErrorLoadingDetails": "I dettagli di pagamento non potrebbero essere caricati in questo momento. Si prega di tornare indietro e riprovare, scegliere un altro metodo di pagamento o tornare più tardi.", + "testCompletedSuccessTitle": "Test completato con successo!", + "payBitcoinAmount": "Importo di Bitcoin", + "fundExchangeSpeiTransfer": "Trasferimento SPEI", + "recoverbullUnexpectedError": "Errore inaspettato", + "coreSwapsStatusFailed": "Fatta", + "transactionFilterSell": "Vendita", + "fundExchangeMethodSpeiTransfer": "Trasferimento SPEI", + "fundExchangeSinpeWarningNoBitcoinDescription": " la parola \"Bitcoin\" o \"Crypto\" nella descrizione di pagamento. Questo blocca il pagamento.", + "electrumAddServer": "Aggiungi server", + "addressViewCopyAddress": "Copia indirizzo", + "receiveBitcoin": "Bitcoin", + "pinAuthenticationTitle": "Autenticazione", + "sellErrorNoWalletSelected": "Nessun portafoglio selezionato per inviare il pagamento", + "fundExchangeCrIbanCrcRecipientNameHelp": "Usa il nostro nome ufficiale. Non usare \"Bull Bitcoin\".", + "receiveVerifyAddressLedger": "Verifica l'indirizzo su Ledger", + "howToDecideButton": "Come decidere?", + "testBackupFetchingFromDevice": "Prendere dal dispositivo.", + "backupWalletHowToDecideVaultCustomLocation": "Una posizione personalizzata può essere molto più sicuro, a seconda della posizione che si sceglie. È inoltre necessario assicurarsi di non perdere il file di backup o di perdere il dispositivo su cui il file di backup è memorizzato.", + "exchangeLegacyTransactionsComingSoon": "Transazioni legacy - Arrivo presto", + "buyProofOfAddress": "Prova di indirizzo", + "backupWalletInstructionNoDigitalCopies": "Non fare copie digitali del backup. Scrivilo su un pezzo di carta o inciso in metallo.", + "psbtFlowError": "Errore: {error}", + "@psbtFlowError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "replaceByFeeFastestDescription": "Consegna stimata ~ 10 minuti", + "backupKeyHint": "acc8b7b12daf06412f45a90b7fd2..", + "importQrDeviceSeedsignerStep2": "Aprire il menu \"Seme\"", + "exchangeAmountInputValidationZero": "L'importo deve essere maggiore di zero", + "transactionLabelTransactionFee": "Costo di transazione", + "importWatchOnlyRequired": "Obbligo", + "payWalletNotSynced": "Portafoglio non sincronizzato. Per favore", + "recoverbullRecoveryLoadingMessage": "Alla ricerca di equilibrio e transazioni..", + "transactionSwapInfoChainDelay": "I trasferimenti on-chain possono richiedere un po 'di tempo per completare a causa dei tempi di conferma blockchain.", + "sellExchangeRate": "Tasso di cambio", + "walletOptionsNotFoundMessage": "Portafoglio non trovato", + "importMnemonicLegacy": "Legacy", + "settingsDevModeWarningMessage": "Questa modalità è rischiosa. Permettendolo, si riconosce che si può perdere denaro", + "sellTitle": "Vendita Bitcoin", + "recoverbullVaultKey": "Chiave del vaso", + "transactionListToday": "Oggi", + "keystoneStep12": "Il portafoglio Bull Bitcoin ti chiederà di scansionare il codice QR sulla Keystone. Scansione.", + "ledgerErrorRejectedByUser": "La transazione è stata respinta dall'utente sul dispositivo Ledger.", + "payFeeRate": "Tasso di tariffa", + "autoswapWarningDescription": "Autoswap assicura che un buon equilibrio sia mantenuto tra i pagamenti istantanei e Secure Bitcoin Wallet.", + "fundExchangeSinpeAddedToBalance": "Una volta che il pagamento viene inviato, verrà aggiunto al saldo del tuo account.", + "durationMinute": "{minutes} minuto", + "@durationMinute": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "recoverbullErrorDecryptedVaultNotSet": "La volta decifrata non è impostata", + "pinCodeMismatchError": "I PIN non corrispondono", + "autoswapRecipientWalletPlaceholderRequired": "Seleziona un portafoglio Bitcoin *", + "recoverbullGoogleDriveErrorGeneric": "Si è verificato un errore. Per favore riprovate.", + "sellUnauthenticatedError": "Non sei autenticato. Si prega di accedere per continuare.", + "coreScreensConfirmSend": "Conferma Invia", + "transactionDetailLabelSwapStatus": "Stato Swap", + "passportStep10": "Il Passport ti mostrerà il suo codice QR.", + "transactionDetailLabelAmountSent": "Importo inviato", + "electrumStopGapEmptyError": "Stop Gap non può essere vuoto", + "typeLabel": "Tipo: ", + "buyInputInsufficientBalance": "Bilancio insufficiente", + "ledgerProcessingSignSubtext": "Si prega di confermare la transazione sul dispositivo Ledger...", + "withdrawConfirmClabe": "CLABE", + "amountLabel": "Importo", + "sellUsdBalance": "USD Bilancio", + "payScanQRCode": "Scansione del QR Codice", + "seedsignerStep10": "Il SeedSigner vi mostrerà il suo codice QR.", + "psbtInstructions": "Istruzioni", + "swapProgressCompletedMessage": "Wow, hai aspettato! Il trasferimento ha completato con sucessità.", + "sellCalculating": "Calcolo...", + "recoverbullPIN": "PIN", + "swapInternalTransferTitle": "Trasferimento interno", + "withdrawConfirmPayee": "Pagamenti", + "importQrDeviceJadeStep8": "Fare clic sul pulsante \"open camera\"", + "payPhoneNumberHint": "Inserisci il numero di telefono", + "exchangeTransactionsComingSoon": "Transazioni - Prossimamente", + "navigationTabExchange": "Scambi", + "dcaSuccessMessageWeekly": "Comprerai {amount} ogni settimana", + "@dcaSuccessMessageWeekly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "withdrawConfirmRecipientName": "Nome destinatario", + "autoswapRecipientWalletPlaceholder": "Seleziona un portafoglio Bitcoin", + "enterYourBackupPinTitle": "Inserisci il backup {pinOrPassword}", + "@enterYourBackupPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "backupSettingsExporting": "Esportazione...", + "receiveDetails": "Dettagli", + "importQrDeviceSpecterStep11": "Setup è completo", + "mempoolSettingsUseForFeeEstimationDescription": "Quando abilitato, questo server verrà utilizzato per la stima dei costi. Quando disattivato, il server mempool di Bull Bitcoin verrà utilizzato invece.", + "sendCustomFee": "Costo personalizzato", + "seedsignerStep7": " - Prova a spostare il dispositivo indietro un po'", + "sendAmount": "Importo", + "buyInputInsufficientBalanceMessage": "Non hai abbastanza equilibrio per creare questo ordine.", + "recoverbullSelectBackupFileNotValidError": "Recoverbull file di backup non è valido", + "swapErrorInsufficientFunds": "Non poteva costruire una transazione. Analogamente a causa di fondi insufficienti per coprire le spese e l'importo.", + "dcaConfirmAmount": "Importo", + "arkBalanceBreakdown": "Ripartizione del bilancio", + "seedsignerStep8": "Una volta che la transazione viene importata nel SeedSigner, è necessario selezionare il seme che si desidera firmare con.", + "sellSendPaymentPriceRefresh": "Il prezzo si rinfresca in ", + "arkAboutCopy": "Copia", + "recoverbullPasswordRequired": "La password è richiesta", + "receiveNoteLabel": "Nota", + "payFirstName": "Nome", + "arkNoTransactionsYet": "Ancora nessuna operazione.", + "recoverViaCloudDescription": "Recuperare il backup tramite cloud utilizzando il PIN.", + "importWatchOnlySigningDevice": "Dispositivo di firma", + "receiveInvoiceExpired": "Fattura scaduta", + "ledgerButtonManagePermissions": "Gestione delle autorizzazioni", + "autoswapMinimumThresholdErrorSats": "Soglia di equilibrio minima è {amount} sati", + "@autoswapMinimumThresholdErrorSats": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "buyKycPendingTitle": "KYC ID Verification Pending", + "transactionOrderLabelPayinStatus": "Stato di pagamento", + "sellSendPaymentSecureWallet": "Portafoglio sicuro Bitcoin", + "coreSwapsLnReceiveRefundable": "Swap è pronto per essere rimborsato.", + "bitcoinSettingsElectrumServerTitle": "Impostazioni server Electrum", + "payRemoveRecipient": "Rimuovere Recipiente", + "pasteInputDefaultHint": "Incolla un indirizzo di pagamento o una fattura", + "sellKycPendingTitle": "KYC ID Verification Pending", + "withdrawRecipientsFilterAll": "Tutti i tipi", + "bitboxScreenSegwitBip84Subtitle": "Native SegWit - Consigliato", + "fundExchangeSpeiSubtitle": "Trasferire fondi utilizzando il CLABE", + "encryptedVaultRecommendationText": "Non sei sicuro e hai bisogno di più tempo per conoscere le pratiche di sicurezza di backup.", + "urDecodingFailedMessage": "UR decodifica fallito", + "fundExchangeAccountSubtitle": "Selezionare il paese e il metodo di pagamento", + "appStartupContactSupportButton": "Supporto di contatto", + "bitboxScreenWaitingConfirmation": "Attendere la conferma su BitBox02...", + "howToDecideVaultLocationText1": "Provider di storage cloud come Google o Apple non avranno accesso al tuo Bitcoin perché la password di crittografia è troppo forte. Possono accedere solo al Bitcoin nell'improbabile evento che colludono con il server chiave (il servizio online che memorizza la password di crittografia). Se il server chiave viene mai hackerato, il Bitcoin potrebbe essere a rischio con Google o Apple cloud.", + "receiveFeeExplanation": "Questa tassa sarà detratta dall'importo inviato", + "payCannotBumpFee": "Non può urtare tassa per questa transazione", + "payAccountNumber": "Numero di conto", + "arkSatsUnit": "sats", + "payMinimumAmount": "Minimo: {amount}", + "@payMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sendSwapRefundCompleted": "Rimborso Swap Completato", + "torSettingsStatusUnknown": "Stato Sconosciuto", + "sendConfirmSwap": "Conferma Swap", + "exchangeLogoutComingSoon": "Log out - Prossimamente", + "sendSending": "Inviare", + "withdrawConfirmAccount": "Account", + "backupButton": "Backup", + "sellSendPaymentPayoutAmount": "Importo di pagamento", + "payOrderNumber": "Numero d'ordine", + "sendErrorConfirmationFailed": "Conferma non riuscita", + "recoverbullWaiting": "Aspettare", + "notTestedStatus": "Non testato", + "paySinpeNumeroOrden": "Numero d'ordine", + "backupBestPracticesTitle": "Migliori pratiche di backup", + "transactionLabelRecipientAddress": "Indirizzo utile", + "backupWalletVaultProviderGoogleDrive": "Google Drive", + "bitboxCubitDeviceNotFound": "Nessun dispositivo BitBox trovato. Si prega di collegare il dispositivo e riprovare.", + "autoswapSaveError": "Non salvare le impostazioni: {error}", + "@autoswapSaveError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "buyStandardWithdrawal": "Ritiro standard", + "swapContinue": "Continua", + "arkSettleButton": "Settle", + "electrumAddFailedError": "Non è possibile aggiungere server personalizzati{reason}", + "@electrumAddFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "transactionDetailLabelTransferFees": "Tasse di trasferimento", + "arkAboutDurationHours": "{hours} ore", + "@arkAboutDurationHours": { + "placeholders": { + "hours": { + "type": "int" + } + } + }, + "importWalletSectionGeneric": "Portafogli generici", + "arkEsploraUrl": "URL pagina", + "backupSettingsNotTested": "Non testato", + "googleDrivePrivacyMessage": "Google ti chiederà di condividere le informazioni personali con questa app.", + "errorGenericTitle": "Ops! Qualcosa non va", + "bitboxActionPairDeviceSuccess": "Dispositivo accoppiato correttamente", + "bitboxErrorNoDevicesFound": "Nessun dispositivo BitBox trovato. Assicurarsi che il dispositivo sia acceso e collegato tramite USB.", + "torSettingsStatusConnecting": "Collegamento...", + "receiveSwapID": "ID Swap", + "settingsBitcoinSettingsTitle": "Impostazioni Bitcoin", + "backupWalletHowToDecideBackupModalTitle": "Come decidere", + "backupSettingsLabel": "Portafoglio di riserva", + "ledgerWalletTypeNestedSegwit": "Segwit Nested (BIP49)", + "fundExchangeJurisdictionMexico": "🇲🇽 Messico", + "sellInteracEmail": "Email Interac", + "coreSwapsActionClose": "Chiudi", + "kruxStep6": "Se hai problemi di scansione:", + "autoswapMaximumFeeError": "La soglia massima della tassa è {threshold}%", + "@autoswapMaximumFeeError": { + "placeholders": { + "threshold": { + "type": "String" + } + } + }, + "swapValidationEnterAmount": "Inserisci un importo", + "recoverbullErrorVaultCreatedKeyNotStored": "Non riuscita: file Vault creato ma chiave non memorizzata nel server", + "exchangeSupportChatWalletIssuesInfo": "Questa chat è solo per problemi di scambio relativi in Finanziamento / Compro / Vendi / Ritiro / Paga.\nPer problemi relativi al portafoglio, unisciti al gruppo di telegram cliccando qui.", + "exchangeLoginButton": "Accedi o registrati", + "arkAboutHide": "Nascondi", + "ledgerProcessingVerify": "Visualizza l'indirizzo su Ledger...", + "coreScreensFeePriorityLabel": "Priorità", + "arkSendPendingBalance": "Bilancia dei pagamenti ", + "coreScreensLogsTitle": "Logs", + "recoverbullVaultKeyInput": "Chiave del vaso", + "testBackupErrorWalletMismatch": "Backup non corrisponde al portafoglio esistente", + "bip329LabelsHeading": "BIP329 Etichette Import/Esporto", + "jadeStep2": "Aggiungi una passphrase se ne hai una (opzionale)", + "coldcardStep4": "Scansione del codice QR mostrato nel portafoglio Bull", + "importQrDevicePassportStep5": "Selezionare l'opzione \"Sparrow\"", + "psbtFlowClickPsbt": "Fare clic su PSBT", + "sendInvoicePaid": "Fattura a pagamento", + "buyKycPendingDescription": "È necessario completare l'ID verifica prima", + "payBelowMinAmountError": "Stai cercando di pagare sotto l'importo minimo che può essere pagato con questo portafoglio.", + "arkReceiveSegmentArk": "Ark", + "autoswapRecipientWalletInfo": "Scegliere quale portafoglio Bitcoin riceverà i fondi trasferiti (richiesto)", + "importWalletKrux": "Krux", + "swapContinueButton": "Continua", + "bitcoinSettingsBroadcastTransactionTitle": "Transazione di trasmissione", + "sendSignWithLedger": "Firma con Ledger", + "pinSecurityTitle": "PIN di sicurezza", + "swapValidationPositiveAmount": "Inserisci un importo positivo", + "walletDetailsSignerLabel": "Segnale", + "exchangeDcaSummaryMessage": "Stai acquistando {amount} ogni {frequency} via {network} finché ci sono fondi nel tuo account.", + "@exchangeDcaSummaryMessage": { + "placeholders": { + "amount": { + "type": "String", + "description": "The amount being purchased (e.g., '$100 CAD')" + }, + "frequency": { + "type": "String" + }, + "network": { + "type": "String" + } + } + }, + "addressLabel": "Indirizzo: ", + "testBackupWalletTitle": "Test {walletName}", + "@testBackupWalletTitle": { + "placeholders": { + "walletName": { + "type": "String" + } + } + }, + "withdrawRecipientsPrompt": "Dove e come dovremmo inviare i soldi?", + "withdrawRecipientsTitle": "Seleziona il destinatario", + "sellPayoutRecipient": "Prestito", + "backupWalletLastBackupTest": "Ultimo test di backup: ", + "whatIsWordNumberPrompt": "Qual è il numero di parola {number}?", + "@whatIsWordNumberPrompt": { + "placeholders": { + "number": { + "type": "int", + "example": "5" + } + } + }, + "keystoneStep1": "Accedi al tuo dispositivo Keystone", + "keystoneStep3": "Scansione del codice QR mostrato nel portafoglio Bull", + "backupKeyWarningMessage": "Attenzione: Fai attenzione a dove salvare la chiave di backup.", + "arkSendSuccessTitle": "Invia successo", + "importQrDevicePassportStep3": "Selezionare \"Conto di gestione\"", + "exchangeAuthErrorMessage": "Si è verificato un errore, si prega di provare a accedere di nuovo.", + "bitboxActionSignTransactionTitle": "Transazione dei segni", + "testBackupGoogleDrivePrivacyPart3": "lasciare il telefono ed è ", + "logSettingsErrorLoadingMessage": "Tronchi di caricamento di errore: ", + "dcaAmountLabel": "Importo", + "walletNetworkLiquid": "Rete liquida", + "receiveArkNetwork": "Ark", + "swapMaxButton": "MAX", + "transactionSwapStatusTransferStatus": "Stato di trasferimento", + "importQrDeviceSeedsignerStep8": "Scansiona il codice QR visualizzato sul tuo SeedSigner", + "backupKeyTitle": "Chiave di backup", + "electrumDeletePrivacyNotice": "Informativa sulla privacy:\n\nUtilizzando il tuo nodo assicura che nessuna terza parte possa collegare il tuo indirizzo IP con le tue transazioni. Cancellando il tuo ultimo server personalizzato, ti connetterai a un server BullBitcoin.\n.\n", + "dcaConfirmFrequencyWeekly": "Ogni settimana", + "payInstitutionNumberHint": "Inserisci il numero di istituzione", + "sendSlowPaymentWarning": "Avviso di pagamento lento", + "quickAndEasyTag": "Veloce e facile", + "settingsThemeTitle": "Tema", + "exchangeSupportChatYesterday": "Ieri", + "jadeStep3": "Selezionare l'opzione \"Scan QR\"", + "dcaSetupFundAccount": "Finanziamento del tuo conto", + "payEmail": "Email", + "coldcardStep10": "Fare clic sui pulsanti per firmare la transazione sulla Coldcard.", + "sendErrorAmountBelowSwapLimits": "L'importo è inferiore ai limiti di swap", + "labelErrorNotFound": "Etichetta \"{label}\" non trovata.", + "@labelErrorNotFound": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "payPrivatePayment": "Pagamento privato", + "autoswapDefaultWalletLabel": "Portafoglio Bitcoin", + "recoverbullTestSuccessDescription": "Sei in grado di recuperare l'accesso a un portafoglio Bitcoin perso", + "dcaDeactivate": "Disattivare l'acquisto ricorrente", + "exchangeAuthLoginFailedTitle": "Login Non riuscita", + "autoswapRecipientWallet": "Portafoglio Bitcoin sensibile", + "arkUnifiedAddressBip21": "Indirizzo unificato (BIP21)", + "pickPasswordOrPinButton": "Scegli un {pinOrPassword} invece >", + "@pickPasswordOrPinButton": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "password" + } + } + }, + "transactionDetailLabelOrderType": "Tipo d'ordine", + "autoswapWarningSettingsLink": "Portami alle impostazioni di autoswap", + "payLiquidNetwork": "Rete liquida", + "backupSettingsKeyWarningExample": "Ad esempio, se si utilizza Google Drive per il file di backup, non utilizzare Google Drive per la chiave di backup.", + "backupWalletHowToDecideVaultCloudRecommendation": "Google o cloud Apple: ", + "testBackupEncryptedVaultDescription": "Backup anonimo con crittografia forte utilizzando il cloud.", + "payNetworkType": "Rete di rete", + "addressViewChangeType": "Cambiamento", + "walletDeletionConfirmationDeleteButton": "Cancella", + "confirmLogoutTitle": "Confermare il Logout", + "ledgerWalletTypeSelectTitle": "Seleziona Wallet Tipo", + "swapTransferCompletedMessage": "Wow, hai aspettato! Il trasferimento è completato con successo.", + "encryptedVaultTag": "Facile e semplice (1 minuto)", + "electrumDelete": "Cancella", + "testBackupGoogleDrivePrivacyPart4": "mai ", + "arkConfirmButton": "Conferma", + "sendCoinControl": "Controllo delle monete", + "withdrawSuccessOrderDetails": "Dettagli dell'ordine", + "exchangeLandingConnect": "Collegare il conto di cambio Bull Bitcoin", + "payProcessingPayment": "Pagamento di elaborazione...", + "ledgerImportTitle": "Importazione Portafoglio Ledger", + "exchangeDcaFrequencyMonth": "mese", + "paySuccessfulPayments": "Successo", + "navigationTabWallet": "Portafoglio", + "bitboxScreenScanning": "Scansione per dispositivi", + "howToDecideBackupTitle": "Come decidere", + "statusCheckTitle": "Stato di servizio", + "ledgerHelpSubtitle": "In primo luogo, assicurarsi che il dispositivo Ledger è sbloccato e l'applicazione Bitcoin è aperta. Se il dispositivo non si connette ancora con l'app, prova il seguente:", + "savingToDevice": "Salvando il tuo dispositivo.", + "bitboxActionImportWalletButton": "Inizio Importazione", + "fundExchangeLabelSwiftCode": "Codice SWIFT", + "buyEnterBitcoinAddress": "Inserisci l'indirizzo bitcoin", + "autoswapWarningBaseBalance": "Bilancio di base 0.01", + "transactionDetailLabelPayoutAmount": "Importo di pagamento", + "importQrDeviceSpecterStep6": "Scegliere \"Single key\"", + "importQrDeviceJadeStep10": "Basta!", + "payPayeeAccountNumberHint": "Inserisci il numero di account", + "importQrDevicePassportStep8": "Sul dispositivo mobile, toccare \"open camera\"", + "dcaConfirmationError": "Qualcosa non andava: {error}", + "@dcaConfirmationError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "oopsSomethingWentWrong": "Ops! Qualcosa non va", + "pinStatusSettingUpDescription": "Impostazione del codice PIN", + "enterYourPinTitle": "Inserisci il tuo {pinOrPassword}", + "@enterYourPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "onboardingPhysicalBackup": "Backup fisico", + "swapFromLabel": "Da", + "fundExchangeCrIbanCrcDescription": "Invia un bonifico bancario dal tuo conto bancario utilizzando i dettagli qui sotto ", + "settingsDevModeWarningTitle": "Modalità Dev", + "importQrDeviceKeystoneStep4": "Selezionare Connetti il software Wallet", + "bitcoinSettingsAutoTransferTitle": "Impostazioni di trasferimento automatico", + "rbfOriginalTransaction": "Transazione originale", + "payViewRecipient": "Visualizza il destinatario", + "exchangeAccountInfoUserNumberCopiedMessage": "Numero utente copiato a clipboard", + "settingsAppVersionLabel": "Versione dell'app: ", + "bip329LabelsExportButton": "Etichette di esportazione", + "jadeStep4": "Scansione del codice QR mostrato nel portafoglio Bull", + "recoverbullRecoveryErrorWalletExists": "Questo portafoglio esiste già.", + "payBillerNameValue": "Nome Biller selezionato", + "sendSelectCoins": "Seleziona monete", + "fundExchangeLabelRoutingNumber": "Numero di instradamento", + "enterBackupKeyManuallyButton": "Inserisci la chiave di backup manualmente > >", + "paySyncingWallet": "Sincronizzazione portafoglio...", + "allSeedViewLoadingMessage": "Questo può richiedere un po 'per caricare se si dispone di un sacco di semi su questo dispositivo.", + "paySelectWallet": "Seleziona Wallet", + "pinCodeChangeButton": "Cambia PIN", + "paySecurityQuestionHint": "Inserisci domanda di sicurezza (10-40 caratteri)", + "ledgerErrorMissingPsbt": "PSBT è necessario per la firma", + "importWatchOnlyPasteHint": "Incolla xpub, ypub, zpub o descrittore", + "sellAccountNumber": "Numero di conto", + "backupWalletLastKnownEncryptedVault": "Ultimo noto crittografato Vault: ", + "dcaSetupInsufficientBalanceMessage": "Non hai abbastanza equilibrio per creare questo ordine.", + "recoverbullGotIt": "Capito", + "sendAdvancedOptions": "Opzioni avanzate", + "sellRateValidFor": "Tariffa valida per {seconds}s", + "@sellRateValidFor": { + "placeholders": { + "seconds": { + "type": "int" + } + } + }, + "autoswapAutoSaveError": "Non riuscita a salvare le impostazioni", + "exchangeAccountInfoVerificationLightVerification": "Verifica della luce", + "exchangeFeatureBankTransfers": "• Trasferimenti bancari e bollette di pagamento", + "sellSendPaymentInstantPayments": "Pagamenti istantiani", + "onboardingRecoverWalletButton": "Recuperare Wallet", + "dcaConfirmAutoMessage": "L'acquisto degli ordini verrà effettuato automaticamente per queste impostazioni. Puoi disattivarli quando vuoi.", + "arkCollaborativeRedeem": "Riscatto collaborativo", + "pinCodeCheckingStatus": "Controllo dello stato PIN", + "usePasswordInsteadButton": "Utilizzare {pinOrPassword} invece", + "@usePasswordInsteadButton": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "password" + } + } + }, + "coreSwapsLnSendFailedRefunding": "Swap sarà rimborsato a breve.", + "dcaWalletTypeLightning": "Rete di fulmini (LN)", + "transactionSwapProgressBroadcasted": "Trasmissione", + "backupWalletVaultProviderAppleICloud": "Apple iCloud", + "swapValidationMinimumAmount": "Importo minimo è {amount} {currency}", + "@swapValidationMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + }, + "currency": { + "type": "String" + } + } + }, + "importMnemonicTitle": "Importazione di Mnemonic", + "payReplaceByFeeActivated": "Attivato il sostituto", + "testBackupDoNotShare": "NON CONDIVIDI CON NESSUNO", + "kruxInstructionsTitle": "Istruzioni Krux", + "payNotAuthenticated": "Non sei autenticato. Si prega di accedere per continuare.", + "paySinpeNumeroComprobante": "Numero di riferimento", + "backupSettingsViewVaultKey": "Visualizza Vault chiave", + "ledgerErrorNoConnection": "Nessuna connessione Ledger disponibile", + "testBackupSuccessButton": "Capito", + "transactionLabelTransactionId": "ID transazione", + "buyNetworkFeeExplanation": "La quota di rete Bitcoin sarà detratta dall'importo che ricevi e raccolti dai minatori Bitcoin", + "transactionDetailLabelAddress": "Indirizzo", + "fundExchangeCrIbanUsdLabelPaymentDescription": "Descrizione del pagamento", + "fundExchangeInfoBeneficiaryNameLeonod": "Il nome del beneficiario dovrebbe essere LEONOD. Se metti qualcos'altro, il tuo pagamento verrà respinto.", + "importWalletLedger": "Ledger", + "recoverbullCheckingConnection": "Controllo della connessione per RecoverBull", + "exchangeLandingTitle": "BULL BITCOIN", + "psbtFlowSignWithQr": "Fare clic sul segno con il codice QR", + "doneButton": "Fatto", + "withdrawSuccessTitle": "Iniziato il ritiro", + "paySendAll": "Invia tutto", + "pinCodeAuthentication": "Autenticazione", + "payLowPriority": "Basso", + "coreSwapsLnReceivePending": "Swap non è ancora inizializzato.", + "arkSendConfirmMessage": "Si prega di confermare i dettagli della transazione prima di inviare.", + "bitcoinSettingsLegacySeedsTitle": "Legacy Seeds", + "transactionDetailLabelPayjoinCreationTime": "Tempo di creazione Payjoin", + "backupWalletBestPracticesTitle": "Migliori pratiche di backup", + "transactionSwapInfoFailedExpired": "Se avete domande o dubbi, si prega di contattare il supporto per l'assistenza.", + "memorizePasswordWarning": "È necessario memorizzare questo {pinOrPassword} per recuperare l'accesso al portafoglio. Deve essere di almeno 6 cifre. Se perdi questo {pinOrPassword} non puoi recuperare il backup.", + "@memorizePasswordWarning": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "googleAppleCloudRecommendation": "Google o cloud Apple: ", + "exchangeGoToWebsiteButton": "Vai al sito di cambio Bull Bitcoin", + "testWalletTitle": "Test {walletName}", + "@testWalletTitle": { + "placeholders": { + "walletName": { + "type": "String", + "example": "Default Wallets" + } + } + }, + "exchangeBitcoinWalletsLiquidAddressLabel": "Indirizzo liquido", + "backupWalletSuccessTestButton": "Test di backup", + "pinCodeSettingUp": "Impostazione del codice PIN", + "replaceByFeeErrorFeeRateTooLow": "È necessario aumentare il tasso di tassa di almeno 1 sat/vbyte rispetto alla transazione originale", + "payPriority": "Priorità", + "fundExchangeCostaRicaMethodIbanCrcSubtitle": "Fondi di trasferimento in Costa Rica Colón (CRC)", + "receiveNoTimeToWait": "Non c'e' tempo di aspettare o il payjoin non e' riuscito da parte del mittente?", + "payChannelBalanceLow": "Bilancio del canale troppo basso", + "allSeedViewNoSeedsFound": "Nessun seme trovato.", + "bitboxScreenActionFailed": "{action}", + "@bitboxScreenActionFailed": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "dcaSetupScheduleMessage": "Gli acquisti Bitcoin saranno posti automaticamente per questo programma.", + "coreSwapsStatusExpired": "Scadenza", + "fundExchangeCanadaPostStep3": "3. Dica al cassiere l'importo che si desidera caricare", + "payFee": "Fee", + "systemLabelSelfSpend": "Trascorrere", + "swapProgressRefundMessage": "C'era un errore nel trasferimento. Il rimborso è in corso.", + "passportStep4": "Se hai problemi di scansione:", + "dcaConfirmContinue": "Continua", + "decryptVaultButton": "Decrypt vault", + "electrumNetworkBitcoin": "Bitcoin", + "paySecureBitcoinWallet": "Portafoglio sicuro Bitcoin", + "exchangeAppSettingsDefaultCurrencyLabel": "Valuta di default", + "arkSendRecipientError": "Inserisci un destinatario", + "arkArkAddress": "Indirizzo dell'arca", + "payRecipientName": "Nome destinatario", + "exchangeBitcoinWalletsLightningAddressLabel": "Illuminazione (indirizzo LN)", + "bitboxActionVerifyAddressButton": "Verifica l'indirizzo", + "torSettingsInfoTitle": "Informazioni importanti", + "importColdcardInstructionsStep7": "Sul dispositivo mobile, toccare \"open camera\"", + "testBackupStoreItSafe": "Conservalo in un posto sicuro.", + "enterBackupKeyLabel": "Inserisci la chiave di backup", + "bitboxScreenTroubleshootingSubtitle": "In primo luogo, assicurarsi che il dispositivo BitBox02 è collegato alla porta USB del telefono. Se il dispositivo non si connette ancora con l'app, prova il seguente:", + "securityWarningTitle": "Avviso di sicurezza", + "never": "mai ", + "notLoggedInTitle": "Non sei in ritardo", + "testBackupWhatIsWordNumber": "Qual è il numero di parola {number}?", + "@testBackupWhatIsWordNumber": { + "placeholders": { + "number": { + "type": "int" + } + } + }, + "payInvoiceDetails": "Dettagli della fattura", + "exchangeLandingLoginButton": "Accedi o registrati", + "torSettingsEnableProxy": "Abilitare Tor Proxy", + "bitboxScreenAddressToVerify": "Indirizzo per verificare:", + "payConfirmPayment": "Conferma pagamento", + "bitboxErrorPermissionDenied": "Le autorizzazioni USB sono necessarie per connettersi ai dispositivi BitBox.", + "recoveryPhraseTitle": "Scrivi la tua frase di recupero\nnell'ordine corretto", + "bitboxActionSignTransactionProcessingSubtext": "Si prega di confermare la transazione sul dispositivo BitBox...", + "sellConfirmPayment": "Conferma del pagamento", + "sellSelectCoinsManually": "Seleziona le monete manualmente", + "addressViewReceiveType": "Ricevi", + "coldcardStep11": "La Coldcard Q ti mostrerà il suo codice QR.", + "fundExchangeLabelIban": "Numero di conto IBAN", + "swapDoNotUninstallWarning": "Non disinstallare l'app finché il trasferimento non sarà completato!", + "testBackupErrorVerificationFailed": "La verifica è fallita: {error}", + "@testBackupErrorVerificationFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "sendViewDetails": "Visualizza dettagli", + "recoverbullErrorUnexpected": "Errore inaspettato, vedi log", + "sendSubmarineSwap": "Submarine Swap", + "transactionLabelLiquidTransactionId": "ID transazione liquida", + "payNotAvailable": "N/A", + "payFastest": "Più veloce", + "allSeedViewSecurityWarningTitle": "Avviso di sicurezza", + "sendSwapFeeEstimate": "Tassa di swap stimata: {amount}", + "@sendSwapFeeEstimate": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "coreSwapsLnReceiveExpired": "Scambio scaduto.", + "fundExchangeOnlineBillPaymentLabelBillerName": "Cerca la lista dei fatturatori della tua banca per questo nome", + "recoverbullSelectFetchDriveFilesError": "Non riuscito a recuperare tutti i backup delle unità", + "psbtFlowLoadFromCamera": "Fare clic su Carica dalla fotocamera", + "exchangeAccountInfoVerificationLimitedVerification": "Verifica limitata", + "addressViewErrorLoadingMoreAddresses": "Caricamento errori più indirizzi: {error}", + "@addressViewErrorLoadingMoreAddresses": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "arkCopy": "Copia", + "sendBuildingTransaction": "Operazione di costruzione...", + "fundExchangeMethodEmailETransfer": "Email E-Transfer", + "electrumConfirm": "Conferma", + "transactionDetailLabelOrderNumber": "Numero d'ordine", + "bitboxActionPairDeviceSuccessSubtext": "Il dispositivo BitBox è ora accoppiato e pronto all'uso.", + "pickPasswordInsteadButton": "Scegli la password invece >", + "coreScreensSendNetworkFeeLabel": "Inviare i costi di rete", + "bitboxScreenScanningSubtext": "Alla ricerca del dispositivo BitBox...", + "sellOrderFailed": "Non ha posto ordine di vendita", + "payInvalidAmount": "Importo non valido", + "fundExchangeLabelBankName": "Nome della banca", + "ledgerErrorMissingScriptTypeVerify": "Il tipo di script è richiesto per la verifica", + "backupWalletEncryptedVaultDescription": "Backup anonimo con crittografia forte utilizzando il cloud.", + "sellRateExpired": "Tasso di cambio scaduto. Raffreddamento...", + "payExternalWallet": "Portafoglio esterno", + "recoverbullConfirm": "Conferma", + "arkPendingBalance": "Bilancia dei pagamenti", + "fundExchangeInfoBankCountryUk": "Il nostro paese è il Regno Unito.", + "dcaConfirmNetworkBitcoin": "Bitcoin", + "seedsignerStep14": "Ora è pronto a trasmettere! Non appena si fa clic sulla trasmissione, la transazione verrà pubblicata sulla rete Bitcoin e i fondi saranno inviati.", + "fundExchangeCostaRicaMethodIbanCrcTitle": "IBAN Costa Rica (CRC)", + "payOrderDetails": "Dettagli dell'ordine", + "importMnemonicTransactions": "{count} transazioni", + "@importMnemonicTransactions": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "exchangeAppSettingsPreferredLanguageLabel": "Lingua preferenziale", + "walletDeletionConfirmationMessage": "Sei sicuro di voler eliminare questo portafoglio?", + "rbfTitle": "Sostituire a pagamento", + "sellAboveMaxAmountError": "Stai cercando di vendere sopra l'importo massimo che può essere venduto con questo portafoglio.", + "settingsSuperuserModeUnlockedMessage": "Modalità Superuser sbloccato!", + "pickPinInsteadButton": "Scegliere PIN invece >", + "backupWalletVaultProviderCustomLocation": "Posizione personalizzata", + "addressViewErrorLoadingAddresses": "Indirizzo di caricamento di errore: {error}", + "@addressViewErrorLoadingAddresses": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "bitboxErrorConnectionTypeNotInitialized": "Tipo di connessione non inizializzato.", + "transactionListOngoingTransfersDescription": "Questi trasferimenti sono attualmente in corso. I vostri fondi sono sicuri e saranno disponibili quando il trasferimento sarà completato.", + "ledgerErrorUnknown": "Errore sconosciuto", + "payBelowMinAmount": "Stai cercando di pagare sotto l'importo minimo che può essere pagato con questo portafoglio.", + "ledgerProcessingVerifySubtext": "Si prega di confermare l'indirizzo sul dispositivo Ledger.", + "transactionOrderLabelOriginCedula": "Origine Cedula", + "recoverbullRecoveryTransactionsLabel": "Transazioni: {count}", + "@recoverbullRecoveryTransactionsLabel": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "buyViewDetails": "Visualizza dettagli", + "paySwapFailed": "Swap fallito", + "autoswapMaxFeeLabel": "Costo massimo di trasferimento", + "importMnemonicBalance": "Equilibrio: {amount}", + "@importMnemonicBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "appUnlockScreenTitle": "Autenticazione", + "importQrDeviceWalletName": "Nome del portafoglio", + "payNoRouteFound": "Nessun percorso trovato per questo pagamento", + "fundExchangeLabelBeneficiaryName": "Nome beneficiario", + "exchangeSupportChatMessageEmptyError": "Il messaggio non può essere vuoto", + "fundExchangeWarningTactic2": "Ti stanno offrendo un prestito", + "sellLiquidNetwork": "Rete liquida", + "payViewTransaction": "Visualizza la Transazione", + "transactionLabelToWallet": "Portafoglio", + "exchangeFileUploadInstructions": "Se avete bisogno di inviare altri documenti, caricarli qui.", + "ledgerInstructionsAndroidDual": "Assicurarsi che il Ledger è sbloccato con l'applicazione Bitcoin aperta e abilitata Bluetooth, o collegare il dispositivo tramite USB.", + "arkSendRecipientLabel": "Indirizzo del destinatario", + "defaultWalletsLabel": "Portafogli di default", + "jadeStep9": "Una volta che la transazione viene importata nel tuo Jade, rivedere l'indirizzo di destinazione e l'importo.", + "receiveAddLabel": "Aggiungi l'etichetta", + "ledgerWalletTypeNestedSegwitDescription": "P2WPKH-nested-in-P2SH", + "dcaConfirmFrequencyHourly": "Ogni ora", + "legacySeedViewMnemonicLabel": "Mnemonic", + "sellSwiftCode": "Codice SWIFT/BIC", + "fundExchangeCanadaPostTitle": "In persona in contanti o addebito al Canada Post", + "receiveInvoiceExpiry": "La fattura scade in {time}", + "@receiveInvoiceExpiry": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "testBackupGoogleDrivePrivacyPart5": "condiviso con Bull Bitcoin.", + "arkTotal": "Totale", + "bitboxActionSignTransactionSuccessSubtext": "La tua transazione è stata firmata con successo.", + "transactionStatusTransferExpired": "Trasferimento scaduto", + "backupWalletInstructionLosePhone": "Senza un backup, se si perde o si rompe il telefono, o se si disinstalla l'app Bull Bitcoin, i bitcoin saranno persi per sempre.", + "recoverbullConnected": "Collegato", + "dcaConfirmLightningAddress": "Indirizzo fulmine", + "coreSwapsLnReceiveCompleted": "Swap è completato.", + "backupWalletErrorGoogleDriveSave": "Non riuscito a salvare Google Drive", + "settingsTorSettingsTitle": "Impostazioni Tor", + "importQrDeviceKeystoneStep2": "Inserisci il tuo PIN", + "receiveBitcoinTransactionWillTakeTime": "La transazione Bitcoin richiederà un po 'per confermare.", + "sellOrderNotFoundError": "L'ordine di vendita non è stato trovato. Per favore riprovate.", + "sellErrorPrepareTransaction": "Non è riuscito a preparare la transazione: {error}", + "@sellErrorPrepareTransaction": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "fundExchangeOnlineBillPaymentTitle": "Pagamento online", + "importQrDeviceSeedsignerStep7": "Sul tuo dispositivo mobile, tocca Telecamera aperta", + "addressViewChangeAddressesDescription": "Portafoglio display Modifica degli indirizzi", + "sellReceiveAmount": "Riceverai", + "bitboxCubitInvalidResponse": "Risposta non valida dal dispositivo BitBox. Per favore riprovate.", + "settingsScreenTitle": "Impostazioni impostazioni", + "transactionDetailLabelTransferFee": "Tassa di trasferimento", + "importQrDeviceKruxStep5": "Scansiona il codice QR che vedi sul tuo dispositivo.", + "arkStatus": "Stato", + "fundExchangeHelpTransferCode": "Aggiungi questo come motivo per il trasferimento", + "mempoolCustomServerEdit": "Modifica", + "importQrDeviceKruxStep2": "Fare clic su chiave pubblica estesa", + "recoverButton": "Recuperare", + "passportStep5": " - Aumentare la luminosità dello schermo sul dispositivo", + "bitboxScreenConnectSubtext": "Assicurarsi che il BitBox02 sia sbloccato e collegato tramite USB.", + "payOwnerName": "Nome del proprietario", + "transactionNetworkLiquid": "Liquidazione", + "payEstimatedConfirmation": "Conferma stimata: {time}", + "@payEstimatedConfirmation": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "bitboxErrorInvalidResponse": "Risposta non valida dal dispositivo BitBox. Per favore riprovate.", + "psbtFlowAddPassphrase": "Aggiungi una passphrase se ne hai una (opzionale)", + "payAdvancedOptions": "Opzioni avanzate", + "sendSigningTransaction": "La transazione di firma...", + "sellErrorFeesNotCalculated": "Tasse di transazione non calcolate. Per favore riprovate.", + "dcaAddressLiquid": "Indirizzo liquido", + "buyVerificationInProgress": "Verifica in corso...", + "transactionSwapDescChainPaid": "La tua transazione e' stata trasmessa. Stiamo aspettando che la transazione di blocco venga confermata.", + "mempoolSettingsUseForFeeEstimation": "Utilizzo della stima delle tasse", + "buyPaymentMethod": "Metodo di pagamento", + "coreSwapsStatusCompleted": "Completato", + "fundExchangeCrIbanUsdDescriptionEnd": ". I fondi saranno aggiunti al saldo del tuo conto.", + "psbtFlowMoveCloserFurther": "Prova a spostare il dispositivo più vicino o più lontano", + "arkAboutDurationMinutes": "{minutes} minuti", + "@arkAboutDurationMinutes": { + "placeholders": { + "minutes": { + "type": "int" + } + } + }, + "swapProgressTitle": "Trasferimento interno", + "pinButtonConfirm": "Conferma", + "coldcardStep2": "Aggiungi una passphrase se ne hai una (opzionale)", + "electrumInvalidNumberError": "Inserisci un numero valido", + "coreWalletTransactionStatusConfirmed": "Confermato", + "recoverbullSelectGoogleDrive": "Google Drive", + "recoverbullEnterInput": "Inserisci il tuo {inputType}", + "@recoverbullEnterInput": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "importQrDevicePassportStep12": "Setup completo.", + "fundExchangeLabelIbanUsdOnly": "IBAN numero di conto (solo per dollari USA)", + "payRecipientDetails": "Dettagli importanti", + "fundExchangeWarningTitle": "Attenzione per truffatori", + "receiveError": "Errore: {error}", + "@receiveError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "electrumRetryCount": "Conte di recupero", + "walletDetailsDescriptorLabel": "Descrittore", + "importQrDeviceSeedsignerInstructionsTitle": "Istruzioni SeedSigner", + "payOrderNotFoundError": "L'ordine di pagamento non è stato trovato. Per favore riprovate.", + "jadeStep12": "Fare clic su \"Ho chiuso\" nel portafoglio Bull Bitcoin.", + "payFilterByType": "Filtra per tipo", + "importMnemonicImporting": "Importazione...", + "recoverbullGoogleDriveExportButton": "Esportazione", + "bip329LabelsDescription": "Importare o esportare etichette di portafoglio utilizzando il formato standard BIP329.", + "backupWalletHowToDecideBackupEncryptedRecommendationText": "Non sei sicuro e hai bisogno di più tempo per conoscere le pratiche di sicurezza di backup.", + "backupWalletImportanceWarning": "Senza un backup, alla fine perderai l'accesso ai tuoi soldi. È fondamentale fare un backup.", + "autoswapMaxFeeInfoText": "Se la quota di trasferimento totale è superiore alla percentuale impostata, il trasferimento automatico sarà bloccato", + "recoverbullGoogleDriveCancelButton": "Annulla", + "backupWalletSuccessDescription": "Ora testiamo il backup per assicurarci che tutto sia stato fatto correttamente.", + "rbfBroadcast": "Trasmissione", + "sendEstimatedDeliveryFewHours": "poche ore", + "dcaConfirmFrequencyMonthly": "Ogni mese", + "importWatchOnlyScriptType": "Tipo di script", + "electrumCustomServers": "Server personalizzati", + "transactionStatusSwapFailed": "Scambio non riuscito", + "fundExchangeCrIbanCrcLabelCedulaJuridica": "Cédula Jurídica", + "continueButton": "Continua", + "payBatchPayment": "Pagamento Batch", + "transactionLabelBoltzSwapFee": "Boltz Swap Fee", + "transactionSwapDescLnReceiveFailed": "C'era un problema con il tuo swap. Si prega di contattare il supporto se i fondi non sono stati restituiti entro 24 ore.", + "sellOrderNumber": "Numero d'ordine", + "payRecipientCount": "{count} destinatari", + "@payRecipientCount": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "sendErrorBuildFailed": "Costruisci falliti", + "transactionDetailSwapProgress": "Progressi di Swap", + "arkAboutDurationMinute": "{minutes} minuto", + "@arkAboutDurationMinute": { + "placeholders": { + "minutes": { + "type": "int" + } + } + }, + "backupWalletInstructionLoseBackup": "Se si perde il backup di 12 parole, non sarà in grado di recuperare l'accesso al portafoglio Bitcoin.", + "payIsCorporateAccount": "E' un conto aziendale?", + "sellSendPaymentInsufficientBalance": "Insufficiente equilibrio nel portafoglio selezionato per completare questo ordine di vendita.", + "fundExchangeCrIbanCrcLabelRecipientName": "Nome destinatario", + "swapTransferPendingTitle": "Possibilità di trasferimento", + "mempoolCustomServerSaveSuccess": "Server personalizzato salvato con successo", + "sendErrorBalanceTooLowForMinimum": "Bilancia troppo bassa per importo minimo di swap", + "testBackupSuccessMessage": "Sei in grado di recuperare l'accesso a un portafoglio Bitcoin perso", + "electrumTimeout": "Timeout (secondi)", + "transactionDetailLabelOrderStatus": "Stato dell'ordine", + "electrumSaveFailedError": "Non riuscito a salvare opzioni avanzate", + "arkSettleTransactionCount": "Settle {count} {transaction}", + "@arkSettleTransactionCount": { + "placeholders": { + "count": { + "type": "String" + }, + "transaction": { + "type": "String" + } + } + }, + "bitboxScreenWalletTypeLabel": "Tipo di portafoglio:", + "importQrDeviceKruxStep6": "Basta!", + "recoverbullRecoveryErrorMissingDerivationPath": "File di backup percorso di derivazione mancante.", + "payUnauthenticatedError": "Non sei autenticato. Si prega di accedere per continuare.", + "payClabe": "CLABE", + "mempoolCustomServerDelete": "Cancella", + "optionalPassphraseHint": "Passphrase opzionale", + "importColdcardImporting": "Importazione portafoglio Coldcard...", + "exchangeDcaHideSettings": "Nascondi le impostazioni", + "appUnlockIncorrectPinError": "PIN non corretto. Per favore riprovate. {failedAttempts} {attemptsWord}", + "@appUnlockIncorrectPinError": { + "placeholders": { + "failedAttempts": { + "type": "int" + }, + "attemptsWord": { + "type": "String" + } + } + }, + "buyBitcoinSent": "Bitcoin inviato!", + "coreScreensPageNotFound": "Pagina non trovata", + "passportStep8": "Una volta che la transazione viene importata nel tuo passaporto, rivedere l'indirizzo di destinazione e l'importo.", + "importQrDeviceTitle": "Collegare {deviceName}", + "@importQrDeviceTitle": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "exchangeFeatureDcaOrders": "• DCA, Limite ordini e Auto-buy", + "payIban": "IBAN", + "sellSendPaymentPayoutRecipient": "Prestito", + "swapInfoDescription": "Trasferisci Bitcoin senza soluzione di continuità tra i portafogli. Tenere solo i fondi nel Portafoglio di Pagamento istantaneo per le spese giornaliere.", + "fundExchangeCanadaPostStep7": "7. I fondi saranno aggiunti al saldo del tuo conto Bull Bitcoin entro 30 minuti", + "autoswapSaveButton": "Salva", + "importWatchOnlyDisclaimerDescription": "Assicurarsi che il percorso di derivazione che si sceglie corrisponda a quello che ha prodotto il dato xpub verificando il primo indirizzo derivato dal portafoglio prima dell'uso. Utilizzando il percorso sbagliato può portare alla perdita di fondi", + "fundExchangeWarningTactic8": "Ti stanno pressando per agire rapidamente", + "encryptedVaultStatusLabel": "Vault crittografato", + "sendConfirmSend": "Conferma Invia", + "fundExchangeBankTransfer": "Trasferimento bancario", + "importQrDeviceButtonInstructions": "Istruzioni", + "buyLevel3Limit": "Limite di livello 3: {amount}", + "@buyLevel3Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "electrumLiquidSslInfo": "Nessun protocollo deve essere specificato, SSL verrà utilizzato automaticamente.", + "sendDeviceConnected": "Dispositivo collegato", + "swapErrorAmountAboveMaximum": "Importo superiore al massimo importo swap: {max} sats", + "@swapErrorAmountAboveMaximum": { + "placeholders": { + "max": { + "type": "String" + } + } + }, + "psbtFlowPassportTitle": "Istruzioni per il passaporto della Fondazione", + "exchangeLandingFeature3": "Vendere Bitcoin, ottenere pagato con Bitcoin", + "notLoggedInMessage": "Accedi al tuo account Bull Bitcoin per accedere alle impostazioni di scambio.", + "swapTotalFees": "Totale delle spese ", + "keystoneStep11": "Fare clic su \"Ho chiuso\" nel portafoglio Bull Bitcoin.", + "scanningCompletedMessage": "Scansione completata", + "recoverbullSecureBackup": "Proteggi il backup", + "payDone": "Fatto", + "receiveContinue": "Continua", + "buyUnauthenticatedError": "Non sei autenticato. Si prega di accedere per continuare.", + "bitboxActionSignTransactionButton": "Avviare la firma", + "sendEnterAbsoluteFee": "Entra in quota assoluta nei sati", + "importWatchOnlyDisclaimerTitle": "Avviso di percorso di derivation", + "withdrawConfirmIban": "IBAN", + "payPayee": "Pagamenti", + "exchangeAccountComingSoon": "Questa funzione sta arrivando presto.", + "sellInProgress": "Vendere in corso...", + "testBackupLastKnownVault": "Ultimo noto crittografato Vault: {timestamp}", + "@testBackupLastKnownVault": { + "placeholders": { + "timestamp": { + "type": "String" + } + } + }, + "recoverbullErrorFetchKeyFailed": "Non è riuscito a prendere la chiave a volta dal server", + "sendSwapInProgressInvoice": "Lo scambio è in corso. La fattura sarà pagata in pochi secondi.", + "arkReceiveButton": "Ricevi", + "electrumRetryCountNegativeError": "Retry Count non può essere negativo", + "fundExchangeOnlineBillPaymentLabelAccountNumber": "Aggiungi questo come numero del conto", + "importQrDeviceJadeStep4": "Selezionare \"Opzioni\" dal menu principale", + "backupWalletSavingToDeviceTitle": "Salvando il tuo dispositivo.", + "transactionFilterSend": "Invia", + "paySwapInProgress": "Scambio in corso...", + "importMnemonicSyncMessage": "Tutti e tre i tipi di portafoglio stanno sincronizzando e il loro equilibrio e le transazioni apparirà presto. Si può aspettare fino a quando la sincronizzazione completa o procedere all'importazione se si è sicuri di quale tipo di portafoglio si desidera importare.", + "coreSwapsLnSendClaimable": "Swap è pronto per essere rivendicato.", + "fundExchangeMethodCrIbanCrcSubtitle": "Fondi di trasferimento in Costa Rica Colón (CRC)", + "transactionDetailTitle": "Dettagli di transazione", + "autoswapRecipientWalletLabel": "Portafoglio Bitcoin sensibile", + "coreScreensConfirmTransfer": "Confermare il trasferimento", + "payPaymentInProgressDescription": "Il pagamento è stato avviato e il destinatario riceverà i fondi dopo che la vostra transazione riceve 1 conferma onchain.", + "transactionLabelTotalTransferFees": "Totale spese di trasferimento", + "recoverbullRetry": "Reazione", + "arkSettleMessage": "Finalizzare le transazioni in sospeso e includere vtxos recuperabili se necessario", + "receiveCopyInvoice": "Copia fattura", + "exchangeAccountInfoLastNameLabel": "Cognome", + "walletAutoTransferBlockedTitle": "Trasferimento automatico Bloccato", + "importQrDeviceJadeInstructionsTitle": "Istruzioni Blockstream Jade", + "paySendMax": "Max", + "recoverbullGoogleDriveDeleteConfirmation": "Sei sicuro di voler eliminare questo backup della cassaforte? Questa azione non può essere annullata.", + "arkReceiveArkAddress": "Indirizzo dell'arca", + "googleDriveSignInMessage": "Dovrai accedere a Google Drive", + "transactionNoteEditTitle": "Modifica nota", + "transactionDetailLabelCompletedAt": "Completato a", + "passportStep9": "Fare clic sui pulsanti per firmare la transazione sul passaporto.", + "walletTypeBitcoinNetwork": "Rete Bitcoin", + "electrumDeleteConfirmation": "Sei sicuro di voler eliminare questo server?\n\n{serverUrl}", + "@electrumDeleteConfirmation": { + "placeholders": { + "serverUrl": { + "type": "String" + } + } + }, + "arkServerUrl": "URL del server", + "importMnemonicSelectType": "Selezionare un tipo di portafoglio da importare", + "fundExchangeMethodArsBankTransfer": "Trasferimento bancario", + "importQrDeviceKeystoneStep1": "Potenza sul dispositivo Keystone", + "arkDurationDays": "{days} giorni", + "@arkDurationDays": { + "placeholders": { + "days": { + "type": "String" + } + } + }, + "bitcoinSettingsBip85EntropiesTitle": "BIP85 Entropie deterministiche", + "swapTransferAmount": "Importo del trasferimento", + "feePriorityLabel": "Priorità", + "coreScreensToLabel": "A", + "backupSettingsTestBackup": "Test di backup", + "coreSwapsActionRefund": "Rimborso", + "payInsufficientBalance": "Bilancio insufficiente nel portafoglio selezionato per completare questo ordine di pagamento.", + "viewLogsLabel": "Visualizza i log", + "sendSwapTimeEstimate": "Tempo stimato: {time}", + "@sendSwapTimeEstimate": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "hwKeystone": "Keystone", + "kruxStep12": "Il Krux ti mostrerà il suo codice QR.", + "buyInputMinAmountError": "Dovresti comprare almeno", + "ledgerScanningTitle": "Scansione per dispositivi", + "payInstitutionCode": "Codice delle istituzioni", + "recoverbullFetchVaultKey": "Vai alla scheda chiave", + "coreSwapsActionClaim": "Ricorso", + "bitboxActionUnlockDeviceSuccessSubtext": "Il dispositivo BitBox è ora sbloccato e pronto all'uso.", + "payShareInvoice": "Fatturato", + "walletDetailsSignerDeviceLabel": "Dispositivo di segnale", + "bitboxScreenEnterPassword": "Inserisci la password", + "keystoneStep10": "La Keystone ti mostrerà il suo codice QR.", + "ledgerSuccessSignTitle": "Transazione firmata con successo", + "electrumPrivacyNoticeContent1": "Informativa sulla privacy: Utilizzando il proprio nodo assicura che nessuna terza parte possa collegare il tuo indirizzo IP, con le tue transazioni.", + "testBackupEnterKeyManually": "Inserisci la chiave di backup manualmente > >", + "fundExchangeWarningTactic3": "Dicono che lavorano per il debito o la raccolta fiscale", + "payCoinjoinFailed": "CoinJoin fallito", + "allWordsSelectedMessage": "Hai selezionato tutte le parole", + "bitboxActionPairDeviceTitle": "Dispositivo di coppia BitBox", + "buyKYCLevel2": "Livello 2 - Migliorato", + "receiveAmount": "Importo (opzionale)", + "testBackupErrorSelectAllWords": "Seleziona tutte le parole", + "buyLevel1Limit": "Limite di livello 1: {amount}", + "@buyLevel1Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "dcaNetworkLabel": "Rete di rete", + "sendScanBitcoinQRCode": "Scansiona qualsiasi codice QR Bitcoin o Lightning da pagare con bitcoin.", + "toLabel": "A", + "passportStep7": " - Prova a spostare il dispositivo indietro un po'", + "sendConfirm": "Conferma", + "payPhoneNumber": "Numero di telefono", + "transactionSwapProgressInvoicePaid": "Fatturato\nPagato", + "sendInsufficientFunds": "Fondi insufficienti", + "sendSuccessfullySent": "Con successo", + "sendSwapAmount": "Importo di swap", + "autoswapTitle": "Impostazioni di trasferimento automatico", + "sellInteracTransfer": "Interac e-Transfer", + "bitboxScreenPairingCodeSubtext": "Verificare questo codice corrisponde alla schermata BitBox02, quindi confermare sul dispositivo.", + "createdAtLabel": "Creato a:", + "pinConfirmMismatchError": "I PIN non corrispondono", + "autoswapMinimumThresholdErrorBtc": "Soglia di equilibrio minimo è {amount} BTC", + "@autoswapMinimumThresholdErrorBtc": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "receiveLiquidNetwork": "Liquidazione", + "autoswapSettingsTitle": "Impostazioni di trasferimento automatico", + "payFirstNameHint": "Inserisci il nome", + "payAdvancedSettings": "Impostazioni avanzate", + "walletDetailsPubkeyLabel": "Pubkey", + "arkAboutBoardingExitDelay": "Ritardo di uscita di imbarco", + "receiveConfirmedInFewSeconds": "Sarà confermato in pochi secondi", + "backupWalletInstructionNoPassphrase": "Il backup non è protetto da passphrase. Aggiungi una passphrase al backup in seguito creando un nuovo portafoglio.", + "transactionDetailLabelSwapId": "ID Swap", + "sendSwapFailed": "Lo scambio e' fallito. Il rimborso verrà effettuato a breve.", + "sellNetworkError": "Errore di rete. Si prega di riprovare", + "sendHardwareWallet": "Portafoglio hardware", + "sendUserRejected": "L'utente ha rifiutato sul dispositivo", + "swapSubtractFeesLabel": "Sottrarre tasse da importo", + "buyVerificationRequired": "Verifica richiesta per questo importo", + "withdrawConfirmBankAccount": "Conto bancario", + "kruxStep1": "Accedi al tuo dispositivo Krux", + "dcaUseDefaultLightningAddress": "Usa il mio indirizzo fulmine predefinito.", + "recoverbullErrorRejected": "Rigettato dal server chiave", + "sellEstimatedArrival": "Arrivo stimato: {time}", + "@sellEstimatedArrival": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "fundExchangeWarningTacticsTitle": "Tattiche di truffatore comuni", + "payInstitutionCodeHint": "Inserisci il codice dell'istituzione", + "arkConfirmedBalance": "Equilibrio confermato", + "walletAddressTypeNativeSegwit": "Nativo Segwit", + "payOpenInvoice": "Fattura aperta", + "payMaximumAmount": "Massimo: {amount}", + "@payMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sellSendPaymentNetworkFees": "Tasse di rete", + "transactionSwapDescLnReceivePaid": "Il pagamento è stato ricevuto! Stiamo ora trasmettendo la transazione on-chain al vostro portafoglio.", + "transactionNoteUpdateButton": "Aggiornamento", + "payAboveMaxAmount": "Stai cercando di pagare sopra l'importo massimo che può essere pagato con questo portafoglio.", + "receiveNetworkUnavailable": "{network} non è attualmente disponibile", + "@receiveNetworkUnavailable": { + "placeholders": { + "network": { + "type": "String" + } + } + }, + "fundExchangeHelpBeneficiaryAddress": "Il nostro indirizzo ufficiale, nel caso in cui ciò sia richiesto dalla tua banca", + "backupWalletPhysicalBackupTitle": "Backup fisico", + "arkTxBoarding": "Imbarco", + "bitboxActionVerifyAddressSuccess": "Indirizzo verificato con successo", + "psbtImDone": "Ho finito", + "bitboxScreenSelectWalletType": "Seleziona Wallet Tipo", + "appUnlockEnterPinMessage": "Inserisci il codice pin per sbloccare", + "torSettingsTitle": "Impostazioni Tor", + "backupSettingsRevealing": "Rivelazione...", + "payTotal": "Totale", + "autoswapSaveErrorMessage": "Non salvare le impostazioni: {error}", + "@autoswapSaveErrorMessage": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaAddressLabelLightning": "Indirizzo fulmine", + "addressViewTitle": "Indirizzo dettagli", + "payCompleted": "Pagamento completato!", + "bitboxScreenManagePermissionsButton": "Gestione delle autorizzazioni", + "sellKYCPending": "Verifica KYC in sospeso", + "buyGetConfirmedFaster": "Ottenere confermato più velocemente", + "transactionOrderLabelPayinAmount": "Importo del pagamento", + "dcaLightningAddressLabel": "Indirizzo fulmine", + "electrumEnableSsl": "Abilitare SSL", + "payCustomFee": "Costo personalizzato", + "backupInstruction5": "Il backup non è protetto da passphrase. Aggiungi una passphrase al backup in seguito creando un nuovo portafoglio.", + "buyConfirmExpress": "Conferma espresso", + "fundExchangeBankTransferWireTimeframe": "Tutti i fondi che invii verranno aggiunti al tuo Bull Bitcoin entro 1-2 giorni lavorativi.", + "sendDeviceDisconnected": "Dispositivo staccato", + "withdrawConfirmError": "Errore: {error}", + "@withdrawConfirmError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payFeeBumpFailed": "Fee urto fallito", + "arkAboutUnilateralExitDelay": "Ritardo di uscita unilaterale", + "payUnsupportedInvoiceType": "Tipo di fattura non supportato", + "seedsignerStep13": "La transazione verrà importata nel portafoglio Bull Bitcoin.", + "autoswapRecipientWalletDefaultLabel": "Portafoglio Bitcoin", + "transactionSwapDescLnReceiveClaimable": "La transazione on-chain è stata confermata. Stiamo ora rivendicando i fondi per completare il tuo swap.", + "dcaPaymentMethodLabel": "Metodo di pagamento", + "swapProgressPendingMessage": "Il trasferimento è in corso. Le transazioni Bitcoin possono richiedere un po' di tempo per confermare. Puoi tornare a casa e aspettare.", + "walletDetailsNetworkLabel": "Rete di rete", + "broadcastSignedTxBroadcasting": "Trasmissione...", + "recoverbullSelectRecoverWallet": "Recuperare Wallet", + "receivePayjoinActivated": "Payjoin attivato", + "importMnemonicContinue": "Continua", + "psbtFlowMoveLaser": "Spostare il laser rosso su e giù sul codice QR", + "chooseVaultLocationTitle": "Scegli la posizione del caveau", + "dcaConfirmOrderTypeValue": "Acquisto ricorrente", + "psbtFlowDeviceShowsQr": "Il {device} vi mostrerà il suo codice QR.", + "@psbtFlowDeviceShowsQr": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "fundExchangeCrBankTransferDescriptionExactly": "esattamente", + "testBackupEncryptedVaultTitle": "Criptato", + "dcaWalletTypeLiquid": "Liquido (LBTC)", + "fundExchangeLabelInstitutionNumber": "Numero di istituzione", + "encryptedVaultDescription": "Backup anonimo con crittografia forte utilizzando il cloud.", + "arkAboutCopiedMessage": "{label} copiato a clipboard", + "@arkAboutCopiedMessage": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "swapAmountLabel": "Importo", + "recoverbullSelectCustomLocation": "Location personalizzata", + "sellConfirmOrder": "Confermare l'ordine di vendita", + "exchangeAccountInfoUserNumberLabel": "Numero utente", + "buyVerificationComplete": "Verifica completa", + "transactionNotesLabel": "Note di transazione", + "replaceByFeeFeeRateDisplay": "Tariffa: {feeRate}", + "@replaceByFeeFeeRateDisplay": { + "placeholders": { + "feeRate": { + "type": "String" + } + } + }, + "torSettingsPortValidationRange": "Il porto deve essere compreso tra 1 e 65535", + "fundExchangeMethodCrIbanUsdSubtitle": "Trasferimenti in dollari statunitensi (USD)", + "electrumTimeoutEmptyError": "Il timeout non può essere vuoto", + "electrumPrivacyNoticeContent2": "Tuttavia, Se si visualizzano transazioni tramite mempool facendo clic sulla pagina Transaction ID o Recipient Details, queste informazioni saranno note a BullBitcoin.", + "exchangeAccountInfoVerificationIdentityVerified": "Identità verificata", + "importColdcardScanPrompt": "Scansiona il codice QR dal tuo Coldcard Q", + "torSettingsDescConnected": "Il proxy Tor è in esecuzione e pronto", + "backupSettingsEncryptedVault": "Vault crittografato", + "autoswapAlwaysBlockInfoDisabled": "Quando disattivato, ti verrà data l'opzione per consentire un auto-trasferimento che è bloccato a causa di alti costi", + "dcaSetupTitle": "Set acquisto ricorrente", + "sendErrorInsufficientBalanceForPayment": "Non abbastanza saldo per coprire questo pagamento", + "bitboxScreenPairingCode": "Codice di accoppiamento", + "testBackupPhysicalBackupTitle": "Backup fisico", + "fundExchangeSpeiDescription": "Trasferire fondi utilizzando il CLABE", + "ledgerProcessingImport": "Importazione di Wallet", + "coldcardStep15": "Ora è pronto a trasmettere! Non appena si fa clic sulla trasmissione, la transazione verrà pubblicata sulla rete Bitcoin e i fondi saranno inviati.", + "comingSoonDefaultMessage": "Questa funzione è attualmente in fase di sviluppo e sarà disponibile presto.", + "dcaFrequencyLabel": "Frequenza", + "ledgerErrorMissingAddress": "L'indirizzo è richiesto per la verifica", + "enterBackupKeyManuallyTitle": "Inserire la chiave di backup manualmente", + "transactionDetailLabelRecipientAddress": "Indirizzo utile", + "recoverbullCreatingVault": "Creare crittografato Vaccino", + "walletsListNoWalletsMessage": "Nessun portafoglio trovato", + "importWalletColdcardQ": "Freccia Q", + "backupSettingsStartBackup": "Avvio di backup", + "sendReceiveAmount": "Ricevi l'importo", + "recoverbullTestRecovery": "Test di recupero", + "sellNetAmount": "Importo netto", + "willNot": "non lo farà ", + "arkAboutServerPubkey": "Server pubkey", + "receiveReceiveAmount": "Ricevi l'importo", + "exchangeReferralsApplyToJoinMessage": "Applicare per aderire al programma qui", + "payLabelHint": "Inserisci un'etichetta per questo destinatario", + "payBitcoinOnchain": "Bitcoin on-chain", + "pinManageDescription": "Gestione del PIN di sicurezza", + "pinCodeConfirm": "Conferma", + "bitboxActionUnlockDeviceProcessing": "Dispositivo di sblocco", + "seedsignerStep4": "Se hai problemi di scansione:", + "mempoolNetworkLiquidTestnet": "Testato liquido", + "payBitcoinOnChain": "Bitcoin on-chain", + "torSettingsDescDisconnected": "Tor proxy non è in esecuzione", + "ledgerButtonTryAgain": "Prova ancora", + "bitboxScreenNestedSegwitBip49Subtitle": "P2WPKH-nested-in-P2SH", + "buyInstantPaymentWallet": "Portafoglio di pagamento istantaneo", + "autoswapMaxBalanceLabel": "Bilanciamento Max Instant Wallet", + "recoverbullRecoverBullServer": "RecoverBull Server", + "satsBitcoinUnitSettingsLabel": "Unità di visualizzazione in sati", + "exchangeDcaViewSettings": "Visualizza le impostazioni", + "payRetryPayment": "Recuperare il pagamento", + "exchangeSupportChatTitle": "Chat di supporto", + "sellAdvancedSettings": "Impostazioni avanzate", + "arkTxTypeCommitment": "Impegno", + "exchangeReferralsJoinMissionTitle": "Entra nella missione", + "exchangeSettingsLogInTitle": "Accedi", + "customLocationRecommendation": "Posizione personalizzata: ", + "fundExchangeMethodCrIbanUsd": "Costa Rica IBAN (USD)", + "recoverbullErrorSelectVault": "Non selezionare il caveau", + "paySwapCompleted": "Swap completato", + "receiveDescription": "Descrizione (opzionale)", + "bitboxScreenVerifyAddress": "Verifica l'indirizzo", + "bitboxScreenConnectDevice": "Collegare il dispositivo BitBox", + "arkYesterday": "Ieri", + "amountRequestedLabel": "Quantità richiesta: {amount}", + "@amountRequestedLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "swapProgressRefunded": "Transfer Rimborso", + "payPaymentHistory": "Storia del pagamento", + "exchangeFeatureUnifiedHistory": "• Storia delle transazioni unificata", + "payViewDetails": "Visualizza dettagli", + "withdrawOrderAlreadyConfirmedError": "Questo ordine di recesso è già stato confermato.", + "autoswapSelectWallet": "Seleziona un portafoglio Bitcoin", + "walletAutoTransferBlockButton": "Blocco", + "recoverbullGoogleDriveErrorSelectFailed": "Non selezionare la volta da Google Drive", + "autoswapRecipientWalletRequired": "#", + "pinCodeLoading": "Caricamento", + "fundExchangeCrIbanUsdLabelRecipientName": "Nome destinatario", + "ledgerSignTitle": "Transazione dei segni", + "importWatchOnlyCancel": "Annulla", + "arkAboutTitle": "Informazioni", + "exchangeSettingsSecuritySettingsTitle": "Impostazioni di sicurezza" +} \ No newline at end of file diff --git a/localization/app_pt.arb b/localization/app_pt.arb index 952e5ba97..1a964e7c7 100644 --- a/localization/app_pt.arb +++ b/localization/app_pt.arb @@ -1,12090 +1,4095 @@ { - "bitboxErrorMultipleDevicesFound": "Múltiplos dispositivos BitBox encontrados. Certifique-se de que apenas um dispositivo está conectado.", - "@bitboxErrorMultipleDevicesFound": { - "description": "Error when multiple BitBox devices are connected" - }, - "payTransactionBroadcast": "Transmissão da transação", - "@payTransactionBroadcast": { - "description": "Success message after broadcasting" - }, - "fundExchangeSepaDescriptionExactly": "exactamente.", - "@fundExchangeSepaDescriptionExactly": { - "description": "Emphasized word 'exactly' in SEPA description" - }, - "payPleasePayInvoice": "Por favor, pague esta fatura", - "@payPleasePayInvoice": { - "description": "Title for receive payment screen" - }, - "swapMax": "MAX", - "@swapMax": { - "description": "MAX button label" - }, - "importQrDeviceSpecterStep2": "Digite seu PIN", - "@importQrDeviceSpecterStep2": { - "description": "Specter instruction step 2" - }, - "importColdcardInstructionsStep10": "Configuração completa", - "@importColdcardInstructionsStep10": { - "description": "ImportColdcardQ: Final instruction step" - }, - "buyPayoutWillBeSentIn": "Seu pagamento será enviado ", - "@buyPayoutWillBeSentIn": { - "description": "Text before countdown timer for payout" - }, - "fundExchangeInstantSepaInfo": "Use apenas para transações abaixo de € 20.000. Para transações maiores, use a opção SEPA regular.", - "@fundExchangeInstantSepaInfo": { - "description": "Info message for Instant SEPA transaction limits" - }, - "transactionLabelSwapId": "ID do balanço", - "@transactionLabelSwapId": { - "description": "Label for swap ID" - }, - "dcaChooseWalletTitle": "Escolha Bitcoin Wallet", - "@dcaChooseWalletTitle": { - "description": "AppBar title for wallet selection screen" - }, - "torSettingsPortHint": "9050", - "@torSettingsPortHint": { - "description": "Hint text for port input showing default value" - }, - "electrumTimeoutPositiveError": "O tempo limite deve ser positivo", - "@electrumTimeoutPositiveError": { - "description": "Validation error for non-positive Timeout value" - }, - "bitboxScreenNeedHelpButton": "Precisas de ajuda?", - "@bitboxScreenNeedHelpButton": { - "description": "Button to show help instructions" - }, - "sellSendPaymentAboveMax": "Você está tentando vender acima da quantidade máxima que pode ser vendida com esta carteira.", - "@sellSendPaymentAboveMax": { - "description": "Above max amount error" - }, - "fundExchangeETransferLabelSecretAnswer": "Resposta secreta", - "@fundExchangeETransferLabelSecretAnswer": { - "description": "Label for E-transfer security answer" - }, - "payPayinAmount": "Quantidade de pagamento", - "@payPayinAmount": { - "description": "Label for amount user pays in" - }, - "transactionDetailLabelTransactionFee": "Taxa de transação", - "@transactionDetailLabelTransactionFee": { - "description": "Label for transaction fee" - }, - "jadeStep13": "A carteira Bull Bitcoin irá pedir-lhe para digitalizar o código QR no Jade. Analisa-o.", - "@jadeStep13": { - "description": "Jade instruction for scanning signed PSBT" - }, - "transactionSwapDescLnSendPending": "A tua troca foi iniciada. Estamos a transmitir a transação em cadeia para bloquear os seus fundos.", - "@transactionSwapDescLnSendPending": { - "description": "Description for pending Lightning send swap" - }, - "payInstitutionNumber": "Número de Instituição", - "@payInstitutionNumber": { - "description": "Label for institution number" - }, - "sendScheduledPayment": "Pagamento agendado", - "@sendScheduledPayment": { - "description": "Feature to delay transaction" - }, - "fundExchangeLabelBicCode": "Código BIC", - "@fundExchangeLabelBicCode": { - "description": "Label for BIC code field" - }, - "fundExchangeCanadaPostStep6": "6. O caixa lhe dará um recibo, mantê-lo como sua prova de pagamento", - "@fundExchangeCanadaPostStep6": { - "description": "Step 6 for Canada Post payment process" - }, - "sendSendNetworkFee": "Enviar Taxa de rede", - "@sendSendNetworkFee": { - "description": "Label for network fee on send side of swap" - }, - "exchangeDcaUnableToGetConfig": "Incapaz de obter configuração DCA", - "@exchangeDcaUnableToGetConfig": { - "description": "Error message when DCA configuration cannot be retrieved" - }, - "psbtFlowClickScan": "Clique em Digitalizar", - "@psbtFlowClickScan": { - "description": "Instruction to click scan button on device" - }, - "sellInstitutionNumber": "Número de Instituição", - "@sellInstitutionNumber": { - "description": "Label for bank institution code" - }, - "recoverbullGoogleDriveErrorDisplay": "Erro: {error}", - "@recoverbullGoogleDriveErrorDisplay": { - "description": "Error message display format", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "mempoolSettingsCustomServer": "Servidor personalizado", - "@mempoolSettingsCustomServer": { - "description": "Label for custom mempool server section" - }, - "fundExchangeMethodRegularSepa": "SEPA regular", - "@fundExchangeMethodRegularSepa": { - "description": "Payment method: Regular SEPA (Europe)" - }, - "addressViewTransactions": "Transações", - "@addressViewTransactions": { - "description": "Label for number of transactions" - }, - "fundExchangeSinpeLabelPhone": "Enviar para este número de telefone", - "@fundExchangeSinpeLabelPhone": { - "description": "Label for SINPE Móvil phone number field" - }, - "importQrDeviceKruxStep3": "Clique em XPUB - QR Code", - "@importQrDeviceKruxStep3": { - "description": "Krux instruction step 3" - }, - "passportStep1": "Entre no seu dispositivo de Passaporte", - "@passportStep1": { - "description": "Passport instruction step 1" - }, - "sellAdvancedOptions": "Opções avançadas", - "@sellAdvancedOptions": { - "description": "Title for advanced options bottom sheet" - }, - "electrumPrivacyNoticeSave": "Salvar", - "@electrumPrivacyNoticeSave": { - "description": "Save button in privacy notice dialog" - }, - "bip329LabelsImportSuccess": "{count, plural, =1{1 rótulo importado} other{{count} rótulos importados}}", - "@bip329LabelsImportSuccess": { - "description": "Success message after importing labels", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "receiveInvoice": "Fatura de relâmpago", - "@receiveInvoice": { - "description": "Label for Lightning invoice" - }, - "receiveGenerateAddress": "Gerar novo endereço", - "@receiveGenerateAddress": { - "description": "Button to create new on-chain address" - }, - "kruxStep3": "Clique em PSBT", - "@kruxStep3": { - "description": "Krux instruction step 3" - }, - "hwColdcardQ": "Cartão de crédito", - "@hwColdcardQ": { - "description": "Name of Coldcard Q hardware wallet" - }, - "fundExchangeCrIbanCrcTransferCodeWarning": "Você deve adicionar o código de transferência como \"mensagem\" ou \"razão\" ou \"descrição\" ao fazer o pagamento. Se você esquecer de incluir este código, seu pagamento pode ser rejeitado.", - "@fundExchangeCrIbanCrcTransferCodeWarning": { - "description": "Warning about including transfer code in payment" - }, - "paySinpeBeneficiario": "Beneficiário", - "@paySinpeBeneficiario": { - "description": "Label for beneficiary in SINPE details" - }, - "exchangeDcaAddressDisplay": "{addressLabel}: {address}", - "@exchangeDcaAddressDisplay": { - "description": "Format for displaying address label and address", - "placeholders": { - "addressLabel": { - "type": "String", - "description": "The address label (e.g., 'Bitcoin address')" - }, - "address": { - "type": "String", - "description": "The actual address" - } - } - }, - "autoswapAlwaysBlockEnabledInfo": "Quando ativado, as transferências automáticas com taxas acima do limite do conjunto serão sempre bloqueadas", - "@autoswapAlwaysBlockEnabledInfo": { - "description": "Info text when always block is enabled" - }, - "electrumServerAlreadyExists": "Este servidor já existe", - "@electrumServerAlreadyExists": { - "description": "Error message when trying to add a duplicate server" - }, - "sellPaymentMethod": "Método de pagamento", - "@sellPaymentMethod": { - "description": "Section for selecting how to receive fiat" - }, - "transactionNoteHint": "Nota", - "@transactionNoteHint": { - "description": "Hint text for note input field" - }, - "transactionLabelPreimage": "Preimagem", - "@transactionLabelPreimage": { - "description": "Label for preimage in Lightning swap details" - }, - "coreSwapsChainCanCoop": "Transferência completará momentaneamente.", - "@coreSwapsChainCanCoop": { - "description": "Status message for chain swap that can complete cooperatively" - }, - "importColdcardInstructionsStep2": "Insira uma senha se aplicável", - "@importColdcardInstructionsStep2": { - "description": "ImportColdcardQ: Second instruction step" - }, - "satsSuffix": " sats", - "@satsSuffix": { - "description": "Unit suffix for satoshi amounts" - }, - "recoverbullErrorPasswordNotSet": "A senha não está definida", - "@recoverbullErrorPasswordNotSet": { - "description": "Error when attempting operation without setting password" - }, - "sellSendPaymentExchangeRate": "Taxa de câmbio", - "@sellSendPaymentExchangeRate": { - "description": "Field label for exchange rate" - }, - "systemLabelAutoSwap": "Auto Swap", - "@systemLabelAutoSwap": { - "description": "System label for automatic swap transactions" - }, - "fundExchangeSinpeTitle": "Transferência de SINPE", - "@fundExchangeSinpeTitle": { - "description": "Screen title for SINPE transfer (Costa Rica)" - }, - "payExpiresIn": "Expira em {time}", - "@payExpiresIn": { - "description": "Label showing invoice expiration time", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "transactionDetailLabelConfirmationTime": "Tempo de confirmação", - "@transactionDetailLabelConfirmationTime": { - "description": "Label for confirmation time" - }, - "fundExchangeCanadaPostStep5": "5. Pague com dinheiro ou cartão de débito", - "@fundExchangeCanadaPostStep5": { - "description": "Step 5 for Canada Post payment process" - }, - "importQrDeviceKruxName": "Krux", - "@importQrDeviceKruxName": { - "description": "Name of Krux device" - }, - "addressViewNoAddressesFound": "Nenhum endereço encontrado", - "@addressViewNoAddressesFound": { - "description": "Empty state message when no addresses are available" - }, - "backupWalletErrorSaveBackup": "Falhado para salvar o backup", - "@backupWalletErrorSaveBackup": { - "description": "Error when backup save operation fails" - }, - "exchangeReferralsTitle": "Códigos de referência", - "@exchangeReferralsTitle": { - "description": "Title for the referral codes section" - }, - "onboardingRecoverYourWallet": "Recupere sua carteira", - "@onboardingRecoverYourWallet": { - "description": "Title for the recover wallet section in onboarding" - }, - "bitboxScreenTroubleshootingStep2": "Certifique-se de que seu telefone tem permissões USB habilitadas.", - "@bitboxScreenTroubleshootingStep2": { - "description": "Troubleshooting step 2" - }, - "replaceByFeeErrorNoFeeRateSelected": "Por favor, selecione uma taxa de taxa", - "@replaceByFeeErrorNoFeeRateSelected": { - "description": "Error message when no fee rate is selected" - }, - "transactionSwapDescChainPending": "Sua transferência foi criada, mas ainda não iniciada.", - "@transactionSwapDescChainPending": { - "description": "Description for pending chain swap" - }, - "coreScreensTransferFeeLabel": "Taxa de transferência", - "@coreScreensTransferFeeLabel": { - "description": "Label for transfer fee field" - }, - "onboardingEncryptedVaultDescription": "Recupere seu backup via nuvem usando seu PIN.", - "@onboardingEncryptedVaultDescription": { - "description": "Description for the encrypted vault recovery option in onboarding" - }, - "transactionOrderLabelPayoutStatus": "Status de pagamento", - "@transactionOrderLabelPayoutStatus": { - "description": "Label for order payout status" - }, - "transactionSwapStatusSwapStatus": "Estado do balanço", - "@transactionSwapStatusSwapStatus": { - "description": "Header for swap status section" - }, - "arkAboutDurationSeconds": "{seconds} segundos", - "@arkAboutDurationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "int" - } - } - }, - "receiveInvoiceCopied": "Fatura copiada para clipboard", - "@receiveInvoiceCopied": { - "description": "Toast message after copying invoice" - }, - "kruxStep7": " - Aumente o brilho da tela em seu dispositivo", - "@kruxStep7": { - "description": "Krux troubleshooting tip 1" - }, - "autoswapUpdateSettingsError": "Falhado para atualizar as configurações de troca automática", - "@autoswapUpdateSettingsError": { - "description": "Error message when updating settings fails" - }, - "transactionStatusTransferFailed": "Transferência Falhada", - "@transactionStatusTransferFailed": { - "description": "Status label for failed transfers" - }, - "jadeStep11": "O Jade irá então mostrar-lhe o seu próprio código QR.", - "@jadeStep11": { - "description": "Jade instruction about signed PSBT QR" - }, - "buyConfirmExternalWallet": "Carteira Bitcoin externa", - "@buyConfirmExternalWallet": { - "description": "External wallet payout method" - }, - "bitboxActionPairDeviceProcessing": "Dispositivo de emparelhamento", - "@bitboxActionPairDeviceProcessing": { - "description": "Processing text for pair device" - }, - "exchangeCurrencyDropdownTitle": "Selecione a moeda", - "@exchangeCurrencyDropdownTitle": { - "description": "Title for the currency selection dropdown" - }, - "receiveServerNetworkFees": "Taxas de rede do servidor", - "@receiveServerNetworkFees": { - "description": "Label for network fees charged by the swap server" - }, - "importQrDeviceImporting": "Importação de carteira...", - "@importQrDeviceImporting": { - "description": "Status while importing from QR device" - }, - "rbfFastest": "Mais rápido", - "@rbfFastest": { - "description": "Label for fastest fee option" - }, - "buyConfirmExpressWithdrawal": "Confirmação expressa", - "@buyConfirmExpressWithdrawal": { - "description": "Title for express withdrawal confirmation screen" - }, - "arkReceiveBoardingAddress": "BTC Endereço de embarque", - "@arkReceiveBoardingAddress": { - "description": "Label for BTC boarding address" - }, - "sellSendPaymentTitle": "Confirmar pagamento", - "@sellSendPaymentTitle": { - "description": "Title on sell payment screen" - }, - "recoverbullReenterConfirm": "Por favor, volte a entrar no seu {inputType} para confirmar.", - "@recoverbullReenterConfirm": { - "description": "Instruction to re-enter PIN or password for confirmation", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "importWatchOnlyCopiedToClipboard": "Copiado para clipboard", - "@importWatchOnlyCopiedToClipboard": { - "description": "Snackbar message shown when QR code content is copied" - }, - "dcaLightningAddressInvalidError": "Por favor, insira um endereço Lightning válido", - "@dcaLightningAddressInvalidError": { - "description": "Validation error when Lightning address format is invalid" - }, - "ledgerButtonNeedHelp": "Precisas de ajuda?", - "@ledgerButtonNeedHelp": { - "description": "Button label to show help/troubleshooting instructions" - }, - "backupInstruction4": "Não faça cópias digitais de seu backup. Escreva-o em um pedaço de papel, ou gravado em metal.", - "@backupInstruction4": { - "description": "Fourth backup instruction about not making digital copies" - }, - "hwKrux": "Krux", - "@hwKrux": { - "description": "Name of Krux hardware wallet" - }, - "transactionFilterTransfer": "Transferência", - "@transactionFilterTransfer": { - "description": "Filter option to show only transfer/swap transactions" - }, - "recoverbullSelectVaultImportSuccess": "Seu cofre foi importado com sucesso", - "@recoverbullSelectVaultImportSuccess": { - "description": "Success message shown on vault selected page" - }, - "mempoolServerNotUsed": "Não usado (servidor personalizado ativo)", - "@mempoolServerNotUsed": { - "description": "Label shown when default server is not used because custom server is active" - }, - "recoverbullSelectErrorPrefix": "Erro:", - "@recoverbullSelectErrorPrefix": { - "description": "Prefix text shown before error messages" - }, - "bitboxErrorDeviceMismatch": "Desvio de dispositivo detectado.", - "@bitboxErrorDeviceMismatch": { - "description": "Error when connected device does not match expected device" - }, - "arkReceiveBtcAddress": "Endereço de BTC", - "@arkReceiveBtcAddress": { - "description": "Label for Bitcoin address" - }, - "exchangeLandingRecommendedExchange": "Troca de Bitcoin recomendada", - "@exchangeLandingRecommendedExchange": { - "description": "Subtitle on landing screen v2 describing Bull Bitcoin as recommended" - }, - "backupWalletHowToDecideVaultMoreInfo": "Visite o Recoverbull.com para obter mais informações.", - "@backupWalletHowToDecideVaultMoreInfo": { - "description": "Link text to external resource about vault locations" - }, - "recoverbullGoBackEdit": "< Voltar e editar", - "@recoverbullGoBackEdit": { - "description": "Button text to return to previous screen for editing" - }, - "importWatchOnlyWalletGuides": "Guias de carteira", - "@importWatchOnlyWalletGuides": { - "description": "Button label for wallet documentation and guides" - }, - "receiveConfirming": "Confirmação... ({count}/{required})", - "@receiveConfirming": { - "description": "Shows confirmation progress", - "placeholders": { - "count": { - "type": "int" - }, - "required": { - "type": "int" - } - } - }, - "fundExchangeInfoPaymentDescription": "Na descrição de pagamento, adicione seu código de transferência.", - "@fundExchangeInfoPaymentDescription": { - "description": "Info about adding transfer code to payment description" - }, - "payInstantPayments": "Pagamentos imediatos", - "@payInstantPayments": { - "description": "Display text for instant payment wallet" - }, - "importWatchOnlyImportButton": "Importar apenas carteira de relógio", - "@importWatchOnlyImportButton": { - "description": "Button to confirm watch-only import" - }, - "fundExchangeCrIbanCrcDescriptionBold": "exactamente", - "@fundExchangeCrIbanCrcDescriptionBold": { - "description": "Bold emphasis word for CR IBAN transfer instructions" - }, - "electrumTitle": "Configurações do servidor Electrum", - "@electrumTitle": { - "description": "AppBar title for Electrum settings screen" - }, - "importQrDeviceJadeStep7": "Se necessário, selecione \"Opções\" para alterar o tipo de endereço", - "@importQrDeviceJadeStep7": { - "description": "Jade instruction step 7" - }, - "transactionNetworkLightning": "Luz", - "@transactionNetworkLightning": { - "description": "Label for Lightning network transactions" - }, - "paySecurityQuestionLength": "{count}/40 caracteres", - "@paySecurityQuestionLength": { - "description": "Character count for security question", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "sendBroadcastingTransaction": "Transmitir a transação.", - "@sendBroadcastingTransaction": { - "description": "Message shown while broadcasting transaction to network" - }, - "pinCodeMinLengthError": "PIN deve ser pelo menos {minLength} dígitos longo", - "@pinCodeMinLengthError": { - "description": "Error message when PIN is too short", - "placeholders": { - "minLength": { - "type": "String" - } - } - }, - "swapReceiveExactAmountLabel": "Receber quantidade exata", - "@swapReceiveExactAmountLabel": { - "description": "Label when receive exact amount toggle is on" - }, - "arkContinueButton": "Continue", - "@arkContinueButton": { - "description": "Continue button text used in ark send flow" - }, - "ledgerImportButton": "Importação de início", - "@ledgerImportButton": { - "description": "Button label to start importing Ledger wallet" - }, - "dcaActivate": "Ativar a recuperação", - "@dcaActivate": { - "description": "Label to activate DCA" - }, - "labelInputLabel": "Etiqueta", - "@labelInputLabel": { - "description": "Label for wallet label input field" - }, - "bitboxActionPairDeviceButton": "Iniciar emparelhamento", - "@bitboxActionPairDeviceButton": { - "description": "Button text for pair device" - }, - "importQrDeviceSpecterName": "Espectro", - "@importQrDeviceSpecterName": { - "description": "Name of Specter device" - }, - "transactionDetailLabelSwapFees": "Taxas de swap", - "@transactionDetailLabelSwapFees": { - "description": "Label for swap fees" - }, - "broadcastSignedTxFee": "Taxas", - "@broadcastSignedTxFee": { - "description": "Label for transaction fee" - }, - "recoverbullRecoveryBalanceLabel": "Equilíbrio: {amount}", - "@recoverbullRecoveryBalanceLabel": { - "description": "Label showing total wallet balance found", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyFundYourAccount": "Fina sua conta", - "@buyFundYourAccount": { - "description": "Button to fund exchange account" - }, - "sellReplaceByFeeActivated": "Substitui-a-taxa activada", - "@sellReplaceByFeeActivated": { - "description": "Label for RBF toggle" - }, - "globalDefaultBitcoinWalletLabel": "Bitcoin seguro", - "@globalDefaultBitcoinWalletLabel": { - "description": "Default label for Bitcoin wallets when used as the default wallet" - }, - "arkAboutServerUrl": "URL do servidor", - "@arkAboutServerUrl": { - "description": "Field label for server URL" - }, - "fundExchangeLabelRecipientAddress": "Endereço de destinatário", - "@fundExchangeLabelRecipientAddress": { - "description": "Label for recipient address field" - }, - "save": "Salvar", - "@save": { - "description": "Generic save button label" - }, - "dcaWalletLiquidSubtitle": "Requer carteira compatível", - "@dcaWalletLiquidSubtitle": { - "description": "Subtitle/description for Liquid wallet option" - }, - "fundExchangeCrIbanCrcTitle": "Transferência Bancária (CRC)", - "@fundExchangeCrIbanCrcTitle": { - "description": "Screen title for Costa Rica bank transfer in Colones" - }, - "appUnlockButton": "Desbloqueio", - "@appUnlockButton": { - "description": "Button label to unlock the app" - }, - "payServiceFee": "Taxa de serviço", - "@payServiceFee": { - "description": "Label for service provider fee" - }, - "transactionStatusSwapExpired": "Swap Expirou", - "@transactionStatusSwapExpired": { - "description": "Status label for expired swaps" - }, - "swapAmountPlaceholder": "0", - "@swapAmountPlaceholder": { - "description": "Placeholder for amount input fields" - }, - "fundExchangeMethodInstantSepaSubtitle": "Mais rápido - Apenas para transações abaixo de €20,000", - "@fundExchangeMethodInstantSepaSubtitle": { - "description": "Subtitle for Instant SEPA payment method" - }, - "dcaConfirmError": "Algo correu mal", - "@dcaConfirmError": { - "description": "DCA confirmation error message", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "exchangeDcaNetworkLiquid": "Rede líquida", - "@exchangeDcaNetworkLiquid": { - "description": "DCA network option: Liquid" - }, - "fundExchangeSepaDescription": "Envie uma transferência SEPA da sua conta bancária usando os detalhes abaixo ", - "@fundExchangeSepaDescription": { - "description": "Description for SEPA transfer (first part, before 'exactly')" - }, - "sendAddress": "Endereço: ", - "@sendAddress": { - "description": "Label prefix for address field" - }, - "receiveBitcoinNetwork": "Bitcoin", - "@receiveBitcoinNetwork": { - "description": "Bitcoin on-chain network option" - }, - "fundExchangeCrIbanCrcPaymentDescriptionHelp": "O teu código de transferência.", - "@fundExchangeCrIbanCrcPaymentDescriptionHelp": { - "description": "Help text explaining payment description is the transfer code" - }, - "testBackupWriteDownPhrase": "Escreva sua frase de recuperação\nna ordem correta", - "@testBackupWriteDownPhrase": { - "description": "Main instruction header for physical backup screen" - }, - "jadeStep8": " - Tente mover seu dispositivo mais perto ou mais longe", - "@jadeStep8": { - "description": "Jade troubleshooting tip 3" - }, - "payNotLoggedIn": "Não inscrito", - "@payNotLoggedIn": { - "description": "Title for not logged in card" - }, - "importQrDeviceSpecterStep7": "Desativar \"Use SLIP-132\"", - "@importQrDeviceSpecterStep7": { - "description": "Specter instruction step 7" - }, - "customLocationTitle": "Localização personalizada", - "@customLocationTitle": { - "description": "Title for custom location screen" - }, - "importQrDeviceJadeStep5": "Selecione \"Wallet\" na lista de opções", - "@importQrDeviceJadeStep5": { - "description": "Jade instruction step 5" - }, - "arkSettled": "Preparado", - "@arkSettled": { - "description": "Label for settled balance in Ark balance breakdown" - }, - "transactionFilterBuy": "Comprar", - "@transactionFilterBuy": { - "description": "Filter option to show only buy orders" - }, - "approximateFiatPrefix": "~", - "@approximateFiatPrefix": { - "description": "Prefix indicating approximate fiat equivalent value" - }, - "sendEstimatedDeliveryHoursToDays": "horas para dias", - "@sendEstimatedDeliveryHoursToDays": { - "description": "Estimated delivery time ranging from hours to days" - }, - "coreWalletTransactionStatusPending": "Pendente", - "@coreWalletTransactionStatusPending": { - "description": "Display name for pending wallet transaction status" - }, - "ledgerActionFailedMessage": "{action}", - "@ledgerActionFailedMessage": { - "description": "Error message when a Ledger action fails", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "testBackupErrorLoadWallets": "Falhado para carregar carteiras: {error}", - "@testBackupErrorLoadWallets": { - "description": "Error when loading wallets fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "fundExchangeLabelBankAccountCountry": "País de conta bancária", - "@fundExchangeLabelBankAccountCountry": { - "description": "Label for bank account country field" - }, - "walletAddressTypeNestedSegwit": "Segwit aninhado", - "@walletAddressTypeNestedSegwit": { - "description": "Address type for BIP49 wallets" - }, - "dcaConfirmDeactivate": "Sim, desactivar", - "@dcaConfirmDeactivate": { - "description": "Confirm deactivation button" - }, - "exchangeLandingFeature2": "DCA, Limite de ordens e Auto-compra", - "@exchangeLandingFeature2": { - "description": "Second feature bullet point" - }, - "payPaymentPending": "Pagamento pendente", - "@payPaymentPending": { - "description": "Status message for in-flight payment" - }, - "payConfirmHighFee": "A taxa para este pagamento é {percentage}% do valor. Continua?", - "@payConfirmHighFee": { - "description": "Confirmation prompt when fee percentage is high", - "placeholders": { - "percentage": { - "type": "String" - } - } - }, - "payPayoutAmount": "Quantidade de pagamento", - "@payPayoutAmount": { - "description": "Label for amount user receives" - }, - "autoswapMaxBalanceInfo": "Quando o saldo da carteira exceder o dobro desta quantidade, o auto-transfer irá desencadear para reduzir o equilíbrio a este nível", - "@autoswapMaxBalanceInfo": { - "description": "Info tooltip for max balance field" - }, - "payPhone": "Telefone", - "@payPhone": { - "description": "Label for phone details" - }, - "recoverbullTorNetwork": "Rede de Torno", - "@recoverbullTorNetwork": { - "description": "Label for Tor network connection status" - }, - "transactionDetailLabelTransferStatus": "Status de transferência", - "@transactionDetailLabelTransferStatus": { - "description": "Label for transfer status" - }, - "importColdcardInstructionsTitle": "Instruções do Coldcard Q", - "@importColdcardInstructionsTitle": { - "description": "ImportColdcardQ: Title of instructions bottom sheet" - }, - "sendVerifyOnDevice": "Verificar no dispositivo", - "@sendVerifyOnDevice": { - "description": "Instruction to check hardware wallet screen" - }, - "sendAmountRequested": "Montante solicitado: ", - "@sendAmountRequested": { - "description": "Label for the requested amount in a payment request" - }, - "exchangeTransactionsTitle": "Transações", - "@exchangeTransactionsTitle": { - "description": "Title for the transactions section in exchange" - }, - "payRoutingFailed": "Routing falhou", - "@payRoutingFailed": { - "description": "Error when Lightning payment routing fails" - }, - "payCard": "Cartão", - "@payCard": { - "description": "Label for card details" - }, - "sendFreezeCoin": "Moeda de congelamento", - "@sendFreezeCoin": { - "description": "Action to prevent UTXO from being spent" - }, - "fundExchangeLabelTransitNumber": "Número de trânsito", - "@fundExchangeLabelTransitNumber": { - "description": "Label for transit number field" - }, - "buyConfirmYouReceive": "Você recebe", - "@buyConfirmYouReceive": { - "description": "Field label for receive amount" - }, - "buyDocumentUpload": "Carregar documentos", - "@buyDocumentUpload": { - "description": "Section for ID document submission" - }, - "walletAddressTypeConfidentialSegwit": "Segwit confidencial", - "@walletAddressTypeConfidentialSegwit": { - "description": "Address type for Liquid wallets" - }, - "transactionDetailRetryTransfer": "Transferência de Restrição {action}", - "@transactionDetailRetryTransfer": { - "description": "Button label to retry a failed transfer action", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "sendTransferFeeDescription": "Esta é a taxa total deduzida do montante enviado", - "@sendTransferFeeDescription": { - "description": "Explanation of what the transfer fee represents" - }, - "bitcoinSettingsWalletsTitle": "Carteiras", - "@bitcoinSettingsWalletsTitle": { - "description": "Title for the wallets section in Bitcoin settings" - }, - "arkReceiveSegmentBoarding": "Quadro", - "@arkReceiveSegmentBoarding": { - "description": "Segment option for Boarding (BTC) address type" - }, - "seedsignerStep12": "A carteira Bull Bitcoin irá pedir-lhe para digitalizar o código QR no SeedSigner. Analisa-o.", - "@seedsignerStep12": { - "description": "SeedSigner instruction for scanning signed PSBT" - }, - "psbtFlowKeystoneTitle": "Instruções de Keystone", - "@psbtFlowKeystoneTitle": { - "description": "Title for Keystone device signing instructions" - }, - "transactionLabelTransferStatus": "Status de transferência", - "@transactionLabelTransferStatus": { - "description": "Label for transfer status" - }, - "arkSessionDuration": "Duração da sessão", - "@arkSessionDuration": { - "description": "Label for session duration field" - }, - "buyAboveMaxAmountError": "Você está tentando comprar acima da quantidade máxima.", - "@buyAboveMaxAmountError": { - "description": "Error message for amount above maximum during buy" - }, - "electrumTimeoutWarning": "Seu timeout ({timeoutValue} segundos) é menor do que o valor recomendado ({recommended} segundos) para este Stop Gap.", - "@electrumTimeoutWarning": { - "description": "Warning message when timeout is too low for the configured Stop Gap", - "placeholders": { - "timeoutValue": { - "type": "String" - }, - "recommended": { - "type": "String" - } - } - }, - "sendShowPsbt": "Mostrar PSBT", - "@sendShowPsbt": { - "description": "Button to display PSBT for external signing" - }, - "ledgerErrorUnknownOccurred": "O erro desconhecido ocorreu", - "@ledgerErrorUnknownOccurred": { - "description": "Error message when an unknown error occurs during Ledger operation" - }, - "receiveAddress": "Receber endereço", - "@receiveAddress": { - "description": "Label for generated address" - }, - "broadcastSignedTxAmount": "Montante", - "@broadcastSignedTxAmount": { - "description": "Label for transaction amount" - }, - "hwJade": "Blockstream Jade", - "@hwJade": { - "description": "Name of Blockstream Jade hardware wallet" - }, - "keystoneStep14": "Agora está pronto para transmitir! Assim que você clicar em transmissão, a transação será publicada na rede Bitcoin e os fundos serão enviados.", - "@keystoneStep14": { - "description": "Keystone final instruction about broadcasting" - }, - "recoverbullErrorConnectionFailed": "Falhado em se conectar ao servidor de chaves de destino. Por favor, tente novamente mais tarde!", - "@recoverbullErrorConnectionFailed": { - "description": "Error message when server connection fails" - }, - "testBackupDigitalCopy": "Cópia digital", - "@testBackupDigitalCopy": { - "description": "Label with X mark warning against making digital copies" - }, - "fundExchangeLabelMemo": "Memorando", - "@fundExchangeLabelMemo": { - "description": "Label for memo/reference field" - }, - "paySearchPayments": "Pagamentos de busca...", - "@paySearchPayments": { - "description": "Search box placeholder" - }, - "payPendingPayments": "Pendente", - "@payPendingPayments": { - "description": "Filter for pending payments" - }, - "passwordMinLengthError": "{pinOrPassword} deve ter pelo menos 6 dígitos de comprimento", - "@passwordMinLengthError": { - "description": "Error message for password minimum length", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "coreSwapsLnSendExpired": "Swap Expirou", - "@coreSwapsLnSendExpired": { - "description": "Status message for expired Lightning send swap" - }, - "sellSendPaymentUsdBalance": "USD / USD Balanço", - "@sellSendPaymentUsdBalance": { - "description": "USD balance payout method" - }, - "backupWalletEncryptedVaultTag": "Fácil e simples (1 minuto)", - "@backupWalletEncryptedVaultTag": { - "description": "Tag indicating difficulty and time for encrypted vault backup" - }, - "payBroadcastFailed": "Transmissão falhou", - "@payBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, - "arkSettleTransactions": "Transações de Settle", - "@arkSettleTransactions": { - "description": "Bottom sheet title for settling pending transactions" - }, - "transactionLabelConfirmationTime": "Tempo de confirmação", - "@transactionLabelConfirmationTime": { - "description": "Label for transaction confirmation timestamp" - }, - "languageSettingsScreenTitle": "Língua", - "@languageSettingsScreenTitle": { - "description": "The title of the language settings screen" - }, - "payNetworkFees": "Taxas de rede", - "@payNetworkFees": { - "description": "Label for network fees amount" - }, - "bitboxScreenSegwitBip84": "Segwit (BIP84)", - "@bitboxScreenSegwitBip84": { - "description": "Script type display name for BIP84" - }, - "bitboxScreenConnectingSubtext": "Estabelecer uma ligação segura...", - "@bitboxScreenConnectingSubtext": { - "description": "Subtext when connecting" - }, - "receiveShareAddress": "Compartilhar Endereço", - "@receiveShareAddress": { - "description": "Button to share via system share sheet" - }, - "arkTxPending": "Pendente", - "@arkTxPending": { - "description": "Status label for pending Ark transactions" - }, - "payAboveMaxAmountError": "Você está tentando pagar acima do montante máximo que pode ser pago com esta carteira.", - "@payAboveMaxAmountError": { - "description": "Error message for amount above maximum" - }, - "sharedWithBullBitcoin": "compartilhado com Bull Bitcoin.", - "@sharedWithBullBitcoin": { - "description": "End part of privacy assurance message" - }, - "jadeStep7": " - Mantenha o código QR estável e centralizado", - "@jadeStep7": { - "description": "Jade troubleshooting tip 2" - }, - "sendCouldNotBuildTransaction": "Não poderia construir a transação", - "@sendCouldNotBuildTransaction": { - "description": "Error message when a transaction cannot be built" - }, - "allSeedViewIUnderstandButton": "Eu compreendo", - "@allSeedViewIUnderstandButton": { - "description": "Button label to acknowledge security warning" - }, - "coreScreensExternalTransfer": "Transferência Externa", - "@coreScreensExternalTransfer": { - "description": "Title for external transfer action" - }, - "fundExchangeSinpeWarningNoBitcoin": "Não ponha", - "@fundExchangeSinpeWarningNoBitcoin": { - "description": "Bold warning text at start of bitcoin warning message" - }, - "ledgerHelpStep3": "Certifique-se de que seu Ledger tem Bluetooth ligado.", - "@ledgerHelpStep3": { - "description": "Third troubleshooting step for Ledger connection issues" - }, - "coreSwapsChainFailedRefunding": "A transferência será reembolsada em breve.", - "@coreSwapsChainFailedRefunding": { - "description": "Status message for failed chain swap that will be refunded" - }, - "sendSelectAmount": "Selecione o valor", - "@sendSelectAmount": { - "description": "Label for selecting the amount to send" - }, - "sellKYCRejected": "Verificação de KYC rejeitada", - "@sellKYCRejected": { - "description": "Error when verification fails" - }, - "electrumNetworkLiquid": "Líquido", - "@electrumNetworkLiquid": { - "description": "Liquid network tab label" - }, - "buyBelowMinAmountError": "Você está tentando comprar abaixo da quantidade mínima.", - "@buyBelowMinAmountError": { - "description": "Error message for amount below minimum during buy" - }, - "exchangeLandingFeature6": "Histórico de transações unificadas", - "@exchangeLandingFeature6": { - "description": "Sixth feature bullet point" - }, - "transactionStatusPaymentRefunded": "Pagamento Reembolsado", - "@transactionStatusPaymentRefunded": { - "description": "Status label for refunded payments" - }, - "pinCodeSecurityPinTitle": "PIN de segurança", - "@pinCodeSecurityPinTitle": { - "description": "AppBar title for PIN settings screen" - }, - "bitboxActionImportWalletSuccessSubtext": "Sua carteira BitBox foi importada com sucesso.", - "@bitboxActionImportWalletSuccessSubtext": { - "description": "Success subtext for import wallet" - }, - "electrumEmptyFieldError": "Este campo não pode estar vazio", - "@electrumEmptyFieldError": { - "description": "Validation error for empty field" - }, - "transactionStatusPaymentInProgress": "Pagamento em Progresso", - "@transactionStatusPaymentInProgress": { - "description": "Status label for Lightning payments in progress" - }, - "connectHardwareWalletKrux": "Krux", - "@connectHardwareWalletKrux": { - "description": "Krux hardware wallet option" - }, - "receiveSelectNetwork": "Selecione Rede", - "@receiveSelectNetwork": { - "description": "Dropdown to choose receiving network" - }, - "sellLoadingGeneric": "A carregar...", - "@sellLoadingGeneric": { - "description": "Generic loading message" - }, - "ledgerWalletTypeSegwit": "Segwit (BIP84)", - "@ledgerWalletTypeSegwit": { - "description": "Display name for Segwit wallet type (BIP84)" - }, - "bip85Mnemonic": "Mnemónica", - "@bip85Mnemonic": { - "description": "Label for mnemonic type entropy" - }, - "importQrDeviceSeedsignerName": "Sementes", - "@importQrDeviceSeedsignerName": { - "description": "Name of SeedSigner device" - }, - "payFeeTooHigh": "A taxa é excepcionalmente alta", - "@payFeeTooHigh": { - "description": "Warning when calculated fee is higher than expected" - }, - "fundExchangeBankTransferWireTitle": "Transferência bancária (fira)", - "@fundExchangeBankTransferWireTitle": { - "description": "Screen title for bank transfer wire payment details" - }, - "psbtFlowPartProgress": "Parte {current} de {total}", - "@psbtFlowPartProgress": { - "description": "Progress indicator for animated QR code parts", - "placeholders": { - "current": { - "type": "String" - }, - "total": { - "type": "String" - } - } - }, - "receiveShareInvoice": "Compartilhar Fatura", - "@receiveShareInvoice": { - "description": "Button to share invoice" - }, - "buyCantBuyMoreThan": "Você não pode comprar mais do que", - "@buyCantBuyMoreThan": { - "description": "Error message for amount above maximum" - }, - "dcaUnableToGetConfig": "Incapaz de obter configuração DCA", - "@dcaUnableToGetConfig": { - "description": "Error message when DCA config unavailable" - }, - "exchangeAuthLoginFailed": "Login Falhado", - "@exchangeAuthLoginFailed": { - "description": "Login failure dialog title" - }, - "arkAvailable": "Disponível", - "@arkAvailable": { - "description": "Label for available balance in Ark balance breakdown" - }, - "transactionSwapDescChainFailed": "Houve um problema com a sua transferência. Por favor, contacte o suporte se os fundos não tiverem sido devolvidos dentro de 24 horas.", - "@transactionSwapDescChainFailed": { - "description": "Description for failed chain swap" - }, - "testBackupWarningMessage": "Sem um backup, você eventualmente perderá o acesso ao seu dinheiro. É criticamente importante fazer um backup.", - "@testBackupWarningMessage": { - "description": "Warning message emphasizing importance of backups" - }, - "arkNetwork": "Rede", - "@arkNetwork": { - "description": "Label for network field" - }, - "importWatchOnlyYpub": "- sim", - "@importWatchOnlyYpub": { - "description": "Label for ypub import method" - }, - "ledgerVerifyTitle": "Verificar endereço no Ledger", - "@ledgerVerifyTitle": { - "description": "Title for verifying an address on Ledger device" - }, - "recoverbullSwitchToPassword": "Escolha uma senha em vez", - "@recoverbullSwitchToPassword": { - "description": "Button text to switch from PIN to password input" - }, - "exchangeDcaNetworkBitcoin": "Rede de Bitcoin", - "@exchangeDcaNetworkBitcoin": { - "description": "DCA network option: Bitcoin" - }, - "autoswapWarningTitle": "O Autoswap está habilitado com as seguintes configurações:", - "@autoswapWarningTitle": { - "description": "Title text in the autoswap warning bottom sheet" - }, - "seedsignerStep1": "Ligue o dispositivo SeedSigner", - "@seedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, - "backupWalletHowToDecideBackupLosePhysical": "Uma das maneiras mais comuns que as pessoas perdem seu Bitcoin é porque eles perdem o backup físico. Qualquer pessoa que encontrar seu backup físico será capaz de tomar todo o seu Bitcoin. Se você está muito confiante de que você pode escondê-lo bem e nunca perdê-lo, é uma boa opção.", - "@backupWalletHowToDecideBackupLosePhysical": { - "description": "Explanation of physical backup risks in decision help modal" - }, - "transactionLabelStatus": "Estado", - "@transactionLabelStatus": { - "description": "Label for transaction status" - }, - "transactionSwapDescLnSendDefault": "A tua troca está em andamento. Este processo é automatizado e pode levar algum tempo para ser concluído.", - "@transactionSwapDescLnSendDefault": { - "description": "Default description for Lightning send swap" - }, - "recoverbullErrorMissingBytes": "Perdendo bytes da resposta Tor. Retira mas se o problema persistir, é um problema conhecido para alguns dispositivos com Tor.", - "@recoverbullErrorMissingBytes": { - "description": "Error message when Tor response is incomplete" - }, - "coreScreensReceiveNetworkFeeLabel": "Receber Taxas de Rede", - "@coreScreensReceiveNetworkFeeLabel": { - "description": "Label for receive network fee field" - }, - "transactionPayjoinStatusCompleted": "Completada", - "@transactionPayjoinStatusCompleted": { - "description": "Payjoin status: completed" - }, - "payEstimatedFee": "Taxa estimada", - "@payEstimatedFee": { - "description": "Label for estimated network fee" - }, - "sendSendAmount": "Enviar valor", - "@sendSendAmount": { - "description": "Label for amount being sent in swap" - }, - "sendSelectedUtxosInsufficient": "Utxos selecionados não cobre a quantidade necessária", - "@sendSelectedUtxosInsufficient": { - "description": "Error message when selected UTXOs don't cover the required amount" - }, - "swapErrorBalanceTooLow": "Equilíbrio demasiado baixo para uma quantidade mínima de swap", - "@swapErrorBalanceTooLow": { - "description": "Error when balance is below minimum swap limit" - }, - "replaceByFeeErrorGeneric": "Um erro ocorreu ao tentar substituir a transação", - "@replaceByFeeErrorGeneric": { - "description": "Generic error message for replace-by-fee operation failures" - }, - "fundExchangeWarningTactic5": "Eles pedem para enviar Bitcoin em outra plataforma", - "@fundExchangeWarningTactic5": { - "description": "Fifth scammer tactic warning" - }, - "rbfCustomFee": "Taxas personalizadas", - "@rbfCustomFee": { - "description": "Label for custom fee option" - }, - "importQrDeviceFingerprint": "Impressão digital", - "@importQrDeviceFingerprint": { - "description": "Label for device fingerprint" - }, - "physicalBackupRecommendationText": "Você está confiante em suas próprias capacidades de segurança operacional para esconder e preservar suas palavras de semente Bitcoin.", - "@physicalBackupRecommendationText": { - "description": "Text explaining when to use physical backup" - }, - "importWatchOnlyDescriptor": "Descritores", - "@importWatchOnlyDescriptor": { - "description": "Label for descriptor import method" - }, - "payPaymentInProgress": "Pagamento em Progresso!", - "@payPaymentInProgress": { - "description": "Title for payment in progress screen" - }, - "recoverbullFailed": "Falhado", - "@recoverbullFailed": { - "description": "Status label indicating operation failure" - }, - "payOrderAlreadyConfirmed": "Esta ordem de pagamento já foi confirmada.", - "@payOrderAlreadyConfirmed": { - "description": "Error message when pay order is already confirmed" - }, - "ledgerProcessingSign": "Transação de Assinatura", - "@ledgerProcessingSign": { - "description": "Status message shown while signing transaction with Ledger" - }, - "jadeStep6": " - Aumente o brilho da tela em seu dispositivo", - "@jadeStep6": { - "description": "Jade troubleshooting tip 1" - }, - "fundExchangeETransferLabelEmail": "Enviar o E-transfer para este e-mail", - "@fundExchangeETransferLabelEmail": { - "description": "Label for E-transfer recipient email" - }, - "pinCodeCreateButton": "Criar PIN", - "@pinCodeCreateButton": { - "description": "Button label to create a new PIN" - }, - "bitcoinSettingsTestnetModeTitle": "Modo de Testnet", - "@bitcoinSettingsTestnetModeTitle": { - "description": "Title for the testnet mode toggle in Bitcoin settings" - }, - "buyTitle": "Comprar Bitcoin", - "@buyTitle": { - "description": "Screen title for buying Bitcoin" - }, - "fromLabel": "A partir de", - "@fromLabel": { - "description": "Label for source wallet in transaction details" - }, - "sellCompleteKYC": "KYC completo", - "@sellCompleteKYC": { - "description": "Button to start verification process" - }, - "hwConnectTitle": "Conecte a carteira de hardware", - "@hwConnectTitle": { - "description": "AppBar title for hardware wallet selection screen" - }, - "payRequiresSwap": "Este pagamento requer uma troca", - "@payRequiresSwap": { - "description": "Info message when payment needs submarine swap" - }, - "exchangeSecurityManage2FAPasswordLabel": "Gerenciar 2FA e senha", - "@exchangeSecurityManage2FAPasswordLabel": { - "description": "Label for managing 2FA and password in exchange security settings" - }, - "backupWalletSuccessTitle": "Backup concluído!", - "@backupWalletSuccessTitle": { - "description": "Success screen title after backup is completed" - }, - "transactionSwapDescLnSendFailed": "Houve um problema com a tua troca. Os seus fundos serão devolvidos automaticamente à sua carteira.", - "@transactionSwapDescLnSendFailed": { - "description": "Description for failed Lightning send swap" - }, - "sendCoinAmount": "Valor: {amount}", - "@sendCoinAmount": { - "description": "Label for UTXO amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "walletDeletionFailedOkButton": "ESTÁ BEM", - "@walletDeletionFailedOkButton": { - "description": "OK button label in wallet deletion failed dialog" - }, - "payTotalFees": "Taxas totais", - "@payTotalFees": { - "description": "Label for sum of all fees" - }, - "fundExchangeOnlineBillPaymentHelpBillerName": "Adicionar esta empresa como um payee - é processador de pagamento Bull Bitcoin", - "@fundExchangeOnlineBillPaymentHelpBillerName": { - "description": "Help text for biller name field" - }, - "payPayoutMethod": "Método de pagamento", - "@payPayoutMethod": { - "description": "Label for payout method section" - }, - "ledgerVerifyButton": "Verificar endereço", - "@ledgerVerifyButton": { - "description": "Button label to start address verification on Ledger" - }, - "sendErrorSwapFeesNotLoaded": "Taxas de swap não carregadas", - "@sendErrorSwapFeesNotLoaded": { - "description": "Error when swap fee information is unavailable" - }, - "walletDetailsCopyButton": "Entendido", - "@walletDetailsCopyButton": { - "description": "Button label for copying wallet details to clipboard" - }, - "backupWalletGoogleDrivePrivacyMessage3": "deixar seu telefone e é ", - "@backupWalletGoogleDrivePrivacyMessage3": { - "description": "Third part of privacy message" - }, - "backupCompletedDescription": "Agora vamos testar seu backup para garantir que tudo foi feito corretamente.", - "@backupCompletedDescription": { - "description": "Description prompting user to test their backup" - }, - "sendErrorInsufficientFundsForFees": "Não há fundos suficientes para cobrir o montante e as taxas", - "@sendErrorInsufficientFundsForFees": { - "description": "Error when wallet cannot cover transaction amount plus fees" - }, - "buyConfirmPayoutMethod": "Método de pagamento", - "@buyConfirmPayoutMethod": { - "description": "Field label for payout method" - }, - "dcaCancelButton": "Cancelar", - "@dcaCancelButton": { - "description": "Cancel button in DCA dialog" - }, - "durationMinutes": "{minutes}", - "@durationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "dcaConfirmNetworkLiquid": "Líquido", - "@dcaConfirmNetworkLiquid": { - "description": "Liquid network label" - }, - "walletDetailsAddressTypeLabel": "Tipo de endereço", - "@walletDetailsAddressTypeLabel": { - "description": "Label for the address type field in wallet details" - }, - "emptyMnemonicWordsError": "Digite todas as palavras de seu mnemônico", - "@emptyMnemonicWordsError": { - "description": "Error message when not all mnemonic words are filled in" - }, - "arkSettleCancel": "Cancelar", - "@arkSettleCancel": { - "description": "Cancel button on settle bottom sheet" - }, - "testBackupTapWordsInOrder": "Toque nas palavras de recuperação no\nordem certa", - "@testBackupTapWordsInOrder": { - "description": "Instruction header for word selection quiz" - }, - "transactionSwapDescLnSendExpired": "Esta troca expirou. Os seus fundos serão automaticamente devolvidos à sua carteira.", - "@transactionSwapDescLnSendExpired": { - "description": "Description for expired Lightning send swap" - }, - "testBackupButton": "Teste de backup", - "@testBackupButton": { - "description": "Button label to test backup" - }, - "receiveNotePlaceholder": "Nota", - "@receiveNotePlaceholder": { - "description": "Placeholder text for note input field" - }, - "sendChange": "Variação", - "@sendChange": { - "description": "Label for change output in a transaction" - }, - "coreScreensInternalTransfer": "Transferência interna", - "@coreScreensInternalTransfer": { - "description": "Title for internal transfer action" - }, - "sendSwapWillTakeTime": "Levará algum tempo para confirmar", - "@sendSwapWillTakeTime": { - "description": "Message warning swap confirmation takes time" - }, - "autoswapSelectWalletError": "Por favor, selecione uma carteira Bitcoin destinatário", - "@autoswapSelectWalletError": { - "description": "Validation error when trying to enable auto transfer without selecting a wallet" - }, - "sellServiceFee": "Taxa de serviço", - "@sellServiceFee": { - "description": "Label for Bull Bitcoin service fee" - }, - "connectHardwareWalletTitle": "Conecte a carteira de hardware", - "@connectHardwareWalletTitle": { - "description": "Title for connect hardware wallet page" - }, - "replaceByFeeCustomFeeTitle": "Taxas personalizadas", - "@replaceByFeeCustomFeeTitle": { - "description": "Title for custom fee input section" - }, - "kruxStep14": "A carteira Bull Bitcoin irá pedir-lhe para digitalizar o código QR no Krux. Analisa-o.", - "@kruxStep14": { - "description": "Krux instruction for scanning signed PSBT" - }, - "payAvailableBalance": "Disponível: {amount}", - "@payAvailableBalance": { - "description": "Label showing available wallet balance", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "payCheckingStatus": "Verificando o estado de pagamento...", - "@payCheckingStatus": { - "description": "Loading message while verifying payment status" - }, - "payMemo": "Memorando", - "@payMemo": { - "description": "Label for optional payment note" - }, - "languageSettingsLabel": "Língua", - "@languageSettingsLabel": { - "description": "The label for the button to access the language settings" - }, - "fundExchangeMethodCrIbanCrc": "Costa Rica IBAN (CRC)", - "@fundExchangeMethodCrIbanCrc": { - "description": "Payment method: Costa Rica IBAN in Colones" - }, - "walletDeletionFailedTitle": "Excluir Falhado", - "@walletDeletionFailedTitle": { - "description": "Title for the wallet deletion failed dialog" - }, - "payPayFromWallet": "Pagar da carteira", - "@payPayFromWallet": { - "description": "Label for wallet used for payment" - }, - "broadcastSignedTxNfcTitle": "NFC", - "@broadcastSignedTxNfcTitle": { - "description": "Title for NFC scanning page" - }, - "buyYouPay": "Você paga", - "@buyYouPay": { - "description": "Label for amount user pays" - }, - "payOrderAlreadyConfirmedError": "Esta ordem de pagamento já foi confirmada.", - "@payOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed order" - }, - "passportStep12": "A carteira Bull Bitcoin irá pedir-lhe para digitalizar o código QR no Passaporte. Analisa-o.", - "@passportStep12": { - "description": "Passport instruction for scanning signed PSBT" - }, - "paySelectRecipient": "Selecione o destinatário", - "@paySelectRecipient": { - "description": "Screen title for recipient selection" - }, - "payNoActiveWallet": "Sem carteira ativa", - "@payNoActiveWallet": { - "description": "Error when no wallet is selected" - }, - "importQrDeviceKruxStep4": "Clique no botão \"Câmera aberta\"", - "@importQrDeviceKruxStep4": { - "description": "Krux instruction step 4" - }, - "appStartupErrorMessageWithBackup": "Em v5.4.0 um bug crítico foi descoberto em uma de nossas dependências que afetam o armazenamento de chaves privada. Seu aplicativo foi afetado por isso. Você terá que excluir este aplicativo e reinstalá-lo com sua semente de backup.", - "@appStartupErrorMessageWithBackup": { - "description": "Error message shown when app startup fails due to seed storage issue and user has a backup" - }, - "payPasteInvoice": "Fatura de pasta", - "@payPasteInvoice": { - "description": "Button text to paste invoice from clipboard" - }, - "labelErrorUnexpected": "Erro inesperado: {message}", - "@labelErrorUnexpected": { - "description": "Error message for unexpected label errors", - "placeholders": { - "message": { - "type": "String" - } - } - }, - "arkStatusSettled": "Preparado", - "@arkStatusSettled": { - "description": "Status label for settled redeem transactions" - }, - "dcaWalletBitcoinSubtitle": "Mínimo 0,001 BTC", - "@dcaWalletBitcoinSubtitle": { - "description": "Subtitle/description for Bitcoin wallet option" - }, - "bitboxScreenEnterPasswordSubtext": "Digite sua senha no dispositivo BitBox para continuar.", - "@bitboxScreenEnterPasswordSubtext": { - "description": "Subtext when waiting for password" - }, - "systemLabelSwaps": "Swaps", - "@systemLabelSwaps": { - "description": "System label for swap transactions" - }, - "sendOpenTheCamera": "Abra a câmera", - "@sendOpenTheCamera": { - "description": "Button label for opening the camera to scan QR codes" - }, - "passportStep11": "Clique em \"Estou feito\" na carteira Bull Bitcoin.", - "@passportStep11": { - "description": "Passport instruction to return to app" - }, - "sendSwapId": "ID do balanço", - "@sendSwapId": { - "description": "Label for swap identifier in transaction details" - }, - "electrumServerOnline": "Online", - "@electrumServerOnline": { - "description": "Status text for online servers" - }, - "fundExchangeAccountTitle": "Fina sua conta", - "@fundExchangeAccountTitle": { - "description": "Main title on the fund exchange account screen" - }, - "exchangeAppSettingsSaveButton": "Salvar", - "@exchangeAppSettingsSaveButton": { - "description": "Button label for saving exchange app settings" - }, - "fundExchangeWarningTactic1": "Eles são retornos promissores sobre o investimento", - "@fundExchangeWarningTactic1": { - "description": "First scammer tactic warning" - }, - "testBackupDefaultWallets": "Carteiras padrão", - "@testBackupDefaultWallets": { - "description": "Label shown when testing the default wallets" - }, - "receiveSendNetworkFee": "Enviar Taxa de rede", - "@receiveSendNetworkFee": { - "description": "Label for the network fee on the sending network in a swap transaction" - }, - "autoswapRecipientWalletInfoText": "Escolha qual carteira Bitcoin receberá os fundos transferidos (necessário)", - "@autoswapRecipientWalletInfoText": { - "description": "Help text explaining wallet selection" - }, - "withdrawAboveMaxAmountError": "Você está tentando retirar acima da quantidade máxima.", - "@withdrawAboveMaxAmountError": { - "description": "Error message for amount above maximum during withdraw" - }, - "psbtFlowScanDeviceQr": "A carteira Bull Bitcoin irá pedir-lhe para digitalizar o código QR no {device}. Analisa-o.", - "@psbtFlowScanDeviceQr": { - "description": "Instruction to scan QR code from hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "exchangeAuthLoginFailedMessage": "Um erro ocorreu, tente fazer login novamente.", - "@exchangeAuthLoginFailedMessage": { - "description": "Message shown when exchange login fails" - }, - "okButton": "ESTÁ BEM", - "@okButton": { - "description": "Button to dismiss coming soon message" - }, - "passportStep13": "A transação será importada na carteira Bull Bitcoin.", - "@passportStep13": { - "description": "Passport instruction about import completion" - }, - "importQrDeviceKeystoneStep3": "Clique nos três pontos no canto superior direito", - "@importQrDeviceKeystoneStep3": { - "description": "Keystone instruction step 3" - }, - "exchangeAmountInputValidationInvalid": "Montante inválido", - "@exchangeAmountInputValidationInvalid": { - "description": "Validation message when amount is invalid" - }, - "exchangeAccountInfoLoadErrorMessage": "Incapaz de carregar informações da conta", - "@exchangeAccountInfoLoadErrorMessage": { - "description": "Error message when account information fails to load" - }, - "dcaWalletSelectionContinueButton": "Continue", - "@dcaWalletSelectionContinueButton": { - "description": "Button label to proceed to confirmation screen" - }, - "pinButtonChange": "Mudar PIN", - "@pinButtonChange": { - "description": "Button label when PIN already exists" - }, - "sendErrorInsufficientFundsForPayment": "Não há fundos suficientes disponíveis para fazer este pagamento.", - "@sendErrorInsufficientFundsForPayment": { - "description": "Error when insufficient funds available" - }, - "arkAboutShow": "Mostrar", - "@arkAboutShow": { - "description": "Button text to show hidden secret key" - }, - "fundExchangeETransferTitle": "Detalhes de E-Transfer", - "@fundExchangeETransferTitle": { - "description": "Screen title for E-Transfer payment details" - }, - "verifyButton": "Verificar", - "@verifyButton": { - "description": "Button label to verify recovery phrase" - }, - "autoswapWarningOkButton": "ESTÁ BEM", - "@autoswapWarningOkButton": { - "description": "OK button label in the autoswap warning bottom sheet" - }, - "swapTitle": "Transferência interna", - "@swapTitle": { - "description": "AppBar title for swap/internal transfer screen" - }, - "sendOutputTooSmall": "Saída abaixo do limite de poeira", - "@sendOutputTooSmall": { - "description": "Error for tiny output amount" - }, - "copiedToClipboardMessage": "Copiado para clipboard", - "@copiedToClipboardMessage": { - "description": "Snackbar confirmation message after copying to clipboard" - }, - "torSettingsStatusConnected": "Conectado", - "@torSettingsStatusConnected": { - "description": "Status title when Tor is connected" - }, - "receiveNote": "Nota", - "@receiveNote": { - "description": "Label for adding a note to a receive transaction" - }, - "arkCopiedToClipboard": "{label} copiado para clipboard", - "@arkCopiedToClipboard": { - "description": "SnackBar message when field is copied", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "arkRecipientAddress": "Endereço de destinatário", - "@arkRecipientAddress": { - "description": "Label for recipient address input field" - }, - "payLightningNetwork": "Rede de relâmpago", - "@payLightningNetwork": { - "description": "Option for Lightning Network payment" - }, - "shareLogsLabel": "Registos de compartilhamento", - "@shareLogsLabel": { - "description": "List tile label to share application logs" - }, - "ledgerSuccessVerifyTitle": "Verificando endereço no Ledger...", - "@ledgerSuccessVerifyTitle": { - "description": "Success message title for address verification on Ledger" - }, - "payCorporateNameHint": "Digite o nome corporativo", - "@payCorporateNameHint": { - "description": "Hint for corporate name input" - }, - "sellExternalWallet": "Carteira externa", - "@sellExternalWallet": { - "description": "Option for external wallet" - }, - "backupSettingsFailedToDeriveKey": "Falhado para derivar a chave de backup", - "@backupSettingsFailedToDeriveKey": { - "description": "Error message when backup key derivation fails" - }, - "googleDriveProvider": "Google Drive", - "@googleDriveProvider": { - "description": "Name of Google Drive provider" - }, - "sellAccountName": "Nome da conta", - "@sellAccountName": { - "description": "Label for bank account holder name" - }, - "statusCheckUnknown": "Desconhecido", - "@statusCheckUnknown": { - "description": "Status text when service status is unknown" - }, - "howToDecideVaultLocationText2": "Um local personalizado pode ser muito mais seguro, dependendo de qual local você escolher. Você também deve ter certeza de não perder o arquivo de backup ou perder o dispositivo no qual seu arquivo de backup é armazenado.", - "@howToDecideVaultLocationText2": { - "description": "Second paragraph explaining custom location benefits" - }, - "logSettingsLogsTitle": "Logs", - "@logSettingsLogsTitle": { - "description": "Title for the logs section in settings" - }, - "fundExchangeOnlineBillPaymentHelpAccountNumber": "Este número de conta única é criado apenas para você", - "@fundExchangeOnlineBillPaymentHelpAccountNumber": { - "description": "Help text for account number field" - }, - "psbtFlowReadyToBroadcast": "Agora está pronto para transmitir! Assim que você clicar em transmissão, a transação será publicada na rede Bitcoin e os fundos serão enviados.", - "@psbtFlowReadyToBroadcast": { - "description": "Final message that transaction is ready to broadcast" - }, - "sendErrorLiquidWalletRequired": "Carteira líquida deve ser usada para um líquido para troca de raios", - "@sendErrorLiquidWalletRequired": { - "description": "Error when wrong wallet type used for Liquid to Lightning swap" - }, - "arkDurationMinutes": "{minutes}", - "@arkDurationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "dcaSetupInsufficientBalance": "Balança insuficiente", - "@dcaSetupInsufficientBalance": { - "description": "Insufficient balance error title" - }, - "swapTransferRefundedMessage": "A transferência foi reembolsada com sucesso.", - "@swapTransferRefundedMessage": { - "description": "Refund completion message" - }, - "payInvalidState": "Estado inválido", - "@payInvalidState": { - "description": "Error message for invalid state" - }, - "receiveWaitForPayjoin": "Aguarde o remetente para terminar a transação payjoin", - "@receiveWaitForPayjoin": { - "description": "Instructions to wait for the sender during a payjoin transaction" - }, - "seedsignerStep5": " - Aumente o brilho da tela em seu dispositivo", - "@seedsignerStep5": { - "description": "SeedSigner troubleshooting tip 1" - }, - "transactionSwapDescLnReceiveExpired": "Esta troca expirou. Quaisquer fundos enviados serão automaticamente devolvidos ao remetente.", - "@transactionSwapDescLnReceiveExpired": { - "description": "Description for expired Lightning receive swap" - }, - "sellKYCApproved": "KYC aprovado", - "@sellKYCApproved": { - "description": "Status when verification complete" - }, - "arkTransaction": "transação", - "@arkTransaction": { - "description": "Singular form for transaction count" - }, - "dcaFrequencyMonthly": "mês", - "@dcaFrequencyMonthly": { - "description": "Monthly DCA frequency" - }, - "buyKYCLevel": "KYC Nível", - "@buyKYCLevel": { - "description": "Label for verification tier" - }, - "passportInstructionsTitle": "Instruções do passaporte da Fundação", - "@passportInstructionsTitle": { - "description": "Title for Passport signing instructions modal" - }, - "ledgerSuccessImportTitle": "Carteira importada com sucesso", - "@ledgerSuccessImportTitle": { - "description": "Success message title after importing Ledger wallet" - }, - "physicalBackupTitle": "Backup físico", - "@physicalBackupTitle": { - "description": "Title for physical backup option" - }, - "exchangeReferralsMissionLink": "bullbitcoin.com/missão", - "@exchangeReferralsMissionLink": { - "description": "Link to the Bull Bitcoin mission page" - }, - "swapTransferPendingMessage": "A transferência está em andamento. As transações Bitcoin podem demorar um pouco para confirmar. Podes voltar para casa e esperar.", - "@swapTransferPendingMessage": { - "description": "Message shown during pending swap" - }, - "transactionSwapLiquidToBitcoin": "L-BTC → BTC", - "@transactionSwapLiquidToBitcoin": { - "description": "Label for Liquid to Bitcoin swap" - }, - "testBackupDecryptVault": "Descriptografar cofre", - "@testBackupDecryptVault": { - "description": "Button text to decrypt the vault" - }, - "transactionDetailBumpFees": "Taxas de Bump", - "@transactionDetailBumpFees": { - "description": "Button label to increase transaction fees via RBF" - }, - "psbtFlowNoPartsToDisplay": "Nenhuma parte para exibir", - "@psbtFlowNoPartsToDisplay": { - "description": "Message when there are no QR code parts to show" - }, - "addressCardCopiedMessage": "Endereço copiado para clipboard", - "@addressCardCopiedMessage": { - "description": "Success message when an address is copied to clipboard" - }, - "totalFeeLabel": "Taxa total", - "@totalFeeLabel": { - "description": "Label for expandable total fee breakdown in swap" - }, - "mempoolCustomServerBottomSheetDescription": "Digite a URL do seu servidor de mempool personalizado. O servidor será validado antes de salvar.", - "@mempoolCustomServerBottomSheetDescription": { - "description": "Description in bottom sheet for adding/editing custom server" - }, - "sellBelowMinAmountError": "Você está tentando vender abaixo da quantidade mínima que pode ser vendida com esta carteira.", - "@sellBelowMinAmountError": { - "description": "Error message for amount below minimum" - }, - "buyAwaitingConfirmation": "Aguardando confirmação ", - "@buyAwaitingConfirmation": { - "description": "Text shown while waiting for order confirmation" - }, - "payExpired": "Expirou", - "@payExpired": { - "description": "Status label for expired invoice" - }, - "recoverbullBalance": "Equilíbrio: {balance}", - "@recoverbullBalance": { - "description": "Label showing wallet balance during vault recovery", - "placeholders": { - "balance": { - "type": "String" - } - } - }, - "exchangeSecurityAccessSettingsButton": "Configurações de acesso", - "@exchangeSecurityAccessSettingsButton": { - "description": "Button label for accessing security settings in exchange" - }, - "payPaymentSuccessful": "Pagamento bem sucedido", - "@payPaymentSuccessful": { - "description": "Success message after payment completes" - }, - "exchangeHomeWithdraw": "Retirar", - "@exchangeHomeWithdraw": { - "description": "Withdraw button label" - }, - "importMnemonicSegwit": "Segwitt", - "@importMnemonicSegwit": { - "description": "Label for Segwit (BIP84) wallet type" - }, - "importQrDeviceJadeStep6": "Selecione \"Export Xpub\" no menu da carteira", - "@importQrDeviceJadeStep6": { - "description": "Jade instruction step 6" - }, - "buyContinue": "Continue", - "@buyContinue": { - "description": "Button to continue to next step" - }, - "recoverbullEnterToDecrypt": "Digite seu {inputType} para descriptografar seu cofre.", - "@recoverbullEnterToDecrypt": { - "description": "Instruction to enter PIN or password for vault decryption", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "swapTransferTitle": "Transferência", - "@swapTransferTitle": { - "description": "AppBar title on the main swap page" - }, - "testBackupSuccessTitle": "Teste concluído com sucesso!", - "@testBackupSuccessTitle": { - "description": "Success screen title after completing backup verification" - }, - "recoverbullSelectTakeYourTime": "Leve o seu tempo", - "@recoverbullSelectTakeYourTime": { - "description": "Description tag for custom location provider option" - }, - "sendConfirmCustomFee": "Confirmar taxa personalizada", - "@sendConfirmCustomFee": { - "description": "Button label for confirming a custom fee" - }, - "coreScreensTotalFeesLabel": "Taxas totais", - "@coreScreensTotalFeesLabel": { - "description": "Label for total fees field" - }, - "mempoolSettingsDescription": "Configurar servidores de mempool personalizados para diferentes redes. Cada rede pode usar seu próprio servidor para o explorador de blocos e estimativa de taxas.", - "@mempoolSettingsDescription": { - "description": "Description text for mempool settings screen" - }, - "transactionSwapProgressClaim": "Reivindicação", - "@transactionSwapProgressClaim": { - "description": "Swap progress step: claim" - }, - "exchangeHomeDeposit": "Depósito", - "@exchangeHomeDeposit": { - "description": "Deposit button label" - }, - "sendFrom": "A partir de", - "@sendFrom": { - "description": "Label for the sender/source in a transaction" - }, - "sendTransactionBuilt": "Transação pronta", - "@sendTransactionBuilt": { - "description": "Success after transaction constructed" - }, - "bitboxErrorOperationCancelled": "A operação foi cancelada. Por favor, tente novamente.", - "@bitboxErrorOperationCancelled": { - "description": "Error when BitBox operation is cancelled" - }, - "dcaOrderTypeLabel": "Tipo de ordem", - "@dcaOrderTypeLabel": { - "description": "Label for order type detail row" - }, - "withdrawConfirmCard": "Cartão", - "@withdrawConfirmCard": { - "description": "Field label for debit card" - }, - "dcaSuccessMessageHourly": "Você vai comprar {amount} a cada hora", - "@dcaSuccessMessageHourly": { - "description": "Success message for hourly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "loginButton": "LOGIA", - "@loginButton": { - "description": "Button to navigate to login screen" - }, - "revealingVaultKeyButton": "Revelando...", - "@revealingVaultKeyButton": { - "description": "Button label shown while revealing vault key" - }, - "arkAboutNetwork": "Rede", - "@arkAboutNetwork": { - "description": "Field label for network" - }, - "payLastName": "Último nome", - "@payLastName": { - "description": "Label for last name field" - }, - "transactionPayjoinStatusExpired": "Expirou", - "@transactionPayjoinStatusExpired": { - "description": "Payjoin status: expired" - }, - "fundExchangeMethodBankTransferWire": "Transferência bancária (Wire ou EFT)", - "@fundExchangeMethodBankTransferWire": { - "description": "Payment method: Bank Transfer Wire or EFT (Canada)" - }, - "psbtFlowLoginToDevice": "Entre no seu dispositivo {device}", - "@psbtFlowLoginToDevice": { - "description": "Instruction to login to hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "fundExchangeJurisdictionCostaRica": "🇨🇷 Costa Costa Rica", - "@fundExchangeJurisdictionCostaRica": { - "description": "Dropdown option for Costa Rica jurisdiction" - }, - "payCalculating": "Cálculo...", - "@payCalculating": { - "description": "Text shown while calculating fees" - }, - "transactionDetailLabelTransferId": "ID de transferência", - "@transactionDetailLabelTransferId": { - "description": "Label for transfer ID" - }, - "fundExchangeContinueButton": "Continue", - "@fundExchangeContinueButton": { - "description": "Button label to continue from warning screen to payment method details" - }, - "currencySettingsDefaultFiatCurrencyLabel": "Moeda de fiat padrão", - "@currencySettingsDefaultFiatCurrencyLabel": { - "description": "Label for the default fiat currency setting" - }, - "payRecipient": "Recipiente", - "@payRecipient": { - "description": "Label for recipient" - }, - "fundExchangeCrIbanUsdRecipientNameHelp": "Use nosso nome corporativo oficial. Não use \"Bull Bitcoin\".", - "@fundExchangeCrIbanUsdRecipientNameHelp": { - "description": "Help text for recipient name field explaining to use corporate name" - }, - "sendUnfreezeCoin": "Moeda de Congelação", - "@sendUnfreezeCoin": { - "description": "Action to allow spending frozen UTXO" - }, - "sellEurBalance": "EUR Balanço", - "@sellEurBalance": { - "description": "Display text for EUR balance payout method" - }, - "jadeInstructionsTitle": "Blockstream Jade PSBT Instruções", - "@jadeInstructionsTitle": { - "description": "Title for Jade signing instructions modal" - }, - "scanNfcButton": "Digitalização NFC", - "@scanNfcButton": { - "description": "Button label to initiate NFC scanning" - }, - "testBackupChooseVaultLocation": "Escolha a localização do vault", - "@testBackupChooseVaultLocation": { - "description": "AppBar title for encrypted vault provider selection screen" - }, - "dcaAddressBitcoin": "Endereço de Bitcoin", - "@dcaAddressBitcoin": { - "description": "Bitcoin address label" - }, - "sendErrorAmountBelowMinimum": "Montante abaixo do limite mínimo de swap: {minLimit} sats", - "@sendErrorAmountBelowMinimum": { - "description": "Error with specific minimum swap amount", - "placeholders": { - "minLimit": { - "type": "String" - } - } - }, - "recoverbullGoogleDriveErrorFetchFailed": "Falhado para buscar cofres do Google Drive", - "@recoverbullGoogleDriveErrorFetchFailed": { - "description": "Error message when fetching drive backups fails" - }, - "systemLabelExchangeBuy": "Comprar", - "@systemLabelExchangeBuy": { - "description": "System label for exchange buy transactions" - }, - "sendRecipientAddress": "Endereço do destinatário", - "@sendRecipientAddress": { - "description": "Label for the recipient address field" - }, - "arkTxTypeBoarding": "Quadro", - "@arkTxTypeBoarding": { - "description": "Transaction type label for boarding transactions" - }, - "exchangeAmountInputValidationInsufficient": "Balança insuficiente", - "@exchangeAmountInputValidationInsufficient": { - "description": "Validation message when amount exceeds available balance" - }, - "psbtFlowReviewTransaction": "Uma vez que a transação é importada em seu {device}, revise o endereço de destino e o valor.", - "@psbtFlowReviewTransaction": { - "description": "Instruction to review transaction details on device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "arkTransactions": "transações", - "@arkTransactions": { - "description": "Plural form for transaction count" - }, - "broadcastSignedTxCameraButton": "Câmara", - "@broadcastSignedTxCameraButton": { - "description": "Button to open camera QR scanner" - }, - "importQrDeviceJadeName": "Blockstream Jade", - "@importQrDeviceJadeName": { - "description": "Name of Blockstream Jade device" - }, - "importWalletImportMnemonic": "Importação Mnemonic", - "@importWalletImportMnemonic": { - "description": "Button to import wallet from seed phrase" - }, - "bip85NextMnemonic": "Próximo Mnemonic", - "@bip85NextMnemonic": { - "description": "Button to derive next mnemonic entropy" - }, - "bitboxErrorNoActiveConnection": "Nenhuma conexão ativa com o dispositivo BitBox.", - "@bitboxErrorNoActiveConnection": { - "description": "Error when there is no active connection to BitBox" - }, - "dcaFundAccountButton": "Fina sua conta", - "@dcaFundAccountButton": { - "description": "Button label to navigate to funding screen" - }, - "transactionFilterAll": "Todos", - "@transactionFilterAll": { - "description": "Filter option to show all transactions" - }, - "arkSendTitle": "Enviar", - "@arkSendTitle": { - "description": "AppBar title for Ark send screen" - }, - "recoverbullVaultRecovery": "Recuperação de Vault", - "@recoverbullVaultRecovery": { - "description": "Screen title for vault recovery process" - }, - "transactionDetailLabelAmountReceived": "Montante recebido", - "@transactionDetailLabelAmountReceived": { - "description": "Label for amount received" - }, - "bitboxCubitOperationTimeout": "A operação acabou. Por favor, tente novamente.", - "@bitboxCubitOperationTimeout": { - "description": "Error interpretation for timeout" - }, - "receivePaymentReceived": "Pagamento recebido!", - "@receivePaymentReceived": { - "description": "Success message after receiving payment" - }, - "backupWalletHowToDecideVaultCloudSecurity": "Provedores de armazenamento em nuvem como o Google ou a Apple não terão acesso ao seu Bitcoin porque a senha de criptografia é muito forte. Eles só podem acessar seu Bitcoin no caso improvável que eles colludem com o servidor chave (o serviço on-line que armazena sua senha de criptografia). Se o servidor chave alguma vez for hackeado, seu Bitcoin pode estar em risco com o Google ou a nuvem da Apple.", - "@backupWalletHowToDecideVaultCloudSecurity": { - "description": "Explanation of cloud storage security in vault location decision help modal" - }, - "howToDecideBackupText1": "Uma das maneiras mais comuns que as pessoas perdem seu Bitcoin é porque eles perdem o backup físico. Qualquer pessoa que encontrar seu backup físico será capaz de tomar todo o seu Bitcoin. Se você está muito confiante de que você pode escondê-lo bem e nunca perdê-lo, é uma boa opção.", - "@howToDecideBackupText1": { - "description": "First paragraph explaining backup method decision" - }, - "payOrderNotFound": "A ordem de pagamento não foi encontrada. Por favor, tente novamente.", - "@payOrderNotFound": { - "description": "Error message when pay order is not found" - }, - "coldcardStep13": "A carteira Bull Bitcoin irá pedir-lhe para digitalizar o código QR no Coldcard. Analisa-o.", - "@coldcardStep13": { - "description": "Coldcard instruction for scanning signed PSBT" - }, - "psbtFlowIncreaseBrightness": "Aumentar o brilho da tela em seu dispositivo", - "@psbtFlowIncreaseBrightness": { - "description": "Troubleshooting tip to increase brightness" - }, - "payCoinjoinCompleted": "CoinJoin concluída", - "@payCoinjoinCompleted": { - "description": "Success message after CoinJoin" - }, - "electrumAddCustomServer": "Adicionar Servidor Personalizado", - "@electrumAddCustomServer": { - "description": "Add custom server bottom sheet title" - }, - "psbtFlowClickSign": "Clique em Sinalizar", - "@psbtFlowClickSign": { - "description": "Instruction to click sign button on device" - }, - "rbfSatsPerVbyte": "sats/vB", - "@rbfSatsPerVbyte": { - "description": "Unit label for fee rate input" - }, - "broadcastSignedTxDoneButton": "Feito", - "@broadcastSignedTxDoneButton": { - "description": "Button to finish after successful broadcast" - }, - "sendRecommendedFee": "Recomendado: {rate} sat/vB", - "@sendRecommendedFee": { - "description": "Suggested fee rate", - "placeholders": { - "rate": { - "type": "String" - } - } - }, - "mempoolCustomServerUrl": "URL do servidor", - "@mempoolCustomServerUrl": { - "description": "Label for custom mempool server URL input field" - }, - "buyOrderAlreadyConfirmedError": "Esta ordem de compra já foi confirmada.", - "@buyOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed buy order" - }, - "fundExchangeArsBankTransferTitle": "Transferência bancária", - "@fundExchangeArsBankTransferTitle": { - "description": "Screen title for Argentina bank transfer" - }, - "transactionLabelReceiveAmount": "Receber valor", - "@transactionLabelReceiveAmount": { - "description": "Label for receive amount in swap details" - }, - "sendServerNetworkFees": "Taxas de rede do servidor", - "@sendServerNetworkFees": { - "description": "Label for Boltz server fees" - }, - "importWatchOnlyImport": "Importação", - "@importWatchOnlyImport": { - "description": "Button label to import watch-only wallet" - }, - "backupWalletBackupButton": "Backup", - "@backupWalletBackupButton": { - "description": "Button text to proceed with physical backup" - }, - "mempoolSettingsTitle": "Servidor de Mempool", - "@mempoolSettingsTitle": { - "description": "Title for mempool settings screen" - }, - "recoverbullErrorVaultCreationFailed": "A criação de falhas falhou, pode ser o arquivo ou a chave", - "@recoverbullErrorVaultCreationFailed": { - "description": "Error message when overall vault creation fails" - }, - "sellSendPaymentFeePriority": "Prioridade de Taxas", - "@sellSendPaymentFeePriority": { - "description": "Field label for fee priority" - }, - "bitboxActionSignTransactionProcessing": "Transação de Assinatura", - "@bitboxActionSignTransactionProcessing": { - "description": "Processing text for sign transaction" - }, - "sellWalletBalance": "Equilíbrio: {amount}", - "@sellWalletBalance": { - "description": "Shows available balance", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "recoverbullGoogleDriveNoBackupsFound": "Nenhum backup encontrado", - "@recoverbullGoogleDriveNoBackupsFound": { - "description": "Message displayed when no backups are found in Google Drive" - }, - "sellSelectNetwork": "Selecione Rede", - "@sellSelectNetwork": { - "description": "Screen title for network selection" - }, - "sellSendPaymentOrderNumber": "Número de ordem", - "@sellSendPaymentOrderNumber": { - "description": "Field label for order number" - }, - "arkDust": "Pó", - "@arkDust": { - "description": "Label for dust amount field" - }, - "dcaConfirmPaymentMethod": "Método de pagamento", - "@dcaConfirmPaymentMethod": { - "description": "Field label for payment method" - }, - "sellSendPaymentAdvanced": "Configurações avançadas", - "@sellSendPaymentAdvanced": { - "description": "Advanced settings button" - }, - "bitcoinSettingsImportWalletTitle": "Carteira de importação", - "@bitcoinSettingsImportWalletTitle": { - "description": "Title for the import wallet option in Bitcoin settings" - }, - "backupWalletErrorGoogleDriveConnection": "Falhado para se conectar ao Google Drive", - "@backupWalletErrorGoogleDriveConnection": { - "description": "Error when Google Drive connection fails" - }, - "payEnterInvoice": "Insira a fatura", - "@payEnterInvoice": { - "description": "Placeholder text for invoice input field" - }, - "broadcastSignedTxPasteHint": "Cole um PSBT ou transação HEX", - "@broadcastSignedTxPasteHint": { - "description": "Hint text for paste input field" - }, - "transactionLabelAmountSent": "Montante enviado", - "@transactionLabelAmountSent": { - "description": "Label for sent amount" - }, - "testBackupPassphrase": "Passphrase", - "@testBackupPassphrase": { - "description": "Label for optional passphrase field" - }, - "arkSetupEnable": "Habilitar a arca", - "@arkSetupEnable": { - "description": "Button to enable Ark" - }, - "walletDeletionErrorDefaultWallet": "Você não pode excluir uma carteira padrão.", - "@walletDeletionErrorDefaultWallet": { - "description": "Error message when attempting to delete a default wallet" - }, - "confirmTransferTitle": "Confirmar transferência", - "@confirmTransferTitle": { - "description": "Title for confirmation screen when transferring between wallets" - }, - "payFeeBreakdown": "Repartição das taxas", - "@payFeeBreakdown": { - "description": "Section header for detailed fee information" - }, - "coreSwapsLnSendPaid": "A fatura será paga após o pagamento receber a confirmação.", - "@coreSwapsLnSendPaid": { - "description": "Status message for paid Lightning send swap" - }, - "fundExchangeCrBankTransferDescription2": ". Os fundos serão adicionados ao saldo da sua conta.", - "@fundExchangeCrBankTransferDescription2": { - "description": "Second part of Costa Rica bank transfer description" - }, - "sellAmount": "Montante para venda", - "@sellAmount": { - "description": "Label for Bitcoin amount input" - }, - "transactionLabelSwapStatus": "Status do balanço", - "@transactionLabelSwapStatus": { - "description": "Label for swap status" - }, - "walletDeletionConfirmationCancelButton": "Cancelar", - "@walletDeletionConfirmationCancelButton": { - "description": "Cancel button label in wallet deletion confirmation dialog" - }, - "ledgerErrorDeviceLocked": "O dispositivo Ledger está bloqueado. Por favor, desbloqueie o dispositivo e tente novamente.", - "@ledgerErrorDeviceLocked": { - "description": "Error message when Ledger device is locked (error code 5515)" - }, - "importQrDeviceSeedsignerStep5": "Escolha \"Single Sig\", em seguida, selecione o seu tipo de script preferido (escolher Native Segwit se não tiver certeza).", - "@importQrDeviceSeedsignerStep5": { - "description": "SeedSigner instruction step 5" - }, - "recoverbullRecoveryErrorWalletMismatch": "Uma carteira padrão diferente já existe. Você só pode ter uma carteira padrão.", - "@recoverbullRecoveryErrorWalletMismatch": { - "description": "Error when different default wallet already exists" - }, - "payNoRecipientsFound": "Nenhum destinatário encontrado para pagar.", - "@payNoRecipientsFound": { - "description": "Message when no recipients found" - }, - "payNoInvoiceData": "Não existem dados de fatura disponíveis", - "@payNoInvoiceData": { - "description": "Message when no invoice data available" - }, - "recoverbullErrorInvalidCredentials": "Senha errada para este arquivo de backup", - "@recoverbullErrorInvalidCredentials": { - "description": "Error message when wrong password is entered for vault" - }, - "paySinpeMonto": "Montante", - "@paySinpeMonto": { - "description": "Label for amount in SINPE order details" - }, - "arkDurationSeconds": "{seconds} segundos", - "@arkDurationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "String" - } - } - }, - "receiveCopyOrScanAddressOnly": "Copiar ou escanear endereço somente", - "@receiveCopyOrScanAddressOnly": { - "description": "Option to copy or scan only the address without amount or other details" - }, - "transactionDetailAccelerate": "Acelerar", - "@transactionDetailAccelerate": { - "description": "Button label for accelerating (RBF) an unconfirmed transaction" - }, - "importQrDevicePassportStep11": "Digite um rótulo para sua carteira de passaporte e toque em \"Importar\"", - "@importQrDevicePassportStep11": { - "description": "Passport instruction step 11" - }, - "fundExchangeJurisdictionCanada": "Canadá", - "@fundExchangeJurisdictionCanada": { - "description": "Dropdown option for Canada jurisdiction" - }, - "withdrawBelowMinAmountError": "Você está tentando retirar abaixo do valor mínimo.", - "@withdrawBelowMinAmountError": { - "description": "Error message for amount below minimum during withdraw" - }, - "recoverbullTransactions": "Transações: {count}", - "@recoverbullTransactions": { - "description": "Label showing transaction count during vault recovery", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "swapYouPay": "Você paga", - "@swapYouPay": { - "description": "Label in swap card for payment amount" - }, - "encryptedVaultTitle": "Vault criptografado", - "@encryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, - "fundExchangeCrIbanUsdLabelIban": "Número da conta IBAN (apenas dólares americanos)", - "@fundExchangeCrIbanUsdLabelIban": { - "description": "Label for IBAN number field for USD only" - }, - "chooseAccessPinTitle": "Escolha o acesso {pinOrPassword}", - "@chooseAccessPinTitle": { - "description": "Title for choosing access PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "importWalletSeedSigner": "Sementes", - "@importWalletSeedSigner": { - "description": "Button label for SeedSigner hardware wallet" - }, - "featureComingSoonTitle": "Característica em breve", - "@featureComingSoonTitle": { - "description": "Title for coming soon bottom sheet" - }, - "swapProgressRefundInProgress": "Transferência de reembolso em progresso", - "@swapProgressRefundInProgress": { - "description": "Refund in progress status" - }, - "transactionDetailLabelPayjoinExpired": "Expirou", - "@transactionDetailLabelPayjoinExpired": { - "description": "Payjoin expired status" - }, - "payBillerName": "Nome do Biller", - "@payBillerName": { - "description": "Label for biller name field" - }, - "transactionSwapProgressCompleted": "Completada", - "@transactionSwapProgressCompleted": { - "description": "Swap progress step: completed" - }, - "sendErrorBitcoinWalletRequired": "Bitcoin carteira deve ser usado para um bitcoin para troca de raios", - "@sendErrorBitcoinWalletRequired": { - "description": "Error when wrong wallet type used for Bitcoin to Lightning swap" - }, - "pinCodeManageTitle": "Gerenciar seu PIN de segurança", - "@pinCodeManageTitle": { - "description": "Header title for PIN management section" - }, - "buyConfirmBitcoinPrice": "Preço de Bitcoin", - "@buyConfirmBitcoinPrice": { - "description": "Field label for Bitcoin price" - }, - "arkUnifiedAddressCopied": "Endereço unificado copiado", - "@arkUnifiedAddressCopied": { - "description": "SnackBar message when unified address is copied to clipboard" - }, - "transactionSwapDescLnSendCompleted": "O pagamento Lightning foi enviado com sucesso! A tua troca já está completa.", - "@transactionSwapDescLnSendCompleted": { - "description": "Description for completed Lightning send swap" - }, - "exchangeDcaCancelDialogCancelButton": "Cancelar", - "@exchangeDcaCancelDialogCancelButton": { - "description": "Button label to cancel the DCA cancellation dialog" - }, - "sellOrderAlreadyConfirmedError": "Esta ordem de venda já foi confirmada.", - "@sellOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed order" - }, - "paySinpeEnviado": "SINPE ENVIADO!", - "@paySinpeEnviado": { - "description": "Success message for SINPE payment (Spanish, kept as is)" - }, - "withdrawConfirmPhone": "Telefone", - "@withdrawConfirmPhone": { - "description": "Field label for phone number" - }, - "payNoDetailsAvailable": "Sem detalhes disponíveis", - "@payNoDetailsAvailable": { - "description": "Message when recipient details not available" - }, - "allSeedViewOldWallets": "Carteiras antigas ({count})", - "@allSeedViewOldWallets": { - "description": "Section header for old wallets with count", - "placeholders": { - "count": { - "type": "int", - "format": "decimalPattern" - } - } - }, - "sellOrderPlaced": "Venda de ordem colocada com sucesso", - "@sellOrderPlaced": { - "description": "Success message after order submission" - }, - "buyInsufficientFundsError": "Fundos insuficientes em sua conta Bull Bitcoin para completar esta ordem de compra.", - "@buyInsufficientFundsError": { - "description": "Error message for insufficient funds during buy" - }, - "ledgerHelpStep4": "Certifique-se de ter instalado a versão mais recente do aplicativo Bitcoin de Ledger Live.", - "@ledgerHelpStep4": { - "description": "Fourth troubleshooting step for Ledger connection issues" - }, - "recoverbullPleaseWait": "Espere enquanto estabelecemos uma ligação segura...", - "@recoverbullPleaseWait": { - "description": "Message shown during connection establishment" - }, - "broadcastSignedTxBroadcast": "Transmissão", - "@broadcastSignedTxBroadcast": { - "description": "Button to broadcast signed transaction" - }, - "lastKnownEncryptedVault": "Última criptografia conhecida Vault: {date}", - "@lastKnownEncryptedVault": { - "description": "Label showing last known encrypted vault date", - "placeholders": { - "date": { - "type": "String", - "example": "2025-01-20 15:30:45" - } - } - }, - "fundExchangeInfoTransferCode": "Você deve adicionar o código de transferência como a \"mensagem\" ou \"razão\" ao fazer o pagamento.", - "@fundExchangeInfoTransferCode": { - "description": "Info card message about transfer code importance" - }, - "hwChooseDevice": "Escolha a carteira de hardware que você gostaria de conectar", - "@hwChooseDevice": { - "description": "Instruction text for hardware wallet selection" - }, - "transactionListNoTransactions": "Ainda não há transações.", - "@transactionListNoTransactions": { - "description": "Message displayed when there are no transactions" - }, - "torSettingsConnectionStatus": "Estado de conexão", - "@torSettingsConnectionStatus": { - "description": "Title for connection status card" - }, - "backupInstruction1": "Se você perder seu backup de 12 palavras, você não será capaz de recuperar o acesso à carteira Bitcoin.", - "@backupInstruction1": { - "description": "First backup instruction warning about losing 12 word backup" - }, - "sendErrorInvalidAddressOrInvoice": "Endereço de pagamento Bitcoin inválido ou fatura", - "@sendErrorInvalidAddressOrInvoice": { - "description": "Error when payment request is invalid" - }, - "transactionLabelAmountReceived": "Montante recebido", - "@transactionLabelAmountReceived": { - "description": "Label for received amount" - }, - "recoverbullRecoveryTitle": "Recuperação do vault do Recoverbull", - "@recoverbullRecoveryTitle": { - "description": "AppBar title for vault recovery screen" - }, - "broadcastSignedTxScanQR": "Digitalizar o código QR da sua carteira de hardware", - "@broadcastSignedTxScanQR": { - "description": "Instruction to scan signed PSBT QR code" - }, - "transactionStatusTransferInProgress": "Transferência em Progresso", - "@transactionStatusTransferInProgress": { - "description": "Status label for transfers in progress" - }, - "ledgerSuccessSignDescription": "Sua transação foi assinada com sucesso.", - "@ledgerSuccessSignDescription": { - "description": "Success message description after signing transaction with Ledger" - }, - "exchangeSupportChatMessageRequired": "É necessária uma mensagem", - "@exchangeSupportChatMessageRequired": { - "description": "Placeholder text when attachments are present but no message text" - }, - "buyEstimatedFeeValue": "Valor estimado da taxa", - "@buyEstimatedFeeValue": { - "description": "Label for estimated fee value in fiat" - }, - "payName": "Nome", - "@payName": { - "description": "Label for name field" - }, - "sendSignWithBitBox": "Sinal com BitBox", - "@sendSignWithBitBox": { - "description": "Button to sign transaction with BitBox hardware wallet" - }, - "sendSwapRefundInProgress": "Reembolso de swap em progresso", - "@sendSwapRefundInProgress": { - "description": "Title when swap failed and refund is processing" - }, - "exchangeKycLimited": "Limitação", - "@exchangeKycLimited": { - "description": "Limited KYC level label" - }, - "backupWalletHowToDecideVaultCustomRecommendationText": "você está confiante de que você não vai perder o arquivo do vault e ainda será acessível se você perder seu telefone.", - "@backupWalletHowToDecideVaultCustomRecommendationText": { - "description": "Recommendation text for when to use custom location" - }, - "swapErrorAmountBelowMinimum": "O valor está abaixo do valor mínimo de swap: {min} sats", - "@swapErrorAmountBelowMinimum": { - "description": "Error shown when amount is below minimum", - "placeholders": { - "min": { - "type": "String" - } - } - }, - "settingsGithubLabel": "Github", - "@settingsGithubLabel": { - "description": "Label for the Github link in settings" - }, - "sellTransactionFee": "Taxa de transação", - "@sellTransactionFee": { - "description": "Label for Bitcoin network fee" - }, - "coldcardStep5": "Se você tiver problemas de digitalização:", - "@coldcardStep5": { - "description": "Coldcard troubleshooting header" - }, - "buyExpressWithdrawal": "Retirada expressa", - "@buyExpressWithdrawal": { - "description": "Fast withdrawal option" - }, - "payPaymentConfirmed": "Pagamento confirmado", - "@payPaymentConfirmed": { - "description": "Status message for confirmed payment" - }, - "transactionOrderLabelOrderNumber": "Número de ordem", - "@transactionOrderLabelOrderNumber": { - "description": "Label for order number" - }, - "buyEnterAmount": "Insira quantidade", - "@buyEnterAmount": { - "description": "Label for amount input field in buy flow" - }, - "sellShowQrCode": "Mostrar código QR", - "@sellShowQrCode": { - "description": "Button to show QR code" - }, - "receiveConfirmed": "Confirmado", - "@receiveConfirmed": { - "description": "Status when fully confirmed" - }, - "walletOptionsWalletDetailsTitle": "Detalhes da carteira", - "@walletOptionsWalletDetailsTitle": { - "description": "Title for the wallet details screen" - }, - "sellSecureBitcoinWallet": "Carteira Bitcoin segura", - "@sellSecureBitcoinWallet": { - "description": "Display text for secure Bitcoin wallet" - }, - "ledgerWalletTypeLegacy": "Legado (BIP44)", - "@ledgerWalletTypeLegacy": { - "description": "Display name for Legacy wallet type (BIP44)" - }, - "transactionDetailTransferProgress": "Transferência de Progresso", - "@transactionDetailTransferProgress": { - "description": "Title for ongoing transfer details" - }, - "sendNormalFee": "Normal", - "@sendNormalFee": { - "description": "Standard fee tier" - }, - "importWalletConnectHardware": "Conecte a carteira de hardware", - "@importWalletConnectHardware": { - "description": "Button to connect hardware wallet" - }, - "importWatchOnlyType": "Tipo", - "@importWatchOnlyType": { - "description": "Label for wallet script type field" - }, - "transactionDetailLabelPayinAmount": "Quantidade de pagamento", - "@transactionDetailLabelPayinAmount": { - "description": "Label for payin amount" - }, - "importWalletSectionHardware": "Carteiras de hardware", - "@importWalletSectionHardware": { - "description": "Section header for hardware wallet types" - }, - "connectHardwareWalletDescription": "Escolha a carteira de hardware que você gostaria de conectar", - "@connectHardwareWalletDescription": { - "description": "Description text on connect hardware wallet page" - }, - "sendEstimatedDelivery10Minutes": "10 minutos", - "@sendEstimatedDelivery10Minutes": { - "description": "Estimated delivery time of approximately 10 minutes" - }, - "enterPinToContinueMessage": "Insira seu {pinOrPassword} para continuar", - "@enterPinToContinueMessage": { - "description": "Message prompting user to enter PIN/password to continue", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "swapTransferFrom": "Transferência", - "@swapTransferFrom": { - "description": "Label for source wallet dropdown" - }, - "errorSharingLogsMessage": "Registros de compartilhamento de erros: {error}", - "@errorSharingLogsMessage": { - "description": "Error message when log sharing fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payShowQrCode": "Mostrar código QR", - "@payShowQrCode": { - "description": "Button to show QR code" - }, - "onboardingRecoverWalletButtonLabel": "Recuperar carteira", - "@onboardingRecoverWalletButtonLabel": { - "description": "The label for the button to recover a wallet from the onboarding screen" - }, - "torSettingsPortValidationEmpty": "Digite um número de porta", - "@torSettingsPortValidationEmpty": { - "description": "Validation error when port is empty" - }, - "ledgerHelpStep1": "Reinicie seu dispositivo Ledger.", - "@ledgerHelpStep1": { - "description": "First troubleshooting step for Ledger connection issues" - }, - "swapAvailableBalance": "Balanço disponível", - "@swapAvailableBalance": { - "description": "Available balance label" - }, - "fundExchangeCrIbanCrcLabelPaymentDescription": "Descrição do pagamento", - "@fundExchangeCrIbanCrcLabelPaymentDescription": { - "description": "Label for payment description field in CR IBAN transfer" - }, - "walletTypeWatchSigner": "Sinalizador de relógio", - "@walletTypeWatchSigner": { - "description": "Wallet type label for watch-signer wallets" - }, - "settingsWalletBackupTitle": "Backup de carteira", - "@settingsWalletBackupTitle": { - "description": "Title for the wallet backup section in the settings menu" - }, - "ledgerConnectingSubtext": "Estabelecer uma ligação segura...", - "@ledgerConnectingSubtext": { - "description": "Subtext shown while connecting to Ledger" - }, - "transactionError": "Erro - {error}", - "@transactionError": { - "description": "Error message displayed when transaction loading fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "electrumPrivacyNoticeCancel": "Cancelar", - "@electrumPrivacyNoticeCancel": { - "description": "Cancel button in privacy notice dialog" - }, - "coreSwapsLnSendPending": "Swap ainda não é inicializado.", - "@coreSwapsLnSendPending": { - "description": "Status message for pending Lightning send swap" - }, - "recoverbullVaultCreatedSuccess": "Vault criado com sucesso", - "@recoverbullVaultCreatedSuccess": { - "description": "Success message after vault creation" - }, - "payAmount": "Montante", - "@payAmount": { - "description": "Label for amount" - }, - "sellMaximumAmount": "Quantidade máxima de venda: {amount}", - "@sellMaximumAmount": { - "description": "Error for amount above maximum", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellViewDetailsButton": "Ver detalhes", - "@sellViewDetailsButton": { - "description": "Button text to view order details" - }, - "receiveGenerateInvoice": "Gerar fatura", - "@receiveGenerateInvoice": { - "description": "Button to create Lightning invoice" - }, - "kruxStep8": " - Mover o laser vermelho para cima e para baixo sobre o código QR", - "@kruxStep8": { - "description": "Krux troubleshooting tip 2" - }, - "coreScreensFeeDeductionExplanation": "Esta é a taxa total deduzida do montante enviado", - "@coreScreensFeeDeductionExplanation": { - "description": "Explanation text for fee deduction" - }, - "transactionSwapProgressInitiated": "Iniciado", - "@transactionSwapProgressInitiated": { - "description": "Swap progress step: initiated" - }, - "fundExchangeTitle": "Financiamento", - "@fundExchangeTitle": { - "description": "AppBar title for funding screen" - }, - "dcaNetworkValidationError": "Por favor, selecione uma rede", - "@dcaNetworkValidationError": { - "description": "Form validation error when no network is selected" - }, - "coldcardStep12": "Clique em \"Estou feito\" na carteira Bull Bitcoin.", - "@coldcardStep12": { - "description": "Coldcard instruction to return to app" - }, - "autoswapAlwaysBlockDisabledInfo": "Quando desativado, você terá a opção de permitir uma transferência automática bloqueada devido a altas taxas", - "@autoswapAlwaysBlockDisabledInfo": { - "description": "Info text when always block is disabled" - }, - "bip85Index": "Índice: {index}", - "@bip85Index": { - "description": "Shows derivation index", - "placeholders": { - "index": { - "type": "int" - } - } - }, - "broadcastSignedTxPageTitle": "Transmissão de transmissão", - "@broadcastSignedTxPageTitle": { - "description": "Page title for broadcast signed transaction screen" - }, - "sendInsufficientBalance": "Balança insuficiente", - "@sendInsufficientBalance": { - "description": "Error message when the wallet has insufficient balance to send" - }, - "paySecurityAnswer": "Resposta de segurança", - "@paySecurityAnswer": { - "description": "Label for security answer field" - }, - "walletArkInstantPayments": "Ark Pagamentos imediatos", - "@walletArkInstantPayments": { - "description": "Title for Ark wallet card" - }, - "passwordLabel": "Senha", - "@passwordLabel": { - "description": "Label for password input field" - }, - "importQrDeviceError": "Falhado para importar carteira", - "@importQrDeviceError": { - "description": "Error message when import fails" - }, - "onboardingSplashDescription": "Soberana auto custódia Bitcoin carteira e serviço de troca apenas Bitcoin.", - "@onboardingSplashDescription": { - "description": "Description of the app displayed in onboarding splash screen" - }, - "statusCheckOffline": "Offline", - "@statusCheckOffline": { - "description": "Status text when a service is offline" - }, - "fundExchangeCrIbanCrcDescriptionEnd": ". Os fundos serão adicionados ao saldo da sua conta.", - "@fundExchangeCrIbanCrcDescriptionEnd": { - "description": "End of description for CR IBAN CRC transfer" - }, - "payAccount": "Conta", - "@payAccount": { - "description": "Label for account details" - }, - "testBackupGoogleDrivePrivacyPart2": "não terá ", - "@testBackupGoogleDrivePrivacyPart2": { - "description": "Second part (emphasized) of privacy message" - }, - "buyCompleteKyc": "KYC completo", - "@buyCompleteKyc": { - "description": "Button to complete KYC verification" - }, - "vaultSuccessfullyImported": "Seu cofre foi importado com sucesso", - "@vaultSuccessfullyImported": { - "description": "Message shown when vault is imported successfully" - }, - "payAccountNumberHint": "Digite o número de conta", - "@payAccountNumberHint": { - "description": "Hint for account number input" - }, - "buyOrderNotFoundError": "A ordem de compra não foi encontrada. Por favor, tente novamente.", - "@buyOrderNotFoundError": { - "description": "Error message for order not found during buy" - }, - "backupWalletGoogleDrivePrivacyMessage2": "não terá ", - "@backupWalletGoogleDrivePrivacyMessage2": { - "description": "Second part of privacy message (bold)" - }, - "payAddressRequired": "O endereço é necessário", - "@payAddressRequired": { - "description": "Validation error for empty address field" - }, - "arkTransactionDetails": "Detalhes da transação", - "@arkTransactionDetails": { - "description": "AppBar title for transaction details page" - }, - "payTotalAmount": "Montante total", - "@payTotalAmount": { - "description": "Label for sum of all payment amounts" - }, - "exchangeLegacyTransactionsTitle": "Transações Legadas", - "@exchangeLegacyTransactionsTitle": { - "description": "Title for the legacy transactions section in exchange" - }, - "autoswapWarningDontShowAgain": "Não mostre este aviso novamente.", - "@autoswapWarningDontShowAgain": { - "description": "Checkbox label for dismissing the autoswap warning" - }, - "sellInsufficientBalance": "Balança de carteira insuficiente", - "@sellInsufficientBalance": { - "description": "Error when wallet lacks funds" - }, - "recoverWalletButton": "Recuperar Carteira", - "@recoverWalletButton": { - "description": "Button label to recover wallet" - }, - "mempoolCustomServerDeleteMessage": "Tem a certeza de que deseja excluir este servidor de mempool personalizado? O servidor padrão será usado em vez disso.", - "@mempoolCustomServerDeleteMessage": { - "description": "Message for delete custom server confirmation dialog" - }, - "coldcardStep6": " - Aumente o brilho da tela em seu dispositivo", - "@coldcardStep6": { - "description": "Coldcard troubleshooting tip 1" - }, - "exchangeAppSettingsValidationWarning": "Por favor, defina as preferências de idioma e moeda antes de salvar.", - "@exchangeAppSettingsValidationWarning": { - "description": "Warning message when language and currency preferences are not both set" - }, - "sellCashPickup": "Recolha de dinheiro", - "@sellCashPickup": { - "description": "Option for in-person cash" - }, - "coreSwapsLnReceivePaid": "O remetente pagou a fatura.", - "@coreSwapsLnReceivePaid": { - "description": "Status message for paid Lightning receive swap" - }, - "payInProgress": "Pagamento em Progresso!", - "@payInProgress": { - "description": "Title for payment in progress screen" - }, - "recoverbullRecoveryErrorKeyDerivationFailed": "A derivação da chave de backup local falhou.", - "@recoverbullRecoveryErrorKeyDerivationFailed": { - "description": "Error when app fails to derive backup encryption key" - }, - "swapValidationInsufficientBalance": "Balança insuficiente", - "@swapValidationInsufficientBalance": { - "description": "Validation error when amount exceeds wallet balance" - }, - "transactionLabelFromWallet": "Da carteira", - "@transactionLabelFromWallet": { - "description": "Label for source wallet" - }, - "recoverbullErrorRateLimited": "Taxa limitada. Por favor, tente novamente em {retryIn}", - "@recoverbullErrorRateLimited": { - "description": "Error message when rate limited by the server", - "placeholders": { - "retryIn": { - "type": "String" - } - } - }, - "importWatchOnlyExtendedPublicKey": "Público estendido Chaveiro", - "@importWatchOnlyExtendedPublicKey": { - "description": "Label for extended public key (xpub/ypub/zpub) display" - }, - "autoswapAlwaysBlock": "Sempre bloquear altas taxas", - "@autoswapAlwaysBlock": { - "description": "Toggle label for always block high fees" - }, - "walletDeletionConfirmationTitle": "Excluir carteira", - "@walletDeletionConfirmationTitle": { - "description": "Title for the wallet deletion confirmation dialog" - }, - "sendNetworkFees": "Taxas de rede", - "@sendNetworkFees": { - "description": "Label for network transaction fees" - }, - "mempoolNetworkBitcoinMainnet": "Bitcoin Mainnet", - "@mempoolNetworkBitcoinMainnet": { - "description": "Label for Bitcoin Mainnet network" - }, - "paySinpeOrigen": "Origem", - "@paySinpeOrigen": { - "description": "Label for origin in SINPE details" - }, - "networkFeeLabel": "Taxa de rede", - "@networkFeeLabel": { - "description": "Breakdown component showing network fee portion" - }, - "recoverbullMemorizeWarning": "Você deve memorizar este {inputType} para recuperar o acesso à sua carteira. Deve ter pelo menos 6 dígitos. Se você perder este {inputType} você não pode recuperar seu backup.", - "@recoverbullMemorizeWarning": { - "description": "Warning message about memorizing PIN or password", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "kruxStep15": "A transação será importada na carteira Bull Bitcoin.", - "@kruxStep15": { - "description": "Krux instruction about import completion" - }, - "fundExchangeETransferLabelSecretQuestion": "Pergunta secreta", - "@fundExchangeETransferLabelSecretQuestion": { - "description": "Label for E-transfer security question" - }, - "importColdcardButtonPurchase": "Dispositivo de compra", - "@importColdcardButtonPurchase": { - "description": "ImportColdcardQ: Button to navigate to Coinkite store" - }, - "jadeStep15": "Agora está pronto para transmitir! Assim que você clicar em transmissão, a transação será publicada na rede Bitcoin e os fundos serão enviados.", - "@jadeStep15": { - "description": "Jade final instruction about broadcasting" - }, - "confirmButton": "Confirmação", - "@confirmButton": { - "description": "Button label to confirm action" - }, - "transactionSwapInfoClaimableTransfer": "A transferência será concluída automaticamente dentro de alguns segundos. Se não, você pode tentar uma reivindicação manual clicando no botão \"Restaurar a confirmação de transferência\".", - "@transactionSwapInfoClaimableTransfer": { - "description": "Additional info for claimable transfers" - }, - "payActualFee": "Taxa real", - "@payActualFee": { - "description": "Label for actual fee paid after transaction" - }, - "electrumValidateDomain": "Validar domínio", - "@electrumValidateDomain": { - "description": "Validate Domain switch label in advanced options" - }, - "importQrDeviceJadeFirmwareWarning": "Certifique-se de que seu dispositivo é atualizado para o firmware mais recente", - "@importQrDeviceJadeFirmwareWarning": { - "description": "Warning message to update Jade firmware" - }, - "arkPreconfirmed": "Confirmado", - "@arkPreconfirmed": { - "description": "Label for preconfirmed balance in Ark balance breakdown" - }, - "recoverbullSelectFileNotSelectedError": "Arquivo não selecionado", - "@recoverbullSelectFileNotSelectedError": { - "description": "Error when user cancels file selection" - }, - "arkDurationDay": "{days} dia", - "@arkDurationDay": { - "description": "Duration format for singular day", - "placeholders": { - "days": { - "type": "String" - } - } - }, - "arkSendButton": "Enviar", - "@arkSendButton": { - "description": "Bottom button to navigate to send page" - }, - "buyInputContinue": "Continue", - "@buyInputContinue": { - "description": "Continue button on buy input" - }, - "fundExchangeMethodSpeiTransferSubtitle": "Transferir fundos usando seu CLABE", - "@fundExchangeMethodSpeiTransferSubtitle": { - "description": "Subtitle for SPEI transfer payment method" - }, - "importQrDeviceJadeStep3": "Siga as instruções do dispositivo para desbloquear o Jade", - "@importQrDeviceJadeStep3": { - "description": "Jade instruction step 3" - }, - "paySecurityQuestionLengthError": "Deve ser 10-40 caracteres", - "@paySecurityQuestionLengthError": { - "description": "Error for invalid security question length" - }, - "sendSigningFailed": "Assinar falhou", - "@sendSigningFailed": { - "description": "Error during hardware wallet signing" - }, - "bitboxErrorDeviceNotPaired": "Dispositivo não emparelhado. Por favor, complete o processo de emparelhamento primeiro.", - "@bitboxErrorDeviceNotPaired": { - "description": "Error when BitBox device is not paired" - }, - "transferIdLabel": "ID de transferência", - "@transferIdLabel": { - "description": "Label for swap transfer ID" - }, - "paySelectActiveWallet": "Por favor, selecione uma carteira", - "@paySelectActiveWallet": { - "description": "Prompt to choose a wallet" - }, - "arkDurationHours": "{hours} horas", - "@arkDurationHours": { - "description": "Duration format for plural hours", - "placeholders": { - "hours": { - "type": "String" - } - } - }, - "transcribeLabel": "Transcrição", - "@transcribeLabel": { - "description": "Label indicating user should transcribe the words" - }, - "pinCodeProcessing": "Processamento", - "@pinCodeProcessing": { - "description": "Status screen title while processing PIN changes" - }, - "transactionDetailLabelRefunded": "Reembolsos", - "@transactionDetailLabelRefunded": { - "description": "Label for refunded status" - }, - "dcaFrequencyHourly": "hora da hora", - "@dcaFrequencyHourly": { - "description": "Hourly DCA frequency" - }, - "swapValidationSelectFromWallet": "Por favor, selecione uma carteira para transferir de", - "@swapValidationSelectFromWallet": { - "description": "Validation error when no source wallet selected" - }, - "sendSwapInitiated": "Swap Iniciado", - "@sendSwapInitiated": { - "description": "Title when chain swap begins" - }, - "backupSettingsKeyWarningMessage": "É importante que você não salve a chave de backup no mesmo lugar onde você salva seu arquivo de backup. Sempre armazená-los em dispositivos separados ou provedores de nuvem separados.", - "@backupSettingsKeyWarningMessage": { - "description": "Detailed warning about storing backup key separately" - }, - "recoverbullEnterToTest": "Digite seu {inputType} para testar seu cofre.", - "@recoverbullEnterToTest": { - "description": "Instruction to enter PIN or password to test vault recovery", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "fundExchangeCrBankTransferDescription1": "Envie uma transferência bancária da sua conta bancária usando os detalhes abaixo ", - "@fundExchangeCrBankTransferDescription1": { - "description": "First part of Costa Rica bank transfer description" - }, - "transactionNoteSaveButton": "Salvar", - "@transactionNoteSaveButton": { - "description": "Button label to save a note" - }, - "fundExchangeHelpBeneficiaryName": "Use nosso nome corporativo oficial. Não use \"Bull Bitcoin\".", - "@fundExchangeHelpBeneficiaryName": { - "description": "Help text for beneficiary name field" - }, - "payRecipientType": "Tipo de destinatário", - "@payRecipientType": { - "description": "Label for recipient type" - }, - "sellOrderCompleted": "Ordem concluída!", - "@sellOrderCompleted": { - "description": "Success message for completed order" - }, - "importQrDeviceSpecterStep10": "Digite um rótulo para a sua carteira Specter e toque em Importar", - "@importQrDeviceSpecterStep10": { - "description": "Specter instruction step 10" - }, - "recoverbullSelectVaultSelected": "Vault selecionado", - "@recoverbullSelectVaultSelected": { - "description": "AppBar title shown after vault has been selected" - }, - "dcaWalletTypeBitcoin": "Bitcoin (BTC)", - "@dcaWalletTypeBitcoin": { - "description": "Radio button option for Bitcoin wallet" - }, - "payNoPayments": "Sem pagamentos ainda", - "@payNoPayments": { - "description": "Empty state message" - }, - "onboardingEncryptedVault": "Vault criptografado", - "@onboardingEncryptedVault": { - "description": "Title for the encrypted vault recovery option in onboarding" - }, - "exchangeAccountInfoTitle": "Informação da conta", - "@exchangeAccountInfoTitle": { - "description": "Title for the account information section" - }, - "exchangeDcaActivateTitle": "Ativar a recuperação", - "@exchangeDcaActivateTitle": { - "description": "Title shown when DCA is inactive and can be activated" - }, - "buyConfirmationTime": "Tempo de confirmação", - "@buyConfirmationTime": { - "description": "Label for estimated confirmation time" - }, - "encryptedVaultRecommendation": "Vault criptografado: ", - "@encryptedVaultRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, - "payLightningInvoice": "Fatura de relâmpago", - "@payLightningInvoice": { - "description": "Label indicating invoice type is Lightning Network" - }, - "transactionOrderLabelPayoutAmount": "Quantidade de pagamento", - "@transactionOrderLabelPayoutAmount": { - "description": "Label for order payout amount" - }, - "recoverbullSelectEnterBackupKeyManually": "Digite a tecla de backup manualmente >>", - "@recoverbullSelectEnterBackupKeyManually": { - "description": "Button text to manually enter backup key" - }, - "exportingVaultButton": "Exportação...", - "@exportingVaultButton": { - "description": "Button label shown while exporting vault" - }, - "payCoinjoinInProgress": "CoinJoin em progresso...", - "@payCoinjoinInProgress": { - "description": "Status during CoinJoin process" - }, - "testBackupAllWordsSelected": "Selecionou todas as palavras", - "@testBackupAllWordsSelected": { - "description": "Message shown when user has selected all 12 words" - }, - "ledgerProcessingImportSubtext": "A montar a tua carteira só de relógio...", - "@ledgerProcessingImportSubtext": { - "description": "Processing subtext shown while importing Ledger wallet" - }, - "digitalCopyLabel": "Cópia digital", - "@digitalCopyLabel": { - "description": "Label for digital copy (with X mark)" - }, - "receiveNewAddress": "Novo endereço", - "@receiveNewAddress": { - "description": "Button label for generating a new receive address" - }, - "arkAmount": "Montante", - "@arkAmount": { - "description": "Label for transaction amount field in details table" - }, - "fundExchangeWarningTactic7": "Eles dizem para não se preocupar com este aviso", - "@fundExchangeWarningTactic7": { - "description": "Seventh scammer tactic warning" - }, - "importQrDeviceSpecterStep1": "Poder no seu dispositivo Specter", - "@importQrDeviceSpecterStep1": { - "description": "Specter instruction step 1" - }, - "transactionNoteAddTitle": "Adicionar nota", - "@transactionNoteAddTitle": { - "description": "Title for add note dialog" - }, - "paySecurityAnswerHint": "Insira a resposta de segurança", - "@paySecurityAnswerHint": { - "description": "Hint for security answer input" - }, - "bitboxActionImportWalletTitle": "Importação BitBox Carteira", - "@bitboxActionImportWalletTitle": { - "description": "Title for import wallet action" - }, - "backupSettingsError": "Erro", - "@backupSettingsError": { - "description": "Header text for error message display" - }, - "exchangeFeatureCustomerSupport": "• Chat com suporte ao cliente", - "@exchangeFeatureCustomerSupport": { - "description": "Feature bullet point describing customer support chat feature" - }, - "sellPleasePayInvoice": "Por favor, pague esta fatura", - "@sellPleasePayInvoice": { - "description": "Title for receive payment screen" - }, - "fundExchangeMethodCanadaPost": "Em dinheiro ou débito em pessoa no Canada Post", - "@fundExchangeMethodCanadaPost": { - "description": "Payment method: In-person at Canada Post" - }, - "payInvoiceDecoded": "Fatura decodificada com sucesso", - "@payInvoiceDecoded": { - "description": "Success message after decoding" - }, - "coreScreensAmountLabel": "Montante", - "@coreScreensAmountLabel": { - "description": "Label for amount field" - }, - "receiveSwapId": "ID do balanço", - "@receiveSwapId": { - "description": "Label for the swap identifier in a receive transaction" - }, - "transactionLabelCompletedAt": "Completa em", - "@transactionLabelCompletedAt": { - "description": "Label for completion timestamp" - }, - "pinCodeCreateTitle": "Criar novo pino", - "@pinCodeCreateTitle": { - "description": "Title for creating a new PIN code" - }, - "swapTransferRefundInProgressTitle": "Transferência de reembolso em progresso", - "@swapTransferRefundInProgressTitle": { - "description": "Title when swap is being refunded" - }, - "swapYouReceive": "Receber", - "@swapYouReceive": { - "description": "Label in swap card for receiving amount" - }, - "recoverbullSelectCustomLocationProvider": "Localização personalizada", - "@recoverbullSelectCustomLocationProvider": { - "description": "Name label for custom location backup provider option" - }, - "electrumInvalidRetryError": "Inválido Retry Valor da contagem: {value}", - "@electrumInvalidRetryError": { - "description": "Error message for invalid Retry Count value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "paySelectNetwork": "Selecione Rede", - "@paySelectNetwork": { - "description": "Screen title for network selection" - }, - "informationWillNotLeave": "Esta informação ", - "@informationWillNotLeave": { - "description": "First part of privacy assurance message" - }, - "backupWalletInstructionSecurityRisk": "Qualquer pessoa com acesso ao seu backup de 12 palavras pode roubar seus bitcoins. Esconde-o bem.", - "@backupWalletInstructionSecurityRisk": { - "description": "Security warning about protecting backup from theft" - }, - "sellCadBalance": "CADA Balanço", - "@sellCadBalance": { - "description": "Display text for CAD balance payout method" - }, - "doNotShareWarning": "NÃO COMPLEMENTAR COM NINGUÉM", - "@doNotShareWarning": { - "description": "Warning to not share recovery phrase with anyone" - }, - "torSettingsPortNumber": "Número de porta", - "@torSettingsPortNumber": { - "description": "Label for port number input field" - }, - "payNameHint": "Digite o nome do destinatário", - "@payNameHint": { - "description": "Hint for name input" - }, - "autoswapWarningTriggerAmount": "Classificação de 0,02 BTC", - "@autoswapWarningTriggerAmount": { - "description": "Trigger amount text shown in the autoswap warning bottom sheet" - }, - "legacySeedViewScreenTitle": "Sementes Legacy", - "@legacySeedViewScreenTitle": { - "description": "AppBar title for legacy seeds screen" - }, - "recoverbullErrorCheckStatusFailed": "Falhado para verificar o status do vault", - "@recoverbullErrorCheckStatusFailed": { - "description": "Error message when vault status check fails" - }, - "pleaseWaitFetching": "Por favor, espere enquanto buscamos seu arquivo de backup.", - "@pleaseWaitFetching": { - "description": "Message asking user to wait while fetching backup" - }, - "backupWalletPhysicalBackupTag": "Trustless (ter o seu tempo)", - "@backupWalletPhysicalBackupTag": { - "description": "Tag indicating difficulty and trust model for physical backup" - }, - "electrumReset": "Redefinição", - "@electrumReset": { - "description": "Reset button label in advanced options" - }, - "payInsufficientBalanceError": "Balança insuficiente na carteira selecionada para completar esta ordem de pagamento.", - "@payInsufficientBalanceError": { - "description": "Error message for insufficient balance" - }, - "backupCompletedTitle": "Backup concluído!", - "@backupCompletedTitle": { - "description": "Title shown when backup is completed successfully" - }, - "arkDate": "Data", - "@arkDate": { - "description": "Label for transaction date field in details table" - }, - "psbtFlowInstructions": "Instruções", - "@psbtFlowInstructions": { - "description": "Instructions section header in psbt flow" - }, - "systemLabelExchangeSell": "Venda", - "@systemLabelExchangeSell": { - "description": "System label for exchange sell transactions" - }, - "sendHighFeeWarning": "Aviso de alta taxa", - "@sendHighFeeWarning": { - "description": "Warning title for high transaction fees" - }, - "electrumStopGapNegativeError": "O Gap não pode ser negativo", - "@electrumStopGapNegativeError": { - "description": "Validation error for negative Stop Gap value" - }, - "walletButtonSend": "Enviar", - "@walletButtonSend": { - "description": "Button label to send funds" - }, - "importColdcardInstructionsStep9": "Digite um 'Label' para sua carteira Coldcard Q e toque em \"Importar\"", - "@importColdcardInstructionsStep9": { - "description": "ImportColdcardQ: Ninth instruction step" - }, - "bitboxScreenTroubleshootingStep1": "Certifique-se de que tem o firmware mais recente instalado na sua BitBox.", - "@bitboxScreenTroubleshootingStep1": { - "description": "Troubleshooting step 1" - }, - "backupSettingsExportVault": "Padrão de exportação", - "@backupSettingsExportVault": { - "description": "Button text to export encrypted vault file" - }, - "bitboxActionUnlockDeviceTitle": "Desbloquear dispositivo BitBox", - "@bitboxActionUnlockDeviceTitle": { - "description": "Title for unlock device action" - }, - "withdrawRecipientsNewTab": "Novo destinatário", - "@withdrawRecipientsNewTab": { - "description": "Tab label for new recipient" - }, - "autoswapRecipientRequired": "*", - "@autoswapRecipientRequired": { - "description": "Required field indicator" - }, - "exchangeLandingFeature4": "Enviar transferências bancárias e pagar contas", - "@exchangeLandingFeature4": { - "description": "Fourth feature bullet point" - }, - "sellSendPaymentPayFromWallet": "Pagar da carteira", - "@sellSendPaymentPayFromWallet": { - "description": "Field label for source wallet" - }, - "settingsServicesStatusTitle": "Estado dos serviços", - "@settingsServicesStatusTitle": { - "description": "Title for the services status section in the settings menu" - }, - "sellPriceWillRefreshIn": "Preço irá refrescar-se ", - "@sellPriceWillRefreshIn": { - "description": "Text before countdown timer for price refresh" - }, - "labelDeleteFailed": "Incapaz de excluir \"{label}\". Por favor, tente novamente.", - "@labelDeleteFailed": { - "description": "Error message when label deletion fails", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "kruxStep16": "Agora está pronto para transmitir! Assim que você clicar em transmissão, a transação será publicada na rede Bitcoin e os fundos serão enviados.", - "@kruxStep16": { - "description": "Krux final instruction about broadcasting" - }, - "recoverbullRecoveryErrorVaultCorrupted": "O arquivo de backup selecionado está corrompido.", - "@recoverbullRecoveryErrorVaultCorrupted": { - "description": "Error when vault backup file cannot be decrypted or is invalid" - }, - "buyVerifyIdentity": "Verificar identidade", - "@buyVerifyIdentity": { - "description": "Button to start KYC process" - }, - "exchangeDcaCancelDialogConfirmButton": "Sim, desactivar", - "@exchangeDcaCancelDialogConfirmButton": { - "description": "Button label to confirm DCA deactivation" - }, - "electrumServerUrlHint": "{network} {environment} URL do servidor", - "@electrumServerUrlHint": { - "description": "Hint text for server URL input", - "placeholders": { - "network": { - "type": "String" - }, - "environment": { - "type": "String" - } - } - }, - "payEmailHint": "Digite o endereço de e-mail", - "@payEmailHint": { - "description": "Hint for email input" - }, - "backupWalletGoogleDrivePermissionWarning": "O Google irá pedir-lhe para partilhar informações pessoais com este aplicativo.", - "@backupWalletGoogleDrivePermissionWarning": { - "description": "Warning message about Google Drive permission request" - }, - "bitboxScreenVerifyAddressSubtext": "Compare este endereço com o seu ecrã BitBox02", - "@bitboxScreenVerifyAddressSubtext": { - "description": "Subtext when showing address verification" - }, - "importQrDeviceSeedsignerStep9": "Digite um rótulo para a sua carteira SeedSigner e toque em Importar", - "@importQrDeviceSeedsignerStep9": { - "description": "SeedSigner instruction step 9" - }, - "testCompletedSuccessMessage": "Você é capaz de recuperar o acesso a uma carteira Bitcoin perdida", - "@testCompletedSuccessMessage": { - "description": "Message shown when backup test is successful" - }, - "importWatchOnlyScanQR": "Digitalização QR", - "@importWatchOnlyScanQR": { - "description": "Button to scan QR code for watch-only import" - }, - "walletBalanceUnconfirmedIncoming": "Em progresso", - "@walletBalanceUnconfirmedIncoming": { - "description": "Label for unconfirmed incoming balance" - }, - "selectAmountTitle": "Selecione o valor", - "@selectAmountTitle": { - "description": "Title for manual coin selection bottom sheet" - }, - "buyYouBought": "Você comprou {amount}", - "@buyYouBought": { - "description": "Success message with amount bought", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "routeErrorMessage": "Página não encontrada", - "@routeErrorMessage": { - "description": "Error message displayed when user navigates to non-existent route" - }, - "connectHardwareWalletPassport": "Passaporte da Fundação", - "@connectHardwareWalletPassport": { - "description": "Foundation Passport hardware wallet option" - }, - "autoswapTriggerBalanceError": "O equilíbrio do gatilho deve ser pelo menos 2x o equilíbrio base", - "@autoswapTriggerBalanceError": { - "description": "Validation error shown when trigger balance is less than 2x the base balance" - }, - "receiveEnterHere": "Entre aqui...", - "@receiveEnterHere": { - "description": "Placeholder text for input fields in receive" - }, - "receiveNetworkFee": "Taxa de rede", - "@receiveNetworkFee": { - "description": "Label for the network fee in a receive transaction" - }, - "payLiquidFee": "Taxa líquida", - "@payLiquidFee": { - "description": "Label for Liquid Network transaction fee" - }, - "fundExchangeSepaTitle": "Transferência SEPA", - "@fundExchangeSepaTitle": { - "description": "Screen title for SEPA transfer payment details" - }, - "autoswapLoadSettingsError": "Falhado para carregar configurações de troca automática", - "@autoswapLoadSettingsError": { - "description": "Error message when loading settings fails" - }, - "durationSeconds": "{seconds} segundos", - "@durationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "String" - } - } - }, - "broadcastSignedTxReviewTransaction": "Revisão", - "@broadcastSignedTxReviewTransaction": { - "description": "Section header for transaction review" - }, - "walletArkExperimental": "Experimental", - "@walletArkExperimental": { - "description": "Description for Ark wallet indicating experimental status" - }, - "importQrDeviceKeystoneStep5": "Escolha a opção de carteira BULL", - "@importQrDeviceKeystoneStep5": { - "description": "Keystone instruction step 5" - }, - "electrumLoadFailedError": "Falhados em servidores de carga{reason}", - "@electrumLoadFailedError": { - "description": "Error message when loading servers fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "ledgerVerifyAddressLabel": "Endereço para verificar:", - "@ledgerVerifyAddressLabel": { - "description": "Label for the address being verified on Ledger" - }, - "buyAccelerateTransaction": "Acelere a transação", - "@buyAccelerateTransaction": { - "description": "Title for transaction acceleration option" - }, - "backupSettingsTested": "Testado", - "@backupSettingsTested": { - "description": "Status text shown when backup has been tested" - }, - "receiveLiquidConfirmationMessage": "Ele será confirmado em alguns segundos", - "@receiveLiquidConfirmationMessage": { - "description": "Message indicating quick confirmation time for Liquid transactions" - }, - "jadeStep1": "Entre no seu dispositivo Jade", - "@jadeStep1": { - "description": "Jade instruction step 1" - }, - "recoverbullSelectDriveBackups": "Drive Backups", - "@recoverbullSelectDriveBackups": { - "description": "AppBar title for screen showing list of Google Drive backups" - }, - "exchangeAuthOk": "ESTÁ BEM", - "@exchangeAuthOk": { - "description": "OK button in error dialog" - }, - "settingsSecurityPinTitle": "Pin de segurança", - "@settingsSecurityPinTitle": { - "description": "Title for the security PIN section in the settings menu" - }, - "testBackupErrorFailedToFetch": "Falhado para buscar backup: {error}", - "@testBackupErrorFailedToFetch": { - "description": "Error when backup fetch fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "arkDurationMinute": "{minutes} minuto", - "@arkDurationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "psbtFlowTroubleScanningTitle": "Se você tiver problemas de digitalização:", - "@psbtFlowTroubleScanningTitle": { - "description": "Header for troubleshooting scanning issues" - }, - "arkReceiveUnifiedCopied": "Endereço unificado copiado", - "@arkReceiveUnifiedCopied": { - "description": "Snackbar message when unified address copied" - }, - "importQrDeviceJadeStep9": "Analise o código QR que você vê no seu dispositivo.", - "@importQrDeviceJadeStep9": { - "description": "Jade instruction step 9" - }, - "transactionDetailLabelPayjoinCompleted": "Completada", - "@transactionDetailLabelPayjoinCompleted": { - "description": "Payjoin completed status" - }, - "sellArsBalance": "Saldo ARS", - "@sellArsBalance": { - "description": "Display text for ARS balance payout method" - }, - "fundExchangeCanadaPostStep1": "1. Ir para qualquer Canadá Post localização", - "@fundExchangeCanadaPostStep1": { - "description": "Step 1 for Canada Post payment process" - }, - "exchangeKycLight": "Luz", - "@exchangeKycLight": { - "description": "Light KYC level label" - }, - "seedsignerInstructionsTitle": "Instruções do SeedSigner", - "@seedsignerInstructionsTitle": { - "description": "Title for SeedSigner signing instructions modal" - }, - "exchangeAmountInputValidationEmpty": "Por favor, insira um montante", - "@exchangeAmountInputValidationEmpty": { - "description": "Validation message when amount field is empty" - }, - "bitboxActionPairDeviceProcessingSubtext": "Verifique o código de emparelhamento no seu dispositivo BitBox...", - "@bitboxActionPairDeviceProcessingSubtext": { - "description": "Processing subtext for pair device" - }, - "recoverbullKeyServer": "Servidor chave ", - "@recoverbullKeyServer": { - "description": "Label for key server connection status" - }, - "recoverbullPasswordTooCommon": "Esta senha é muito comum. Por favor, escolha um diferente", - "@recoverbullPasswordTooCommon": { - "description": "Validation error for commonly used passwords" - }, - "backupInstruction3": "Qualquer pessoa com acesso ao seu backup de 12 palavras pode roubar seus bitcoins. Esconde-o bem.", - "@backupInstruction3": { - "description": "Third backup instruction warning about backup security" - }, - "arkRedeemButton": "Redeem", - "@arkRedeemButton": { - "description": "Confirm button to execute collaborative redeem" - }, - "fundExchangeLabelBeneficiaryAddress": "Endereço Beneficiário", - "@fundExchangeLabelBeneficiaryAddress": { - "description": "Label for beneficiary address field" - }, - "testBackupVerify": "Verificar", - "@testBackupVerify": { - "description": "Button text to verify the selected word order" - }, - "transactionDetailLabelCreatedAt": "Criado em", - "@transactionDetailLabelCreatedAt": { - "description": "Label for creation time" - }, - "fundExchangeJurisdictionArgentina": "Argentina", - "@fundExchangeJurisdictionArgentina": { - "description": "Dropdown option for Argentina jurisdiction" - }, - "walletNetworkBitcoin": "Rede de Bitcoin", - "@walletNetworkBitcoin": { - "description": "Network label for Bitcoin mainnet" - }, - "electrumAdvancedOptions": "Opções avançadas", - "@electrumAdvancedOptions": { - "description": "Advanced options button label" - }, - "autoswapWarningCardSubtitle": "Uma troca será acionada se o saldo dos pagamentos instantâneos exceder 0,02 BTC.", - "@autoswapWarningCardSubtitle": { - "description": "Subtitle text shown on the autoswap warning card on home screen" - }, - "transactionStatusConfirmed": "Confirmado", - "@transactionStatusConfirmed": { - "description": "Status label for confirmed transactions" - }, - "dcaFrequencyDaily": "dia", - "@dcaFrequencyDaily": { - "description": "Daily DCA frequency" - }, - "transactionLabelSendAmount": "Enviar valor", - "@transactionLabelSendAmount": { - "description": "Label for send amount in swap details" - }, - "testedStatus": "Testado", - "@testedStatus": { - "description": "Status text indicating backup has been tested" - }, - "fundExchangeWarningTactic6": "Eles querem que você compartilhe sua tela", - "@fundExchangeWarningTactic6": { - "description": "Sixth scammer tactic warning" - }, - "buyYouReceive": "Você recebe", - "@buyYouReceive": { - "description": "Label for amount user receives" - }, - "payFilterPayments": "Filtrar Pagamentos", - "@payFilterPayments": { - "description": "Button to filter payment list" - }, - "electrumCancel": "Cancelar", - "@electrumCancel": { - "description": "Cancel button label in delete dialog" - }, - "exchangeFileUploadButton": "Carregar", - "@exchangeFileUploadButton": { - "description": "Button label for uploading files in exchange" - }, - "payCopied": "Copiado!", - "@payCopied": { - "description": "Success message after copying" - }, - "transactionLabelReceiveNetworkFee": "Receber Taxas de Rede", - "@transactionLabelReceiveNetworkFee": { - "description": "Label for receive network fee in swap details" - }, - "bitboxScreenTroubleshootingTitle": "Solução de problemas do BitBox02", - "@bitboxScreenTroubleshootingTitle": { - "description": "Title for troubleshooting instructions" - }, - "broadcastSignedTxPushTxButton": "PushTx", - "@broadcastSignedTxPushTxButton": { - "description": "Button to use PushTx NFC device" - }, - "fundExchangeCrIbanUsdDescriptionBold": "exactamente", - "@fundExchangeCrIbanUsdDescriptionBold": { - "description": "Bold emphasis word for CR IBAN USD transfer instructions" - }, - "fundExchangeSelectCountry": "Selecione seu país e método de pagamento", - "@fundExchangeSelectCountry": { - "description": "Instruction text" - }, - "fundExchangeCostaRicaMethodSinpeSubtitle": "Transferir Colones usando SINPE", - "@fundExchangeCostaRicaMethodSinpeSubtitle": { - "description": "Subtitle description for SINPE Móvil payment method" - }, - "kruxStep2": "Clique em Sinalizar", - "@kruxStep2": { - "description": "Krux instruction step 2" - }, - "fundExchangeArsBankTransferDescription": "Envie uma transferência bancária de sua conta bancária usando os detalhes exatos do banco Argentina abaixo.", - "@fundExchangeArsBankTransferDescription": { - "description": "Description for Argentina bank transfer method" - }, - "importWatchOnlyFingerprint": "Impressão digital", - "@importWatchOnlyFingerprint": { - "description": "Label for wallet fingerprint field" - }, - "exchangeBitcoinWalletsEnterAddressHint": "Digite o endereço", - "@exchangeBitcoinWalletsEnterAddressHint": { - "description": "Hint text for entering an address in exchange Bitcoin wallets" - }, - "dcaViewSettings": "Ver configurações", - "@dcaViewSettings": { - "description": "Link to view DCA settings" - }, - "withdrawAmountContinue": "Continue", - "@withdrawAmountContinue": { - "description": "Continue button on amount screen" - }, - "allSeedViewSecurityWarningMessage": "Exibir frases de sementes é um risco de segurança. Qualquer pessoa que veja sua frase de sementes pode acessar seus fundos. Certifique-se de que você está em um local privado e que ninguém pode ver sua tela.", - "@allSeedViewSecurityWarningMessage": { - "description": "Security warning message about displaying seed phrases" - }, - "walletNetworkBitcoinTestnet": "Teste de Bitcoin", - "@walletNetworkBitcoinTestnet": { - "description": "Network label for Bitcoin testnet" - }, - "recoverbullSeeMoreVaults": "Ver mais cofres", - "@recoverbullSeeMoreVaults": { - "description": "Button text to view additional vault options" - }, - "sellPayFromWallet": "Pagar da carteira", - "@sellPayFromWallet": { - "description": "Label for wallet used for payment" - }, - "pinProtectionDescription": "Seu PIN protege o acesso à sua carteira e configurações. Mantenha-o memorável.", - "@pinProtectionDescription": { - "description": "Informational text explaining PIN purpose" - }, - "kruxStep5": "Digitalizar o código QR mostrado na carteira Bull", - "@kruxStep5": { - "description": "Krux instruction step 5" - }, - "backupSettingsLabelsButton": "Etiquetas", - "@backupSettingsLabelsButton": { - "description": "Button text to manage transaction labels" - }, - "payMediumPriority": "Média", - "@payMediumPriority": { - "description": "Medium fee priority option" - }, - "payWhichWalletQuestion": "De que carteira queres pagar?", - "@payWhichWalletQuestion": { - "description": "Question prompting user to select wallet" - }, - "dcaHideSettings": "Ocultar configurações", - "@dcaHideSettings": { - "description": "Link to hide DCA settings" - }, - "exchangeDcaCancelDialogMessage": "Seu plano de compra Bitcoin recorrente vai parar, e as compras programadas terminarão. Para reiniciar, você precisará criar um novo plano.", - "@exchangeDcaCancelDialogMessage": { - "description": "Message explaining the consequences of canceling DCA" - }, - "transactionSwapDescChainExpired": "Esta transferência expirou. Os seus fundos serão automaticamente devolvidos à sua carteira.", - "@transactionSwapDescChainExpired": { - "description": "Description for expired chain swap" - }, - "payValidating": "Validação...", - "@payValidating": { - "description": "Text shown while validating SINPE" - }, - "sendDone": "Feito", - "@sendDone": { - "description": "Button label for completing the send flow" - }, - "exchangeBitcoinWalletsTitle": "Carteiras Bitcoin padrão", - "@exchangeBitcoinWalletsTitle": { - "description": "Title for the default Bitcoin wallets section in exchange" - }, - "importColdcardInstructionsStep1": "Faça login no seu dispositivo Coldcard Q", - "@importColdcardInstructionsStep1": { - "description": "ImportColdcardQ: First instruction step" - }, - "transactionLabelSwapStatusRefunded": "Reembolsos", - "@transactionLabelSwapStatusRefunded": { - "description": "Status label for refunded swaps" - }, - "receiveLightningInvoice": "Fatura de relâmpago", - "@receiveLightningInvoice": { - "description": "Label for a Lightning Network invoice" - }, - "pinCodeContinue": "Continue", - "@pinCodeContinue": { - "description": "Button label to continue with PIN entry" - }, - "payInvoiceTitle": "Fatura de pagamento", - "@payInvoiceTitle": { - "description": "AppBar title for the pay invoice screen" - }, - "swapProgressGoHome": "Vai para casa", - "@swapProgressGoHome": { - "description": "Go home button on progress screen" - }, - "replaceByFeeSatsVbUnit": "sats/vB", - "@replaceByFeeSatsVbUnit": { - "description": "Unit label for satoshis per virtual byte" - }, - "fundExchangeCrIbanUsdDescription": "Envie uma transferência bancária da sua conta bancária usando os detalhes abaixo ", - "@fundExchangeCrIbanUsdDescription": { - "description": "First part of description for CR IBAN USD transfer" - }, - "coreScreensSendAmountLabel": "Enviar valor", - "@coreScreensSendAmountLabel": { - "description": "Label for send amount field" - }, - "backupSettingsRecoverBullSettings": "Recuperação", - "@backupSettingsRecoverBullSettings": { - "description": "Button text for Recoverbull" - }, - "fundExchangeLabelBankAddress": "Endereço do nosso banco", - "@fundExchangeLabelBankAddress": { - "description": "Label for bank address field" - }, - "exchangeDcaAddressLabelLiquid": "Endereço líquido", - "@exchangeDcaAddressLabelLiquid": { - "description": "Label for Liquid address in DCA settings" - }, - "backupWalletGoogleDrivePrivacyMessage5": "compartilhado com Bull Bitcoin.", - "@backupWalletGoogleDrivePrivacyMessage5": { - "description": "Fifth part of privacy message" - }, - "settingsDevModeUnderstandButton": "Eu compreendo", - "@settingsDevModeUnderstandButton": { - "description": "Button label to acknowledge developer mode warning" - }, - "recoverbullSelectQuickAndEasy": "Rápido e fácil", - "@recoverbullSelectQuickAndEasy": { - "description": "Description tag for Google Drive and iCloud provider options" - }, - "exchangeFileUploadTitle": "Upload de arquivo seguro", - "@exchangeFileUploadTitle": { - "description": "Title for the secure file upload section in exchange" - }, - "backupWalletHowToDecideBackupPhysicalRecommendationText": "Você está confiante em suas próprias capacidades de segurança operacional para esconder e preservar suas palavras de semente Bitcoin.", - "@backupWalletHowToDecideBackupPhysicalRecommendationText": { - "description": "Recommendation text for when to use physical backup" - }, - "bitboxCubitHandshakeFailed": "Falhou para estabelecer uma ligação segura. Por favor, tente novamente.", - "@bitboxCubitHandshakeFailed": { - "description": "Error interpretation for handshake failure" - }, - "sendErrorAmountAboveSwapLimits": "O montante está acima dos limites de swap", - "@sendErrorAmountAboveSwapLimits": { - "description": "Error when amount exceeds maximum swap limit" - }, - "backupWalletHowToDecideBackupEncryptedVault": "O cofre encriptado impede-te de ladrões que procuram roubar o teu apoio. Ele também impede que você perca acidentalmente seu backup, uma vez que ele será armazenado em sua nuvem. Provedores de armazenamento em nuvem como o Google ou a Apple não terão acesso ao seu Bitcoin porque a senha de criptografia é muito forte. Há uma pequena possibilidade de que o servidor web que armazena a chave de criptografia do seu backup possa ser comprometida. Neste caso, a segurança do backup em sua conta na nuvem pode estar em risco.", - "@backupWalletHowToDecideBackupEncryptedVault": { - "description": "Explanation of encrypted vault benefits and risks in decision help modal" - }, - "coreSwapsChainCompletedRefunded": "A transferência foi reembolsada.", - "@coreSwapsChainCompletedRefunded": { - "description": "Status message for chain swap completed via refund" - }, - "payClabeHint": "Digite o número CLABE", - "@payClabeHint": { - "description": "Hint for CLABE input" - }, - "fundExchangeLabelBankCountry": "Países Baixos", - "@fundExchangeLabelBankCountry": { - "description": "Label for bank country field" - }, - "seedsignerStep11": "Clique em \"Estou feito\" na carteira Bull Bitcoin.", - "@seedsignerStep11": { - "description": "SeedSigner instruction to return to app" - }, - "transactionDetailLabelPayjoinStatus": "Estado de Payjoin", - "@transactionDetailLabelPayjoinStatus": { - "description": "Label for payjoin status" - }, - "fundExchangeBankTransferSubtitle": "Enviar uma transferência bancária da sua conta bancária", - "@fundExchangeBankTransferSubtitle": { - "description": "Bank transfer subtitle" - }, - "recoverbullErrorInvalidVaultFile": "Arquivo de cofre inválido.", - "@recoverbullErrorInvalidVaultFile": { - "description": "Error message when vault file format is invalid" - }, - "sellProcessingOrder": "Ordem de processamento...", - "@sellProcessingOrder": { - "description": "Loading message during order submission" - }, - "sellUpdatingRate": "Atualizando a taxa de câmbio...", - "@sellUpdatingRate": { - "description": "Loading message while fetching new rate" - }, - "importQrDeviceKeystoneStep6": "No seu dispositivo móvel, toque em Abrir Câmara", - "@importQrDeviceKeystoneStep6": { - "description": "Keystone instruction step 6" - }, - "bip85Hex": "HEX", - "@bip85Hex": { - "description": "Label for hex type entropy" - }, - "testYourWalletTitle": "Teste sua carteira", - "@testYourWalletTitle": { - "description": "Title for test your wallet screen" - }, - "storeItSafelyMessage": "Armazená-lo em algum lugar seguro.", - "@storeItSafelyMessage": { - "description": "Instruction to store recovery phrase safely" - }, - "receiveLightningNetwork": "Luz", - "@receiveLightningNetwork": { - "description": "Lightning Network option" - }, - "receiveVerifyAddressError": "Incapaz de verificar o endereço: Falta de informações de carteira ou endereço", - "@receiveVerifyAddressError": { - "description": "Error message when address verification is not possible" - }, - "arkForfeitAddress": "Endereço falso", - "@arkForfeitAddress": { - "description": "Label for forfeit address field" - }, - "swapTransferRefundedTitle": "Transferência reembolsada", - "@swapTransferRefundedTitle": { - "description": "Title when swap has been refunded" - }, - "bitboxErrorConnectionFailed": "Falhado para se conectar ao dispositivo BitBox. Por favor, verifique a sua ligação.", - "@bitboxErrorConnectionFailed": { - "description": "Error when connection to BitBox device fails" - }, - "exchangeFileUploadDocumentTitle": "Carregar qualquer documento", - "@exchangeFileUploadDocumentTitle": { - "description": "Title for uploading documents in exchange" - }, - "dcaInsufficientBalanceDescription": "Você não tem equilíbrio suficiente para criar esta ordem.", - "@dcaInsufficientBalanceDescription": { - "description": "InfoCard description explaining insufficient balance error" - }, - "pinButtonContinue": "Continue", - "@pinButtonContinue": { - "description": "Button label to proceed after entering new PIN" - }, - "importColdcardSuccess": "Carteira Coldcard importada", - "@importColdcardSuccess": { - "description": "Success message" - }, - "withdrawUnauthenticatedError": "Não és autenticado. Faça login para continuar.", - "@withdrawUnauthenticatedError": { - "description": "Error message for unauthenticated user during withdraw" - }, - "sellBitcoinAmount": "Quantidade de Bitcoin", - "@sellBitcoinAmount": { - "description": "Label for Bitcoin amount" - }, - "recoverbullTestCompletedTitle": "Teste concluído com sucesso!", - "@recoverbullTestCompletedTitle": { - "description": "Success title after completing backup test" - }, - "arkBtcAddress": "Endereço de BTC", - "@arkBtcAddress": { - "description": "Label for the Bitcoin address field" - }, - "transactionFilterReceive": "Receber", - "@transactionFilterReceive": { - "description": "Filter option to show only received transactions" - }, - "recoverbullErrorInvalidFlow": "Fluxo inválido", - "@recoverbullErrorInvalidFlow": { - "description": "Error message for invalid operation flow" - }, - "exchangeDcaFrequencyDay": "dia", - "@exchangeDcaFrequencyDay": { - "description": "DCA frequency unit: day" - }, - "payBumpFee": "Bump Fee", - "@payBumpFee": { - "description": "Button to increase fee of pending transaction" - }, - "arkCancelButton": "Cancelar", - "@arkCancelButton": { - "description": "Cancel button label in settle bottom sheet" - }, - "bitboxActionImportWalletProcessingSubtext": "A montar a tua carteira só de relógio...", - "@bitboxActionImportWalletProcessingSubtext": { - "description": "Processing subtext for import wallet" - }, - "psbtFlowDone": "Estou acabado", - "@psbtFlowDone": { - "description": "Button to complete psbt flow signing process" - }, - "exchangeHomeDepositButton": "Depósito", - "@exchangeHomeDepositButton": { - "description": "Button label for depositing funds to the exchange" - }, - "testBackupRecoverWallet": "Recuperar Carteira", - "@testBackupRecoverWallet": { - "description": "AppBar title for fetched backup info screen" - }, - "fundExchangeMethodSinpeTransferSubtitle": "Transferir Colones usando SINPE", - "@fundExchangeMethodSinpeTransferSubtitle": { - "description": "Subtitle for SINPE Transfer payment method" - }, - "arkInstantPayments": "Ark Pagamentos instantâneos", - "@arkInstantPayments": { - "description": "Main page title in top bar" - }, - "sendEstimatedDelivery": "Entrega estimada ~ ", - "@sendEstimatedDelivery": { - "description": "Label prefix for estimated delivery time" - }, - "fundExchangeMethodOnlineBillPayment": "Pagamento de Bill Online", - "@fundExchangeMethodOnlineBillPayment": { - "description": "Payment method: Online Bill Payment (Canada)" - }, - "coreScreensTransferIdLabel": "ID de transferência", - "@coreScreensTransferIdLabel": { - "description": "Label for transfer ID field" - }, - "anErrorOccurred": "Um erro ocorreu", - "@anErrorOccurred": { - "description": "Generic error message" - }, - "howToDecideBackupText2": "O cofre encriptado impede-te de ladrões que procuram roubar o teu apoio. Ele também impede que você perca acidentalmente seu backup, uma vez que ele será armazenado em sua nuvem. Provedores de armazenamento em nuvem como o Google ou a Apple não terão acesso ao seu Bitcoin porque a senha de criptografia é muito forte. Há uma pequena possibilidade de que o servidor web que armazena a chave de criptografia do seu backup possa ser comprometida. Neste caso, a segurança do backup em sua conta na nuvem pode estar em risco.", - "@howToDecideBackupText2": { - "description": "Second paragraph explaining encrypted vault benefits and risks" - }, - "sellIBAN": "IBAN", - "@sellIBAN": { - "description": "Label for International Bank Account Number" - }, - "allSeedViewPassphraseLabel": "Passphrase:", - "@allSeedViewPassphraseLabel": { - "description": "Label for passphrase display" - }, - "dcaBuyingMessage": "Você está comprando {amount} cada {frequency} via {network} desde que haja fundos em sua conta.", - "@dcaBuyingMessage": { - "description": "DCA status message", - "placeholders": { - "amount": { - "type": "String" - }, - "frequency": { - "type": "String" - }, - "network": { - "type": "String" - } - } - }, - "exchangeCurrencyDropdownValidation": "Por favor, selecione uma moeda", - "@exchangeCurrencyDropdownValidation": { - "description": "Validation message when no currency is selected" - }, - "withdrawConfirmTitle": "Confirmação", - "@withdrawConfirmTitle": { - "description": "Title on confirmation screen" - }, - "importQrDeviceSpecterStep3": "Digite sua semente/chave (cose que alguma vez a opção lhe convier)", - "@importQrDeviceSpecterStep3": { - "description": "Specter instruction step 3" - }, - "payPayeeAccountNumber": "Número de Conta de Pagamento", - "@payPayeeAccountNumber": { - "description": "Label for payee account number" - }, - "importMnemonicBalanceLabel": "Equilíbrio: {amount}", - "@importMnemonicBalanceLabel": { - "description": "ImportMnemonic: Balance label with amount in wallet type card", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "transactionSwapProgressInProgress": "Em progresso", - "@transactionSwapProgressInProgress": { - "description": "Generic swap progress step: in progress" - }, - "fundExchangeWarningConfirmation": "Eu confirmo que não estou sendo solicitado a comprar Bitcoin por outra pessoa.", - "@fundExchangeWarningConfirmation": { - "description": "Confirmation checkbox text that user is not being coerced to buy Bitcoin" - }, - "recoverbullSelectCustomLocationError": "Falhado para selecionar o arquivo do local personalizado", - "@recoverbullSelectCustomLocationError": { - "description": "Error when file selection from custom location fails" - }, - "mempoolCustomServerDeleteTitle": "Excluir Servidor Personalizado?", - "@mempoolCustomServerDeleteTitle": { - "description": "Title for delete custom server confirmation dialog" - }, - "confirmSendTitle": "Enviar", - "@confirmSendTitle": { - "description": "Title for send confirmation screen when sending bitcoin" - }, - "buyKYCLevel1": "Nível 1 - Básico", - "@buyKYCLevel1": { - "description": "Basic verification tier" - }, - "sendErrorAmountAboveMaximum": "Montante acima do limite máximo de swap: {maxLimit} sats", - "@sendErrorAmountAboveMaximum": { - "description": "Error with specific maximum swap amount", - "placeholders": { - "maxLimit": { - "type": "String" - } - } - }, - "coreSwapsLnSendCompletedSuccess": "Swap é concluído com sucesso.", - "@coreSwapsLnSendCompletedSuccess": { - "description": "Status message for successfully completed Lightning send swap" - }, - "importColdcardScanning": "A procurar...", - "@importColdcardScanning": { - "description": "Status while scanning" - }, - "transactionLabelTransferFee": "Taxa de transferência", - "@transactionLabelTransferFee": { - "description": "Label for transfer fee component" - }, - "visitRecoverBullMessage": "Visite o Recoverbull.com para obter mais informações.", - "@visitRecoverBullMessage": { - "description": "Message with link to more information" - }, - "payMyFiatRecipients": "Os meus destinatários fiat", - "@payMyFiatRecipients": { - "description": "Tab label for saved recipients" - }, - "exchangeLandingFeature1": "Comprar Bitcoin direto para self-custody", - "@exchangeLandingFeature1": { - "description": "First feature bullet point" - }, - "bitboxCubitPermissionDenied": "Autorização USB negada. Por favor, dê permissão para acessar seu dispositivo BitBox.", - "@bitboxCubitPermissionDenied": { - "description": "Error interpretation for permission denied" - }, - "swapTransferTo": "Transferência para", - "@swapTransferTo": { - "description": "Label for destination wallet dropdown" - }, - "testBackupPinMessage": "Teste para se certificar de que você se lembra de seu backup {pinOrPassword}", - "@testBackupPinMessage": { - "description": "Message prompting user to test backup PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "bitcoinSettingsMempoolServerTitle": "Configurações do servidor Mempool", - "@bitcoinSettingsMempoolServerTitle": { - "description": "Title for the Mempool server settings section in Bitcoin settings" - }, - "transactionSwapDescLnReceiveDefault": "A tua troca está em andamento. Este processo é automatizado e pode levar algum tempo para ser concluído.", - "@transactionSwapDescLnReceiveDefault": { - "description": "Default description for Lightning receive swap" - }, - "selectCoinsManuallyLabel": "Selecione moedas manualmente", - "@selectCoinsManuallyLabel": { - "description": "List tile option to manually select UTXOs" - }, - "psbtFlowSeedSignerTitle": "Instruções do SeedSigner", - "@psbtFlowSeedSignerTitle": { - "description": "Title for SeedSigner device signing instructions" - }, - "appUnlockAttemptSingular": "tentativa falhada", - "@appUnlockAttemptSingular": { - "description": "Singular form of 'attempt' for failed unlock attempts" - }, - "importQrDevicePassportStep2": "Digite seu PIN", - "@importQrDevicePassportStep2": { - "description": "Passport instruction step 2" - }, - "transactionOrderLabelPayoutMethod": "Método de pagamento", - "@transactionOrderLabelPayoutMethod": { - "description": "Label for order payout method" - }, - "buyShouldBuyAtLeast": "Você deve comprar pelo menos", - "@buyShouldBuyAtLeast": { - "description": "Error message for amount below minimum" - }, - "pinCodeCreateDescription": "Seu PIN protege o acesso à sua carteira e configurações. Mantenha-o memorável.", - "@pinCodeCreateDescription": { - "description": "Description explaining the purpose of the PIN code" - }, - "payCorporate": "Empresas", - "@payCorporate": { - "description": "Label for corporate checkbox" - }, - "recoverbullErrorRecoveryFailed": "Falhado para recuperar o cofre", - "@recoverbullErrorRecoveryFailed": { - "description": "Error message when vault recovery fails" - }, - "buyMax": "Max", - "@buyMax": { - "description": "Button to fill maximum amount" - }, - "onboardingCreateNewWallet": "Criar nova carteira", - "@onboardingCreateNewWallet": { - "description": "Button label for creating a new wallet in onboarding" - }, - "buyExpressWithdrawalDesc": "Receba Bitcoin instantaneamente após o pagamento", - "@buyExpressWithdrawalDesc": { - "description": "Explanation of express withdrawal feature" - }, - "backupIdLabel": "ID de backup:", - "@backupIdLabel": { - "description": "Label for backup ID" - }, - "sellBalanceWillBeCredited": "O saldo da sua conta será creditado após a sua transação receber 1 confirmação de compra.", - "@sellBalanceWillBeCredited": { - "description": "Information about balance crediting" - }, - "payExchangeRate": "Taxa de câmbio", - "@payExchangeRate": { - "description": "Label for exchange rate" - }, - "startBackupButton": "Iniciar backup", - "@startBackupButton": { - "description": "Button label to start backup process" - }, - "buyInputTitle": "Comprar Bitcoin", - "@buyInputTitle": { - "description": "AppBar title for buy input screen" - }, - "arkSendRecipientTitle": "Enviar para o Recipiente", - "@arkSendRecipientTitle": { - "description": "Title for the ark send recipient page" - }, - "importMnemonicImport": "Importação", - "@importMnemonicImport": { - "description": "Button to import selected wallet type" - }, - "recoverbullPasswordTooShort": "Senha deve ter pelo menos 6 caracteres de comprimento", - "@recoverbullPasswordTooShort": { - "description": "Validation error for passwords under minimum length" - }, - "arkAddressPlaceholder": "ark1qp9wsjfpsj5v5ex022v6..", - "@arkAddressPlaceholder": { - "description": "Placeholder text for recipient address input" - }, - "payNetwork": "Rede", - "@payNetwork": { - "description": "Label for network" - }, - "sendBuildFailed": "Falhado em construir a transação", - "@sendBuildFailed": { - "description": "Error during transaction construction" - }, - "paySwapFee": "Taxa de balanço", - "@paySwapFee": { - "description": "Label for submarine swap fee" - }, - "exchangeAccountSettingsTitle": "Configurações da conta do Exchange", - "@exchangeAccountSettingsTitle": { - "description": "Title for the exchange account settings screen" - }, - "arkBoardingConfirmed": "Encaminhamento confirmado", - "@arkBoardingConfirmed": { - "description": "Label for confirmed boarding balance in Ark balance breakdown" - }, - "broadcastSignedTxTitle": "Transação de transmissão", - "@broadcastSignedTxTitle": { - "description": "AppBar title for broadcast signed transaction screen" - }, - "backupWalletVaultProviderTakeYourTime": "Leve o seu tempo", - "@backupWalletVaultProviderTakeYourTime": { - "description": "Tag for custom location provider" - }, - "arkSettleIncludeRecoverable": "Incluir vtxos recuperáveis", - "@arkSettleIncludeRecoverable": { - "description": "Toggle label for including recoverable vtxos" - }, - "ledgerWalletTypeSegwitDescription": "Nativo SegWit - Recomendado", - "@ledgerWalletTypeSegwitDescription": { - "description": "Description for Segwit wallet type" - }, - "exchangeAccountInfoFirstNameLabel": "Primeiro nome", - "@exchangeAccountInfoFirstNameLabel": { - "description": "Label for first name field in account information" - }, - "payPaymentFailed": "O pagamento falhou", - "@payPaymentFailed": { - "description": "Error message when payment fails" - }, - "sendRefundProcessed": "O seu reembolso foi processado.", - "@sendRefundProcessed": { - "description": "Message confirming refund completion" - }, - "exchangeKycCardSubtitle": "Para remover limites de transação", - "@exchangeKycCardSubtitle": { - "description": "Subtitle explaining why to complete KYC" - }, - "importColdcardInvalidQR": "Código QR inválido", - "@importColdcardInvalidQR": { - "description": "Error for invalid QR format" - }, - "testBackupTranscribe": "Transcrição", - "@testBackupTranscribe": { - "description": "Label with checkmark indicating users should transcribe the phrase" - }, - "sendUnconfirmed": "Sem confirmação", - "@sendUnconfirmed": { - "description": "Status for 0-conf UTXO" - }, - "testBackupRetrieveVaultDescription": "Teste para garantir que você pode recuperar seu cofre criptografado.", - "@testBackupRetrieveVaultDescription": { - "description": "Description explaining purpose of vault location selection" - }, - "fundExchangeLabelCvu": "CVU", - "@fundExchangeLabelCvu": { - "description": "Label for CVU (Clave Virtual Uniforme) number in Argentina" - }, - "electrumStopGap": "Pára com o Gap", - "@electrumStopGap": { - "description": "Stop Gap field label and hint in advanced options" - }, - "payBroadcastingTransaction": "Transmissão...", - "@payBroadcastingTransaction": { - "description": "Status message while broadcasting to network" - }, - "bip329LabelsImportButton": "Etiquetas de importação", - "@bip329LabelsImportButton": { - "description": "Button text to import labels" - }, - "fiatCurrencySettingsLabel": "Moeda de Fiat", - "@fiatCurrencySettingsLabel": { - "description": "The label for the button to access the fiat currency settings" - }, - "arkStatusConfirmed": "Confirmado", - "@arkStatusConfirmed": { - "description": "Status label for confirmed boarding transactions" - }, - "withdrawConfirmAmount": "Montante", - "@withdrawConfirmAmount": { - "description": "Field label for withdrawal amount" - }, - "transactionSwapDoNotUninstall": "Não desinstale o aplicativo até que o swap seja concluído.", - "@transactionSwapDoNotUninstall": { - "description": "Warning message to not uninstall app during swap" - }, - "payDefaultCommentHint": "Insira o comentário padrão", - "@payDefaultCommentHint": { - "description": "Hint for default comment input" - }, - "labelErrorSystemCannotDelete": "Os rótulos do sistema não podem ser excluídos.", - "@labelErrorSystemCannotDelete": { - "description": "Error message when trying to delete a system label" - }, - "copyDialogButton": "Entendido", - "@copyDialogButton": { - "description": "Button in modal dialog to copy value to clipboard" - }, - "bitboxActionImportWalletProcessing": "Carteira de importação", - "@bitboxActionImportWalletProcessing": { - "description": "Processing text for import wallet" - }, - "swapConfirmTransferTitle": "Confirmar transferência", - "@swapConfirmTransferTitle": { - "description": "AppBar title on the confirmation page" - }, - "payTransitNumberHint": "Digite o número de trânsito", - "@payTransitNumberHint": { - "description": "Hint for transit number input" - }, - "recoverbullSwitchToPIN": "Escolha um PIN em vez", - "@recoverbullSwitchToPIN": { - "description": "Button text to switch from password to PIN input" - }, - "payQrCode": "Código QR", - "@payQrCode": { - "description": "Title for QR code bottom sheet" - }, - "exchangeAccountInfoVerificationLevelLabel": "Nível de verificação", - "@exchangeAccountInfoVerificationLevelLabel": { - "description": "Label for verification level field in account information" - }, - "walletDetailsDerivationPathLabel": "Caminho de Derivação", - "@walletDetailsDerivationPathLabel": { - "description": "Label for the derivation path field in wallet details" - }, - "exchangeBitcoinWalletsBitcoinAddressLabel": "Endereço de Bitcoin", - "@exchangeBitcoinWalletsBitcoinAddressLabel": { - "description": "Label for Bitcoin address field in exchange Bitcoin wallets" - }, - "transactionDetailLabelExchangeRate": "Taxa de câmbio", - "@transactionDetailLabelExchangeRate": { - "description": "Label for exchange rate" - }, - "electrumServerOffline": "Offline", - "@electrumServerOffline": { - "description": "Status text for offline servers" - }, - "sendTransferFee": "Taxa de transferência", - "@sendTransferFee": { - "description": "Label for total swap transfer fee" - }, - "fundExchangeLabelIbanCrcOnly": "Número da conta IBAN (apenas para Colones)", - "@fundExchangeLabelIbanCrcOnly": { - "description": "Label for IBAN field - Colones only" - }, - "arkServerPubkey": "Servidor pubkey", - "@arkServerPubkey": { - "description": "Label for server public key field" - }, - "testBackupPhysicalBackupDescription": "Escreva 12 palavras em um pedaço de papel. Mantenha-os seguros e certifique-se de não perdê-los.", - "@testBackupPhysicalBackupDescription": { - "description": "Description for physical backup option" - }, - "sendInitiatingSwap": "Iniciando troca...", - "@sendInitiatingSwap": { - "description": "Loading message during swap setup" - }, - "sellLightningNetwork": "Rede de relâmpago", - "@sellLightningNetwork": { - "description": "Option for Lightning Network payment" - }, - "buySelectWallet": "Selecione a carteira", - "@buySelectWallet": { - "description": "Label for wallet selection dropdown" - }, - "testBackupErrorIncorrectOrder": "Ordem de palavra incorreta. Por favor, tente novamente.", - "@testBackupErrorIncorrectOrder": { - "description": "Error when words are selected in wrong order" - }, - "importColdcardInstructionsStep6": "Escolha \"Bull Bitcoin\" como a opção de exportação", - "@importColdcardInstructionsStep6": { - "description": "ImportColdcardQ: Sixth instruction step" - }, - "swapValidationSelectToWallet": "Selecione uma carteira para transferir para", - "@swapValidationSelectToWallet": { - "description": "Validation error when no destination wallet selected" - }, - "receiveWaitForSenderToFinish": "Aguarde o remetente para terminar a transação payjoin", - "@receiveWaitForSenderToFinish": { - "description": "Instructions to wait for the sender during a payjoin transaction" - }, - "arkSetupTitle": "Configuração de arca", - "@arkSetupTitle": { - "description": "AppBar title for Ark setup screen" - }, - "seedsignerStep3": "Digitalizar o código QR mostrado na carteira Bull", - "@seedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, - "sellErrorLoadUtxos": "Falhado para carregar UTXOs: {error}", - "@sellErrorLoadUtxos": { - "description": "Error message when loading UTXOs fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "payDecodingInvoice": "Fatura decodificação...", - "@payDecodingInvoice": { - "description": "Loading message while parsing invoice" - }, - "importColdcardInstructionsStep5": "Selecione \"Export Wallet\"", - "@importColdcardInstructionsStep5": { - "description": "ImportColdcardQ: Fifth instruction step" - }, - "electrumStopGapTooHighError": "Pare Gap parece muito alto. (Max. {maxStopGap})", - "@electrumStopGapTooHighError": { - "description": "Validation error for Stop Gap exceeding maximum", - "placeholders": { - "maxStopGap": { - "type": "String" - } - } - }, - "electrumTimeoutTooHighError": "O tempo parece muito alto. (Max. {maxTimeout} segundos)", - "@electrumTimeoutTooHighError": { - "description": "Validation error for Timeout exceeding maximum", - "placeholders": { - "maxTimeout": { - "type": "String" - } - } - }, - "sellInstantPayments": "Pagamentos imediatos", - "@sellInstantPayments": { - "description": "Display text for instant payment wallet" - }, - "priceChartFetchingHistory": "Fetching Price History...", - "@priceChartFetchingHistory": { - "description": "Message shown while fetching price history when no local data is available" - }, - "sellDone": "Feito", - "@sellDone": { - "description": "Button to close bottom sheet" - }, - "payFromWallet": "Da carteira", - "@payFromWallet": { - "description": "Label showing source wallet" - }, - "dcaConfirmRecurringBuyTitle": "Confirmação Comprar", - "@dcaConfirmRecurringBuyTitle": { - "description": "AppBar title for confirmation screen" - }, - "transactionSwapBitcoinToLiquid": "BTC → L-BTC", - "@transactionSwapBitcoinToLiquid": { - "description": "Label for Bitcoin to Liquid swap" - }, - "sellBankDetails": "Detalhes do banco", - "@sellBankDetails": { - "description": "Section header for bank account info" - }, - "pinStatusCheckingDescription": "Verificando o status PIN", - "@pinStatusCheckingDescription": { - "description": "Status screen description during initialization" - }, - "coreScreensConfirmButton": "Confirmação", - "@coreScreensConfirmButton": { - "description": "Text for confirm button" - }, - "passportStep6": " - Mover o laser vermelho para cima e para baixo sobre o código QR", - "@passportStep6": { - "description": "Passport troubleshooting tip 2" - }, - "importQrDeviceSpecterStep8": "No seu dispositivo móvel, toque em Abrir Câmara", - "@importQrDeviceSpecterStep8": { - "description": "Specter instruction step 8" - }, - "sellSendPaymentContinue": "Continue", - "@sellSendPaymentContinue": { - "description": "Continue button on sell payment" - }, - "coreSwapsStatusPending": "Pendente", - "@coreSwapsStatusPending": { - "description": "Display name for pending swap status" - }, - "electrumDragToReorder": "(Long pressione para arrastar e mudar prioridade)", - "@electrumDragToReorder": { - "description": "Instruction text for reordering servers" - }, - "keystoneStep4": "Se você tiver problemas de digitalização:", - "@keystoneStep4": { - "description": "Keystone troubleshooting header" - }, - "autoswapTriggerAtBalanceInfoText": "Autoswap irá disparar quando o seu equilíbrio vai acima desta quantidade.", - "@autoswapTriggerAtBalanceInfoText": { - "description": "Info text explaining when autoswap will trigger" - }, - "exchangeLandingDisclaimerNotAvailable": "Os serviços de câmbio de criptomoeda não estão disponíveis na aplicação móvel Bull Bitcoin.", - "@exchangeLandingDisclaimerNotAvailable": { - "description": "Disclaimer informing users that exchange services are not available in the mobile app" - }, - "sendCustomFeeRate": "Taxa de taxa personalizada", - "@sendCustomFeeRate": { - "description": "Option to manually set fee" - }, - "ledgerHelpTitle": "Resolução de problemas do Ledger", - "@ledgerHelpTitle": { - "description": "Title for Ledger troubleshooting help modal" - }, - "swapErrorAmountExceedsMaximum": "O montante excede o montante máximo de swap", - "@swapErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum swap limit" - }, - "transactionLabelTotalSwapFees": "Total taxas de swap", - "@transactionLabelTotalSwapFees": { - "description": "Label for total swap fees" - }, - "errorLabel": "Erro", - "@errorLabel": { - "description": "Label for error messages" - }, - "receiveInsufficientInboundLiquidity": "Capacidade de recepção de relâmpago insuficiente", - "@receiveInsufficientInboundLiquidity": { - "description": "Error when Lightning channels lack inbound capacity" - }, - "withdrawRecipientsMyTab": "Os meus destinatários fiat", - "@withdrawRecipientsMyTab": { - "description": "Tab label for existing recipients" - }, - "sendFeeRateTooLow": "Taxas demasiado baixas", - "@sendFeeRateTooLow": { - "description": "Error for insufficient fee" - }, - "payLastNameHint": "Digite o sobrenome", - "@payLastNameHint": { - "description": "Hint for last name input" - }, - "exchangeLandingRestriction": "O acesso aos serviços de câmbio será restrito a países onde o Bull Bitcoin pode funcionar legalmente e pode exigir KYC.", - "@exchangeLandingRestriction": { - "description": "Legal restriction notice" - }, - "payFailedPayments": "Falhado", - "@payFailedPayments": { - "description": "Filter for failed payments" - }, - "transactionDetailLabelToWallet": "Para a carteira", - "@transactionDetailLabelToWallet": { - "description": "Label for destination wallet" - }, - "fundExchangeLabelRecipientName": "Nome do destinatário", - "@fundExchangeLabelRecipientName": { - "description": "Label for recipient name field (alternative to beneficiary name)" - }, - "arkToday": "Hoje", - "@arkToday": { - "description": "Date label for transactions from today" - }, - "importQrDeviceJadeStep2": "Selecione \"Modo QR\" no menu principal", - "@importQrDeviceJadeStep2": { - "description": "Jade instruction step 2" - }, - "rbfErrorAlreadyConfirmed": "A transação original foi confirmada", - "@rbfErrorAlreadyConfirmed": { - "description": "Error when trying to RBF a confirmed transaction" - }, - "psbtFlowMoveBack": "Tente mover seu dispositivo de volta um pouco", - "@psbtFlowMoveBack": { - "description": "Troubleshooting tip to adjust scanning distance" - }, - "exchangeReferralsContactSupportMessage": "Contacte o suporte para aprender sobre o nosso programa de referência", - "@exchangeReferralsContactSupportMessage": { - "description": "Message prompting users to contact support about the referral program" - }, - "sellSendPaymentEurBalance": "EUR Balanço", - "@sellSendPaymentEurBalance": { - "description": "EUR balance payout method" - }, - "exchangeAccountTitle": "Conta de troca", - "@exchangeAccountTitle": { - "description": "Title for the exchange account section" - }, - "swapProgressCompleted": "Transferência concluída", - "@swapProgressCompleted": { - "description": "Completed transfer status" - }, - "keystoneStep2": "Clique em Digitalizar", - "@keystoneStep2": { - "description": "Keystone instruction step 2" - }, - "sendContinue": "Continue", - "@sendContinue": { - "description": "Button label for continuing in the send flow" - }, - "transactionDetailRetrySwap": "Retira Swap {action}", - "@transactionDetailRetrySwap": { - "description": "Button label to retry a failed swap action", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "sendErrorSwapCreationFailed": "Falhado para criar swap.", - "@sendErrorSwapCreationFailed": { - "description": "Error when swap creation fails" - }, - "arkNoBalanceData": "Sem dados de equilíbrio disponíveis", - "@arkNoBalanceData": { - "description": "Message shown when Ark balance data is not available" - }, - "autoswapWarningCardTitle": "O Autoswap está ativado.", - "@autoswapWarningCardTitle": { - "description": "Title text shown on the autoswap warning card on home screen" - }, - "coreSwapsChainCompletedSuccess": "A transferência é concluída com sucesso.", - "@coreSwapsChainCompletedSuccess": { - "description": "Status message for successfully completed chain swap" - }, - "physicalBackupRecommendation": "Backup físico: ", - "@physicalBackupRecommendation": { - "description": "Bold label for physical backup recommendation" - }, - "autoswapMaxBalance": "Max equilíbrio de carteira instantânea", - "@autoswapMaxBalance": { - "description": "Field label for max balance threshold" - }, - "importQrDeviceImport": "Importação", - "@importQrDeviceImport": { - "description": "Button to confirm import from QR device" - }, - "importQrDeviceScanPrompt": "Digitalizar o código QR do seu {deviceName}", - "@importQrDeviceScanPrompt": { - "description": "Instruction to scan QR from device", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "fundExchangeCostaRicaMethodSinpeTitle": "SINPE Móvil", - "@fundExchangeCostaRicaMethodSinpeTitle": { - "description": "Payment method title for SINPE Móvil in method list" - }, - "sellBitcoinOnChain": "Bitcoin on-chain", - "@sellBitcoinOnChain": { - "description": "Option for Bitcoin on-chain payment" - }, - "fundExchangeLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (Costa Rica business ID number)" - }, - "exchangeRecipientsComingSoon": "Recipientes - Em breve", - "@exchangeRecipientsComingSoon": { - "description": "Message indicating that the recipients feature is coming soon" - }, - "ledgerWalletTypeLabel": "Tipo de carteira:", - "@ledgerWalletTypeLabel": { - "description": "Label for wallet type/script type selection" - }, - "bip85ExperimentalWarning": "Experimental\nFaça backup de seus caminhos de derivação manualmente", - "@bip85ExperimentalWarning": { - "description": "Warning message about experimental feature" - }, - "addressViewBalance": "Balanço", - "@addressViewBalance": { - "description": "Label for address balance" - }, - "recoverbullLookingForBalance": "Procurando equilíbrio e transações..", - "@recoverbullLookingForBalance": { - "description": "Loading message while scanning wallet" - }, - "recoverbullSelectNoBackupsFound": "Nenhum backup encontrado", - "@recoverbullSelectNoBackupsFound": { - "description": "Empty state message when no backup files found in Google Drive" - }, - "importMnemonicNestedSegwit": "Segwit aninhado", - "@importMnemonicNestedSegwit": { - "description": "Label for Nested Segwit (BIP49) wallet type" - }, - "sendReplaceByFeeActivated": "Substitui-a-taxa activada", - "@sendReplaceByFeeActivated": { - "description": "Message indicating that replace-by-fee (RBF) is activated" - }, - "psbtFlowScanQrOption": "Selecione \"Scan QR\" opção", - "@psbtFlowScanQrOption": { - "description": "Instruction to select scan QR menu option" - }, - "coreSwapsLnReceiveFailed": "Engole Falhado.", - "@coreSwapsLnReceiveFailed": { - "description": "Status message for failed Lightning receive swap" - }, - "fundExchangeCostaRicaMethodIbanUsdSubtitle": "Transferir fundos em dólares americanos (USD)", - "@fundExchangeCostaRicaMethodIbanUsdSubtitle": { - "description": "Subtitle description for IBAN USD payment method" - }, - "transactionDetailLabelPayinStatus": "Estado de Payin", - "@transactionDetailLabelPayinStatus": { - "description": "Label for payin status" - }, - "importQrDeviceSpecterStep9": "Digitalize o código QR exibido no seu Specter", - "@importQrDeviceSpecterStep9": { - "description": "Specter instruction step 9" - }, - "settingsRecoverbullTitle": "Recuperação", - "@settingsRecoverbullTitle": { - "description": "Title for the Recoverbull backup section in app settings" - }, - "buyInputKycPending": "Pendente de Verificação de ID KYC", - "@buyInputKycPending": { - "description": "KYC pending info card title" - }, - "importWatchOnlySelectDerivation": "Selecione a derivação", - "@importWatchOnlySelectDerivation": { - "description": "Title for bottom sheet to select wallet derivation type" - }, - "walletAddressTypeLegacy": "Legado", - "@walletAddressTypeLegacy": { - "description": "Address type for BIP44 wallets" - }, - "hwPassport": "Passaporte da Fundação", - "@hwPassport": { - "description": "Name of Foundation Passport hardware wallet" - }, - "electrumInvalidStopGapError": "Paragem inválida Valor Gap: {value}", - "@electrumInvalidStopGapError": { - "description": "Error message for invalid Stop Gap value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "dcaFrequencyWeekly": "semana", - "@dcaFrequencyWeekly": { - "description": "Weekly DCA frequency" - }, - "fundExchangeMethodRegularSepaSubtitle": "Somente uso para transações maiores acima de €20.000", - "@fundExchangeMethodRegularSepaSubtitle": { - "description": "Subtitle for Regular SEPA payment method" - }, - "settingsTelegramLabel": "Telegrama", - "@settingsTelegramLabel": { - "description": "Label for the Telegram link in settings" - }, - "walletDetailsSignerDeviceNotSupported": "Não suportado", - "@walletDetailsSignerDeviceNotSupported": { - "description": "Message displayed when a signer device is not supported" - }, - "exchangeLandingDisclaimerLegal": "O acesso aos serviços de câmbio será restrito a países onde o Bull Bitcoin pode funcionar legalmente e pode exigir KYC.", - "@exchangeLandingDisclaimerLegal": { - "description": "Legal disclaimer about exchange service availability and KYC requirements" - }, - "backupWalletEncryptedVaultTitle": "Vault criptografado", - "@backupWalletEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, - "mempoolNetworkLiquidMainnet": "Malha líquida", - "@mempoolNetworkLiquidMainnet": { - "description": "Label for Liquid Mainnet network" - }, - "sellFromAnotherWallet": "Vender de outra carteira Bitcoin", - "@sellFromAnotherWallet": { - "description": "Subtitle for external wallet option" - }, - "automaticallyFetchKeyButton": "Verificar automaticamente a chave >>", - "@automaticallyFetchKeyButton": { - "description": "Button label to automatically fetch key" - }, - "importColdcardButtonOpenCamera": "Abra a câmera", - "@importColdcardButtonOpenCamera": { - "description": "ImportColdcardQ: Button to open camera for QR scanning" - }, - "recoverbullReenterRequired": "Reiniciar seu {inputType}", - "@recoverbullReenterRequired": { - "description": "Label for confirmation input field", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "payFeePriority": "Prioridade de Taxas", - "@payFeePriority": { - "description": "Label for fee priority selection" - }, - "buyInsufficientBalanceDescription": "Você não tem equilíbrio suficiente para criar esta ordem.", - "@buyInsufficientBalanceDescription": { - "description": "Description for insufficient balance error" - }, - "sendSelectNetworkFee": "Selecione a taxa de rede", - "@sendSelectNetworkFee": { - "description": "Label for selecting the network fee in the send flow" - }, - "exchangeDcaFrequencyWeek": "semana", - "@exchangeDcaFrequencyWeek": { - "description": "DCA frequency unit: week" - }, - "keystoneStep6": " - Mover o laser vermelho para cima e para baixo sobre o código QR", - "@keystoneStep6": { - "description": "Keystone troubleshooting tip 2" - }, - "walletDeletionErrorGeneric": "Falhado para excluir a carteira, tente novamente.", - "@walletDeletionErrorGeneric": { - "description": "Generic error message when wallet deletion fails" - }, - "fundExchangeLabelTransferCode": "Código de transferência (adicionar isto como descrição de pagamento)", - "@fundExchangeLabelTransferCode": { - "description": "Label for transfer code field" - }, - "sellNoInvoiceData": "Não existem dados de fatura disponíveis", - "@sellNoInvoiceData": { - "description": "Message when no invoice data available" - }, - "ledgerInstructionsIos": "Certifique-se de que seu Ledger está desbloqueado com o aplicativo Bitcoin aberto e Bluetooth habilitado.", - "@ledgerInstructionsIos": { - "description": "Connection instructions for iOS devices (Bluetooth only)" - }, - "replaceByFeeScreenTitle": "Substituir por taxa", - "@replaceByFeeScreenTitle": { - "description": "Screen title for replace by fee feature" - }, - "arkReceiveCopyAddress": "Endereço de cópia", - "@arkReceiveCopyAddress": { - "description": "Copy address button label" - }, - "testBackupErrorWriteFailed": "Escrever para armazenamento falhou: {error}", - "@testBackupErrorWriteFailed": { - "description": "Error when writing verification status to storage fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "exchangeDcaNetworkLightning": "Rede de relâmpago", - "@exchangeDcaNetworkLightning": { - "description": "DCA network option: Lightning" - }, - "sendType": "Tipo: ", - "@sendType": { - "description": "Label prefix for transaction type field" - }, - "buyBitcoinAddressHint": "BC1QYL7J673H...6Y6ALV70M0", - "@buyBitcoinAddressHint": { - "description": "Placeholder hint for bitcoin address input" - }, - "exchangeHomeWithdrawButton": "Retirar", - "@exchangeHomeWithdrawButton": { - "description": "Button label for withdrawing funds from the exchange" - }, - "transactionListOngoingTransfersTitle": "Transferências em curso", - "@transactionListOngoingTransfersTitle": { - "description": "Title for ongoing transfers section" - }, - "arkSendAmountTitle": "Digite o valor", - "@arkSendAmountTitle": { - "description": "Title for the ark send amount page" - }, - "addressViewAddress": "Endereço", - "@addressViewAddress": { - "description": "Label for address field" - }, - "payOnChainFee": "Taxas On-Chain", - "@payOnChainFee": { - "description": "Label for Bitcoin on-chain transaction fee" - }, - "arkReceiveUnifiedAddress": "Endereço unificado (BIP21)", - "@arkReceiveUnifiedAddress": { - "description": "Label for unified BIP21 address" - }, - "sellHowToPayInvoice": "Como você quer pagar esta fatura?", - "@sellHowToPayInvoice": { - "description": "Question for payment method selection" - }, - "payUseCoinjoin": "Use CoinJoin", - "@payUseCoinjoin": { - "description": "Option to use CoinJoin for privacy" - }, - "autoswapWarningExplanation": "Quando o seu saldo exceder a quantidade do gatilho, uma troca será acionada. A quantidade de base será mantida em sua carteira de pagamentos instantâneos e a quantidade restante será trocada em sua carteira de Bitcoin seguro.", - "@autoswapWarningExplanation": { - "description": "Explanation text in the autoswap warning bottom sheet" - }, - "recoverbullVaultRecoveryTitle": "Recuperação do vault do Recoverbull", - "@recoverbullVaultRecoveryTitle": { - "description": "Title for recoverbull vault recovery screen" - }, - "passportStep14": "Agora está pronto para transmitir! Assim que você clicar em transmissão, a transação será publicada na rede Bitcoin e os fundos serão enviados.", - "@passportStep14": { - "description": "Passport final instruction about broadcasting" - }, - "settingsCurrencyTitle": "Moeda", - "@settingsCurrencyTitle": { - "description": "Title for the currency settings section in the settings menu" - }, - "transactionSwapDescChainClaimable": "A transação foi confirmada. Está a reivindicar os fundos para completar a sua transferência.", - "@transactionSwapDescChainClaimable": { - "description": "Description for claimable chain swap" - }, - "sendSwapDetails": "Detalhes de Swap", - "@sendSwapDetails": { - "description": "Section header for swap information" - }, - "onboardingPhysicalBackupDescription": "Recupere sua carteira através de 12 palavras.", - "@onboardingPhysicalBackupDescription": { - "description": "Description for the physical backup recovery option in onboarding" - }, - "psbtFlowSelectSeed": "Uma vez que a transação é importada em seu {device}, você deve selecionar a semente que deseja assinar com.", - "@psbtFlowSelectSeed": { - "description": "Instruction to select seed on device for signing", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "pinStatusLoading": "A carregar", - "@pinStatusLoading": { - "description": "Status screen title during initialization" - }, - "payTitle": "Pagamento", - "@payTitle": { - "description": "Screen title for pay feature" - }, - "buyInputKycMessage": "Você deve concluir a verificação de identificação primeiro", - "@buyInputKycMessage": { - "description": "KYC pending info card message" - }, - "ledgerSuccessAddressVerified": "Endereço verificado com sucesso!", - "@ledgerSuccessAddressVerified": { - "description": "Success snackbar message after address verification" - }, - "fundExchangeCrIbanUsdLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanUsdLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (legal ID number in Costa Rica) for USD" - }, - "arkSettleDescription": "Finalize transações pendentes e inclua vtxos recuperáveis se necessário", - "@arkSettleDescription": { - "description": "Description explaining what settling transactions does" - }, - "backupWalletHowToDecideVaultCustomRecommendation": "Localização personalizada: ", - "@backupWalletHowToDecideVaultCustomRecommendation": { - "description": "Bold label for custom location recommendation" - }, - "arkSendSuccessMessage": "Sua transacção Ark foi bem sucedida!", - "@arkSendSuccessMessage": { - "description": "Success message shown after Ark send transaction completes" - }, - "sendSats": "sats", - "@sendSats": { - "description": "Unit label for satoshis" - }, - "electrumInvalidTimeoutError": "Valor de Timeout inválido: {value}", - "@electrumInvalidTimeoutError": { - "description": "Error message for invalid Timeout value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "exchangeKycLevelLimited": "Limitação", - "@exchangeKycLevelLimited": { - "description": "KYC verification level: Limited" - }, - "withdrawConfirmEmail": "Email", - "@withdrawConfirmEmail": { - "description": "Field label for email (Interac)" - }, - "buyNetworkFees": "Taxas de rede", - "@buyNetworkFees": { - "description": "Label for network fees amount" - }, - "coldcardStep7": " - Mover o laser vermelho para cima e para baixo sobre o código QR", - "@coldcardStep7": { - "description": "Coldcard troubleshooting tip 2" - }, - "transactionSwapDescChainRefundable": "A transferência será reembolsada. Os seus fundos serão devolvidos automaticamente à sua carteira.", - "@transactionSwapDescChainRefundable": { - "description": "Description for refundable chain swap" - }, - "sendPaymentWillTakeTime": "Pagamento vai demorar tempo", - "@sendPaymentWillTakeTime": { - "description": "Title warning of delayed payment" - }, - "fundExchangeSpeiTitle": "Transferência SPEI", - "@fundExchangeSpeiTitle": { - "description": "Screen title for SPEI transfer (Mexico)" - }, - "receivePaymentNormally": "Receber pagamento normalmente", - "@receivePaymentNormally": { - "description": "Option to receive payment without payjoin if it fails" - }, - "kruxStep10": "Uma vez que a transação é importada em seu Krux, revise o endereço de destino e o valor.", - "@kruxStep10": { - "description": "Krux instruction for reviewing transaction" - }, - "bitboxErrorHandshakeFailed": "Falhou para estabelecer uma ligação segura. Por favor, tente novamente.", - "@bitboxErrorHandshakeFailed": { - "description": "Error when handshake with BitBox device fails" - }, - "sellKYCRequired": "Verificação de KYC necessária", - "@sellKYCRequired": { - "description": "Error when identity verification needed" - }, - "coldcardStep8": " - Tente mover seu dispositivo para trás um pouco", - "@coldcardStep8": { - "description": "Coldcard troubleshooting tip 3" - }, - "bitboxScreenDefaultWalletLabel": "Carteira de BitBox", - "@bitboxScreenDefaultWalletLabel": { - "description": "Default label for imported BitBox wallet" - }, - "replaceByFeeBroadcastButton": "Transmissão", - "@replaceByFeeBroadcastButton": { - "description": "Button to broadcast the replacement transaction" - }, - "swapExternalTransferLabel": "Transferência Externa", - "@swapExternalTransferLabel": { - "description": "Label for external transfer toggle" - }, - "transactionPayjoinNoProposal": "Não receber uma proposta payjoin do receptor?", - "@transactionPayjoinNoProposal": { - "description": "Message displayed when payjoin proposal is not received" - }, - "importQrDevicePassportStep4": "Selecione \"Carteira de contato\"", - "@importQrDevicePassportStep4": { - "description": "Passport instruction step 4" - }, - "payAddRecipient": "Adicionar comentário", - "@payAddRecipient": { - "description": "Button to add another payment recipient" - }, - "recoverbullVaultImportedSuccess": "Seu cofre foi importado com sucesso", - "@recoverbullVaultImportedSuccess": { - "description": "Success message after vault import" - }, - "backupKeySeparationWarning": "É importante que você não salve a chave de backup no mesmo lugar onde você salva seu arquivo de backup. Sempre armazená-los em dispositivos separados ou provedores de nuvem separados.", - "@backupKeySeparationWarning": { - "description": "Warning about storing backup key and file separately" - }, - "coreSwapsStatusInProgress": "Em progresso", - "@coreSwapsStatusInProgress": { - "description": "Display name for in-progress swap status (paid, claimable, refundable, canCoop)" - }, - "confirmAccessPinTitle": "Confirmar acesso {pinOrPassword}", - "@confirmAccessPinTitle": { - "description": "Title for confirming access PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "sellErrorUnexpectedOrderType": "SellOrder esperado, mas recebeu um tipo de ordem diferente", - "@sellErrorUnexpectedOrderType": { - "description": "Error message when wrong order type is received" - }, - "pinCreateHeadline": "Criar novo pino", - "@pinCreateHeadline": { - "description": "Headline text on PIN creation screen" - }, - "transactionSwapProgressConfirmed": "Confirmado", - "@transactionSwapProgressConfirmed": { - "description": "Swap progress step: confirmed" - }, - "sellRoutingNumber": "Número de roteamento", - "@sellRoutingNumber": { - "description": "Label for bank routing/transit number" - }, - "sellDailyLimitReached": "Limite de venda diário alcançado", - "@sellDailyLimitReached": { - "description": "Error when hitting daily maximum" - }, - "requiredHint": "Requisitos", - "@requiredHint": { - "description": "Placeholder hint for required label field" - }, - "arkUnilateralExitDelay": "Atraso de saída unilateral", - "@arkUnilateralExitDelay": { - "description": "Label for unilateral exit delay field" - }, - "arkStatusPending": "Pendente", - "@arkStatusPending": { - "description": "Status label for pending transactions" - }, - "importWatchOnlyXpub": "x pub", - "@importWatchOnlyXpub": { - "description": "Label for xpub import method" - }, - "dcaInsufficientBalanceTitle": "Balança insuficiente", - "@dcaInsufficientBalanceTitle": { - "description": "InfoCard title when user has insufficient funds" - }, - "arkType": "Tipo", - "@arkType": { - "description": "Label for transaction type field in details table" - }, - "backupImportanceMessage": "Sem um backup, você eventualmente perderá o acesso ao seu dinheiro. É criticamente importante fazer um backup.", - "@backupImportanceMessage": { - "description": "Critical warning message about the importance of backing up the wallet" - }, - "testBackupGoogleDrivePermission": "O Google irá pedir-lhe para partilhar informações pessoais com este aplicativo.", - "@testBackupGoogleDrivePermission": { - "description": "Progress screen description explaining Google Drive permission request" - }, - "testnetModeSettingsLabel": "Modo de Testnet", - "@testnetModeSettingsLabel": { - "description": "The label for the testnet mode settings" - }, - "testBackupErrorUnexpectedSuccess": "Sucesso inesperado: backup deve combinar carteira existente", - "@testBackupErrorUnexpectedSuccess": { - "description": "Error for unexpected successful vault restoration" - }, - "coreScreensReceiveAmountLabel": "Receber valor", - "@coreScreensReceiveAmountLabel": { - "description": "Label for receive amount field" - }, - "payAllTypes": "Todos os tipos", - "@payAllTypes": { - "description": "Option for all types filter" - }, - "systemLabelPayjoin": "Payjoin", - "@systemLabelPayjoin": { - "description": "System label for payjoin transactions" - }, - "onboardingScreenTitle": "Bem-vindo", - "@onboardingScreenTitle": { - "description": "The title of the onboarding screen" - }, - "pinCodeConfirmTitle": "Confirme o novo pino", - "@pinCodeConfirmTitle": { - "description": "Title for confirming the new PIN code" - }, - "arkSetupExperimentalWarning": "A arca ainda é experimental.\n\nSua carteira Ark é derivada da frase de semente da sua carteira principal. Nenhum backup adicional é necessário, seu backup de carteira existente restaura seus fundos Ark também.\n\nAo continuar, você reconhece a natureza experimental da Arca e o risco de perder fundos.\n\nNota do desenvolvedor : O segredo da arca é derivado da principal semente da carteira usando uma derivação arbitrária BIP-85 (index 11811).", - "@arkSetupExperimentalWarning": { - "description": "Ark experimental warning text" - }, - "keyServerLabel": "Servidor chave ", - "@keyServerLabel": { - "description": "Label for key server status" - }, - "recoverbullEnterToView": "Digite seu {inputType} para ver sua chave do cofre.", - "@recoverbullEnterToView": { - "description": "Instruction to enter PIN or password to view vault key", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "payReviewPayment": "Revisão Pagamento", - "@payReviewPayment": { - "description": "Title for payment review screen" - }, - "electrumBitcoinSslInfo": "Se nenhum protocolo for especificado, o ssl será usado por padrão.", - "@electrumBitcoinSslInfo": { - "description": "Info text for Bitcoin server protocol" - }, - "transactionTitle": "Transações", - "@transactionTitle": { - "description": "Title for the transactions screen" - }, - "sellQrCode": "Código QR", - "@sellQrCode": { - "description": "Title for QR code bottom sheet" - }, - "walletOptionsUnnamedWalletFallback": "Carteira sem nome", - "@walletOptionsUnnamedWalletFallback": { - "description": "Fallback name displayed for wallets without a specified name" - }, - "fundExchangeRegularSepaInfo": "Use apenas para transações acima de € 20.000. Para transações menores, use a opção Instant SEPA.", - "@fundExchangeRegularSepaInfo": { - "description": "Info message for Regular SEPA transaction limits" - }, - "fundExchangeDoneButton": "Feito", - "@fundExchangeDoneButton": { - "description": "Button label to finish and exit the funding flow" - }, - "buyKYCLevel3": "Nível 3 - Total", - "@buyKYCLevel3": { - "description": "Full verification tier" - }, - "appStartupErrorMessageNoBackup": "Em v5.4.0 um bug crítico foi descoberto em uma de nossas dependências que afetam o armazenamento de chaves privada. Seu aplicativo foi afetado por isso. Contacte a nossa equipa de apoio.", - "@appStartupErrorMessageNoBackup": { - "description": "Error message shown when app startup fails due to seed storage issue and user has no backup" - }, - "sellGoHome": "Vai para casa", - "@sellGoHome": { - "description": "Button to go to home screen" - }, - "keystoneStep8": "Uma vez que a transação é importada em seu Keystone, revise o endereço de destino e o valor.", - "@keystoneStep8": { - "description": "Keystone instruction for reviewing transaction" - }, - "psbtFlowSpecterTitle": "Instruções de espectro", - "@psbtFlowSpecterTitle": { - "description": "Title for Specter device signing instructions" - }, - "importMnemonicChecking": "A verificar...", - "@importMnemonicChecking": { - "description": "Status while checking wallet type" - }, - "sendConnectDevice": "Dispositivo de conexão", - "@sendConnectDevice": { - "description": "Prompt to plug in hardware wallet" - }, - "connectHardwareWalletSeedSigner": "Sementes", - "@connectHardwareWalletSeedSigner": { - "description": "SeedSigner hardware wallet option" - }, - "importQrDevicePassportStep7": "Selecione \"Código QR\"", - "@importQrDevicePassportStep7": { - "description": "Passport instruction step 7" - }, - "delete": "Excluir", - "@delete": { - "description": "Generic delete button label" - }, - "connectingToKeyServer": "Conectando-se ao Key Server sobre Tor.\nIsto pode demorar até um minuto.", - "@connectingToKeyServer": { - "description": "Message shown while connecting to key server via Tor" - }, - "bitboxErrorDeviceNotFound": "Dispositivo BitBox não encontrado.", - "@bitboxErrorDeviceNotFound": { - "description": "Error when BitBox device cannot be found" - }, - "ledgerScanningMessage": "Procurando dispositivos Ledger nas proximidades...", - "@ledgerScanningMessage": { - "description": "Message shown while scanning for Ledger devices" - }, - "sellInsufficientBalanceError": "Equilíbrio insuficiente na carteira selecionada para completar esta ordem de venda.", - "@sellInsufficientBalanceError": { - "description": "Error message for insufficient balance" - }, - "transactionSwapDescLnReceivePending": "A tua troca foi iniciada. Estamos à espera de um pagamento a ser recebido na Rede Lightning.", - "@transactionSwapDescLnReceivePending": { - "description": "Description for pending Lightning receive swap" - }, - "tryAgainButton": "Tente novamente", - "@tryAgainButton": { - "description": "Default button text for error state" - }, - "psbtFlowHoldSteady": "Mantenha o código QR estável e centralizado", - "@psbtFlowHoldSteady": { - "description": "Troubleshooting tip to hold QR code still" - }, - "swapConfirmTitle": "Confirmar transferência", - "@swapConfirmTitle": { - "description": "AppBar title for swap confirmation screen" - }, - "testBackupGoogleDrivePrivacyPart1": "Esta informação ", - "@testBackupGoogleDrivePrivacyPart1": { - "description": "First part of privacy message" - }, - "connectHardwareWalletKeystone": "Chaveiro", - "@connectHardwareWalletKeystone": { - "description": "Keystone hardware wallet option" - }, - "importWalletTitle": "Adicionar uma nova carteira", - "@importWalletTitle": { - "description": "AppBar title for wallet import selection screen" - }, - "mempoolSettingsDefaultServer": "Servidor padrão", - "@mempoolSettingsDefaultServer": { - "description": "Label for default mempool server section" - }, - "sendPasteAddressOrInvoice": "Cole um endereço de pagamento ou fatura", - "@sendPasteAddressOrInvoice": { - "description": "Placeholder text for the payment address or invoice input field" - }, - "swapToLabel": "Para", - "@swapToLabel": { - "description": "Label for destination wallet dropdown or address input" - }, - "payLoadingRecipients": "Carregando destinatários...", - "@payLoadingRecipients": { - "description": "Message while loading recipients" - }, - "sendSignatureReceived": "Assinatura recebida", - "@sendSignatureReceived": { - "description": "Success after hardware wallet signs" - }, - "failedToDeriveBackupKey": "Falhado para derivar a chave de backup", - "@failedToDeriveBackupKey": { - "description": "Error message when backup key derivation fails" - }, - "recoverbullGoogleDriveErrorExportFailed": "Falhado para exportar o vault do Google Drive", - "@recoverbullGoogleDriveErrorExportFailed": { - "description": "Error message when exporting a drive backup fails" - }, - "exchangeKycLevelLight": "Luz", - "@exchangeKycLevelLight": { - "description": "KYC verification level: Light" - }, - "transactionLabelCreatedAt": "Criado em", - "@transactionLabelCreatedAt": { - "description": "Label for creation timestamp" - }, - "bip329LabelsExportSuccess": "{count, plural, =1{1 label exported} other{{count} labels exported}}", - "@bip329LabelsExportSuccess": { - "description": "Success message after exporting labels", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "fundExchangeMethodOnlineBillPaymentSubtitle": "Opção mais lenta, mas pode ser feito via banco on-line (3-4 dias úteis)", - "@fundExchangeMethodOnlineBillPaymentSubtitle": { - "description": "Subtitle for Online Bill Payment method" - }, - "walletDeletionErrorWalletNotFound": "A carteira que você está tentando excluir não existe.", - "@walletDeletionErrorWalletNotFound": { - "description": "Error message when the wallet to delete cannot be found" - }, - "payEnableRBF": "Habilitar RBF", - "@payEnableRBF": { - "description": "Checkbox to enable Replace-By-Fee" - }, - "transactionDetailLabelFromWallet": "Da carteira", - "@transactionDetailLabelFromWallet": { - "description": "Label for source wallet" - }, - "settingsLanguageTitle": "Língua", - "@settingsLanguageTitle": { - "description": "Title for the language selection in app settings" - }, - "importQrDeviceInvalidQR": "Código QR inválido", - "@importQrDeviceInvalidQR": { - "description": "Error for invalid QR code format" - }, - "exchangeAppSettingsSaveSuccessMessage": "Configurações salvas com sucesso", - "@exchangeAppSettingsSaveSuccessMessage": { - "description": "Success message displayed when exchange app settings are saved" - }, - "addressViewShowQR": "Mostrar código QR", - "@addressViewShowQR": { - "description": "Button to display address as QR code" - }, - "testBackupVaultSuccessMessage": "Seu cofre foi importado com sucesso", - "@testBackupVaultSuccessMessage": { - "description": "Success message after vault is imported" - }, - "exchangeSupportChatInputHint": "Escreva uma mensagem...", - "@exchangeSupportChatInputHint": { - "description": "Placeholder text for the message input field" - }, - "electrumTestnet": "Testneta", - "@electrumTestnet": { - "description": "Testnet environment label" - }, - "sellSelectWallet": "Selecione a carteira", - "@sellSelectWallet": { - "description": "Dropdown to choose source wallet" - }, - "mempoolCustomServerAdd": "Adicionar Servidor Personalizado", - "@mempoolCustomServerAdd": { - "description": "Button text to add custom mempool server" - }, - "sendHighFeeWarningDescription": "Taxa total é {feePercent}% do montante que você está enviando", - "@sendHighFeeWarningDescription": { - "description": "Warning message showing fee as percentage of send amount", - "placeholders": { - "feePercent": { - "type": "String" - } - } - }, - "withdrawConfirmButton": "Confirmação", - "@withdrawConfirmButton": { - "description": "Button to confirm withdrawal" - }, - "fundExchangeLabelBankAccountDetails": "Detalhes da conta bancária", - "@fundExchangeLabelBankAccountDetails": { - "description": "Label for bank account details field" - }, - "payLiquidAddress": "Endereço líquido", - "@payLiquidAddress": { - "description": "Label indicating payment destination is Liquid address" - }, - "sellTotalFees": "Taxas totais", - "@sellTotalFees": { - "description": "Label for sum of all fees" - }, - "importWatchOnlyUnknown": "Desconhecido", - "@importWatchOnlyUnknown": { - "description": "Default value when signing device is unknown" - }, - "bitboxScreenNestedSegwitBip49": "Segwit (BIP49)", - "@bitboxScreenNestedSegwitBip49": { - "description": "Script type display name for BIP49" - }, - "payContinue": "Continue", - "@payContinue": { - "description": "Button to continue to next step" - }, - "importColdcardInstructionsStep8": "Digitalizar o código QR exibido em seu Coldcard Q", - "@importColdcardInstructionsStep8": { - "description": "ImportColdcardQ: Eighth instruction step" - }, - "dcaSuccessMessageMonthly": "Você vai comprar {amount} todos os meses", - "@dcaSuccessMessageMonthly": { - "description": "Success message for monthly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sendSelectedCoins": "{count} moedas selecionadas", - "@sendSelectedCoins": { - "description": "Label showing number of UTXOs selected", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "rbfErrorNoFeeRate": "Por favor, selecione uma taxa de taxa", - "@rbfErrorNoFeeRate": { - "description": "Error when no fee rate is selected" - }, - "backupWalletGoogleDrivePrivacyMessage1": "Esta informação ", - "@backupWalletGoogleDrivePrivacyMessage1": { - "description": "First part of privacy message about Google Drive data" - }, - "labelErrorUnsupportedType": "Este tipo {type} não é suportado", - "@labelErrorUnsupportedType": { - "description": "Error message when label type is not supported", - "placeholders": { - "type": { - "type": "String" - } - } - }, - "paySatsPerByte": "{sats}", - "@paySatsPerByte": { - "description": "Fee rate format", - "placeholders": { - "sats": { - "type": "String" - } - } - }, - "payRbfActivated": "Substitui-a-taxa activada", - "@payRbfActivated": { - "description": "Label for RBF toggle" - }, - "dcaConfirmNetworkLightning": "Luz", - "@dcaConfirmNetworkLightning": { - "description": "Lightning network label" - }, - "ledgerDefaultWalletLabel": "Carteira de Ledger", - "@ledgerDefaultWalletLabel": { - "description": "Default label for imported Ledger wallet" - }, - "importWalletSpecter": "Espectro", - "@importWalletSpecter": { - "description": "Button label for Specter hardware wallet" - }, - "customLocationProvider": "Localização personalizada", - "@customLocationProvider": { - "description": "Name of custom location provider" - }, - "dcaSelectFrequencyLabel": "Selecione a frequência", - "@dcaSelectFrequencyLabel": { - "description": "Label above frequency selection radio buttons" - }, - "transactionSwapDescChainCompleted": "Sua transferência foi concluída com sucesso! Os fundos devem agora estar disponíveis na sua carteira.", - "@transactionSwapDescChainCompleted": { - "description": "Description for completed chain swap" - }, - "coreSwapsLnSendRefundable": "Swap está pronto para ser reembolsado.", - "@coreSwapsLnSendRefundable": { - "description": "Status message for refundable Lightning send swap" - }, - "backupInstruction2": "Sem um backup, se você perder ou quebrar seu telefone, ou se você desinstalar o aplicativo Bull Bitcoin, seus bitcoins serão perdidos para sempre.", - "@backupInstruction2": { - "description": "Second backup instruction warning about losing phone or app" - }, - "autoswapSave": "Salvar", - "@autoswapSave": { - "description": "Save button label" - }, - "swapGoHomeButton": "Vai para casa", - "@swapGoHomeButton": { - "description": "Button to return home from progress page" - }, - "sendFeeRateTooHigh": "Taxa de taxa parece muito alta", - "@sendFeeRateTooHigh": { - "description": "Warning for excessive fee" - }, - "ledgerHelpStep2": "Certifique-se de que seu telefone tem Bluetooth ligado e permitido.", - "@ledgerHelpStep2": { - "description": "Second troubleshooting step for Ledger connection issues" - }, - "fundExchangeCrIbanUsdPaymentDescriptionHelp": "O teu código de transferência.", - "@fundExchangeCrIbanUsdPaymentDescriptionHelp": { - "description": "Help text explaining payment description is the transfer code" - }, - "recoverVia12WordsDescription": "Recupere sua carteira através de 12 palavras.", - "@recoverVia12WordsDescription": { - "description": "Description for recovering via 12 words" - }, - "fundExchangeFundAccount": "Fina sua conta", - "@fundExchangeFundAccount": { - "description": "Main heading on funding screen" - }, - "electrumServerSettingsLabel": "Servidor Electrum (nodo de Bitcoin)", - "@electrumServerSettingsLabel": { - "description": "The label for the button to access the electrum server settings" - }, - "dcaEnterLightningAddressLabel": "Entrar Lightning Endereço", - "@dcaEnterLightningAddressLabel": { - "description": "Label for Lightning address text input field" - }, - "statusCheckOnline": "Online", - "@statusCheckOnline": { - "description": "Status text when a service is online" - }, - "buyPayoutMethod": "Método de pagamento", - "@buyPayoutMethod": { - "description": "Label for payout method" - }, - "exchangeAmountInputTitle": "Digite o valor", - "@exchangeAmountInputTitle": { - "description": "Title for the amount input field" - }, - "electrumCloseTooltip": "Fechar", - "@electrumCloseTooltip": { - "description": "Close button tooltip" - }, - "payIbanHint": "Entrar IBAN", - "@payIbanHint": { - "description": "Hint for IBAN input" - }, - "sendCoinConfirmations": "{count} confirmações", - "@sendCoinConfirmations": { - "description": "Label for UTXO confirmation count", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "fundExchangeLabelRecipientNameArs": "Nome do destinatário", - "@fundExchangeLabelRecipientNameArs": { - "description": "Label for recipient name in Argentina transfer" - }, - "sendTo": "Para", - "@sendTo": { - "description": "Label for the recipient/destination in a transaction" - }, - "gotItButton": "Entendido", - "@gotItButton": { - "description": "Button label to acknowledge successful test" - }, - "walletTypeLiquidLightningNetwork": "Rede Líquida e Relâmpago", - "@walletTypeLiquidLightningNetwork": { - "description": "Wallet type label for Liquid and Lightning network" - }, - "sendFeePriority": "Prioridade de Taxas", - "@sendFeePriority": { - "description": "Label for selecting fee priority level" - }, - "transactionPayjoinSendWithout": "Enviar sem pagamento", - "@transactionPayjoinSendWithout": { - "description": "Button label to send transaction without payjoin" - }, - "paySelectCountry": "Selecione o país", - "@paySelectCountry": { - "description": "Hint for country dropdown" - }, - "importMnemonicTransactionsLabel": "Transações: {count}", - "@importMnemonicTransactionsLabel": { - "description": "ImportMnemonic: Transactions label with count in wallet type card", - "placeholders": { - "count": { - "type": "String" - } - } - }, - "exchangeSettingsReferralsTitle": "Referências", - "@exchangeSettingsReferralsTitle": { - "description": "Title for the referrals section in exchange settings" - }, - "autoswapAlwaysBlockInfoEnabled": "Quando ativado, as transferências automáticas com taxas acima do limite do conjunto serão sempre bloqueadas", - "@autoswapAlwaysBlockInfoEnabled": { - "description": "Help text when always block is enabled" - }, - "importMnemonicSelectScriptType": "Importação Mnemonic", - "@importMnemonicSelectScriptType": { - "description": "AppBar title for script type selection" - }, - "sellSendPaymentCadBalance": "CADA Balanço", - "@sellSendPaymentCadBalance": { - "description": "CAD balance payout method" - }, - "recoverbullConnectingTor": "Conectando-se ao Key Server sobre Tor.\nIsto pode demorar até um minuto.", - "@recoverbullConnectingTor": { - "description": "Message shown while establishing Tor connection" - }, - "fundExchangeCanadaPostStep2": "2. Peça ao caixa para digitalizar o código QR \"Loadhub\"", - "@fundExchangeCanadaPostStep2": { - "description": "Step 2 for Canada Post payment process" - }, - "recoverbullEnterVaultKeyInstead": "Digite uma chave de cofre em vez", - "@recoverbullEnterVaultKeyInstead": { - "description": "Button text to switch to manual vault key entry" - }, - "exchangeAccountInfoEmailLabel": "Email", - "@exchangeAccountInfoEmailLabel": { - "description": "Label for email field in account information" - }, - "legacySeedViewNoSeedsMessage": "Nenhuma semente encontrada.", - "@legacySeedViewNoSeedsMessage": { - "description": "Message shown when no legacy seeds are found" - }, - "arkAboutDustValue": "{dust} SATS", - "@arkAboutDustValue": { - "description": "Dust value format", - "placeholders": { - "dust": { - "type": "int" - } - } - }, - "keystoneStep5": " - Aumente o brilho da tela em seu dispositivo", - "@keystoneStep5": { - "description": "Keystone troubleshooting tip 1" - }, - "sendSelectCoinsManually": "Selecione moedas manualmente", - "@sendSelectCoinsManually": { - "description": "Label for manually selecting coins (UTXOs) in the send flow" - }, - "importMnemonicEmpty": "Vazio", - "@importMnemonicEmpty": { - "description": "Status for wallet type with no transactions" - }, - "electrumBitcoinServerInfo": "Digite o endereço do servidor em formato: host:port (por exemplo, example.com:50001)", - "@electrumBitcoinServerInfo": { - "description": "Info text for Bitcoin server URL format" - }, - "recoverbullErrorServiceUnavailable": "Serviço indisponível. Por favor, verifique a sua ligação.", - "@recoverbullErrorServiceUnavailable": { - "description": "Error message when key server service is unavailable" - }, - "arkSettleTitle": "Transações de Settle", - "@arkSettleTitle": { - "description": "Settle bottom sheet title" - }, - "sendErrorInsufficientBalanceForSwap": "Não saldo suficiente para pagar esta troca via Liquid e não dentro de limites de swap para pagar via Bitcoin.", - "@sendErrorInsufficientBalanceForSwap": { - "description": "Error when balance insufficient for swap through either network" - }, - "psbtFlowJadeTitle": "Blockstream Jade PSBT Instruções", - "@psbtFlowJadeTitle": { - "description": "Title for Blockstream Jade PSBT signing instructions" - }, - "transactionFilterPayjoin": "Payjoin", - "@transactionFilterPayjoin": { - "description": "Filter option to show only payjoin transactions" - }, - "importQrDeviceKeystoneStep8": "Digite um rótulo para sua carteira Keystone e toque em Importar", - "@importQrDeviceKeystoneStep8": { - "description": "Keystone instruction step 8" - }, - "dcaContinueButton": "Continue", - "@dcaContinueButton": { - "description": "Button label to proceed to next step in DCA flow" - }, - "fundExchangeCrIbanUsdTitle": "Transferência Bancária (USD)", - "@fundExchangeCrIbanUsdTitle": { - "description": "Screen title for Costa Rica bank transfer in US Dollars" - }, - "buyStandardWithdrawalDesc": "Receber Bitcoin após as compensações de pagamento (1-3 dias)", - "@buyStandardWithdrawalDesc": { - "description": "Explanation of standard withdrawal timing" - }, - "psbtFlowColdcardTitle": "Instruções do Coldcard Q", - "@psbtFlowColdcardTitle": { - "description": "Title for Coldcard Q device signing instructions" - }, - "sendRelativeFees": "Taxas relativas", - "@sendRelativeFees": { - "description": "Label for relative fee display mode (sats per vByte)" - }, - "payToAddress": "Para endereço", - "@payToAddress": { - "description": "Label showing destination address" - }, - "sellCopyInvoice": "Fatura de cópia", - "@sellCopyInvoice": { - "description": "Button to copy invoice" - }, - "cancelButton": "Cancelar", - "@cancelButton": { - "description": "Button to cancel logout action" - }, - "coreScreensNetworkFeesLabel": "Taxas de rede", - "@coreScreensNetworkFeesLabel": { - "description": "Label for network fees field" - }, - "kruxStep9": " - Tente mover seu dispositivo para trás um pouco", - "@kruxStep9": { - "description": "Krux troubleshooting tip 3" - }, - "sendReceiveNetworkFee": "Receber Taxas de Rede", - "@sendReceiveNetworkFee": { - "description": "Label for network fee on receive side" - }, - "arkTxPayment": "Pagamento", - "@arkTxPayment": { - "description": "Transaction type label for Ark payment transactions" - }, - "importQrDeviceSeedsignerStep6": "Selecione \"Seta\" como a opção de exportação", - "@importQrDeviceSeedsignerStep6": { - "description": "SeedSigner instruction step 6" - }, - "swapValidationMaximumAmount": "A quantidade máxima é {amount} {currency}", - "@swapValidationMaximumAmount": { - "description": "Validation error when amount exceeds maximum", - "placeholders": { - "amount": { - "type": "String" - }, - "currency": { - "type": "String" - } - } - }, - "fundExchangeETransferLabelBeneficiaryName": "Use isso como o nome do beneficiário E-transfer", - "@fundExchangeETransferLabelBeneficiaryName": { - "description": "Label for E-transfer beneficiary name" - }, - "backupWalletErrorFileSystemPath": "Falhado para selecionar o caminho do sistema de arquivos", - "@backupWalletErrorFileSystemPath": { - "description": "Error when file system path selection fails" - }, - "coreSwapsLnSendCanCoop": "Swap vai completar momentaneamente.", - "@coreSwapsLnSendCanCoop": { - "description": "Status message for Lightning send swap that can complete cooperatively" - }, - "electrumServerNotUsed": "Não usado", - "@electrumServerNotUsed": { - "description": "Status text for disabled servers" - }, - "backupWalletHowToDecideBackupPhysicalRecommendation": "Backup físico: ", - "@backupWalletHowToDecideBackupPhysicalRecommendation": { - "description": "Bold label for physical backup recommendation" - }, - "payDebitCardNumber": "Número de cartão de débito", - "@payDebitCardNumber": { - "description": "Label for debit card number field" - }, - "receiveRequestInboundLiquidity": "Capacidade de recebimento de pedidos", - "@receiveRequestInboundLiquidity": { - "description": "Button to open channel for receiving" - }, - "backupWalletHowToDecideBackupMoreInfo": "Visite o Recoverbull.com para obter mais informações.", - "@backupWalletHowToDecideBackupMoreInfo": { - "description": "Link text to external resource" - }, - "kruxStep11": "Clique nos botões para assinar a transação no seu Krux.", - "@kruxStep11": { - "description": "Krux instruction for signing" - }, - "exchangeSupportChatEmptyState": "Ainda não há mensagens. Começa uma conversa!", - "@exchangeSupportChatEmptyState": { - "description": "Message shown when there are no chat messages" - }, - "payExternalWalletDescription": "Pagar de outra carteira Bitcoin", - "@payExternalWalletDescription": { - "description": "Description for external wallet option" - }, - "electrumRetryCountEmptyError": "Retry Count não pode estar vazio", - "@electrumRetryCountEmptyError": { - "description": "Validation error for empty Retry Count field" - }, - "ledgerErrorBitcoinAppNotOpen": "Por favor, abra o aplicativo Bitcoin em seu dispositivo Ledger e tente novamente.", - "@ledgerErrorBitcoinAppNotOpen": { - "description": "Error message when Bitcoin app is not open on Ledger (error codes 6e01, 6a87, 6d02, 6511, 6e00)" - }, - "physicalBackupTag": "Trustless (ter o seu tempo)", - "@physicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes time" - }, - "arkIncludeRecoverableVtxos": "Incluir vtxos recuperáveis", - "@arkIncludeRecoverableVtxos": { - "description": "Label for toggle switch to include recoverable vtxos when settling" - }, - "payCompletedDescription": "Seu pagamento foi concluído e o destinatário recebeu os fundos.", - "@payCompletedDescription": { - "description": "Description for payment completed" - }, - "recoverbullConnecting": "Conexão", - "@recoverbullConnecting": { - "description": "Status label indicating connection in progress" - }, - "swapExternalAddressHint": "Digite o endereço da carteira externa", - "@swapExternalAddressHint": { - "description": "Hint text for external address input" - }, - "ledgerWalletTypeLegacyDescription": "P2PKH - Formato antigo", - "@ledgerWalletTypeLegacyDescription": { - "description": "Description for Legacy wallet type" - }, - "dcaConfirmationDescription": "Comprar ordens serão colocadas automaticamente por estas configurações. Você pode desabilitá-los a qualquer momento.", - "@dcaConfirmationDescription": { - "description": "Explanation text at the top of confirmation screen" - }, - "appleICloudProvider": "Apple iCloud", - "@appleICloudProvider": { - "description": "Name of Apple iCloud provider" - }, - "exchangeAccountInfoVerificationNotVerified": "Não verificado", - "@exchangeAccountInfoVerificationNotVerified": { - "description": "Status label for not verified verification level" - }, - "fundExchangeWarningDescription": "Se alguém está pedindo para você comprar Bitcoin ou \"ajudar você\", tenha cuidado, eles podem estar tentando enganar você!", - "@fundExchangeWarningDescription": { - "description": "Warning message about potential scammers when funding account" - }, - "transactionDetailLabelTransactionId": "ID de transação", - "@transactionDetailLabelTransactionId": { - "description": "Label for transaction ID in details" - }, - "arkReceiveTitle": "Ark Receber", - "@arkReceiveTitle": { - "description": "AppBar title for Ark receive screen" - }, - "payDebitCardNumberHint": "Digite número de cartão de débito", - "@payDebitCardNumberHint": { - "description": "Hint for debit card number input" - }, - "backupWalletHowToDecideBackupEncryptedRecommendation": "Vault criptografado: ", - "@backupWalletHowToDecideBackupEncryptedRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, - "seedsignerStep9": "Revise o endereço de destino e o valor, e confirme a assinatura no SeedSigner.", - "@seedsignerStep9": { - "description": "SeedSigner instruction for reviewing and signing" - }, - "logoutButton": "Logotipo", - "@logoutButton": { - "description": "Button to confirm logout action" - }, - "payReplaceByFee": "Substituir-By-Fee (RBF)", - "@payReplaceByFee": { - "description": "Label for RBF feature" - }, - "coreSwapsLnReceiveClaimable": "Swap está pronto para ser reivindicado.", - "@coreSwapsLnReceiveClaimable": { - "description": "Status message for claimable Lightning receive swap" - }, - "pinButtonCreate": "Criar PIN", - "@pinButtonCreate": { - "description": "Button label when no PIN exists" - }, - "fundExchangeJurisdictionEurope": "🇪 Europa (SEPA)", - "@fundExchangeJurisdictionEurope": { - "description": "Dropdown option for Europe SEPA jurisdiction" - }, - "settingsExchangeSettingsTitle": "Configurações de troca", - "@settingsExchangeSettingsTitle": { - "description": "Title for the exchange settings section in the settings menu" - }, - "sellFeePriority": "Prioridade de Taxas", - "@sellFeePriority": { - "description": "Label for fee priority selection" - }, - "exchangeFeatureSelfCustody": "• Comprar Bitcoin direto para self-custody", - "@exchangeFeatureSelfCustody": { - "description": "Feature bullet point describing self-custody Bitcoin purchases" - }, - "arkBoardingUnconfirmed": "Embarque sem confirmação", - "@arkBoardingUnconfirmed": { - "description": "Label for unconfirmed boarding balance in Ark balance breakdown" - }, - "fundExchangeLabelPaymentDescription": "Descrição do pagamento", - "@fundExchangeLabelPaymentDescription": { - "description": "Label for payment description field" - }, - "payAmountTooHigh": "Quantidade superior ao máximo", - "@payAmountTooHigh": { - "description": "Error when payment amount exceeds maximum allowed" - }, - "dcaConfirmPaymentBalance": "{currency} equilíbrio", - "@dcaConfirmPaymentBalance": { - "description": "Payment method balance format", - "placeholders": { - "currency": { - "type": "String" - } - } - }, - "torSettingsPortValidationInvalid": "Digite um número válido", - "@torSettingsPortValidationInvalid": { - "description": "Validation error when port is not a valid number" - }, - "sellBankTransfer": "Transferência bancária", - "@sellBankTransfer": { - "description": "Option for bank deposit" - }, - "importQrDeviceSeedsignerStep3": "Digitalize um SeedQR ou insira sua frase de semente de 12 ou 24 palavras", - "@importQrDeviceSeedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, - "replaceByFeeFastestTitle": "Mais rápido", - "@replaceByFeeFastestTitle": { - "description": "Title for fastest fee option" - }, - "transactionLabelBitcoinTransactionId": "ID de transação de Bitcoin", - "@transactionLabelBitcoinTransactionId": { - "description": "Label for Bitcoin network transaction ID" - }, - "sellPayinAmount": "Quantidade de pagamento", - "@sellPayinAmount": { - "description": "Label for amount user pays in" - }, - "exchangeKycRemoveLimits": "Para remover limites de transação", - "@exchangeKycRemoveLimits": { - "description": "KYC card subtitle" - }, - "autoswapMaxBalanceInfoText": "Quando o saldo da carteira exceder o dobro desta quantidade, o auto-transfer irá desencadear para reduzir o equilíbrio a este nível", - "@autoswapMaxBalanceInfoText": { - "description": "Help text explaining how the max balance threshold works" - }, - "sellSendPaymentBelowMin": "Você está tentando vender abaixo da quantidade mínima que pode ser vendida com esta carteira.", - "@sellSendPaymentBelowMin": { - "description": "Below min amount error" - }, - "dcaWalletSelectionDescription": "As compras de Bitcoin serão colocadas automaticamente por esta programação.", - "@dcaWalletSelectionDescription": { - "description": "Explanation text at the top of wallet selection screen" - }, - "sendTypeSend": "Enviar", - "@sendTypeSend": { - "description": "Send type name for Bitcoin/Liquid transactions" - }, - "payFeeBumpSuccessful": "Taxa de sucesso", - "@payFeeBumpSuccessful": { - "description": "Success message after fee bump" - }, - "importQrDeviceKruxStep1": "Ligue o seu dispositivo Krux", - "@importQrDeviceKruxStep1": { - "description": "Krux instruction step 1" - }, - "transactionSwapProgressFundsClaimed": "Fundos\nCláusula", - "@transactionSwapProgressFundsClaimed": { - "description": "Swap progress step: funds claimed" - }, - "recoverbullSelectAppleIcloud": "Apple iCloud", - "@recoverbullSelectAppleIcloud": { - "description": "Name label for Apple iCloud backup provider option" - }, - "dcaAddressLightning": "Endereço de iluminação", - "@dcaAddressLightning": { - "description": "Lightning address label" - }, - "keystoneStep13": "A transação será importada na carteira Bull Bitcoin.", - "@keystoneStep13": { - "description": "Keystone instruction about import completion" - }, - "receiveGenerationFailed": "Falhado para gerar {type}", - "@receiveGenerationFailed": { - "description": "Error when address/invoice generation fails", - "placeholders": { - "type": { - "type": "String" - } - } - }, - "coreSwapsLnReceiveCanCoop": "Swap vai completar momentaneamente.", - "@coreSwapsLnReceiveCanCoop": { - "description": "Status message for Lightning receive swap that can complete cooperatively" - }, - "addressViewAddressesTitle": "Endereços", - "@addressViewAddressesTitle": { - "description": "Title for the addresses section in wallet options" - }, - "withdrawRecipientsNoRecipients": "Nenhum destinatário encontrado para se retirar.", - "@withdrawRecipientsNoRecipients": { - "description": "Empty state message" - }, - "transactionSwapProgressPaymentMade": "Pagamento\nFeito", - "@transactionSwapProgressPaymentMade": { - "description": "Swap progress step: payment made" - }, - "importQrDeviceSpecterStep4": "Siga as instruções de acordo com o seu método escolhido", - "@importQrDeviceSpecterStep4": { - "description": "Specter instruction step 4" - }, - "coreSwapsChainPending": "Transferência ainda não é inicializada.", - "@coreSwapsChainPending": { - "description": "Status message for pending chain swap" - }, - "importWalletImportWatchOnly": "Importar apenas relógio", - "@importWalletImportWatchOnly": { - "description": "Button to import watch-only wallet" - }, - "coldcardStep9": "Uma vez que a transação é importada em seu Coldcard, revise o endereço de destino e o valor.", - "@coldcardStep9": { - "description": "Coldcard instruction for reviewing transaction" - }, - "sendErrorArkExperimentalOnly": "Os pedidos de pagamento ARK estão disponíveis apenas a partir do recurso Ark experimental.", - "@sendErrorArkExperimentalOnly": { - "description": "Error when ARK payment is attempted without experimental feature enabled" - }, - "exchangeKycComplete": "Completar seu KYC", - "@exchangeKycComplete": { - "description": "KYC card title" - }, - "enterBackupKeyManuallyDescription": "Se você tiver exportado sua chave de backup e salvá-lo em um local seperado por si mesmo, você pode digitá-lo manualmente aqui. Caso contrário, volte para a tela anterior.", - "@enterBackupKeyManuallyDescription": { - "description": "Description for entering backup key manually" - }, - "sellBitcoinPriceLabel": "Preço de Bitcoin", - "@sellBitcoinPriceLabel": { - "description": "Label for Bitcoin price display" - }, - "receiveCopyAddress": "Endereço de cópia", - "@receiveCopyAddress": { - "description": "Button to copy address to clipboard" - }, - "receiveSave": "Salvar", - "@receiveSave": { - "description": "Button label for saving receive details" - }, - "mempoolNetworkBitcoinTestnet": "Teste de Bitcoin", - "@mempoolNetworkBitcoinTestnet": { - "description": "Label for Bitcoin Testnet network" - }, - "transactionLabelPayjoinStatus": "Estado de Payjoin", - "@transactionLabelPayjoinStatus": { - "description": "Label for payjoin status" - }, - "passportStep2": "Clique em assinar com o código QR", - "@passportStep2": { - "description": "Passport instruction step 2" - }, - "pinCodeRemoveButton": "Remover PIN de Segurança", - "@pinCodeRemoveButton": { - "description": "Button label to remove the security PIN" - }, - "payAddMemo": "Adicionar memória (opcional)", - "@payAddMemo": { - "description": "Placeholder for memo input field" - }, - "transactionNetworkBitcoin": "Bitcoin", - "@transactionNetworkBitcoin": { - "description": "Label for Bitcoin network transactions" - }, - "recoverbullSelectVaultProvider": "Selecione Provedor de Vault", - "@recoverbullSelectVaultProvider": { - "description": "Screen title for vault provider selection" - }, - "replaceByFeeOriginalTransactionTitle": "Transação original", - "@replaceByFeeOriginalTransactionTitle": { - "description": "Title for original transaction section" - }, - "testBackupPhysicalBackupTag": "Trustless (ter o seu tempo)", - "@testBackupPhysicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes longer" - }, - "testBackupTitle": "Teste o backup da sua carteira", - "@testBackupTitle": { - "description": "AppBar title for main backup options screen" - }, - "coreSwapsLnSendFailed": "Engole Falhado.", - "@coreSwapsLnSendFailed": { - "description": "Status message for failed Lightning send swap" - }, - "recoverbullErrorDecryptFailed": "Falhado para descriptografar o cofre", - "@recoverbullErrorDecryptFailed": { - "description": "Error message when vault decryption fails" - }, - "keystoneStep9": "Clique nos botões para assinar a transação em seu Keystone.", - "@keystoneStep9": { - "description": "Keystone instruction for signing" - }, - "totalFeesLabel": "Taxas totais", - "@totalFeesLabel": { - "description": "Label for total fees in lightning swap" - }, - "payInProgressDescription": "O seu pagamento foi iniciado e o destinatário receberá os fundos após a sua transação receber 1 confirmação de compra.", - "@payInProgressDescription": { - "description": "Description for payment in progress" - }, - "importQrDevicePassportStep10": "No aplicativo de carteira BULL, selecione \"Segwit (BIP84)\" como a opção de derivação", - "@importQrDevicePassportStep10": { - "description": "Passport instruction step 10" - }, - "payHighPriority": "Alto", - "@payHighPriority": { - "description": "High fee priority option" - }, - "buyBitcoinPrice": "Preço de Bitcoin", - "@buyBitcoinPrice": { - "description": "Label for Bitcoin exchange rate" - }, - "sendFrozenCoin": "Congelado", - "@sendFrozenCoin": { - "description": "Status for manually frozen UTXO" - }, - "importColdcardInstructionsStep4": "Verifique se o seu firmware é atualizado para a versão 1.3.4Q", - "@importColdcardInstructionsStep4": { - "description": "ImportColdcardQ: Fourth instruction step" - }, - "lastBackupTestLabel": "Último teste de backup: {date}", - "@lastBackupTestLabel": { - "description": "Label showing the date of the last backup test", - "placeholders": { - "date": { - "type": "String", - "example": "2025-01-20 15:30:45" - } - } - }, - "sendBroadcastTransaction": "Transação de transmissão", - "@sendBroadcastTransaction": { - "description": "Button label for broadcasting a transaction to the network" - }, - "receiveBitcoinConfirmationMessage": "Bitcoin transação levará um tempo para confirmar.", - "@receiveBitcoinConfirmationMessage": { - "description": "Information message about Bitcoin transaction confirmation time" - }, - "walletTypeWatchOnly": "Só com cuidado", - "@walletTypeWatchOnly": { - "description": "Wallet type label for watch-only wallets" - }, - "psbtFlowKruxTitle": "Instruções de Krux", - "@psbtFlowKruxTitle": { - "description": "Title for Krux device signing instructions" - }, - "recoverbullDecryptVault": "Descriptografar cofre", - "@recoverbullDecryptVault": { - "description": "Button text to decrypt the selected vault" - }, - "connectHardwareWalletJade": "Blockstream Jade", - "@connectHardwareWalletJade": { - "description": "Blockstream Jade hardware wallet option" - }, - "coreSwapsChainRefundable": "A transferência está pronta para ser reembolsada.", - "@coreSwapsChainRefundable": { - "description": "Status message for refundable chain swap" - }, - "buyInputCompleteKyc": "KYC completo", - "@buyInputCompleteKyc": { - "description": "Button to complete KYC" - }, - "transactionFeesTotalDeducted": "Esta é a taxa total deduzida do montante enviado", - "@transactionFeesTotalDeducted": { - "description": "Fee deduction explanation for sending swaps" - }, - "autoswapMaxFee": "Taxa de transferência máxima", - "@autoswapMaxFee": { - "description": "Field label for max fee threshold" - }, - "sellReviewOrder": "Revisão Venda Ordem", - "@sellReviewOrder": { - "description": "Title for order confirmation screen" - }, - "payDescription": "Descrição", - "@payDescription": { - "description": "Label for payment description/memo field" - }, - "buySecureBitcoinWallet": "Carteira de Bitcoin segura", - "@buySecureBitcoinWallet": { - "description": "Label for secure Bitcoin wallet" - }, - "sendEnterRelativeFee": "Insira taxa relativa em sats/vB", - "@sendEnterRelativeFee": { - "description": "Placeholder for relative fee rate input field" - }, - "importQrDevicePassportStep1": "Poder no seu dispositivo de passaporte", - "@importQrDevicePassportStep1": { - "description": "Passport instruction step 1" - }, - "fundExchangeMethodArsBankTransferSubtitle": "Enviar uma transferência bancária da sua conta bancária", - "@fundExchangeMethodArsBankTransferSubtitle": { - "description": "Subtitle for Argentina bank transfer payment method" - }, - "transactionOrderLabelExchangeRate": "Taxa de câmbio", - "@transactionOrderLabelExchangeRate": { - "description": "Label for order exchange rate" - }, - "backupSettingsScreenTitle": "Configurações de backup", - "@backupSettingsScreenTitle": { - "description": "AppBar title for backup settings screen" - }, - "fundExchangeBankTransferWireDescription": "Envie uma transferência bancária da sua conta bancária usando os detalhes bancários do Bull Bitcoin abaixo. Seu banco pode exigir apenas algumas partes desses detalhes.", - "@fundExchangeBankTransferWireDescription": { - "description": "Description of how to use bank transfer wire method" - }, - "importQrDeviceKeystoneStep7": "Digitalize o código QR exibido em seu Keystone", - "@importQrDeviceKeystoneStep7": { - "description": "Keystone instruction step 7" - }, - "coldcardStep3": "Selecione \"Scan any QR code\" opção", - "@coldcardStep3": { - "description": "Coldcard instruction step 3" - }, - "coldcardStep14": "A transação será importada na carteira Bull Bitcoin.", - "@coldcardStep14": { - "description": "Coldcard instruction about import completion" - }, - "pinCodeSettingsLabel": "Código PIN", - "@pinCodeSettingsLabel": { - "description": "The label for the button to access the PIN code settings" - }, - "buyExternalBitcoinWallet": "Carteira Bitcoin externa", - "@buyExternalBitcoinWallet": { - "description": "Label for external wallet option" - }, - "passwordTooCommonError": "Este {pinOrPassword} é muito comum. Por favor, escolha um diferente.", - "@passwordTooCommonError": { - "description": "Error message for common password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "importWalletJade": "Blockstream Jade", - "@importWalletJade": { - "description": "Button label for Blockstream Jade hardware wallet" - }, - "payInvalidInvoice": "Fatura inválida", - "@payInvalidInvoice": { - "description": "Error message when invoice format is invalid" - }, - "receiveTotalFee": "Taxa total", - "@receiveTotalFee": { - "description": "Label for the total fee in a receive transaction" - }, - "importQrDeviceButtonOpenCamera": "Abra a câmera", - "@importQrDeviceButtonOpenCamera": { - "description": "ImportQrDevice: Button to open camera for QR scanning" - }, - "recoverbullFetchingVaultKey": "Fetching Vault Chaveiro", - "@recoverbullFetchingVaultKey": { - "description": "Screen title while fetching vault key from server" - }, - "dcaConfirmFrequency": "Frequência", - "@dcaConfirmFrequency": { - "description": "Field label for frequency" - }, - "recoverbullGoogleDriveDeleteVaultTitle": "Excluir Vault", - "@recoverbullGoogleDriveDeleteVaultTitle": { - "description": "Title for delete vault confirmation dialog" - }, - "advancedOptionsTitle": "Opções avançadas", - "@advancedOptionsTitle": { - "description": "Bottom sheet header/title for advanced sending options" - }, - "dcaConfirmOrderType": "Tipo de ordem", - "@dcaConfirmOrderType": { - "description": "Field label for order type" - }, - "payPriceWillRefreshIn": "Preço irá refrescar-se ", - "@payPriceWillRefreshIn": { - "description": "Text before countdown timer for price refresh" - }, - "recoverbullGoogleDriveErrorDeleteFailed": "Falhado para excluir o vault do Google Drive", - "@recoverbullGoogleDriveErrorDeleteFailed": { - "description": "Error message when deleting a drive backup fails" - }, - "broadcastSignedTxTo": "Para", - "@broadcastSignedTxTo": { - "description": "Label for destination address" - }, - "arkAboutDurationDays": "{days} dias", - "@arkAboutDurationDays": { - "description": "Duration format for plural days", - "placeholders": { - "days": { - "type": "int" - } - } - }, - "payPaymentDetails": "Detalhes do pagamento", - "@payPaymentDetails": { - "description": "Section header for payment information" - }, - "bitboxActionVerifyAddressTitle": "Verificar o endereço no BitBox", - "@bitboxActionVerifyAddressTitle": { - "description": "Title for verify address action" - }, - "psbtSignTransaction": "Transação de assinatura", - "@psbtSignTransaction": { - "description": "AppBar title for PSBT signing screen" - }, - "sellRemainingLimit": "Continuando hoje: {amount}", - "@sellRemainingLimit": { - "description": "Shows remaining daily limit", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "bitboxActionImportWalletSuccess": "Carteira importada com sucesso", - "@bitboxActionImportWalletSuccess": { - "description": "Success text for import wallet" - }, - "nextButton": "Próximo", - "@nextButton": { - "description": "Button label to go to next step" - }, - "ledgerSignButton": "Começar a assinar", - "@ledgerSignButton": { - "description": "Button label to start signing transaction with Ledger" - }, - "recoverbullPassword": "Senha", - "@recoverbullPassword": { - "description": "Label for password input type" - }, - "dcaNetworkLiquid": "Rede líquida", - "@dcaNetworkLiquid": { - "description": "Liquid network label for DCA" - }, - "fundExchangeMethodSinpeTransfer": "Transferência de SINPE", - "@fundExchangeMethodSinpeTransfer": { - "description": "Payment method: SINPE Transfer (Costa Rica)" - }, - "dcaCancelTitle": "Cancelar Bitcoin Recurring Comprar?", - "@dcaCancelTitle": { - "description": "Dialog title for DCA cancellation" - }, - "payFromAnotherWallet": "Pagar de outra carteira Bitcoin", - "@payFromAnotherWallet": { - "description": "Subtitle for external wallet option" - }, - "importMnemonicHasBalance": "Tem equilíbrio", - "@importMnemonicHasBalance": { - "description": "Status for wallet type with balance" - }, - "dcaLightningAddressEmptyError": "Digite um endereço de Lightning", - "@dcaLightningAddressEmptyError": { - "description": "Validation error when Lightning address field is empty" - }, - "googleAppleCloudRecommendationText": "você quer se certificar de que você nunca perder o acesso ao seu arquivo de vault mesmo se você perder seus dispositivos.", - "@googleAppleCloudRecommendationText": { - "description": "Text explaining when to use Google/Apple cloud" - }, - "closeDialogButton": "Fechar", - "@closeDialogButton": { - "description": "Button to close the value display modal dialog" - }, - "jadeStep14": "A transação será importada na carteira Bull Bitcoin.", - "@jadeStep14": { - "description": "Jade instruction about import completion" - }, - "payCorporateName": "Nome da Empresa", - "@payCorporateName": { - "description": "Label for corporate name field" - }, - "importColdcardError": "Falhado para importar Coldcard", - "@importColdcardError": { - "description": "Error message" - }, - "transactionStatusPayjoinRequested": "Pedir desculpa", - "@transactionStatusPayjoinRequested": { - "description": "Status label for payjoin transaction requests" - }, - "payOwnerNameHint": "Digite o nome do proprietário", - "@payOwnerNameHint": { - "description": "Hint for owner name input" - }, - "customLocationRecommendationText": "você está confiante de que você não vai perder o arquivo do vault e ainda será acessível se você perder seu telefone.", - "@customLocationRecommendationText": { - "description": "Text explaining when to use custom location" - }, - "arkAboutForfeitAddress": "Endereço falso", - "@arkAboutForfeitAddress": { - "description": "Field label for forfeit address" - }, - "kruxStep13": "Clique em \"Estou feito\" na carteira Bull Bitcoin.", - "@kruxStep13": { - "description": "Krux instruction to return to app" - }, - "transactionSwapInfoRefundableTransfer": "Esta transferência será reembolsada automaticamente dentro de alguns segundos. Se não, você pode tentar um reembolso manual clicando no botão \"Restaurar reembolso\".", - "@transactionSwapInfoRefundableTransfer": { - "description": "Additional info for refundable transfers" - }, - "payBitcoinPrice": "Preço de Bitcoin", - "@payBitcoinPrice": { - "description": "Label for Bitcoin exchange rate" - }, - "confirmLogoutMessage": "Tem a certeza de que deseja fazer login na sua conta Bull Bitcoin? Você precisará fazer login novamente para acessar recursos de troca.", - "@confirmLogoutMessage": { - "description": "Confirmation message explaining logout consequences" - }, - "receivePaymentInProgress": "Pagamento em curso", - "@receivePaymentInProgress": { - "description": "Status message when a payment is being processed" - }, - "dcaSuccessMessageDaily": "Você vai comprar {amount} todos os dias", - "@dcaSuccessMessageDaily": { - "description": "Success message for daily frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "walletNetworkLiquidTestnet": "Testnet líquido", - "@walletNetworkLiquidTestnet": { - "description": "Network label for Liquid testnet" - }, - "electrumDeleteFailedError": "Falhado para excluir servidor personalizado{reason}", - "@electrumDeleteFailedError": { - "description": "Error message when deleting custom server fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "receiveBoltzSwapFee": "Boltz Swap Fee", - "@receiveBoltzSwapFee": { - "description": "Label for the Boltz swap service fee in a receive transaction" - }, - "swapInfoBanner": "Transferir Bitcoin perfeitamente entre suas carteiras. Apenas mantenha fundos na Carteira de Pagamento Instantânea para gastos diários.", - "@swapInfoBanner": { - "description": "Info banner on swap amount screen" - }, - "payRBFEnabled": "RBF habilitado", - "@payRBFEnabled": { - "description": "Status when RBF is enabled" - }, - "takeYourTimeTag": "Leve o seu tempo", - "@takeYourTimeTag": { - "description": "Tag for options requiring more time" - }, - "arkAboutDust": "Pó", - "@arkAboutDust": { - "description": "Field label for dust amount" - }, - "ledgerSuccessVerifyDescription": "O endereço foi verificado no seu dispositivo Ledger.", - "@ledgerSuccessVerifyDescription": { - "description": "Success message description after verifying address on Ledger" - }, - "bip85Title": "BIP85 Entropias Deterministas", - "@bip85Title": { - "description": "AppBar title for BIP85 entropy derivation screen" - }, - "sendSwapTimeout": "Swap timed out", - "@sendSwapTimeout": { - "description": "Error when swap expires" - }, - "networkFeesLabel": "Taxas de rede", - "@networkFeesLabel": { - "description": "Label for network transaction fees in onchain send" - }, - "backupWalletPhysicalBackupDescription": "Escreva 12 palavras em um pedaço de papel. Mantenha-os seguros e certifique-se de não perdê-los.", - "@backupWalletPhysicalBackupDescription": { - "description": "Description of physical backup method" - }, - "sendSwapInProgressBitcoin": "A troca está em andamento. As transações Bitcoin podem demorar um pouco para confirmar. Podes voltar para casa e esperar.", - "@sendSwapInProgressBitcoin": { - "description": "Message for Bitcoin swap in progress" - }, - "electrumDeleteServerTitle": "Excluir servidor personalizado", - "@electrumDeleteServerTitle": { - "description": "Delete server dialog title" - }, - "buySelfie": "Selfie com ID", - "@buySelfie": { - "description": "Type of document required" - }, - "arkAboutSecretKey": "Chave secreta", - "@arkAboutSecretKey": { - "description": "Label for secret key field in about page" - }, - "sellMxnBalance": "MXN Balanço", - "@sellMxnBalance": { - "description": "Display text for MXN balance payout method" - }, - "fundExchangeWarningTactic4": "Eles pedem para enviar Bitcoin para seu endereço", - "@fundExchangeWarningTactic4": { - "description": "Fourth scammer tactic warning" - }, - "fundExchangeSinpeDescription": "Transferir Colones usando SINPE", - "@fundExchangeSinpeDescription": { - "description": "Description for SINPE transfer method" - }, - "wordsDropdownSuffix": " palavras", - "@wordsDropdownSuffix": { - "description": "Suffix for mnemonic length dropdown" - }, - "arkTxTypeRedeem": "Redeem", - "@arkTxTypeRedeem": { - "description": "Transaction type label for redeem transactions" - }, - "receiveVerifyAddressOnLedger": "Verificar endereço no Ledger", - "@receiveVerifyAddressOnLedger": { - "description": "Button label for verifying an address on a Ledger hardware wallet" - }, - "buyWaitForFreeWithdrawal": "Aguarde a retirada livre", - "@buyWaitForFreeWithdrawal": { - "description": "Button to wait for free (slower) withdrawal" - }, - "sellSendPaymentCrcBalance": "CRC Balanço", - "@sellSendPaymentCrcBalance": { - "description": "CRC balance payout method" - }, - "backupSettingsKeyWarningBold": "Atenção: Tenha cuidado onde você salvar a chave de backup.", - "@backupSettingsKeyWarningBold": { - "description": "Bold warning message in backup key warning modal" - }, - "settingsArkTitle": "Arca", - "@settingsArkTitle": { - "description": "Title for the Ark protocol section in Bitcoin settings" - }, - "exchangeLandingConnectAccount": "Conecte sua conta de câmbio Bull Bitcoin", - "@exchangeLandingConnectAccount": { - "description": "Subtitle text on the exchange landing screen encouraging users to connect" - }, - "recoverYourWalletTitle": "Recupere sua carteira", - "@recoverYourWalletTitle": { - "description": "Title for recover wallet screen" - }, - "importWatchOnlyLabel": "Etiqueta", - "@importWatchOnlyLabel": { - "description": "Label for wallet name/label input field" - }, - "settingsAppSettingsTitle": "Configurações do aplicativo", - "@settingsAppSettingsTitle": { - "description": "Title for the app settings section in the settings menu" - }, - "dcaWalletLightningSubtitle": "Requer carteira compatível, máximo 0,25 BTC", - "@dcaWalletLightningSubtitle": { - "description": "Subtitle/description for Lightning wallet option" - }, - "dcaNetworkBitcoin": "Rede de Bitcoin", - "@dcaNetworkBitcoin": { - "description": "Bitcoin network label for DCA" - }, - "swapTransferRefundInProgressMessage": "Houve um erro com a transferência. O seu reembolso está em andamento.", - "@swapTransferRefundInProgressMessage": { - "description": "Message during refund process" - }, - "importQrDevicePassportName": "Passaporte da Fundação", - "@importQrDevicePassportName": { - "description": "Name of Foundation Passport device" - }, - "fundExchangeMethodCanadaPostSubtitle": "Melhor para aqueles que preferem pagar em pessoa", - "@fundExchangeMethodCanadaPostSubtitle": { - "description": "Subtitle for Canada Post payment method" - }, - "importColdcardMultisigPrompt": "Para carteiras multisig, digitalize o código QR do descritor da carteira", - "@importColdcardMultisigPrompt": { - "description": "Additional instruction for multisig" - }, - "passphraseLabel": "Passphrase", - "@passphraseLabel": { - "description": "Label for optional passphrase input field" - }, - "recoverbullConfirmInput": "Confirme {inputType}", - "@recoverbullConfirmInput": { - "description": "Label to confirm input (PIN or password)", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "transactionSwapDescLnReceiveCompleted": "Sua troca foi concluída com sucesso! Os fundos devem agora estar disponíveis na sua carteira.", - "@transactionSwapDescLnReceiveCompleted": { - "description": "Description for completed Lightning receive swap" - }, - "psbtFlowSignTransaction": "Transação de assinatura", - "@psbtFlowSignTransaction": { - "description": "Title for psbt flow signing screen" - }, - "payAllPayments": "Todos os pagamentos", - "@payAllPayments": { - "description": "Filter option to show all" - }, - "fundExchangeSinpeDescriptionBold": "será rejeitado.", - "@fundExchangeSinpeDescriptionBold": { - "description": "Bold text warning that payment from wrong number will be rejected" - }, - "transactionDetailLabelPayoutStatus": "Status de pagamento", - "@transactionDetailLabelPayoutStatus": { - "description": "Label for payout status" - }, - "buyInputFundAccount": "Fina sua conta", - "@buyInputFundAccount": { - "description": "Button to fund account" - }, - "importWatchOnlyZpub": "- sim", - "@importWatchOnlyZpub": { - "description": "Label for zpub import method" - }, - "testBackupNext": "Próximo", - "@testBackupNext": { - "description": "Button to proceed to verification quiz" - }, - "payBillerSearchHint": "Digite as primeiras 3 letras do nome do contador", - "@payBillerSearchHint": { - "description": "Hint for biller search field" - }, - "coreSwapsLnSendCompletedRefunded": "O Swap foi reembolsado.", - "@coreSwapsLnSendCompletedRefunded": { - "description": "Status message for Lightning send swap completed via refund" - }, - "transactionSwapInfoClaimableSwap": "A troca será concluída automaticamente dentro de alguns segundos. Se não, você pode tentar uma reivindicação manual clicando no botão \"Retentar Swap Claim\".", - "@transactionSwapInfoClaimableSwap": { - "description": "Additional info for claimable swaps" - }, - "mempoolCustomServerLabel": "CUSTOM", - "@mempoolCustomServerLabel": { - "description": "Label badge for custom server" - }, - "arkAboutSessionDuration": "Duração da sessão", - "@arkAboutSessionDuration": { - "description": "Field label for session duration" - }, - "transferFeeLabel": "Taxa de transferência", - "@transferFeeLabel": { - "description": "Breakdown component showing Boltz transfer fee portion" - }, - "pinValidationError": "PIN deve ser pelo menos {minLength} dígitos longo", - "@pinValidationError": { - "description": "Error message when PIN is too short", - "placeholders": { - "minLength": { - "type": "String" - } - } - }, - "buyConfirmationTimeValue": "10 minutos", - "@buyConfirmationTimeValue": { - "description": "Value for estimated confirmation time" - }, - "dcaOrderTypeValue": "Recorrer comprar", - "@dcaOrderTypeValue": { - "description": "Value for order type" - }, - "ledgerConnectingMessage": "Conectando a {deviceName}", - "@ledgerConnectingMessage": { - "description": "Message shown while connecting to a specific Ledger device", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "buyConfirmAwaitingConfirmation": "Aguardando confirmação ", - "@buyConfirmAwaitingConfirmation": { - "description": "Awaiting confirmation label" - }, - "torSettingsSaveButton": "Salvar", - "@torSettingsSaveButton": { - "description": "Save button label for Tor port settings" - }, - "allSeedViewShowSeedsButton": "Mostrar sementes", - "@allSeedViewShowSeedsButton": { - "description": "Button label to show seed phrases" - }, - "fundExchangeMethodBankTransferWireSubtitle": "Melhor e mais confiável opção para maiores quantidades (mesmo ou dia seguinte)", - "@fundExchangeMethodBankTransferWireSubtitle": { - "description": "Subtitle for Bank Transfer Wire payment method" - }, - "fundExchangeCanadaPostStep4": "4. O caixa vai pedir para ver um pedaço de ID emitido pelo governo e verificar se o nome no seu ID corresponde à sua conta Bull Bitcoin", - "@fundExchangeCanadaPostStep4": { - "description": "Step 4 for Canada Post payment process - ID verification" - }, - "fundExchangeCrIbanCrcLabelIban": "Número da conta IBAN (apenas em cores)", - "@fundExchangeCrIbanCrcLabelIban": { - "description": "Label for IBAN number field for CRC (Colones) only" - }, - "importQrDeviceSpecterInstructionsTitle": "Instruções de espectro", - "@importQrDeviceSpecterInstructionsTitle": { - "description": "Title for Specter setup instructions" - }, - "testBackupScreenshot": "Tiro de tela", - "@testBackupScreenshot": { - "description": "Label with X mark warning against taking screenshots" - }, - "transactionListLoadingTransactions": "Carregando transações...", - "@transactionListLoadingTransactions": { - "description": "Message displayed while loading transactions" - }, - "dcaSuccessTitle": "Recurring Buy is Active!", - "@dcaSuccessTitle": { - "description": "Success screen title after DCA is activated" - }, - "fundExchangeOnlineBillPaymentDescription": "Qualquer valor que você enviar através do recurso de pagamento de contas on-line do seu banco usando as informações abaixo será creditado ao seu saldo da conta Bull Bitcoin dentro de 3-4 dias úteis.", - "@fundExchangeOnlineBillPaymentDescription": { - "description": "Description of how online bill payment works and timeframe" - }, - "receiveAwaitingPayment": "À espera do pagamento...", - "@receiveAwaitingPayment": { - "description": "Status while waiting for payment" - }, - "onboardingRecover": "Recuperar", - "@onboardingRecover": { - "description": "Button label for recovering a wallet in onboarding" - }, - "recoverbullGoogleDriveScreenTitle": "Google Drive Vaults", - "@recoverbullGoogleDriveScreenTitle": { - "description": "Screen title for Google Drive vaults management" - }, - "receiveQRCode": "Código QR", - "@receiveQRCode": { - "description": "Section header for QR code display" - }, - "appSettingsDevModeTitle": "Modo de desenvolvimento", - "@appSettingsDevModeTitle": { - "description": "Title for the developer mode toggle in app settings" - }, - "payDecodeFailed": "Falhado para decodificar fatura", - "@payDecodeFailed": { - "description": "Error when invoice parsing fails" - }, - "sendAbsoluteFees": "Taxas absolutas", - "@sendAbsoluteFees": { - "description": "Label for absolute fee display mode (total sats)" - }, - "arkSendConfirm": "Confirmação", - "@arkSendConfirm": { - "description": "Confirm button on send screen" - }, - "replaceByFeeErrorTransactionConfirmed": "A transação original foi confirmada", - "@replaceByFeeErrorTransactionConfirmed": { - "description": "Error message when original transaction is already confirmed" - }, - "rbfErrorFeeTooLow": "Você precisa aumentar a taxa de taxa em pelo menos 1 sat/vbyte em comparação com a transação original", - "@rbfErrorFeeTooLow": { - "description": "Error when new fee rate is not high enough" - }, - "ledgerErrorMissingDerivationPathSign": "O caminho de derivação é necessário para assinar", - "@ledgerErrorMissingDerivationPathSign": { - "description": "Error message when derivation path is missing for signing" - }, - "backupWalletTitle": "Faça backup da sua carteira", - "@backupWalletTitle": { - "description": "AppBar title for main backup options screen" - }, - "jadeStep10": "Clique nos botões para assinar a transação no seu Jade.", - "@jadeStep10": { - "description": "Jade instruction for signing" - }, - "arkAboutDurationHour": "{hours} hora", - "@arkAboutDurationHour": { - "description": "Duration format for singular hour", - "placeholders": { - "hours": { - "type": "int" - } - } - }, - "bitboxScreenUnknownError": "O erro desconhecido ocorreu", - "@bitboxScreenUnknownError": { - "description": "Fallback error message" - }, - "electrumPrivacyNoticeTitle": "Aviso de privacidade", - "@electrumPrivacyNoticeTitle": { - "description": "Title for privacy notice bottom sheet" - }, - "receiveLiquid": "Líquido", - "@receiveLiquid": { - "description": "Label for receiving Bitcoin via Liquid Network" - }, - "payOpenChannelRequired": "Abrir um canal é necessário para este pagamento", - "@payOpenChannelRequired": { - "description": "Message indicating a new Lightning channel is needed" - }, - "coldcardStep1": "Faça login no seu dispositivo Coldcard Q", - "@coldcardStep1": { - "description": "Coldcard instruction step 1" - }, - "transactionDetailLabelBitcoinTxId": "ID de transação de Bitcoin", - "@transactionDetailLabelBitcoinTxId": { - "description": "Label for Bitcoin transaction ID" - }, - "arkAboutTitle": "Sobre a", - "@arkAboutTitle": { - "description": "AppBar title for Ark about screen" - }, - "arkSendRecipientHint": "ark1qp9wsjfpsj5v5ex022v6..", - "@arkSendRecipientHint": { - "description": "Hint text for recipient address field" - }, - "sellSendPaymentCalculating": "Cálculo...", - "@sellSendPaymentCalculating": { - "description": "Calculating fees message" - }, - "arkRecoverableVtxos": "Vtxos recuperáveis", - "@arkRecoverableVtxos": { - "description": "Label for switch to include recoverable vtxos in redeem" - }, - "psbtFlowTransactionImported": "A transação será importada na carteira Bull Bitcoin.", - "@psbtFlowTransactionImported": { - "description": "Confirmation that transaction was imported successfully" - }, - "testBackupGoogleDriveSignIn": "Você precisará se inscrever no Google Drive", - "@testBackupGoogleDriveSignIn": { - "description": "Progress screen title when fetching from Google Drive" - }, - "sendTransactionSignedLedger": "Transação assinada com sucesso com Ledger", - "@sendTransactionSignedLedger": { - "description": "Success message after Ledger signing" - }, - "recoverbullRecoveryContinueButton": "Continue", - "@recoverbullRecoveryContinueButton": { - "description": "Button text to proceed with importing the wallet" - }, - "payTimeoutError": "Tempo de pagamento. Por favor verifique o status", - "@payTimeoutError": { - "description": "Error when payment takes too long to complete" - }, - "kruxStep4": "Clique em Carregar da câmera", - "@kruxStep4": { - "description": "Krux instruction step 4" - }, - "bitboxErrorInvalidMagicBytes": "Formato PSBT inválido detectado.", - "@bitboxErrorInvalidMagicBytes": { - "description": "Error when PSBT has invalid magic bytes" - }, - "sellErrorRecalculateFees": "Falhado em taxas recalculadas: {error}", - "@sellErrorRecalculateFees": { - "description": "Error message when fee recalculation fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "dcaSetupFrequencyError": "Por favor, selecione uma frequência", - "@dcaSetupFrequencyError": { - "description": "Frequency validation error" - }, - "testBackupErrorNoMnemonic": "Nenhum mnemônico carregado", - "@testBackupErrorNoMnemonic": { - "description": "Error when mnemonic is not loaded" - }, - "payInvoiceExpired": "Fatura expirada", - "@payInvoiceExpired": { - "description": "Error message when Lightning invoice has expired" - }, - "payWhoAreYouPaying": "Quem pagas?", - "@payWhoAreYouPaying": { - "description": "Question prompting user to select recipient" - }, - "confirmButtonLabel": "Confirmação", - "@confirmButtonLabel": { - "description": "Button label to confirm and execute the transaction" - }, - "autoswapMaxFeeInfo": "Se a taxa de transferência total estiver acima da porcentagem definida, a transferência automática será bloqueada", - "@autoswapMaxFeeInfo": { - "description": "Info tooltip for max fee field" - }, - "importQrDevicePassportStep9": "Digitalizar o código QR exibido no seu Passaporte", - "@importQrDevicePassportStep9": { - "description": "Passport instruction step 9" - }, - "swapProgressRefundedMessage": "A transferência foi sucessivamente reembolsada.", - "@swapProgressRefundedMessage": { - "description": "Refunded transfer message" - }, - "sendEconomyFee": "Economia", - "@sendEconomyFee": { - "description": "Lowest fee tier" - }, - "coreSwapsChainFailed": "Transferência Falhada.", - "@coreSwapsChainFailed": { - "description": "Status message for failed chain swap" - }, - "transactionDetailAddNote": "Adicionar nota", - "@transactionDetailAddNote": { - "description": "Button label to add a note to a transaction" - }, - "addressCardUsedLabel": "Usado", - "@addressCardUsedLabel": { - "description": "Label indicating an address has been used" - }, - "buyConfirmTitle": "Comprar Bitcoin", - "@buyConfirmTitle": { - "description": "AppBar title for buy confirmation screen" - }, - "exchangeLandingFeature5": "Chat com suporte ao cliente", - "@exchangeLandingFeature5": { - "description": "Fifth feature bullet point" - }, - "electrumMainnet": "Principal", - "@electrumMainnet": { - "description": "Mainnet environment label" - }, - "buyThatWasFast": "Foi rápido, não foi?", - "@buyThatWasFast": { - "description": "Additional success message for accelerated transaction" - }, - "importWalletPassport": "Passaporte da Fundação", - "@importWalletPassport": { - "description": "Button label for Foundation Passport hardware wallet" - }, - "buyExpressWithdrawalFee": "Taxa expressa: {amount}", - "@buyExpressWithdrawalFee": { - "description": "Additional fee for instant withdrawal", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellDailyLimit": "Limite diário: {amount}", - "@sellDailyLimit": { - "description": "Shows maximum daily sell amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "recoverbullConnectionFailed": "A conexão falhou", - "@recoverbullConnectionFailed": { - "description": "Status label indicating connection failure" - }, - "transactionDetailLabelPayinMethod": "Método de pagamento", - "@transactionDetailLabelPayinMethod": { - "description": "Label for payin method" - }, - "sellCurrentRate": "Taxa de corrente", - "@sellCurrentRate": { - "description": "Label for BTC/fiat exchange rate" - }, - "payAmountTooLow": "O valor está abaixo do mínimo", - "@payAmountTooLow": { - "description": "Error when payment amount is below minimum allowed" - }, - "onboardingCreateWalletButtonLabel": "Criar carteira", - "@onboardingCreateWalletButtonLabel": { - "description": "The label for the button to create a wallet from the onboarding screen" - }, - "bitboxScreenVerifyOnDevice": "Por favor, verifique este endereço no seu dispositivo BitBox", - "@bitboxScreenVerifyOnDevice": { - "description": "Instruction to verify address on device" - }, - "ledgerConnectTitle": "Conecte seu dispositivo Ledger", - "@ledgerConnectTitle": { - "description": "Title for initial Ledger connection screen" - }, - "withdrawAmountTitle": "Fiat de retirada", - "@withdrawAmountTitle": { - "description": "AppBar title for withdraw amount screen" - }, - "coreScreensServerNetworkFeesLabel": "Taxas de rede do servidor", - "@coreScreensServerNetworkFeesLabel": { - "description": "Label for server network fees field" - }, - "dcaFrequencyValidationError": "Por favor, selecione uma frequência", - "@dcaFrequencyValidationError": { - "description": "Form validation error when no frequency is selected" - }, - "walletsListTitle": "Detalhes da carteira", - "@walletsListTitle": { - "description": "Title for the wallet details list screen" - }, - "payAllCountries": "Todos os países", - "@payAllCountries": { - "description": "Option for all countries filter" - }, - "sellCopBalance": "COP Balanço", - "@sellCopBalance": { - "description": "Display text for COP balance payout method" - }, - "recoverbullVaultSelected": "Vault selecionado", - "@recoverbullVaultSelected": { - "description": "Screen title after vault has been selected" - }, - "receiveTransferFee": "Taxa de transferência", - "@receiveTransferFee": { - "description": "Label for the transfer fee in a receive transaction" - }, - "fundExchangeInfoTransferCodeRequired": "Você deve adicionar o código de transferência como a \"mensagem\" ou \"razão\" ou \"descrição\" ao fazer o pagamento. Se você esquecer de colocar este código o seu pagamento pode ser rejeitado.", - "@fundExchangeInfoTransferCodeRequired": { - "description": "Important info about transfer code requirement for Costa Rica transfers" - }, - "arkBoardingExitDelay": "Atraso de saída de embarque", - "@arkBoardingExitDelay": { - "description": "Label for boarding exit delay field" - }, - "exchangeDcaFrequencyHour": "hora da hora", - "@exchangeDcaFrequencyHour": { - "description": "DCA frequency unit: hour" - }, - "transactionLabelPayjoinCreationTime": "Tempo de criação Payjoin", - "@transactionLabelPayjoinCreationTime": { - "description": "Label for payjoin creation timestamp" - }, - "payRBFDisabled": "RBF desativado", - "@payRBFDisabled": { - "description": "Status when RBF is disabled" - }, - "exchangeAuthLoginFailedOkButton": "ESTÁ BEM", - "@exchangeAuthLoginFailedOkButton": { - "description": "OK button label in the login failed dialog" - }, - "exchangeKycCardTitle": "Completar seu KYC", - "@exchangeKycCardTitle": { - "description": "Title of the KYC completion card" - }, - "importQrDeviceSuccess": "Carteira importada com sucesso", - "@importQrDeviceSuccess": { - "description": "Success message after import" - }, - "arkTxSettlement": "Fixação", - "@arkTxSettlement": { - "description": "Transaction type label for Ark settlement transactions" - }, - "autoswapEnable": "Habilitar a transferência automática", - "@autoswapEnable": { - "description": "Toggle label to enable auto transfer" - }, - "transactionStatusTransferCompleted": "Transferência Completa", - "@transactionStatusTransferCompleted": { - "description": "Status label for completed transfers" - }, - "payInvalidSinpe": "Sinpe inválido", - "@payInvalidSinpe": { - "description": "Error message for invalid SINPE" - }, - "coreScreensFromLabel": "A partir de", - "@coreScreensFromLabel": { - "description": "Label for source/sender field" - }, - "backupWalletGoogleDriveSignInTitle": "Você precisará se inscrever no Google Drive", - "@backupWalletGoogleDriveSignInTitle": { - "description": "Loading screen title when initiating Google Drive backup" - }, - "sendEstimatedDelivery10to30Minutes": "10-30 minutos", - "@sendEstimatedDelivery10to30Minutes": { - "description": "Estimated delivery time of 10 to 30 minutes" - }, - "transactionDetailLabelLiquidTxId": "ID de transação líquida", - "@transactionDetailLabelLiquidTxId": { - "description": "Label for Liquid transaction ID" - }, - "testBackupBackupId": "ID de backup:", - "@testBackupBackupId": { - "description": "Label for backup ID field" - }, - "walletDeletionErrorOngoingSwaps": "Você não pode excluir uma carteira com swaps em curso.", - "@walletDeletionErrorOngoingSwaps": { - "description": "Error message when attempting to delete a wallet with ongoing swaps" - }, - "bitboxScreenConnecting": "Ligação ao BitBox", - "@bitboxScreenConnecting": { - "description": "Main text when connecting to device" - }, - "psbtFlowScanAnyQr": "Selecione \"Scan any QR code\" opção", - "@psbtFlowScanAnyQr": { - "description": "Instruction to select scan any QR code option" - }, - "transactionLabelServerNetworkFees": "Taxas de rede do servidor", - "@transactionLabelServerNetworkFees": { - "description": "Label for server network fees in swap details" - }, - "importQrDeviceSeedsignerStep10": "Configuração completa", - "@importQrDeviceSeedsignerStep10": { - "description": "SeedSigner instruction step 10" - }, - "sendReceive": "Receber", - "@sendReceive": { - "description": "Label for receive transaction type" - }, - "sellKycPendingDescription": "Você deve concluir a verificação ID primeiro", - "@sellKycPendingDescription": { - "description": "Description explaining user must complete KYC before proceeding" - }, - "fundExchangeETransferDescription": "Qualquer quantidade que você enviar do seu banco via e-mail E-Transfer usando as informações abaixo será creditado ao seu saldo da conta Bull Bitcoin em poucos minutos.", - "@fundExchangeETransferDescription": { - "description": "Description of how E-Transfer works and timeframe" - }, - "sendClearSelection": "Seleção clara", - "@sendClearSelection": { - "description": "Button to deselect all UTXOs" - }, - "fundExchangeLabelClabe": "CLABE", - "@fundExchangeLabelClabe": { - "description": "Label for CLABE number field (Mexico)" - }, - "statusCheckLastChecked": "Última verificação: {time}", - "@statusCheckLastChecked": { - "description": "Label showing when services were last checked", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "backupWalletVaultProviderQuickEasy": "Rápido e fácil", - "@backupWalletVaultProviderQuickEasy": { - "description": "Tag for Google Drive and iCloud providers" - }, - "sellPayoutAmount": "Quantidade de pagamento", - "@sellPayoutAmount": { - "description": "Label for amount user receives" - }, - "dcaConfirmFrequencyDaily": "Todos os dias", - "@dcaConfirmFrequencyDaily": { - "description": "Daily frequency label" - }, - "buyConfirmPurchase": "Confirme a compra", - "@buyConfirmPurchase": { - "description": "Button to confirm purchase" - }, - "transactionLabelNetworkFee": "Taxa de rede", - "@transactionLabelNetworkFee": { - "description": "Label for network fee component" - }, - "importQrDeviceKeystoneStep9": "A configuração é completa", - "@importQrDeviceKeystoneStep9": { - "description": "Keystone instruction step 9" - }, - "tapWordsInOrderTitle": "Toque nas palavras de recuperação no\nordem certa", - "@tapWordsInOrderTitle": { - "description": "Title instructing user to tap words in order" - }, - "payEnterAmountTitle": "Digite o valor", - "@payEnterAmountTitle": { - "description": "Title for amount entry screen in payment flow" - }, - "transactionOrderLabelPayinMethod": "Método de pagamento", - "@transactionOrderLabelPayinMethod": { - "description": "Label for order payin method" - }, - "buyInputMaxAmountError": "Você não pode comprar mais do que", - "@buyInputMaxAmountError": { - "description": "Maximum amount error message" - }, - "walletDetailsDeletingMessage": "Excluindo a carteira...", - "@walletDetailsDeletingMessage": { - "description": "Message displayed while a wallet is being deleted" - }, - "receiveUnableToVerifyAddress": "Incapaz de verificar o endereço: Falta de informações de carteira ou endereço", - "@receiveUnableToVerifyAddress": { - "description": "Error message when address verification is not possible" - }, - "payInvalidAddress": "Endereço inválido", - "@payInvalidAddress": { - "description": "Error for malformed address" - }, - "appUnlockAttemptPlural": "tentativas falhadas", - "@appUnlockAttemptPlural": { - "description": "Plural form of 'attempts' for failed unlock attempts" - }, - "exportVaultButton": "Padrão de exportação", - "@exportVaultButton": { - "description": "Button label to export vault" - }, - "coreSwapsChainPaid": "Aguardando o pagamento do provedor de transferência para receber confirmação. Isto pode demorar um pouco a terminar.", - "@coreSwapsChainPaid": { - "description": "Status message for paid chain swap" - }, - "arkConfirmed": "Confirmado", - "@arkConfirmed": { - "description": "Label for confirmed balance in breakdown" - }, - "importQrDevicePassportStep6": "Selecione \"Single-sig\"", - "@importQrDevicePassportStep6": { - "description": "Passport instruction step 6" - }, - "sendSatsPerVB": "sats/vB", - "@sendSatsPerVB": { - "description": "Unit label for satoshis per virtual byte" - }, - "withdrawRecipientsContinue": "Continue", - "@withdrawRecipientsContinue": { - "description": "Continue button on recipients screen" - }, - "enterPinAgainMessage": "Insira seu {pinOrPassword} novamente para continuar.", - "@enterPinAgainMessage": { - "description": "Message asking to re-enter PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "importColdcardButtonInstructions": "Instruções", - "@importColdcardButtonInstructions": { - "description": "ImportColdcardQ: Button to show setup instructions" - }, - "bitboxActionUnlockDeviceProcessingSubtext": "Digite sua senha no dispositivo BitBox...", - "@bitboxActionUnlockDeviceProcessingSubtext": { - "description": "Processing subtext for unlock device" - }, - "sellWhichWalletQuestion": "De que carteira queres vender?", - "@sellWhichWalletQuestion": { - "description": "Question prompting user to select wallet" - }, - "buyNetworkFeeRate": "Taxa de taxa de rede", - "@buyNetworkFeeRate": { - "description": "Label for network fee rate" - }, - "autoswapAlwaysBlockLabel": "Sempre bloquear altas taxas", - "@autoswapAlwaysBlockLabel": { - "description": "Label for toggle to always block high fee transfers" - }, - "receiveFixedAmount": "Montante", - "@receiveFixedAmount": { - "description": "Required amount field" - }, - "bitboxActionVerifyAddressSuccessSubtext": "O endereço foi verificado no seu dispositivo BitBox.", - "@bitboxActionVerifyAddressSuccessSubtext": { - "description": "Success subtext for verify address" - }, - "transactionSwapDescLnSendPaid": "A sua transação em cadeia foi transmitida. Após 1 confirmação, o pagamento Lightning será enviado.", - "@transactionSwapDescLnSendPaid": { - "description": "Description for paid Lightning send swap" - }, - "transactionSwapDescChainDefault": "Sua transferência está em andamento. Este processo é automatizado e pode levar algum tempo para ser concluído.", - "@transactionSwapDescChainDefault": { - "description": "Default description for chain swap" - }, - "onboardingBullBitcoin": "Bull Bitcoin", - "@onboardingBullBitcoin": { - "description": "Brand name displayed in onboarding" - }, - "coreSwapsChainClaimable": "A transferência está pronta para ser reivindicada.", - "@coreSwapsChainClaimable": { - "description": "Status message for claimable chain swap" - }, - "dcaNetworkLightning": "Rede de relâmpago", - "@dcaNetworkLightning": { - "description": "Lightning network label for DCA" - }, - "backupWalletHowToDecideVaultCloudRecommendationText": "você quer se certificar de que você nunca perder o acesso ao seu arquivo de vault mesmo se você perder seus dispositivos.", - "@backupWalletHowToDecideVaultCloudRecommendationText": { - "description": "Recommendation text for when to use cloud storage" - }, - "arkAboutEsploraUrl": "URL de impressão", - "@arkAboutEsploraUrl": { - "description": "Field label for Esplora URL" - }, - "backupKeyExampleWarning": "Por exemplo, se você usou o Google Drive para seu arquivo de backup, não use o Google Drive para sua chave de backup.", - "@backupKeyExampleWarning": { - "description": "Example warning about not using same cloud provider" - }, - "importColdcardInstructionsStep3": "Navegue para \"Advanced / ferramentas\"", - "@importColdcardInstructionsStep3": { - "description": "ImportColdcardQ: Third instruction step" - }, - "buyPhotoID": "ID da foto", - "@buyPhotoID": { - "description": "Type of document required" - }, - "exchangeSettingsAccountInformationTitle": "Informação da conta", - "@exchangeSettingsAccountInformationTitle": { - "description": "Title for the account information section in exchange settings" - }, - "appStartupErrorTitle": "Erro de inicialização", - "@appStartupErrorTitle": { - "description": "Title shown when the app fails to start up properly" - }, - "transactionLabelTransferId": "ID de transferência", - "@transactionLabelTransferId": { - "description": "Label for transfer/swap ID" - }, - "sendTitle": "Enviar", - "@sendTitle": { - "description": "Title for the send screen" - }, - "withdrawOrderNotFoundError": "A ordem de retirada não foi encontrada. Por favor, tente novamente.", - "@withdrawOrderNotFoundError": { - "description": "Error message for order not found during withdraw" - }, - "importQrDeviceSeedsignerStep4": "Selecione \"Export Xpub\"", - "@importQrDeviceSeedsignerStep4": { - "description": "SeedSigner instruction step 4" - }, - "seedsignerStep6": " - Mover o laser vermelho para cima e para baixo sobre o código QR", - "@seedsignerStep6": { - "description": "SeedSigner troubleshooting tip 2" - }, - "ledgerHelpStep5": "Certifique-se de que O dispositivo Ledger está usando o firmware mais recente, você pode atualizar o firmware usando o aplicativo de desktop Ledger Live.", - "@ledgerHelpStep5": { - "description": "Fifth troubleshooting step for Ledger connection issues" - }, - "torSettingsPortDisplay": "Porto: {port}", - "@torSettingsPortDisplay": { - "description": "Display text showing current port number", - "placeholders": { - "port": { - "type": "int" - } - } - }, - "payTransitNumber": "Número de trânsito", - "@payTransitNumber": { - "description": "Label for transit number" - }, - "importQrDeviceSpecterStep5": "Selecione \"Mestrar chaves públicas\"", - "@importQrDeviceSpecterStep5": { - "description": "Specter instruction step 5" - }, - "fundExchangeCostaRicaMethodIbanUsdTitle": "IBAN Costa Rica (USD)", - "@fundExchangeCostaRicaMethodIbanUsdTitle": { - "description": "Payment method title for IBAN USD in method list" - }, - "allSeedViewDeleteWarningTitle": "ATENÇÃO!", - "@allSeedViewDeleteWarningTitle": { - "description": "Title for delete seed warning dialog" - }, - "backupSettingsBackupKey": "Chave de backup", - "@backupSettingsBackupKey": { - "description": "AppBar title for view backup key screen" - }, - "arkTransactionId": "ID de transação", - "@arkTransactionId": { - "description": "Label for transaction ID field in details table" - }, - "payInvoiceCopied": "Fatura copiada para clipboard", - "@payInvoiceCopied": { - "description": "Toast message after copying invoice" - }, - "recoverbullEncryptedVaultCreated": "Criptografado Vault criado!", - "@recoverbullEncryptedVaultCreated": { - "description": "Success message title after vault creation" - }, - "addressViewChangeAddressesComingSoon": "Mudar endereços em breve", - "@addressViewChangeAddressesComingSoon": { - "description": "Empty state message for change addresses feature that is coming soon" - }, - "psbtFlowScanQrShown": "Digitalizar o código QR mostrado na carteira Bull", - "@psbtFlowScanQrShown": { - "description": "Instruction to scan QR code displayed in app" - }, - "testBackupErrorInvalidFile": "Conteúdo de arquivo inválido", - "@testBackupErrorInvalidFile": { - "description": "Error when selected file has invalid content" - }, - "payHowToPayInvoice": "Como você quer pagar esta fatura?", - "@payHowToPayInvoice": { - "description": "Question for payment method selection" - }, - "transactionDetailLabelSendNetworkFee": "Enviar Taxa de rede", - "@transactionDetailLabelSendNetworkFee": { - "description": "Label for send network fee" - }, - "sendSlowPaymentWarningDescription": "Bitcoin swaps levará tempo para confirmar.", - "@sendSlowPaymentWarningDescription": { - "description": "Description for slow payment warning" - }, - "bitboxActionVerifyAddressProcessingSubtext": "Por favor, confirme o endereço do seu dispositivo BitBox.", - "@bitboxActionVerifyAddressProcessingSubtext": { - "description": "Processing subtext for verify address" - }, - "pinConfirmHeadline": "Confirme o novo pino", - "@pinConfirmHeadline": { - "description": "Headline text on PIN confirmation screen" - }, - "fundExchangeCanadaPostQrCodeLabel": "Código QR Loadhub", - "@fundExchangeCanadaPostQrCodeLabel": { - "description": "Label for the Loadhub QR code display" - }, - "payConfirmationRequired": "Confirmação exigida", - "@payConfirmationRequired": { - "description": "Message when user confirmation is needed" - }, - "bip85NextHex": "Próximo HEX", - "@bip85NextHex": { - "description": "Button to derive next hex entropy" - }, - "physicalBackupStatusLabel": "Backup físico", - "@physicalBackupStatusLabel": { - "description": "Status label for physical backup" - }, - "exchangeSettingsLogOutTitle": "Log out", - "@exchangeSettingsLogOutTitle": { - "description": "Title for the log out option in exchange settings" - }, - "addressCardBalanceLabel": "Balança: ", - "@addressCardBalanceLabel": { - "description": "Label for the balance field in address card" - }, - "transactionStatusInProgress": "Em progresso", - "@transactionStatusInProgress": { - "description": "Status label for transactions in progress" - }, - "recoverWalletScreenTitle": "Recuperar Carteira", - "@recoverWalletScreenTitle": { - "description": "Title for recover wallet screen" - }, - "rbfEstimatedDelivery": "Entrega estimada ~ 10 minutos", - "@rbfEstimatedDelivery": { - "description": "Estimated confirmation time for fastest fee" - }, - "sendSwapCancelled": "Cancelamento do Swap", - "@sendSwapCancelled": { - "description": "Message when user cancels swap" - }, - "backupWalletGoogleDrivePrivacyMessage4": "nunca ", - "@backupWalletGoogleDrivePrivacyMessage4": { - "description": "Fourth part of privacy message (bold)" - }, - "dcaPaymentMethodValue": "{currency} equilíbrio", - "@dcaPaymentMethodValue": { - "description": "Value for payment method with currency code placeholder", - "placeholders": { - "currency": { - "type": "String" - } - } - }, - "swapTransferCompletedTitle": "Transferência concluída", - "@swapTransferCompletedTitle": { - "description": "Title when swap completes successfully" - }, - "torSettingsStatusDisconnected": "Desconectado", - "@torSettingsStatusDisconnected": { - "description": "Status title when Tor is disconnected" - }, - "exchangeDcaCancelDialogTitle": "Cancelar Bitcoin Recurring Comprar?", - "@exchangeDcaCancelDialogTitle": { - "description": "Title of the dialog confirming DCA cancellation" - }, - "sellSendPaymentMxnBalance": "MXN Balanço", - "@sellSendPaymentMxnBalance": { - "description": "MXN balance payout method" - }, - "fundExchangeSinpeLabelRecipientName": "Nome do destinatário", - "@fundExchangeSinpeLabelRecipientName": { - "description": "Label for recipient name in SINPE transfer" - }, - "dcaScheduleDescription": "As compras de Bitcoin serão colocadas automaticamente por esta programação.", - "@dcaScheduleDescription": { - "description": "Explanation text at the top of DCA setup form" - }, - "keystoneInstructionsTitle": "Instruções de Keystone", - "@keystoneInstructionsTitle": { - "description": "Title for Keystone signing instructions modal" - }, - "hwLedger": "Ledger", - "@hwLedger": { - "description": "Name of Ledger hardware wallet" - }, - "physicalBackupDescription": "Escreva 12 palavras em um pedaço de papel. Mantenha-os seguros e certifique-se de não perdê-los.", - "@physicalBackupDescription": { - "description": "Description of physical backup method" - }, - "dcaConfirmButton": "Continue", - "@dcaConfirmButton": { - "description": "Button label to confirm and activate DCA" - }, - "dcaBackToHomeButton": "Voltar para casa", - "@dcaBackToHomeButton": { - "description": "Button label to return to exchange home screen" - }, - "importQrDeviceKruxInstructionsTitle": "Instruções de Krux", - "@importQrDeviceKruxInstructionsTitle": { - "description": "Title for Krux setup instructions" - }, - "transactionOrderLabelOriginName": "Nome de origem", - "@transactionOrderLabelOriginName": { - "description": "Label for origin name in fiat payment order" - }, - "importQrDeviceKeystoneInstructionsTitle": "Instruções de Keystone", - "@importQrDeviceKeystoneInstructionsTitle": { - "description": "Title for Keystone setup instructions" - }, - "electrumSavePriorityFailedError": "Falhado para salvar a prioridade do servidor{reason}", - "@electrumSavePriorityFailedError": { - "description": "Error message when saving server priority fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "globalDefaultLiquidWalletLabel": "Pagamentos imediatos", - "@globalDefaultLiquidWalletLabel": { - "description": "Default label for Liquid/instant payments wallets when used as the default wallet" - }, - "bitboxActionVerifyAddressProcessing": "Mostrando endereço no BitBox...", - "@bitboxActionVerifyAddressProcessing": { - "description": "Processing text for verify address" - }, - "sendTypeSwap": "Swap", - "@sendTypeSwap": { - "description": "Send type name for Lightning swap transactions" - }, - "sendErrorAmountExceedsMaximum": "O montante excede o montante máximo de swap", - "@sendErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum allowed for swap" - }, - "bitboxActionSignTransactionSuccess": "Transação assinada com sucesso", - "@bitboxActionSignTransactionSuccess": { - "description": "Success text for sign transaction" - }, - "fundExchangeMethodInstantSepa": "SEPA instantâneo", - "@fundExchangeMethodInstantSepa": { - "description": "Payment method: Instant SEPA (Europe)" - }, - "buyVerificationFailed": "Verificação falhada: {reason}", - "@buyVerificationFailed": { - "description": "Error message with failure reason", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "importWatchOnlyBuyDevice": "Compre um dispositivo", - "@importWatchOnlyBuyDevice": { - "description": "Button label to purchase a hardware wallet device" - }, - "sellMinimumAmount": "Quantidade mínima de venda: {amount}", - "@sellMinimumAmount": { - "description": "Error for amount below minimum", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "importColdcardTitle": "Conecte o Coldcard Q", - "@importColdcardTitle": { - "description": "AppBar title for Coldcard Q import" - }, - "ledgerSuccessImportDescription": "Sua carteira Ledger foi importada com sucesso.", - "@ledgerSuccessImportDescription": { - "description": "Success message description after importing Ledger wallet" - }, - "pinStatusProcessing": "Processamento", - "@pinStatusProcessing": { - "description": "Status screen title during PIN save/delete operations" - }, - "dcaCancelMessage": "Seu plano de compra Bitcoin recorrente vai parar, e as compras programadas terminarão. Para reiniciar, você precisará criar um novo plano.", - "@dcaCancelMessage": { - "description": "Dialog message for DCA cancellation" - }, - "fundExchangeHelpPaymentDescription": "O teu código de transferência.", - "@fundExchangeHelpPaymentDescription": { - "description": "Help text for payment description field" - }, - "sellSendPaymentFastest": "Mais rápido", - "@sellSendPaymentFastest": { - "description": "Fastest fee priority option" - }, - "dcaConfirmNetwork": "Rede", - "@dcaConfirmNetwork": { - "description": "Field label for network" - }, - "allSeedViewDeleteWarningMessage": "Excluir a semente é uma ação irreversível. Apenas faça isso se você tiver backups seguros desta semente ou as carteiras associadas foram totalmente drenadas.", - "@allSeedViewDeleteWarningMessage": { - "description": "Warning message about deleting a seed" - }, - "bip329LabelsTitle": "BIP329 Labels", - "@bip329LabelsTitle": { - "description": "Title for BIP329 labels page" - }, - "autoswapSelectWalletRequired": "Selecione uma carteira Bitcoin *", - "@autoswapSelectWalletRequired": { - "description": "Placeholder for wallet dropdown when required" - }, - "exchangeFeatureSellBitcoin": "• Venda Bitcoin, ser pago com Bitcoin", - "@exchangeFeatureSellBitcoin": { - "description": "Feature bullet point describing selling Bitcoin functionality" - }, - "hwSeedSigner": "Sementes", - "@hwSeedSigner": { - "description": "Name of SeedSigner hardware wallet" - }, - "bitboxActionUnlockDeviceButton": "Desbloquear dispositivo", - "@bitboxActionUnlockDeviceButton": { - "description": "Button text for unlock device" - }, - "payNetworkError": "Erro de rede. Por favor, tente novamente", - "@payNetworkError": { - "description": "Error message for network connectivity issues during payment" - }, - "sendNetworkFeesLabel": "Enviar taxas de rede", - "@sendNetworkFeesLabel": { - "description": "Label for sending network fees in chain swap" - }, - "electrumUnknownError": "Um erro ocorreu", - "@electrumUnknownError": { - "description": "Generic error message for unknown errors" - }, - "payWhichWallet": "De que carteira queres pagar?", - "@payWhichWallet": { - "description": "Question prompt for wallet selection" - }, - "autoswapBaseBalanceInfoText": "Seu saldo imediato da carteira de pagamento retornará a este equilíbrio após um autoswap.", - "@autoswapBaseBalanceInfoText": { - "description": "Info text explaining what happens to the balance after an autoswap" - }, - "recoverbullSelectDecryptVault": "Descriptografar cofre", - "@recoverbullSelectDecryptVault": { - "description": "Primary button text to proceed with vault decryption" - }, - "buyUpgradeKYC": "Atualizar KYC Nível", - "@buyUpgradeKYC": { - "description": "Button to increase verification tier" - }, - "transactionOrderLabelOrderType": "Tipo de ordem", - "@transactionOrderLabelOrderType": { - "description": "Label for order type" - }, - "autoswapEnableToggleLabel": "Habilitar a transferência automática", - "@autoswapEnableToggleLabel": { - "description": "Label for the main toggle switch to enable/disable auto transfer feature" - }, - "sendDustAmount": "Montante demasiado pequeno (dust)", - "@sendDustAmount": { - "description": "Error for uneconomical amount" - }, - "allSeedViewExistingWallets": "Carteiras existentes ({count})", - "@allSeedViewExistingWallets": { - "description": "Section header for existing wallets with count", - "placeholders": { - "count": { - "type": "int", - "format": "decimalPattern" - } - } - }, - "arkSendConfirmedBalance": "Balanço confirmado", - "@arkSendConfirmedBalance": { - "description": "Confirmed balance label" - }, - "sellFastest": "Mais rápido", - "@sellFastest": { - "description": "Display text for fastest fee option" - }, - "receiveTitle": "Receber", - "@receiveTitle": { - "description": "Main screen title for receive feature" - }, - "transactionSwapInfoRefundableSwap": "Esta troca será reembolsada automaticamente dentro de alguns segundos. Se não, você pode tentar um reembolso manual clicando no botão \"Restaurar Swap Refund\".", - "@transactionSwapInfoRefundableSwap": { - "description": "Additional info for refundable swaps" - }, - "payCancelPayment": "Cancelar pagamento", - "@payCancelPayment": { - "description": "Button text to cancel payment flow" - }, - "ledgerInstructionsAndroidUsb": "Certifique-se de que Ledger é desbloqueado com o aplicativo Bitcoin aberto e conectá-lo via USB.", - "@ledgerInstructionsAndroidUsb": { - "description": "Connection instructions for Android devices (USB only)" - }, - "onboardingOwnYourMoney": "Possuir seu dinheiro", - "@onboardingOwnYourMoney": { - "description": "Tagline displayed in onboarding splash screen" - }, - "allSeedViewTitle": "Visualizador de sementes", - "@allSeedViewTitle": { - "description": "Title for the seed viewer screen" - }, - "connectHardwareWalletLedger": "Ledger", - "@connectHardwareWalletLedger": { - "description": "Ledger hardware wallet option" - }, - "importQrDevicePassportInstructionsTitle": "Instruções do passaporte da Fundação", - "@importQrDevicePassportInstructionsTitle": { - "description": "Title for Passport setup instructions" - }, - "rbfFeeRate": "Taxa de Taxa: {rate} sat/vbyte", - "@rbfFeeRate": { - "description": "Label showing fee rate", - "placeholders": { - "rate": { - "type": "String" - } - } - }, - "leaveYourPhone": "deixar seu telefone e é ", - "@leaveYourPhone": { - "description": "Middle part of privacy assurance message" - }, - "sendFastFee": "Rápido", - "@sendFastFee": { - "description": "Highest fee tier" - }, - "exchangeBrandName": "BITCOIN", - "@exchangeBrandName": { - "description": "The Bull Bitcoin brand name displayed on exchange screens" - }, - "torSettingsPortHelper": "Porta Orbot padrão: 9050", - "@torSettingsPortHelper": { - "description": "Helper text explaining default Orbot port" - }, - "submitButton": "Submeter-me", - "@submitButton": { - "description": "Default button label to submit mnemonic" - }, - "bitboxScreenTryAgainButton": "Tente novamente", - "@bitboxScreenTryAgainButton": { - "description": "Button to retry failed action" - }, - "dcaConfirmTitle": "Confirmação Comprar", - "@dcaConfirmTitle": { - "description": "AppBar title for DCA confirmation screen" - }, - "viewVaultKeyButton": "Ver o Vault Chaveiro", - "@viewVaultKeyButton": { - "description": "Button label to view vault key" - }, - "recoverbullPasswordMismatch": "As senhas não coincidem", - "@recoverbullPasswordMismatch": { - "description": "Validation error when passwords don't match" - }, - "fundExchangeCrIbanUsdTransferCodeWarning": "Você deve adicionar o código de transferência como \"mensagem\" ou \"razão\" ou \"descrição\" ao fazer o pagamento. Se você esquecer de incluir este código, seu pagamento pode ser rejeitado.", - "@fundExchangeCrIbanUsdTransferCodeWarning": { - "description": "Warning about including transfer code in payment for USD transfers" - }, - "sendAdvancedSettings": "Configurações avançadas", - "@sendAdvancedSettings": { - "description": "Title for advanced settings in the send flow" - }, - "backupSettingsPhysicalBackup": "Backup físico", - "@backupSettingsPhysicalBackup": { - "description": "Label for physical backup status row" - }, - "importColdcardDescription": "Importar o código QR do descritor da carteira do seu Coldcard Q", - "@importColdcardDescription": { - "description": "ImportColdcardQ: Main instruction text on import page" - }, - "backupSettingsSecurityWarning": "Aviso de Segurança", - "@backupSettingsSecurityWarning": { - "description": "Title for backup key security warning modal" - }, - "arkCopyAddress": "Endereço de cópia", - "@arkCopyAddress": { - "description": "Button label to expand and show address details for copying" - }, - "sendScheduleFor": "Calendário para {date}", - "@sendScheduleFor": { - "description": "Label for scheduled date", - "placeholders": { - "date": { - "type": "String" - } - } - }, - "psbtFlowClickDone": "Clique em \"Estou feito\" na carteira Bull Bitcoin.", - "@psbtFlowClickDone": { - "description": "Instruction to click done button in app" - }, - "addressCardUnusedLabel": "Não utilizado", - "@addressCardUnusedLabel": { - "description": "Label indicating an address has not been used" - }, - "bitboxActionUnlockDeviceSuccess": "Dispositivo desbloqueado Com sucesso", - "@bitboxActionUnlockDeviceSuccess": { - "description": "Success text for unlock device" - }, - "receivePayjoinInProgress": "Payjoin em progresso", - "@receivePayjoinInProgress": { - "description": "Status message when a payjoin transaction is in progress" - }, - "payFor": "Para", - "@payFor": { - "description": "Label for recipient information section" - }, - "payEnterValidAmount": "Por favor insira um valor válido", - "@payEnterValidAmount": { - "description": "Validation error for invalid amount format" - }, - "pinButtonRemove": "Remover PIN de Segurança", - "@pinButtonRemove": { - "description": "Button label to delete existing PIN" - }, - "urProgressLabel": "UR Progress: {parts} partes", - "@urProgressLabel": { - "description": "Progress message showing parts processed for multi-part UR codes", - "placeholders": { - "parts": { - "type": "String" - } - } - }, - "transactionDetailLabelAddressNotes": "Notas de endereço", - "@transactionDetailLabelAddressNotes": { - "description": "Label for address notes" - }, - "coldcardInstructionsTitle": "Instruções do Coldcard Q", - "@coldcardInstructionsTitle": { - "description": "Title for Coldcard Q signing instructions modal" - }, - "electrumDefaultServers": "Servidores padrão", - "@electrumDefaultServers": { - "description": "Section header for default servers list" - }, - "onboardingRecoverWallet": "Recuperar Carteira", - "@onboardingRecoverWallet": { - "description": "Title for the recover wallet screen in onboarding" - }, - "scanningProgressLabel": "Digitalização: {percent}%", - "@scanningProgressLabel": { - "description": "Progress indicator for UR QR code scanning", - "placeholders": { - "percent": { - "type": "String" - } - } - }, - "transactionOrderLabelReferenceNumber": "Número de referência", - "@transactionOrderLabelReferenceNumber": { - "description": "Label for reference number in order details" - }, - "backupWalletHowToDecide": "Como decidir?", - "@backupWalletHowToDecide": { - "description": "Link text to open modal explaining how to choose backup method" - }, - "recoverbullTestBackupDescription": "Agora vamos testar seu backup para garantir que tudo foi feito corretamente.", - "@recoverbullTestBackupDescription": { - "description": "Description message before testing backup" - }, - "fundExchangeSpeiInfo": "Faça um depósito usando transferência SPEI (instant).", - "@fundExchangeSpeiInfo": { - "description": "Info message about SPEI transfer being instant" - }, - "screenshotLabel": "Tiro de tela", - "@screenshotLabel": { - "description": "Label for screenshot (with X mark)" - }, - "bitboxErrorOperationTimeout": "A operação acabou. Por favor, tente novamente.", - "@bitboxErrorOperationTimeout": { - "description": "Error when BitBox operation times out" - }, - "receiveLightning": "Luz", - "@receiveLightning": { - "description": "Label for receiving Bitcoin via Lightning Network" - }, - "sendRecipientAddressOrInvoice": "Endereço ou fatura do destinatário", - "@sendRecipientAddressOrInvoice": { - "description": "Label for the recipient address or invoice input field" - }, - "mempoolCustomServerUrlEmpty": "Digite uma URL do servidor", - "@mempoolCustomServerUrlEmpty": { - "description": "Error message when server URL is empty" - }, - "importQrDeviceKeystoneName": "Chaveiro", - "@importQrDeviceKeystoneName": { - "description": "Name of Keystone device" - }, - "payBitcoinAddress": "Endereço de Bitcoin", - "@payBitcoinAddress": { - "description": "Label indicating payment destination is on-chain address" - }, - "buyInsufficientBalanceTitle": "Balança insuficiente", - "@buyInsufficientBalanceTitle": { - "description": "Title for insufficient balance error" - }, - "swapProgressPending": "Pendente de Transferência", - "@swapProgressPending": { - "description": "Pending transfer status" - }, - "exchangeDcaAddressLabelBitcoin": "Endereço de Bitcoin", - "@exchangeDcaAddressLabelBitcoin": { - "description": "Label for Bitcoin address in DCA settings" - }, - "loadingBackupFile": "Carregando arquivo de backup...", - "@loadingBackupFile": { - "description": "Message shown while loading backup file" - }, - "legacySeedViewPassphrasesLabel": "Passphrases:", - "@legacySeedViewPassphrasesLabel": { - "description": "Label for passphrases section" - }, - "recoverbullContinue": "Continue", - "@recoverbullContinue": { - "description": "Button text to proceed to next step" - }, - "receiveAddressCopied": "Endereço copiado para clipboard", - "@receiveAddressCopied": { - "description": "Toast message after copying address" - }, - "transactionDetailLabelStatus": "Estado", - "@transactionDetailLabelStatus": { - "description": "Label for status" - }, - "sellSendPaymentPayinAmount": "Quantidade de pagamento", - "@sellSendPaymentPayinAmount": { - "description": "Field label for payin amount" - }, - "psbtFlowTurnOnDevice": "Ligue o dispositivo {device}", - "@psbtFlowTurnOnDevice": { - "description": "Instruction to power on hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "backupSettingsKeyServer": "Servidor chave ", - "@backupSettingsKeyServer": { - "description": "Label for key server connection status indicator" - }, - "connectHardwareWalletColdcardQ": "Cartão de crédito", - "@connectHardwareWalletColdcardQ": { - "description": "Coldcard Q hardware wallet option" - }, - "seedsignerStep2": "Clique em Digitalizar", - "@seedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, - "addressCardIndexLabel": "Índice: ", - "@addressCardIndexLabel": { - "description": "Label for the address index field in address card" - }, - "ledgerErrorMissingDerivationPathVerify": "O caminho de derivação é necessário para verificação", - "@ledgerErrorMissingDerivationPathVerify": { - "description": "Error message when derivation path is missing for verification" - }, - "recoverbullErrorVaultNotSet": "Vault não está definido", - "@recoverbullErrorVaultNotSet": { - "description": "Error when attempting operation without selected vault" - }, - "ledgerErrorMissingScriptTypeSign": "O tipo de script é necessário para assinar", - "@ledgerErrorMissingScriptTypeSign": { - "description": "Error message when script type is missing for signing" - }, - "dcaSetupContinue": "Continue", - "@dcaSetupContinue": { - "description": "Continue button on DCA setup" - }, - "electrumFormatError": "Use o formato host:port (por exemplo, example.com:50001)", - "@electrumFormatError": { - "description": "Validation error for incorrect server URL format" - }, - "arkAboutDurationDay": "{days} dia", - "@arkAboutDurationDay": { - "description": "Duration format for singular day", - "placeholders": { - "days": { - "type": "int" - } - } - }, - "arkDurationHour": "{hours} hora", - "@arkDurationHour": { - "description": "Duration format for singular hour", - "placeholders": { - "hours": { - "type": "String" - } - } - }, - "transactionFeesDeductedFrom": "Essas taxas serão deduzidas do montante enviado", - "@transactionFeesDeductedFrom": { - "description": "Fee deduction explanation for receiving swaps" - }, - "buyConfirmYouPay": "Você paga", - "@buyConfirmYouPay": { - "description": "Field label for payment amount" - }, - "importWatchOnlyTitle": "Importar apenas relógio", - "@importWatchOnlyTitle": { - "description": "AppBar title for watch-only import screen" - }, - "cancel": "Cancelar", - "@cancel": { - "description": "Generic cancel button label" - }, - "walletDetailsWalletFingerprintLabel": "Carteira digital", - "@walletDetailsWalletFingerprintLabel": { - "description": "Label for the wallet fingerprint field in wallet details" - }, - "logsViewerTitle": "Logs", - "@logsViewerTitle": { - "description": "AppBar title for logs viewer screen" - }, - "recoverbullTorNotStarted": "Tor não é iniciado", - "@recoverbullTorNotStarted": { - "description": "Error message when Tor is not started" - }, - "arkPending": "Pendente", - "@arkPending": { - "description": "Label for pending balance in breakdown" - }, - "transactionOrderLabelOrderStatus": "Status da ordem", - "@transactionOrderLabelOrderStatus": { - "description": "Label for order status" - }, - "testBackupCreatedAt": "Criado em:", - "@testBackupCreatedAt": { - "description": "Label for vault creation timestamp field" - }, - "dcaSetRecurringBuyTitle": "Definir Recorrer Comprar", - "@dcaSetRecurringBuyTitle": { - "description": "AppBar title for the main DCA setup screen" - }, - "psbtFlowSignTransactionOnDevice": "Clique nos botões para assinar a transação no seu {device}.", - "@psbtFlowSignTransactionOnDevice": { - "description": "Instruction to sign transaction on hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "transactionStatusPending": "Pendente", - "@transactionStatusPending": { - "description": "Status label for pending transactions" - }, - "settingsSuperuserModeDisabledMessage": "Modo Superuser desativado.", - "@settingsSuperuserModeDisabledMessage": { - "description": "Message shown when superuser mode is disabled" - }, - "bitboxCubitConnectionFailed": "Falhado para se conectar ao dispositivo BitBox. Por favor, verifique a sua ligação.", - "@bitboxCubitConnectionFailed": { - "description": "Error interpretation for connection failure" - }, - "settingsTermsOfServiceTitle": "Termos de Serviço", - "@settingsTermsOfServiceTitle": { - "description": "Title for the terms of service section in the settings menu" - }, - "importQrDeviceScanning": "A procurar...", - "@importQrDeviceScanning": { - "description": "Status while scanning QR code" - }, - "importWalletKeystone": "Chaveiro", - "@importWalletKeystone": { - "description": "Button label for Keystone hardware wallet" - }, - "payNewRecipients": "Novos destinatários", - "@payNewRecipients": { - "description": "Tab label for new recipients" - }, - "transactionLabelSendNetworkFees": "Enviar taxas de rede", - "@transactionLabelSendNetworkFees": { - "description": "Label for send network fees in swap details" - }, - "transactionLabelAddress": "Endereço", - "@transactionLabelAddress": { - "description": "Label for transaction address" - }, - "testBackupConfirm": "Confirmação", - "@testBackupConfirm": { - "description": "Button text to confirm wallet selection" - }, - "urProcessingFailedMessage": "UR processamento falhou", - "@urProcessingFailedMessage": { - "description": "Error message when UR processing encounters an exception" - }, - "backupWalletChooseVaultLocationTitle": "Escolha a localização do vault", - "@backupWalletChooseVaultLocationTitle": { - "description": "AppBar title for choosing encrypted vault provider screen" - }, - "receiveCopyAddressOnly": "Copiar ou escanear endereço somente", - "@receiveCopyAddressOnly": { - "description": "Option to copy or scan only the address without amount or other details" - }, - "testBackupErrorTestFailed": "Falhado para testar backup: {error}", - "@testBackupErrorTestFailed": { - "description": "Generic error message for backup test failure", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payLightningFee": "Taxa de iluminação", - "@payLightningFee": { - "description": "Label for Lightning Network routing fee" - }, - "payLabelOptional": "Etiqueta (opcional)", - "@payLabelOptional": { - "description": "Label for optional label field" - }, - "recoverbullGoogleDriveDeleteButton": "Excluir", - "@recoverbullGoogleDriveDeleteButton": { - "description": "Delete button text for vault backup" - }, - "arkBalanceBreakdownTooltip": "Repartição do saldo", - "@arkBalanceBreakdownTooltip": { - "description": "Tooltip for info button that opens balance breakdown" - }, - "exchangeDcaDeactivateTitle": "Desativar a recuperação", - "@exchangeDcaDeactivateTitle": { - "description": "Title shown when DCA is active and can be deactivated" - }, - "exchangeSettingsSecuritySettingsTitle": "Configurações de segurança", - "@exchangeSettingsSecuritySettingsTitle": { - "description": "Title for the security settings section in exchange settings" - }, - "fundExchangeMethodEmailETransferSubtitle": "Método mais fácil e mais rápido (instant)", - "@fundExchangeMethodEmailETransferSubtitle": { - "description": "Subtitle for Email E-Transfer payment method" - }, - "testBackupLastBackupTest": "Último teste de backup: {timestamp}", - "@testBackupLastBackupTest": { - "description": "Shows timestamp of last physical backup test", - "placeholders": { - "timestamp": { - "type": "String" - } - } - }, - "payAmountRequired": "O montante é necessário", - "@payAmountRequired": { - "description": "Validation error for empty amount field" - }, - "keystoneStep7": " - Tente mover seu dispositivo para trás um pouco", - "@keystoneStep7": { - "description": "Keystone troubleshooting tip 3" - }, - "coreSwapsChainExpired": "Transferência Expirou", - "@coreSwapsChainExpired": { - "description": "Status message for expired chain swap" - }, - "payDefaultCommentOptional": "Comentário padrão (opcional)", - "@payDefaultCommentOptional": { - "description": "Label for default comment field" - }, - "payCopyInvoice": "Fatura de cópia", - "@payCopyInvoice": { - "description": "Button text to copy invoice to clipboard" - }, - "transactionListYesterday": "Ontem", - "@transactionListYesterday": { - "description": "Date label for yesterday's transactions" - }, - "walletButtonReceive": "Receber", - "@walletButtonReceive": { - "description": "Button label to receive funds" - }, - "buyLevel2Limit": "Limite de nível 2: {amount}", - "@buyLevel2Limit": { - "description": "Purchase limit for enhanced KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "bitboxCubitDeviceNotPaired": "Dispositivo não emparelhado. Por favor, complete o processo de emparelhamento primeiro.", - "@bitboxCubitDeviceNotPaired": { - "description": "Error interpretation for device not paired" - }, - "sellCrcBalance": "CRC Balanço", - "@sellCrcBalance": { - "description": "Display text for CRC balance payout method" - }, - "paySelectCoinsManually": "Selecione moedas manualmente", - "@paySelectCoinsManually": { - "description": "Option to manually select UTXOs" - }, - "replaceByFeeActivatedLabel": "Substitui-a-taxa activada", - "@replaceByFeeActivatedLabel": { - "description": "Label for RBF toggle switch" - }, - "sendPaymentProcessing": "O pagamento está sendo processado. Pode demorar até um minuto", - "@sendPaymentProcessing": { - "description": "Message while payment processes" - }, - "electrumDefaultServersInfo": "Para proteger sua privacidade, os servidores padrão não são usados quando os servidores personalizados são configurados.", - "@electrumDefaultServersInfo": { - "description": "Info message explaining default servers behavior" - }, - "transactionDetailLabelPayoutMethod": "Método de pagamento", - "@transactionDetailLabelPayoutMethod": { - "description": "Label for payout method" - }, - "testBackupErrorLoadMnemonic": "Carga mnemônica: {error}", - "@testBackupErrorLoadMnemonic": { - "description": "Error when loading mnemonic fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payPriceRefreshIn": "Preço irá refrescar-se ", - "@payPriceRefreshIn": { - "description": "Text before countdown timer" - }, - "bitboxCubitOperationCancelled": "A operação foi cancelada. Por favor, tente novamente.", - "@bitboxCubitOperationCancelled": { - "description": "Error interpretation for cancelled operation" - }, - "passportStep3": "Digitalizar o código QR mostrado na carteira Bull", - "@passportStep3": { - "description": "Passport instruction step 3" - }, - "jadeStep5": "Se você tiver problemas de digitalização:", - "@jadeStep5": { - "description": "Jade troubleshooting header" - }, - "electrumProtocolError": "Não inclua protocolo (ssl:// ou tcp://).", - "@electrumProtocolError": { - "description": "Validation error when protocol is included in server URL" - }, - "receivePayjoinFailQuestion": "Não há tempo para esperar ou o payjoin falhou no lado do remetente?", - "@receivePayjoinFailQuestion": { - "description": "Question prompting user if they want to proceed without payjoin" - }, - "arkSendConfirmTitle": "Enviar", - "@arkSendConfirmTitle": { - "description": "Title for the ark send confirmation page" - }, - "importQrDeviceSeedsignerStep1": "Poder no seu dispositivo SeedSigner", - "@importQrDeviceSeedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, - "exchangeRecipientsTitle": "Os participantes", - "@exchangeRecipientsTitle": { - "description": "Title for the recipients section in exchange" - }, - "legacySeedViewEmptyPassphrase": "(empty)", - "@legacySeedViewEmptyPassphrase": { - "description": "Text shown for empty passphrase" - }, - "importWatchOnlyDerivationPath": "Caminho de Derivação", - "@importWatchOnlyDerivationPath": { - "description": "Label for derivation path field" - }, - "sendErrorBroadcastFailed": "Falhado em transmitir transação. Verifique sua conexão de rede e tente novamente.", - "@sendErrorBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, - "paySecurityQuestion": "Pergunta de segurança", - "@paySecurityQuestion": { - "description": "Label for security question field" - }, - "dcaSelectWalletTypeLabel": "Selecione Bitcoin Tipo de carteira", - "@dcaSelectWalletTypeLabel": { - "description": "Label above wallet type selection radio buttons" - }, - "backupWalletHowToDecideVaultModalTitle": "Como decidir", - "@backupWalletHowToDecideVaultModalTitle": { - "description": "Modal title for vault location comparison help" - }, - "importQrDeviceJadeStep1": "Ligue o dispositivo Jade", - "@importQrDeviceJadeStep1": { - "description": "Jade instruction step 1" - }, - "payNotLoggedInDescription": "Você não está conectado. Faça login para continuar usando o recurso de pagamento.", - "@payNotLoggedInDescription": { - "description": "Description for not logged in state" - }, - "testBackupEncryptedVaultTag": "Fácil e simples (1 minuto)", - "@testBackupEncryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, - "transactionLabelAddressNotes": "Notas de endereço", - "@transactionLabelAddressNotes": { - "description": "Label for address notes/labels" - }, - "bitboxScreenTroubleshootingStep3": "Reinicie seu dispositivo BitBox02 desconectando e reconectando-o.", - "@bitboxScreenTroubleshootingStep3": { - "description": "Troubleshooting step 3" - }, - "torSettingsProxyPort": "Porto Proxy de Tor", - "@torSettingsProxyPort": { - "description": "Title for Tor proxy port settings" - }, - "fundExchangeErrorLoadingDetails": "Os detalhes do pagamento não podem ser carregados neste momento. Por favor, volte e tente novamente, escolha outro método de pagamento ou volte mais tarde.", - "@fundExchangeErrorLoadingDetails": { - "description": "Error message when funding details fail to load" - }, - "testCompletedSuccessTitle": "Teste concluído com sucesso!", - "@testCompletedSuccessTitle": { - "description": "Title shown when backup test is successful" - }, - "payBitcoinAmount": "Quantidade de Bitcoin", - "@payBitcoinAmount": { - "description": "Label for Bitcoin amount" - }, - "fundExchangeSpeiTransfer": "Transferência SPEI", - "@fundExchangeSpeiTransfer": { - "description": "SPEI transfer method title (Mexico)" - }, - "recoverbullUnexpectedError": "Erro inesperado", - "@recoverbullUnexpectedError": { - "description": "Short unexpected error message" - }, - "coreSwapsStatusFailed": "Falhado", - "@coreSwapsStatusFailed": { - "description": "Display name for failed swap status" - }, - "transactionFilterSell": "Venda", - "@transactionFilterSell": { - "description": "Filter option to show only sell orders" - }, - "fundExchangeMethodSpeiTransfer": "Transferência SPEI", - "@fundExchangeMethodSpeiTransfer": { - "description": "Payment method: SPEI transfer (Mexico)" - }, - "fundExchangeSinpeWarningNoBitcoinDescription": " a palavra \"Bitcoin\" ou \"Crypto\" na descrição de pagamento. Isso irá bloquear o seu pagamento.", - "@fundExchangeSinpeWarningNoBitcoinDescription": { - "description": "Warning that including Bitcoin or Crypto in description will block payment" - }, - "electrumAddServer": "Adicionar Servidor", - "@electrumAddServer": { - "description": "Add server button label" - }, - "addressViewCopyAddress": "Endereço de cópia", - "@addressViewCopyAddress": { - "description": "Button to copy address to clipboard" - }, - "receiveBitcoin": "Bitcoin", - "@receiveBitcoin": { - "description": "Label for receiving Bitcoin on the base layer" - }, - "pinAuthenticationTitle": "Autenticação", - "@pinAuthenticationTitle": { - "description": "AppBar title for create/confirm PIN screens" - }, - "sellErrorNoWalletSelected": "Nenhuma carteira selecionada para enviar pagamento", - "@sellErrorNoWalletSelected": { - "description": "Error message when no wallet is selected for payment" - }, - "fundExchangeCrIbanCrcRecipientNameHelp": "Use nosso nome corporativo oficial. Não use \"Bull Bitcoin\".", - "@fundExchangeCrIbanCrcRecipientNameHelp": { - "description": "Help text for recipient name field explaining to use corporate name" - }, - "receiveVerifyAddressLedger": "Verificar endereço no Ledger", - "@receiveVerifyAddressLedger": { - "description": "Button label for verifying an address on a Ledger hardware wallet" - }, - "howToDecideButton": "Como decidir?", - "@howToDecideButton": { - "description": "Button label to show information about choosing backup methods" - }, - "testBackupFetchingFromDevice": "Vou buscar o dispositivo.", - "@testBackupFetchingFromDevice": { - "description": "Progress screen title when fetching from local device" - }, - "backupWalletHowToDecideVaultCustomLocation": "Um local personalizado pode ser muito mais seguro, dependendo de qual local você escolher. Você também deve ter certeza de não perder o arquivo de backup ou perder o dispositivo no qual seu arquivo de backup é armazenado.", - "@backupWalletHowToDecideVaultCustomLocation": { - "description": "Explanation of custom location benefits and risks" - }, - "exchangeLegacyTransactionsComingSoon": "Transações Legadas - Em breve", - "@exchangeLegacyTransactionsComingSoon": { - "description": "Message indicating that the legacy transactions feature is coming soon" - }, - "buyProofOfAddress": "Prova de Endereço", - "@buyProofOfAddress": { - "description": "Type of document required" - }, - "backupWalletInstructionNoDigitalCopies": "Não faça cópias digitais de seu backup. Escreva-o em um pedaço de papel, ou gravado em metal.", - "@backupWalletInstructionNoDigitalCopies": { - "description": "Instruction to avoid digital copies and use physical medium" - }, - "psbtFlowError": "Erro: {error}", - "@psbtFlowError": { - "description": "Error message in psbt flow", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "replaceByFeeFastestDescription": "Entrega estimada ~ 10 minutos", - "@replaceByFeeFastestDescription": { - "description": "Description for fastest fee option" - }, - "backupKeyHint": "acc8b7b12daf06412f45a90b7fd2..", - "@backupKeyHint": { - "description": "Hint text for backup key input" - }, - "importQrDeviceSeedsignerStep2": "Abra o menu \"Sementes\"", - "@importQrDeviceSeedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, - "exchangeAmountInputValidationZero": "O montante deve ser superior a zero", - "@exchangeAmountInputValidationZero": { - "description": "Validation message when amount is zero or negative" - }, - "transactionLabelTransactionFee": "Taxa de transação", - "@transactionLabelTransactionFee": { - "description": "Label for transaction fee" - }, - "importWatchOnlyRequired": "Requisitos", - "@importWatchOnlyRequired": { - "description": "Placeholder hint for required input fields" - }, - "payWalletNotSynced": "Carteira não sincronizada. Por favor, espere", - "@payWalletNotSynced": { - "description": "Error when wallet sync is incomplete" - }, - "recoverbullRecoveryLoadingMessage": "Procurando equilíbrio e transações..", - "@recoverbullRecoveryLoadingMessage": { - "description": "Loading message while checking wallet balance and transactions" - }, - "transactionSwapInfoChainDelay": "As transferências on-chain podem levar algum tempo para completar devido aos tempos de confirmação do blockchain.", - "@transactionSwapInfoChainDelay": { - "description": "Additional info about chain transfer delays" - }, - "sellExchangeRate": "Taxa de câmbio", - "@sellExchangeRate": { - "description": "Label for exchange rate" - }, - "walletOptionsNotFoundMessage": "Carteira não encontrada", - "@walletOptionsNotFoundMessage": { - "description": "Error message displayed when a wallet cannot be found" - }, - "importMnemonicLegacy": "Legado", - "@importMnemonicLegacy": { - "description": "Label for Legacy (BIP44) wallet type" - }, - "settingsDevModeWarningMessage": "Este modo é arriscado. Ao habilitar, você reconhece que pode perder dinheiro", - "@settingsDevModeWarningMessage": { - "description": "Warning message displayed when enabling developer mode" - }, - "sellTitle": "Venda de Bitcoin", - "@sellTitle": { - "description": "AppBar title for sell screen" - }, - "recoverbullVaultKey": "Chave de fenda", - "@recoverbullVaultKey": { - "description": "Screen title and label for vault key" - }, - "transactionListToday": "Hoje", - "@transactionListToday": { - "description": "Date label for today's transactions" - }, - "keystoneStep12": "A carteira Bull Bitcoin irá pedir-lhe para digitalizar o código QR no Keystone. Analisa-o.", - "@keystoneStep12": { - "description": "Keystone instruction for scanning signed PSBT" - }, - "ledgerErrorRejectedByUser": "A transação foi rejeitada pelo usuário no dispositivo Ledger.", - "@ledgerErrorRejectedByUser": { - "description": "Error message when user rejects transaction on Ledger (error code 6985)" - }, - "payFeeRate": "Taxa de taxa", - "@payFeeRate": { - "description": "Label for fee rate (sat/vB)" - }, - "autoswapWarningDescription": "Autoswap garante que um bom equilíbrio é mantido entre seus pagamentos instantâneos e carteira de Bitcoin seguro.", - "@autoswapWarningDescription": { - "description": "Description text at the top of the autoswap warning bottom sheet" - }, - "fundExchangeSinpeAddedToBalance": "Uma vez que o pagamento é enviado, ele será adicionado ao seu saldo de conta.", - "@fundExchangeSinpeAddedToBalance": { - "description": "Message explaining that payment will be added to account balance" - }, - "durationMinute": "{minutes} minuto", - "@durationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "recoverbullErrorDecryptedVaultNotSet": "Vault descriptografado não está definido", - "@recoverbullErrorDecryptedVaultNotSet": { - "description": "Error when attempting operation without decrypted vault" - }, - "pinCodeMismatchError": "PINs não correspondem", - "@pinCodeMismatchError": { - "description": "Error message when PIN confirmation doesn't match" - }, - "autoswapRecipientWalletPlaceholderRequired": "Selecione uma carteira Bitcoin *", - "@autoswapRecipientWalletPlaceholderRequired": { - "description": "Dropdown placeholder with required indicator when auto transfer is enabled" - }, - "recoverbullGoogleDriveErrorGeneric": "Um erro ocorreu. Por favor, tente novamente.", - "@recoverbullGoogleDriveErrorGeneric": { - "description": "Generic error message for unknown errors" - }, - "sellUnauthenticatedError": "Não és autenticado. Faça login para continuar.", - "@sellUnauthenticatedError": { - "description": "Error message for unauthenticated user" - }, - "coreScreensConfirmSend": "Enviar", - "@coreScreensConfirmSend": { - "description": "Title for confirm send action" - }, - "transactionDetailLabelSwapStatus": "Status do balanço", - "@transactionDetailLabelSwapStatus": { - "description": "Label for swap status" - }, - "passportStep10": "O Passaporte irá então mostrar-lhe o seu próprio código QR.", - "@passportStep10": { - "description": "Passport instruction about signed PSBT QR" - }, - "transactionDetailLabelAmountSent": "Montante enviado", - "@transactionDetailLabelAmountSent": { - "description": "Label for amount sent" - }, - "electrumStopGapEmptyError": "O Gap não pode estar vazio", - "@electrumStopGapEmptyError": { - "description": "Validation error for empty Stop Gap field" - }, - "typeLabel": "Tipo: ", - "@typeLabel": { - "description": "Label for address type (Receive/Change)" - }, - "buyInputInsufficientBalance": "Balança insuficiente", - "@buyInputInsufficientBalance": { - "description": "Insufficient balance info card title" - }, - "ledgerProcessingSignSubtext": "Por favor, confirme a transação no seu dispositivo Ledger...", - "@ledgerProcessingSignSubtext": { - "description": "Processing subtext shown while signing transaction" - }, - "withdrawConfirmClabe": "CLABE", - "@withdrawConfirmClabe": { - "description": "Field label for CLABE (Mexico)" - }, - "amountLabel": "Montante", - "@amountLabel": { - "description": "Label for transaction amount display" - }, - "sellUsdBalance": "USD / USD Balanço", - "@sellUsdBalance": { - "description": "Display text for USD balance payout method" - }, - "payScanQRCode": "Digitalização QR Código", - "@payScanQRCode": { - "description": "Button text to open QR code scanner for payment" - }, - "seedsignerStep10": "O SeedSigner irá então mostrar-lhe o seu próprio código QR.", - "@seedsignerStep10": { - "description": "SeedSigner instruction about signed PSBT QR" - }, - "psbtInstructions": "Instruções", - "@psbtInstructions": { - "description": "Button text to show device-specific signing instructions" - }, - "swapProgressCompletedMessage": "Esperaste! A transferência terminou sucessivamente.", - "@swapProgressCompletedMessage": { - "description": "Completed transfer message" - }, - "sellCalculating": "Cálculo...", - "@sellCalculating": { - "description": "Text shown while calculating fees" - }, - "recoverbullPIN": "PIN", - "@recoverbullPIN": { - "description": "Label for PIN input type" - }, - "swapInternalTransferTitle": "Transferência interna", - "@swapInternalTransferTitle": { - "description": "AppBar title on the amount entry page" - }, - "withdrawConfirmPayee": "Pagamento", - "@withdrawConfirmPayee": { - "description": "Field label for payee (Bill Payment)" - }, - "importQrDeviceJadeStep8": "Clique no botão \"Câmera aberta\"", - "@importQrDeviceJadeStep8": { - "description": "Jade instruction step 8" - }, - "payPhoneNumberHint": "Digite o número de telefone", - "@payPhoneNumberHint": { - "description": "Hint for phone number input" - }, - "exchangeTransactionsComingSoon": "Transações - Em breve", - "@exchangeTransactionsComingSoon": { - "description": "Message indicating that the transactions feature is coming soon" - }, - "dcaSuccessMessageWeekly": "Você vai comprar {amount} todas as semanas", - "@dcaSuccessMessageWeekly": { - "description": "Success message for weekly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "withdrawConfirmRecipientName": "Nome do destinatário", - "@withdrawConfirmRecipientName": { - "description": "Field label for recipient name" - }, - "autoswapRecipientWalletPlaceholder": "Selecione uma carteira Bitcoin", - "@autoswapRecipientWalletPlaceholder": { - "description": "Dropdown placeholder text when no wallet is selected" - }, - "enterYourBackupPinTitle": "Insira seu backup {pinOrPassword}", - "@enterYourBackupPinTitle": { - "description": "Title for entering backup PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "backupSettingsExporting": "Exportação...", - "@backupSettingsExporting": { - "description": "Button text while vault export is in progress" - }, - "receiveDetails": "Detalhes", - "@receiveDetails": { - "description": "Label for viewing transaction details" - }, - "importQrDeviceSpecterStep11": "A configuração é completa", - "@importQrDeviceSpecterStep11": { - "description": "Specter instruction step 11" - }, - "mempoolSettingsUseForFeeEstimationDescription": "Quando ativado, este servidor será usado para estimativa de taxa. Quando desativado, o servidor de mempool do Bull Bitcoin será usado em vez disso.", - "@mempoolSettingsUseForFeeEstimationDescription": { - "description": "Description for use for fee estimation toggle" - }, - "sendCustomFee": "Taxas personalizadas", - "@sendCustomFee": { - "description": "Label for setting a custom transaction fee" - }, - "seedsignerStep7": " - Tente mover seu dispositivo para trás um pouco", - "@seedsignerStep7": { - "description": "SeedSigner troubleshooting tip 3" - }, - "sendAmount": "Montante", - "@sendAmount": { - "description": "Label for the transaction amount" - }, - "buyInputInsufficientBalanceMessage": "Você não tem equilíbrio suficiente para criar esta ordem.", - "@buyInputInsufficientBalanceMessage": { - "description": "Insufficient balance message" - }, - "recoverbullSelectBackupFileNotValidError": "O arquivo de backup do Recoverbull não é válido", - "@recoverbullSelectBackupFileNotValidError": { - "description": "Error when selected file is not a valid RecoverBull backup format" - }, - "swapErrorInsufficientFunds": "Não consegui construir a transação. Provavelmente devido a fundos insuficientes para cobrir taxas e montante.", - "@swapErrorInsufficientFunds": { - "description": "Error when transaction cannot be built due to insufficient funds" - }, - "dcaConfirmAmount": "Montante", - "@dcaConfirmAmount": { - "description": "Field label for amount" - }, - "arkBalanceBreakdown": "Interrupção de equilíbrio", - "@arkBalanceBreakdown": { - "description": "Title of bottom sheet showing balance breakdown" - }, - "seedsignerStep8": "Uma vez que a transação é importada em seu SeedSigner, você deve selecionar a semente que deseja assinar.", - "@seedsignerStep8": { - "description": "SeedSigner instruction for seed selection" - }, - "sellSendPaymentPriceRefresh": "Preço irá refrescar-se ", - "@sellSendPaymentPriceRefresh": { - "description": "Price refresh countdown prefix" - }, - "arkAboutCopy": "Entendido", - "@arkAboutCopy": { - "description": "Copy button label" - }, - "recoverbullPasswordRequired": "A senha é necessária", - "@recoverbullPasswordRequired": { - "description": "Validation error when password field is empty" - }, - "receiveNoteLabel": "Nota", - "@receiveNoteLabel": { - "description": "Label for the note field in receive" - }, - "payFirstName": "Primeiro nome", - "@payFirstName": { - "description": "Label for first name field" - }, - "arkNoTransactionsYet": "Ainda não há transações.", - "@arkNoTransactionsYet": { - "description": "Empty state message shown when user has no transaction history" - }, - "recoverViaCloudDescription": "Recupere seu backup via nuvem usando seu PIN.", - "@recoverViaCloudDescription": { - "description": "Description for recovering via cloud" - }, - "importWatchOnlySigningDevice": "Dispositivo de assinatura", - "@importWatchOnlySigningDevice": { - "description": "Label for signing device selection field" - }, - "receiveInvoiceExpired": "Fatura expirada", - "@receiveInvoiceExpired": { - "description": "Status when invoice is no longer valid" - }, - "ledgerButtonManagePermissions": "Gerenciar Permissões de Aplicativos", - "@ledgerButtonManagePermissions": { - "description": "Button label to open app permissions settings" - }, - "autoswapMinimumThresholdErrorSats": "O limiar mínimo de equilíbrio é {amount} sats", - "@autoswapMinimumThresholdErrorSats": { - "description": "Validation error shown when amount threshold is below minimum (sats display)", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyKycPendingTitle": "Pendente de Verificação de ID KYC", - "@buyKycPendingTitle": { - "description": "Title for KYC verification required card" - }, - "transactionOrderLabelPayinStatus": "Estado de Payin", - "@transactionOrderLabelPayinStatus": { - "description": "Label for order payin status" - }, - "sellSendPaymentSecureWallet": "Carteira Bitcoin segura", - "@sellSendPaymentSecureWallet": { - "description": "Secure wallet label" - }, - "coreSwapsLnReceiveRefundable": "Swap está pronto para ser reembolsado.", - "@coreSwapsLnReceiveRefundable": { - "description": "Status message for refundable Lightning receive swap" - }, - "bitcoinSettingsElectrumServerTitle": "Configurações do servidor Electrum", - "@bitcoinSettingsElectrumServerTitle": { - "description": "Title for the Electrum server settings section in Bitcoin settings" - }, - "payRemoveRecipient": "Remover Recipiente", - "@payRemoveRecipient": { - "description": "Button to remove a recipient from batch" - }, - "pasteInputDefaultHint": "Cole um endereço de pagamento ou fatura", - "@pasteInputDefaultHint": { - "description": "Default placeholder hint for paste input field" - }, - "sellKycPendingTitle": "Pendente de Verificação de ID KYC", - "@sellKycPendingTitle": { - "description": "Title shown when KYC verification is pending" - }, - "withdrawRecipientsFilterAll": "Todos os tipos", - "@withdrawRecipientsFilterAll": { - "description": "Filter option for all recipient types" - }, - "bitboxScreenSegwitBip84Subtitle": "Nativo SegWit - Recomendado", - "@bitboxScreenSegwitBip84Subtitle": { - "description": "Subtitle for BIP84 option" - }, - "fundExchangeSpeiSubtitle": "Transferir fundos usando seu CLABE", - "@fundExchangeSpeiSubtitle": { - "description": "SPEI transfer subtitle" - }, - "encryptedVaultRecommendationText": "Você não tem certeza e precisa de mais tempo para aprender sobre práticas de segurança de backup.", - "@encryptedVaultRecommendationText": { - "description": "Text explaining when to use encrypted vault" - }, - "urDecodingFailedMessage": "UR decodificação falhou", - "@urDecodingFailedMessage": { - "description": "Error message when UR decoding fails" - }, - "fundExchangeAccountSubtitle": "Selecione seu país e método de pagamento", - "@fundExchangeAccountSubtitle": { - "description": "Subtitle on fund exchange account screen prompting user to select country and payment method" - }, - "appStartupContactSupportButton": "Suporte de contato", - "@appStartupContactSupportButton": { - "description": "Button label to contact support when app startup fails" - }, - "bitboxScreenWaitingConfirmation": "À espera da confirmação de BitBox02...", - "@bitboxScreenWaitingConfirmation": { - "description": "Message shown while waiting for device confirmation" - }, - "howToDecideVaultLocationText1": "Provedores de armazenamento em nuvem como o Google ou a Apple não terão acesso ao seu Bitcoin porque a senha de criptografia é muito forte. Eles só podem acessar seu Bitcoin no caso improvável que eles colludem com o servidor chave (o serviço on-line que armazena sua senha de criptografia). Se o servidor chave alguma vez for hackeado, seu Bitcoin pode estar em risco com o Google ou a nuvem da Apple.", - "@howToDecideVaultLocationText1": { - "description": "First paragraph explaining vault location decision" - }, - "receiveFeeExplanation": "Esta taxa será deduzida do montante enviado", - "@receiveFeeExplanation": { - "description": "Explanation that fees are deducted from the sent amount" - }, - "payCannotBumpFee": "Não pode pagar por esta transação", - "@payCannotBumpFee": { - "description": "Error when RBF is not available" - }, - "payAccountNumber": "Número de conta", - "@payAccountNumber": { - "description": "Label for account number" - }, - "arkSatsUnit": "sats", - "@arkSatsUnit": { - "description": "Unit label for satoshis in Ark transaction details" - }, - "payMinimumAmount": "Mínimo: {amount}", - "@payMinimumAmount": { - "description": "Label showing minimum payment amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sendSwapRefundCompleted": "Reembolso de Swap Completado", - "@sendSwapRefundCompleted": { - "description": "Title when refund has completed" - }, - "sendConfirmSwap": "Confirme Swap", - "@sendConfirmSwap": { - "description": "Button to proceed with swap" - }, - "exchangeLogoutComingSoon": "Log Out - Chegando em breve", - "@exchangeLogoutComingSoon": { - "description": "Message indicating that the log out feature is coming soon" - }, - "sendSending": "Enviar", - "@sendSending": { - "description": "Title shown while transaction is being sent" - }, - "withdrawConfirmAccount": "Conta", - "@withdrawConfirmAccount": { - "description": "Field label for bank account" - }, - "backupButton": "Backup", - "@backupButton": { - "description": "Button label to start backup process" - }, - "sellSendPaymentPayoutAmount": "Quantidade de pagamento", - "@sellSendPaymentPayoutAmount": { - "description": "Field label for payout amount" - }, - "payOrderNumber": "Número de ordem", - "@payOrderNumber": { - "description": "Label for order number" - }, - "sendErrorConfirmationFailed": "Confirmação Falhada", - "@sendErrorConfirmationFailed": { - "description": "Error title when transaction confirmation fails" - }, - "recoverbullWaiting": "Esperando", - "@recoverbullWaiting": { - "description": "Status label indicating waiting state" - }, - "notTestedStatus": "Não testado", - "@notTestedStatus": { - "description": "Status text indicating backup has not been tested" - }, - "paySinpeNumeroOrden": "Número de ordem", - "@paySinpeNumeroOrden": { - "description": "Label for order number in SINPE details" - }, - "backupBestPracticesTitle": "Melhores práticas de backup", - "@backupBestPracticesTitle": { - "description": "Title for backup best practices screen" - }, - "transactionLabelRecipientAddress": "Endereço de destinatário", - "@transactionLabelRecipientAddress": { - "description": "Label for recipient address" - }, - "backupWalletVaultProviderGoogleDrive": "Google Drive", - "@backupWalletVaultProviderGoogleDrive": { - "description": "Name of Google Drive vault provider option" - }, - "bitboxCubitDeviceNotFound": "Nenhum dispositivo BitBox encontrado. Por favor, conecte seu dispositivo e tente novamente.", - "@bitboxCubitDeviceNotFound": { - "description": "Error interpretation for device not found" - }, - "autoswapSaveError": "Falhado para salvar configurações: {error}", - "@autoswapSaveError": { - "description": "Error message when save fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "buyStandardWithdrawal": "Retirada padrão", - "@buyStandardWithdrawal": { - "description": "Regular withdrawal option" - }, - "swapContinue": "Continue", - "@swapContinue": { - "description": "Continue button on swap amount screen" - }, - "arkSettleButton": "Settle", - "@arkSettleButton": { - "description": "Settle button label" - }, - "electrumAddFailedError": "Falhado em adicionar servidor personalizado{reason}", - "@electrumAddFailedError": { - "description": "Error message when adding custom server fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "transactionDetailLabelTransferFees": "Taxas de transferência", - "@transactionDetailLabelTransferFees": { - "description": "Label for transfer fees" - }, - "arkAboutDurationHours": "{hours} horas", - "@arkAboutDurationHours": { - "description": "Duration format for plural hours", - "placeholders": { - "hours": { - "type": "int" - } - } - }, - "importWalletSectionGeneric": "Carteiras genéricas", - "@importWalletSectionGeneric": { - "description": "Section header for generic wallet types" - }, - "arkEsploraUrl": "URL de impressão", - "@arkEsploraUrl": { - "description": "Label for Esplora URL field" - }, - "backupSettingsNotTested": "Não testado", - "@backupSettingsNotTested": { - "description": "Status text shown when backup has not been tested" - }, - "googleDrivePrivacyMessage": "O Google irá pedir-lhe para partilhar informações pessoais com este aplicativo.", - "@googleDrivePrivacyMessage": { - "description": "Message about Google requesting personal information" - }, - "errorGenericTitle": "Oops! Algo correu mal", - "@errorGenericTitle": { - "description": "Generic error title when hasError is true" - }, - "bitboxActionPairDeviceSuccess": "Dispositivo emparelhado com sucesso", - "@bitboxActionPairDeviceSuccess": { - "description": "Success text for pair device" - }, - "bitboxErrorNoDevicesFound": "Nenhum dispositivo BitBox encontrado. Certifique-se de que seu dispositivo está ligado e conectado via USB.", - "@bitboxErrorNoDevicesFound": { - "description": "Error when no BitBox devices are detected" - }, - "torSettingsStatusConnecting": "Conectando...", - "@torSettingsStatusConnecting": { - "description": "Status title when Tor is connecting" - }, - "receiveSwapID": "ID do balanço", - "@receiveSwapID": { - "description": "Label for the swap identifier in a receive transaction" - }, - "settingsBitcoinSettingsTitle": "Configurações de Bitcoin", - "@settingsBitcoinSettingsTitle": { - "description": "Title for the Bitcoin settings section in the settings menu" - }, - "backupWalletHowToDecideBackupModalTitle": "Como decidir", - "@backupWalletHowToDecideBackupModalTitle": { - "description": "Modal title for backup method comparison help" - }, - "backupSettingsLabel": "Backup da carteira", - "@backupSettingsLabel": { - "description": "The label for the button to access the backup settings" - }, - "ledgerWalletTypeNestedSegwit": "Segwit (BIP49)", - "@ledgerWalletTypeNestedSegwit": { - "description": "Display name for Nested Segwit wallet type (BIP49)" - }, - "fundExchangeJurisdictionMexico": "🇲🇽 México", - "@fundExchangeJurisdictionMexico": { - "description": "Dropdown option for Mexico jurisdiction" - }, - "sellInteracEmail": "E-mail Interac", - "@sellInteracEmail": { - "description": "Label for email to receive Interac payment" - }, - "coreSwapsActionClose": "Fechar", - "@coreSwapsActionClose": { - "description": "Action label for closing a swap cooperatively" - }, - "kruxStep6": "Se você tiver problemas de digitalização:", - "@kruxStep6": { - "description": "Krux troubleshooting header" - }, - "autoswapMaximumFeeError": "Limite máximo de taxa é {threshold}%", - "@autoswapMaximumFeeError": { - "description": "Validation error shown when fee threshold exceeds maximum", - "placeholders": { - "threshold": { - "type": "String" - } - } - }, - "swapValidationEnterAmount": "Por favor, insira um montante", - "@swapValidationEnterAmount": { - "description": "Validation error when amount is empty" - }, - "recoverbullErrorVaultCreatedKeyNotStored": "Falhado: arquivo Vault criado mas chave não armazenado no servidor", - "@recoverbullErrorVaultCreatedKeyNotStored": { - "description": "Error when vault file created but server key storage failed" - }, - "exchangeSupportChatWalletIssuesInfo": "Este chat é apenas para questões relacionadas com a troca em Funding/Buy/Sell/Withdraw/Pay.\nPara problemas relacionados à carteira, junte-se ao grupo telegrama clicando aqui.", - "@exchangeSupportChatWalletIssuesInfo": { - "description": "Info message about wallet issues and telegram group link" - }, - "exchangeLoginButton": "Login Ou Inscreva-se", - "@exchangeLoginButton": { - "description": "Button label for logging in or signing up to the exchange" - }, - "arkAboutHide": "Esconde-te", - "@arkAboutHide": { - "description": "Button text to hide visible secret key" - }, - "ledgerProcessingVerify": "Mostrando endereço no Ledger...", - "@ledgerProcessingVerify": { - "description": "Status message shown while verifying address on Ledger" - }, - "coreScreensFeePriorityLabel": "Prioridade de Taxas", - "@coreScreensFeePriorityLabel": { - "description": "Label for fee priority field" - }, - "arkSendPendingBalance": "Equilíbrio Pendente ", - "@arkSendPendingBalance": { - "description": "Pending balance label" - }, - "coreScreensLogsTitle": "Logs", - "@coreScreensLogsTitle": { - "description": "AppBar title for logs viewer screen" - }, - "recoverbullVaultKeyInput": "Chave de fenda", - "@recoverbullVaultKeyInput": { - "description": "Input field label for vault key entry" - }, - "testBackupErrorWalletMismatch": "Backup não corresponde à carteira existente", - "@testBackupErrorWalletMismatch": { - "description": "Error when backup doesn't match current wallet" - }, - "bip329LabelsHeading": "BIP329 Etiquetas Importação/Exportação", - "@bip329LabelsHeading": { - "description": "Main heading on BIP329 labels page" - }, - "jadeStep2": "Adicionar uma senha se você tiver um (opcional)", - "@jadeStep2": { - "description": "Jade instruction step 2" - }, - "coldcardStep4": "Digitalizar o código QR mostrado na carteira Bull", - "@coldcardStep4": { - "description": "Coldcard instruction step 4" - }, - "importQrDevicePassportStep5": "Selecione a opção \"Sparrow\"", - "@importQrDevicePassportStep5": { - "description": "Passport instruction step 5" - }, - "psbtFlowClickPsbt": "Clique em PSBT", - "@psbtFlowClickPsbt": { - "description": "Instruction to click PSBT option on device" - }, - "sendInvoicePaid": "Fatura paga", - "@sendInvoicePaid": { - "description": "Title when Lightning invoice payment succeeds" - }, - "buyKycPendingDescription": "Você deve concluir a verificação de identificação primeiro", - "@buyKycPendingDescription": { - "description": "Description for KYC verification required" - }, - "payBelowMinAmountError": "Você está tentando pagar abaixo do valor mínimo que pode ser pago com esta carteira.", - "@payBelowMinAmountError": { - "description": "Error message for amount below minimum" - }, - "arkReceiveSegmentArk": "Arca", - "@arkReceiveSegmentArk": { - "description": "Segment option for Ark address type" - }, - "autoswapRecipientWalletInfo": "Escolha qual carteira Bitcoin receberá os fundos transferidos (necessário)", - "@autoswapRecipientWalletInfo": { - "description": "Info tooltip for recipient wallet field" - }, - "importWalletKrux": "Krux", - "@importWalletKrux": { - "description": "Button label for Krux hardware wallet" - }, - "swapContinueButton": "Continue", - "@swapContinueButton": { - "description": "Button to proceed from amount page to confirmation" - }, - "bitcoinSettingsBroadcastTransactionTitle": "Transação de transmissão", - "@bitcoinSettingsBroadcastTransactionTitle": { - "description": "Title for the broadcast transaction option in Bitcoin settings" - }, - "sendSignWithLedger": "Sinal com Ledger", - "@sendSignWithLedger": { - "description": "Button to sign transaction with Ledger hardware wallet" - }, - "pinSecurityTitle": "PIN de segurança", - "@pinSecurityTitle": { - "description": "AppBar title for PIN settings screen" - }, - "swapValidationPositiveAmount": "Insira uma quantidade positiva", - "@swapValidationPositiveAmount": { - "description": "Validation error when amount is not positive" - }, - "walletDetailsSignerLabel": "Sinalização", - "@walletDetailsSignerLabel": { - "description": "Label for the signer field in wallet details" - }, - "exchangeDcaSummaryMessage": "Você está comprando {amount} cada {frequency} via {network} desde que haja fundos em sua conta.", - "@exchangeDcaSummaryMessage": { - "description": "Summary message describing the DCA configuration", - "placeholders": { - "amount": { - "type": "String", - "description": "The amount being purchased (e.g., '$100 CAD')" - }, - "frequency": { - "type": "String" - }, - "network": { - "type": "String" - } - } - }, - "addressLabel": "Endereço: ", - "@addressLabel": { - "description": "Label for UTXO address in coin selection tile" - }, - "testBackupWalletTitle": "Teste {walletName}", - "@testBackupWalletTitle": { - "description": "Dynamic AppBar title showing which wallet is being tested", - "placeholders": { - "walletName": { - "type": "String" - } - } - }, - "withdrawRecipientsPrompt": "Onde e como devemos enviar o dinheiro?", - "@withdrawRecipientsPrompt": { - "description": "Instructions on recipients screen" - }, - "withdrawRecipientsTitle": "Selecione o destinatário", - "@withdrawRecipientsTitle": { - "description": "AppBar title for recipients screen" - }, - "sellPayoutRecipient": "Receptor de pagamento", - "@sellPayoutRecipient": { - "description": "Label for payout recipient" - }, - "backupWalletLastBackupTest": "Último teste de backup: ", - "@backupWalletLastBackupTest": { - "description": "Label prefix for displaying timestamp of last physical backup test" - }, - "whatIsWordNumberPrompt": "Qual é o número da palavra {number}?", - "@whatIsWordNumberPrompt": { - "description": "Prompt asking for specific word number", - "placeholders": { - "number": { - "type": "int", - "example": "5" - } - } - }, - "keystoneStep1": "Entre no seu dispositivo Keystone", - "@keystoneStep1": { - "description": "Keystone instruction step 1" - }, - "keystoneStep3": "Digitalizar o código QR mostrado na carteira Bull", - "@keystoneStep3": { - "description": "Keystone instruction step 3" - }, - "backupKeyWarningMessage": "Atenção: Tenha cuidado onde você salvar a chave de backup.", - "@backupKeyWarningMessage": { - "description": "Warning message about backup key storage" - }, - "arkSendSuccessTitle": "Enviar Sucesso", - "@arkSendSuccessTitle": { - "description": "Title shown after successful Ark send transaction" - }, - "importQrDevicePassportStep3": "Selecione \"Conta de gerenciamento\"", - "@importQrDevicePassportStep3": { - "description": "Passport instruction step 3" - }, - "exchangeAuthErrorMessage": "Um erro ocorreu, tente fazer login novamente.", - "@exchangeAuthErrorMessage": { - "description": "Login error message" - }, - "bitboxActionSignTransactionTitle": "Transação de Sinais", - "@bitboxActionSignTransactionTitle": { - "description": "Title for sign transaction action" - }, - "testBackupGoogleDrivePrivacyPart3": "deixar seu telefone e é ", - "@testBackupGoogleDrivePrivacyPart3": { - "description": "Third part of privacy message" - }, - "logSettingsErrorLoadingMessage": "Registros de carregamento de erros: ", - "@logSettingsErrorLoadingMessage": { - "description": "Error message displayed when logs fail to load" - }, - "dcaAmountLabel": "Montante", - "@dcaAmountLabel": { - "description": "Label for amount detail row" - }, - "walletNetworkLiquid": "Rede líquida", - "@walletNetworkLiquid": { - "description": "Network label for Liquid mainnet" - }, - "receiveArkNetwork": "Arca", - "@receiveArkNetwork": { - "description": "Ark Instant Payments option" - }, - "swapMaxButton": "MAX", - "@swapMaxButton": { - "description": "Button to use maximum available balance" - }, - "transactionSwapStatusTransferStatus": "Status de transferência", - "@transactionSwapStatusTransferStatus": { - "description": "Header for transfer status section" - }, - "importQrDeviceSeedsignerStep8": "Digitalize o código QR exibido no SeedSigner", - "@importQrDeviceSeedsignerStep8": { - "description": "SeedSigner instruction step 8" - }, - "backupKeyTitle": "Chave de backup", - "@backupKeyTitle": { - "description": "Title for backup key screen" - }, - "electrumDeletePrivacyNotice": "Aviso de privacidade:\n\nUsar seu próprio nó garante que nenhum terceiro pode vincular seu endereço IP com suas transações. Ao excluir seu último servidor personalizado, você estará se conectando a um servidor BullBitcoin.\n.\n", - "@electrumDeletePrivacyNotice": { - "description": "Privacy notice shown when deleting last custom server" - }, - "dcaConfirmFrequencyWeekly": "Toda semana", - "@dcaConfirmFrequencyWeekly": { - "description": "Weekly frequency label" - }, - "payInstitutionNumberHint": "Número da instituição", - "@payInstitutionNumberHint": { - "description": "Hint for institution number input" - }, - "sendSlowPaymentWarning": "Aviso de pagamento lento", - "@sendSlowPaymentWarning": { - "description": "Warning title for slow payment confirmation" - }, - "quickAndEasyTag": "Rápido e fácil", - "@quickAndEasyTag": { - "description": "Tag for quick and easy options" - }, - "settingsThemeTitle": "Tema", - "@settingsThemeTitle": { - "description": "Title for the theme selection in app settings" - }, - "exchangeSupportChatYesterday": "Ontem", - "@exchangeSupportChatYesterday": { - "description": "Label for yesterday in date formatting" - }, - "jadeStep3": "Selecione \"Scan QR\" opção", - "@jadeStep3": { - "description": "Jade instruction step 3" - }, - "dcaSetupFundAccount": "Fina sua conta", - "@dcaSetupFundAccount": { - "description": "Button to fund account" - }, - "payEmail": "Email", - "@payEmail": { - "description": "Label for email field" - }, - "coldcardStep10": "Clique nos botões para assinar a transação no seu Coldcard.", - "@coldcardStep10": { - "description": "Coldcard instruction for signing" - }, - "sendErrorAmountBelowSwapLimits": "O valor está abaixo dos limites de swap", - "@sendErrorAmountBelowSwapLimits": { - "description": "Error when amount is below minimum swap limit" - }, - "labelErrorNotFound": "Label \"{label}\" não encontrado.", - "@labelErrorNotFound": { - "description": "Error message when a label is not found", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "payPrivatePayment": "Pagamento Privado", - "@payPrivatePayment": { - "description": "Label for privacy-enhanced payment option" - }, - "autoswapDefaultWalletLabel": "Carteira Bitcoin", - "@autoswapDefaultWalletLabel": { - "description": "Default label for unnamed Bitcoin wallet" - }, - "recoverbullTestSuccessDescription": "Você é capaz de recuperar o acesso a uma carteira Bitcoin perdida", - "@recoverbullTestSuccessDescription": { - "description": "Description shown after successful recovery test" - }, - "dcaDeactivate": "Desativar a recuperação", - "@dcaDeactivate": { - "description": "Label to deactivate DCA" - }, - "exchangeAuthLoginFailedTitle": "Login Falhado", - "@exchangeAuthLoginFailedTitle": { - "description": "Title of the dialog shown when exchange login fails" - }, - "autoswapRecipientWallet": "Carteira de Bitcoin", - "@autoswapRecipientWallet": { - "description": "Field label for recipient wallet dropdown" - }, - "arkUnifiedAddressBip21": "Endereço unificado (BIP21)", - "@arkUnifiedAddressBip21": { - "description": "Label for the BIP21 unified address field" - }, - "pickPasswordOrPinButton": "Escolha um {pinOrPassword} em vez >>", - "@pickPasswordOrPinButton": { - "description": "Button to switch between PIN and password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "password" - } - } - }, - "transactionDetailLabelOrderType": "Tipo de ordem", - "@transactionDetailLabelOrderType": { - "description": "Label for order type" - }, - "autoswapWarningSettingsLink": "Leve-me para configurações de auto-despertar", - "@autoswapWarningSettingsLink": { - "description": "Link text to navigate to autoswap settings from the warning bottom sheet" - }, - "payLiquidNetwork": "Rede líquida", - "@payLiquidNetwork": { - "description": "Option for Liquid Network payment" - }, - "backupSettingsKeyWarningExample": "Por exemplo, se você usou o Google Drive para seu arquivo de backup, não use o Google Drive para sua chave de backup.", - "@backupSettingsKeyWarningExample": { - "description": "Example explaining backup key storage separation" - }, - "backupWalletHowToDecideVaultCloudRecommendation": "Google ou Nuvem da Apple: ", - "@backupWalletHowToDecideVaultCloudRecommendation": { - "description": "Bold label for cloud storage recommendation" - }, - "testBackupEncryptedVaultDescription": "Backup anônimo com criptografia forte usando sua nuvem.", - "@testBackupEncryptedVaultDescription": { - "description": "Description for encrypted vault backup option" - }, - "payNetworkType": "Rede", - "@payNetworkType": { - "description": "Label for network type (Lightning/Bitcoin/Liquid)" - }, - "addressViewChangeType": "Variação", - "@addressViewChangeType": { - "description": "Address type label for internal/change addresses" - }, - "walletDeletionConfirmationDeleteButton": "Excluir", - "@walletDeletionConfirmationDeleteButton": { - "description": "Delete button label in wallet deletion confirmation dialog" - }, - "confirmLogoutTitle": "Confirme o logotipo", - "@confirmLogoutTitle": { - "description": "Dialog title for logout confirmation" - }, - "ledgerWalletTypeSelectTitle": "Selecione a carteira Tipo", - "@ledgerWalletTypeSelectTitle": { - "description": "Title for wallet type selection modal" - }, - "swapTransferCompletedMessage": "Esperaste! A transferência foi concluída com sucesso.", - "@swapTransferCompletedMessage": { - "description": "Success message after transfer completion" - }, - "encryptedVaultTag": "Fácil e simples (1 minuto)", - "@encryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, - "electrumDelete": "Excluir", - "@electrumDelete": { - "description": "Delete button label in delete dialog" - }, - "testBackupGoogleDrivePrivacyPart4": "nunca ", - "@testBackupGoogleDrivePrivacyPart4": { - "description": "Fourth part (emphasized) of privacy message" - }, - "arkConfirmButton": "Confirmação", - "@arkConfirmButton": { - "description": "Confirm button to proceed with send transaction" - }, - "sendCoinControl": "Controle de moeda", - "@sendCoinControl": { - "description": "Feature to manually select UTXOs" - }, - "exchangeLandingConnect": "Conecte sua conta de câmbio Bull Bitcoin", - "@exchangeLandingConnect": { - "description": "Subtitle on exchange landing screen" - }, - "payProcessingPayment": "Processamento de pagamento...", - "@payProcessingPayment": { - "description": "Loading message while payment is being processed" - }, - "ledgerImportTitle": "Carteira de LED de importação", - "@ledgerImportTitle": { - "description": "Title for importing a Ledger hardware wallet" - }, - "exchangeDcaFrequencyMonth": "mês", - "@exchangeDcaFrequencyMonth": { - "description": "DCA frequency unit: month" - }, - "paySuccessfulPayments": "Sucesso", - "@paySuccessfulPayments": { - "description": "Filter for successful payments" - }, - "bitboxScreenScanning": "Digitalização de Dispositivos", - "@bitboxScreenScanning": { - "description": "Main text when scanning for devices" - }, - "howToDecideBackupTitle": "Como decidir", - "@howToDecideBackupTitle": { - "description": "Title for how to decide backup method modal" - }, - "statusCheckTitle": "Estado de serviço", - "@statusCheckTitle": { - "description": "Title for the service status screen" - }, - "ledgerHelpSubtitle": "Primeiro, certifique-se de que o dispositivo Ledger está desbloqueado e o aplicativo Bitcoin é aberto. Se o dispositivo ainda não se conectar com o aplicativo, tente o seguinte:", - "@ledgerHelpSubtitle": { - "description": "Subtitle/introduction for Ledger troubleshooting help" - }, - "savingToDevice": "Salvar ao seu dispositivo.", - "@savingToDevice": { - "description": "Message shown when saving to device" - }, - "bitboxActionImportWalletButton": "Importação de início", - "@bitboxActionImportWalletButton": { - "description": "Button text for import wallet" - }, - "fundExchangeLabelSwiftCode": "Código SWIFT", - "@fundExchangeLabelSwiftCode": { - "description": "Label for SWIFT code field" - }, - "buyEnterBitcoinAddress": "Digite o endereço bitcoin", - "@buyEnterBitcoinAddress": { - "description": "Label for bitcoin address input field" - }, - "autoswapWarningBaseBalance": "Equilíbrio base 0.01 BTC", - "@autoswapWarningBaseBalance": { - "description": "Base balance text shown in the autoswap warning bottom sheet" - }, - "transactionDetailLabelPayoutAmount": "Quantidade de pagamento", - "@transactionDetailLabelPayoutAmount": { - "description": "Label for payout amount" - }, - "importQrDeviceSpecterStep6": "Escolha \"Chave única\"", - "@importQrDeviceSpecterStep6": { - "description": "Specter instruction step 6" - }, - "importQrDeviceJadeStep10": "É isso!", - "@importQrDeviceJadeStep10": { - "description": "Jade instruction step 10" - }, - "payPayeeAccountNumberHint": "Digite o número de conta", - "@payPayeeAccountNumberHint": { - "description": "Hint for account number input" - }, - "importQrDevicePassportStep8": "No seu dispositivo móvel, toque em \"câmera aberta\"", - "@importQrDevicePassportStep8": { - "description": "Passport instruction step 8" - }, - "dcaConfirmationError": "Algo correu mal", - "@dcaConfirmationError": { - "description": "Error message displayed when confirmation fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "oopsSomethingWentWrong": "Oops! Algo correu mal", - "@oopsSomethingWentWrong": { - "description": "Error title when something goes wrong" - }, - "pinStatusSettingUpDescription": "Configurando seu código PIN", - "@pinStatusSettingUpDescription": { - "description": "Status screen description during PIN save/delete operations" - }, - "enterYourPinTitle": "Digite seu {pinOrPassword}", - "@enterYourPinTitle": { - "description": "Title for entering PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "onboardingPhysicalBackup": "Backup físico", - "@onboardingPhysicalBackup": { - "description": "Title for the physical backup recovery option in onboarding" - }, - "swapFromLabel": "A partir de", - "@swapFromLabel": { - "description": "Label for source wallet dropdown" - }, - "fundExchangeCrIbanCrcDescription": "Envie uma transferência bancária da sua conta bancária usando os detalhes abaixo ", - "@fundExchangeCrIbanCrcDescription": { - "description": "First part of description for CR IBAN CRC transfer" - }, - "settingsDevModeWarningTitle": "Modo de desenvolvimento", - "@settingsDevModeWarningTitle": { - "description": "Title for the developer mode warning dialog" - }, - "importQrDeviceKeystoneStep4": "Selecione Conectar Carteira de Software", - "@importQrDeviceKeystoneStep4": { - "description": "Keystone instruction step 4" - }, - "bitcoinSettingsAutoTransferTitle": "Configurações de transferência automática", - "@bitcoinSettingsAutoTransferTitle": { - "description": "Title for the auto transfer settings section in Bitcoin settings" - }, - "rbfOriginalTransaction": "Transação original", - "@rbfOriginalTransaction": { - "description": "Header label for original transaction details" - }, - "payViewRecipient": "Ver destinatário", - "@payViewRecipient": { - "description": "Button to view recipient details" - }, - "exchangeAccountInfoUserNumberCopiedMessage": "Número do usuário copiado para clipboard", - "@exchangeAccountInfoUserNumberCopiedMessage": { - "description": "Success message when user number is copied to clipboard" - }, - "settingsAppVersionLabel": "Versão do aplicativo: ", - "@settingsAppVersionLabel": { - "description": "Label displayed before the app version number in settings" - }, - "bip329LabelsExportButton": "Etiquetas de exportação", - "@bip329LabelsExportButton": { - "description": "Button text to export labels" - }, - "jadeStep4": "Digitalizar o código QR mostrado na carteira Bull", - "@jadeStep4": { - "description": "Jade instruction step 4" - }, - "recoverbullRecoveryErrorWalletExists": "Esta carteira já existe.", - "@recoverbullRecoveryErrorWalletExists": { - "description": "Error when attempting to restore vault that already exists" - }, - "payBillerNameValue": "Nome de contador selecionado", - "@payBillerNameValue": { - "description": "Placeholder for biller name" - }, - "sendSelectCoins": "Selecione moedas", - "@sendSelectCoins": { - "description": "Button to open UTXO selector" - }, - "fundExchangeLabelRoutingNumber": "Número de rolagem", - "@fundExchangeLabelRoutingNumber": { - "description": "Label for routing number field" - }, - "enterBackupKeyManuallyButton": "Digite a tecla de backup manualmente >>", - "@enterBackupKeyManuallyButton": { - "description": "Button label to enter backup key manually" - }, - "paySyncingWallet": "Sincronizar carteira...", - "@paySyncingWallet": { - "description": "Status message during wallet sync" - }, - "allSeedViewLoadingMessage": "Isso pode levar algum tempo para carregar se você tiver muitas sementes neste dispositivo.", - "@allSeedViewLoadingMessage": { - "description": "Loading message shown while fetching seeds" - }, - "paySelectWallet": "Selecione a carteira", - "@paySelectWallet": { - "description": "Label for wallet selection dropdown in payment" - }, - "pinCodeChangeButton": "Mudar PIN", - "@pinCodeChangeButton": { - "description": "Button label to change existing PIN" - }, - "paySecurityQuestionHint": "Insira questão de segurança (10-40 caracteres)", - "@paySecurityQuestionHint": { - "description": "Hint for security question input" - }, - "ledgerErrorMissingPsbt": "PSBT é necessário para assinar", - "@ledgerErrorMissingPsbt": { - "description": "Error message when PSBT parameter is missing for signing" - }, - "importWatchOnlyPasteHint": "Pasta xpub, ypub, zpub ou descritor", - "@importWatchOnlyPasteHint": { - "description": "Placeholder hint for paste input field" - }, - "sellAccountNumber": "Número de conta", - "@sellAccountNumber": { - "description": "Label for bank account number" - }, - "backupWalletLastKnownEncryptedVault": "Última criptografia conhecida Vault: ", - "@backupWalletLastKnownEncryptedVault": { - "description": "Label prefix for displaying timestamp of last encrypted vault backup" - }, - "dcaSetupInsufficientBalanceMessage": "Você não tem equilíbrio suficiente para criar esta ordem.", - "@dcaSetupInsufficientBalanceMessage": { - "description": "Insufficient balance error message" - }, - "recoverbullGotIt": "Entendido", - "@recoverbullGotIt": { - "description": "Button text to acknowledge and dismiss message" - }, - "sendAdvancedOptions": "Opções avançadas", - "@sendAdvancedOptions": { - "description": "Section header for advanced sending features" - }, - "sellRateValidFor": "Taxa válida para {seconds}s", - "@sellRateValidFor": { - "description": "Shows rate expiration countdown", - "placeholders": { - "seconds": { - "type": "int" - } - } - }, - "autoswapAutoSaveError": "Falhado para salvar configurações", - "@autoswapAutoSaveError": { - "description": "Error message when auto-save on disable fails" - }, - "exchangeAccountInfoVerificationLightVerification": "Verificação de luz", - "@exchangeAccountInfoVerificationLightVerification": { - "description": "Status label for light verification level" - }, - "exchangeFeatureBankTransfers": "• Enviar transferências bancárias e pagar contas", - "@exchangeFeatureBankTransfers": { - "description": "Feature bullet point describing bank transfer and bill payment features" - }, - "sellSendPaymentInstantPayments": "Pagamentos imediatos", - "@sellSendPaymentInstantPayments": { - "description": "Instant payments wallet label" - }, - "onboardingRecoverWalletButton": "Recuperar Carteira", - "@onboardingRecoverWalletButton": { - "description": "Button label for recovering a wallet in onboarding" - }, - "dcaConfirmAutoMessage": "Comprar ordens serão colocadas automaticamente por estas configurações. Você pode desabilitá-los a qualquer momento.", - "@dcaConfirmAutoMessage": { - "description": "DCA auto-placement message" - }, - "arkCollaborativeRedeem": "Redenção Colaborativa", - "@arkCollaborativeRedeem": { - "description": "Bottom sheet title for collaborative redeem for BTC address sends" - }, - "pinCodeCheckingStatus": "Verificando o status PIN", - "@pinCodeCheckingStatus": { - "description": "Status screen description while checking PIN status" - }, - "usePasswordInsteadButton": "Use {pinOrPassword} em vez >>", - "@usePasswordInsteadButton": { - "description": "Button to use password/PIN instead", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "password" - } - } - }, - "coreSwapsLnSendFailedRefunding": "Swap será reembolsado em breve.", - "@coreSwapsLnSendFailedRefunding": { - "description": "Status message for failed Lightning send swap that will be refunded" - }, - "dcaWalletTypeLightning": "Rede de relâmpago (LN)", - "@dcaWalletTypeLightning": { - "description": "Radio button option for Lightning wallet" - }, - "transactionSwapProgressBroadcasted": "Transmitido", - "@transactionSwapProgressBroadcasted": { - "description": "Swap progress step: transaction broadcasted" - }, - "backupWalletVaultProviderAppleICloud": "Apple iCloud", - "@backupWalletVaultProviderAppleICloud": { - "description": "Name of Apple iCloud vault provider option" - }, - "swapValidationMinimumAmount": "Quantidade mínima é {amount} {currency}", - "@swapValidationMinimumAmount": { - "description": "Validation error when amount is below minimum", - "placeholders": { - "amount": { - "type": "String" - }, - "currency": { - "type": "String" - } - } - }, - "importMnemonicTitle": "Importação Mnemonic", - "@importMnemonicTitle": { - "description": "AppBar title for mnemonic import screen" - }, - "payReplaceByFeeActivated": "Substitui-a-taxa activada", - "@payReplaceByFeeActivated": { - "description": "Label for RBF toggle" - }, - "testBackupDoNotShare": "NÃO COMPLEMENTAR COM NINGUÉM", - "@testBackupDoNotShare": { - "description": "Warning header about keeping recovery phrase secret" - }, - "kruxInstructionsTitle": "Instruções de Krux", - "@kruxInstructionsTitle": { - "description": "Title for Krux signing instructions modal" - }, - "payNotAuthenticated": "Não és autenticado. Faça login para continuar.", - "@payNotAuthenticated": { - "description": "Error message when user is not authenticated" - }, - "paySinpeNumeroComprobante": "Número de referência", - "@paySinpeNumeroComprobante": { - "description": "Label for reference number in SINPE details" - }, - "backupSettingsViewVaultKey": "Ver o Vault Chaveiro", - "@backupSettingsViewVaultKey": { - "description": "Button text to view vault decryption key" - }, - "ledgerErrorNoConnection": "Não há conexão Ledger disponível", - "@ledgerErrorNoConnection": { - "description": "Error message when no Ledger connection is available" - }, - "testBackupSuccessButton": "Entendido", - "@testBackupSuccessButton": { - "description": "Button to dismiss success screen" - }, - "transactionLabelTransactionId": "ID de transação", - "@transactionLabelTransactionId": { - "description": "Label for transaction ID field" - }, - "buyNetworkFeeExplanation": "A taxa de rede Bitcoin será deduzida a partir do valor que você recebe e coletada pelos mineiros Bitcoin", - "@buyNetworkFeeExplanation": { - "description": "Explanation of network fees for express withdrawal" - }, - "transactionDetailLabelAddress": "Endereço", - "@transactionDetailLabelAddress": { - "description": "Label for address" - }, - "fundExchangeCrIbanUsdLabelPaymentDescription": "Descrição do pagamento", - "@fundExchangeCrIbanUsdLabelPaymentDescription": { - "description": "Label for payment description field in CR IBAN USD transfer" - }, - "fundExchangeInfoBeneficiaryNameLeonod": "O nome do beneficiário deve ser LEONOD. Se você colocar qualquer outra coisa, seu pagamento será rejeitado.", - "@fundExchangeInfoBeneficiaryNameLeonod": { - "description": "Critical info about beneficiary name being LEONOD" - }, - "importWalletLedger": "Ledger", - "@importWalletLedger": { - "description": "Button label for Ledger hardware wallet" - }, - "recoverbullCheckingConnection": "Verificando conexão para RecoverBull", - "@recoverbullCheckingConnection": { - "description": "Screen title while checking connection status" - }, - "exchangeLandingTitle": "BITCOIN", - "@exchangeLandingTitle": { - "description": "Main title on exchange landing screen" - }, - "psbtFlowSignWithQr": "Clique em assinar com o código QR", - "@psbtFlowSignWithQr": { - "description": "Instruction to select QR code signing method" - }, - "doneButton": "Feito", - "@doneButton": { - "description": "Button to close advanced options bottom sheet" - }, - "paySendAll": "Enviar tudo", - "@paySendAll": { - "description": "Button to send entire wallet balance" - }, - "pinCodeAuthentication": "Autenticação", - "@pinCodeAuthentication": { - "description": "AppBar title for PIN code authentication screens" - }, - "payLowPriority": "Baixa", - "@payLowPriority": { - "description": "Low fee priority option" - }, - "coreSwapsLnReceivePending": "Swap ainda não é inicializado.", - "@coreSwapsLnReceivePending": { - "description": "Status message for pending Lightning receive swap" - }, - "arkSendConfirmMessage": "Por favor, confirme os detalhes da sua transação antes de enviar.", - "@arkSendConfirmMessage": { - "description": "Message displayed on send confirmation page" - }, - "bitcoinSettingsLegacySeedsTitle": "Sementes Legacy", - "@bitcoinSettingsLegacySeedsTitle": { - "description": "Title for the legacy seeds section in Bitcoin settings" - }, - "transactionDetailLabelPayjoinCreationTime": "Tempo de criação Payjoin", - "@transactionDetailLabelPayjoinCreationTime": { - "description": "Label for payjoin creation time" - }, - "backupWalletBestPracticesTitle": "Melhores práticas de backup", - "@backupWalletBestPracticesTitle": { - "description": "AppBar title for physical backup checklist screen" - }, - "transactionSwapInfoFailedExpired": "Se você tiver alguma dúvida ou preocupação, entre em contato com o suporte para assistência.", - "@transactionSwapInfoFailedExpired": { - "description": "Additional info for failed or expired swaps" - }, - "memorizePasswordWarning": "Você deve memorizar este {pinOrPassword} para recuperar o acesso à sua carteira. Deve ter pelo menos 6 dígitos. Se você perder este {pinOrPassword} você não pode recuperar seu backup.", - "@memorizePasswordWarning": { - "description": "Warning about memorizing PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "googleAppleCloudRecommendation": "Google ou Nuvem da Apple: ", - "@googleAppleCloudRecommendation": { - "description": "Bold label for Google/Apple cloud recommendation" - }, - "exchangeGoToWebsiteButton": "Ir para Bull Bitcoin site de troca", - "@exchangeGoToWebsiteButton": { - "description": "Button label for navigating to the Bull Bitcoin exchange website" - }, - "testWalletTitle": "Teste {walletName}", - "@testWalletTitle": { - "description": "Title for testing wallet backup", - "placeholders": { - "walletName": { - "type": "String", - "example": "Default Wallets" - } - } - }, - "exchangeBitcoinWalletsLiquidAddressLabel": "Endereço líquido", - "@exchangeBitcoinWalletsLiquidAddressLabel": { - "description": "Label for Liquid address field in exchange Bitcoin wallets" - }, - "backupWalletSuccessTestButton": "Teste de backup", - "@backupWalletSuccessTestButton": { - "description": "Button text to proceed to backup testing" - }, - "pinCodeSettingUp": "Configurando seu código PIN", - "@pinCodeSettingUp": { - "description": "Status screen description while setting up PIN" - }, - "replaceByFeeErrorFeeRateTooLow": "Você precisa aumentar a taxa de taxa em pelo menos 1 sat/vbyte em comparação com a transação original", - "@replaceByFeeErrorFeeRateTooLow": { - "description": "Error message when new fee rate is not high enough" - }, - "payPriority": "Prioridade", - "@payPriority": { - "description": "Label for transaction priority/fee level" - }, - "fundExchangeCostaRicaMethodIbanCrcSubtitle": "Transferir fundos em Costa Rican Colón (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcSubtitle": { - "description": "Subtitle description for IBAN CRC payment method" - }, - "receiveNoTimeToWait": "Não há tempo para esperar ou o payjoin falhou no lado do remetente?", - "@receiveNoTimeToWait": { - "description": "Question prompting user if they want to proceed without payjoin" - }, - "payChannelBalanceLow": "Saldo de canal demasiado baixo", - "@payChannelBalanceLow": { - "description": "Error when Lightning channel lacks sufficient outbound liquidity" - }, - "allSeedViewNoSeedsFound": "Nenhuma semente encontrada.", - "@allSeedViewNoSeedsFound": { - "description": "Message shown when no seeds are found" - }, - "bitboxScreenActionFailed": "{action}", - "@bitboxScreenActionFailed": { - "description": "Main text when action fails", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "dcaSetupScheduleMessage": "As compras de Bitcoin serão colocadas automaticamente por esta programação.", - "@dcaSetupScheduleMessage": { - "description": "DCA schedule explanation" - }, - "coreSwapsStatusExpired": "Expirou", - "@coreSwapsStatusExpired": { - "description": "Display name for expired swap status" - }, - "fundExchangeCanadaPostStep3": "3. Diga ao caixa o valor que deseja carregar", - "@fundExchangeCanadaPostStep3": { - "description": "Step 3 for Canada Post payment process" - }, - "payFee": "Taxas", - "@payFee": { - "description": "Label for fee" - }, - "systemLabelSelfSpend": "Auto Spend", - "@systemLabelSelfSpend": { - "description": "System label for self-spend transactions" - }, - "swapProgressRefundMessage": "Houve um erro com a transferência. O seu reembolso está em andamento.", - "@swapProgressRefundMessage": { - "description": "Refund in progress message" - }, - "passportStep4": "Se você tiver problemas de digitalização:", - "@passportStep4": { - "description": "Passport troubleshooting header" - }, - "dcaConfirmContinue": "Continue", - "@dcaConfirmContinue": { - "description": "Continue button on DCA confirmation" - }, - "decryptVaultButton": "Descriptografar cofre", - "@decryptVaultButton": { - "description": "Button label to decrypt vault" - }, - "electrumNetworkBitcoin": "Bitcoin", - "@electrumNetworkBitcoin": { - "description": "Bitcoin network tab label" - }, - "paySecureBitcoinWallet": "Carteira Bitcoin segura", - "@paySecureBitcoinWallet": { - "description": "Display text for secure Bitcoin wallet" - }, - "exchangeAppSettingsDefaultCurrencyLabel": "Moeda padrão", - "@exchangeAppSettingsDefaultCurrencyLabel": { - "description": "Label for default currency setting in exchange app settings" - }, - "arkSendRecipientError": "Digite um destinatário", - "@arkSendRecipientError": { - "description": "Error message when recipient field is empty" - }, - "arkArkAddress": "Endereço da arca", - "@arkArkAddress": { - "description": "Label for the Ark address field" - }, - "payRecipientName": "Nome do destinatário", - "@payRecipientName": { - "description": "Label for recipient name" - }, - "exchangeBitcoinWalletsLightningAddressLabel": "Relâmpago (endereço LN)", - "@exchangeBitcoinWalletsLightningAddressLabel": { - "description": "Label for Lightning address field in exchange Bitcoin wallets" - }, - "bitboxActionVerifyAddressButton": "Verificar endereço", - "@bitboxActionVerifyAddressButton": { - "description": "Button text for verify address" - }, - "importColdcardInstructionsStep7": "No seu dispositivo móvel, toque em \"câmera aberta\"", - "@importColdcardInstructionsStep7": { - "description": "ImportColdcardQ: Seventh instruction step" - }, - "testBackupStoreItSafe": "Armazená-lo em algum lugar seguro.", - "@testBackupStoreItSafe": { - "description": "Sub-instruction telling users to store recovery phrase safely" - }, - "enterBackupKeyLabel": "Digite a chave de backup", - "@enterBackupKeyLabel": { - "description": "Label for backup key input field" - }, - "bitboxScreenTroubleshootingSubtitle": "Primeiro, certifique-se de que seu dispositivo BitBox02 está conectado à sua porta USB do telefone. Se o dispositivo ainda não se conectar com o aplicativo, tente o seguinte:", - "@bitboxScreenTroubleshootingSubtitle": { - "description": "Subtitle for troubleshooting instructions" - }, - "securityWarningTitle": "Aviso de Segurança", - "@securityWarningTitle": { - "description": "Title for security warning dialog" - }, - "never": "nunca ", - "@never": { - "description": "Bold part of privacy assurance (never)" - }, - "notLoggedInTitle": "Você não está conectado", - "@notLoggedInTitle": { - "description": "Title for not logged in state" - }, - "testBackupWhatIsWordNumber": "Qual é o número da palavra {number}?", - "@testBackupWhatIsWordNumber": { - "description": "Quiz prompt asking for specific word number", - "placeholders": { - "number": { - "type": "int" - } - } - }, - "payInvoiceDetails": "Detalhes da fatura", - "@payInvoiceDetails": { - "description": "Section header for invoice information" - }, - "exchangeLandingLoginButton": "Login Ou Inscreva-se", - "@exchangeLandingLoginButton": { - "description": "Button to proceed to login/signup" - }, - "torSettingsEnableProxy": "Ativar Proxy Tor", - "@torSettingsEnableProxy": { - "description": "Label for the toggle to enable/disable Tor proxy" - }, - "bitboxScreenAddressToVerify": "Endereço para verificar:", - "@bitboxScreenAddressToVerify": { - "description": "Label for address verification" - }, - "payConfirmPayment": "Confirmar pagamento", - "@payConfirmPayment": { - "description": "Button text to confirm and execute payment" - }, - "bitboxErrorPermissionDenied": "As permissões USB são necessárias para se conectar a dispositivos BitBox.", - "@bitboxErrorPermissionDenied": { - "description": "Error when USB permissions are not granted for BitBox" - }, - "recoveryPhraseTitle": "Escreva sua frase de recuperação\nna ordem correta", - "@recoveryPhraseTitle": { - "description": "Title instructing user to write down recovery phrase" - }, - "bitboxActionSignTransactionProcessingSubtext": "Por favor, confirme a transação no seu dispositivo BitBox...", - "@bitboxActionSignTransactionProcessingSubtext": { - "description": "Processing subtext for sign transaction" - }, - "sellConfirmPayment": "Confirmar pagamento", - "@sellConfirmPayment": { - "description": "Screen title for payment confirmation" - }, - "sellSelectCoinsManually": "Selecione moedas manualmente", - "@sellSelectCoinsManually": { - "description": "Option to manually select UTXOs" - }, - "addressViewReceiveType": "Receber", - "@addressViewReceiveType": { - "description": "Address type label for external/receive addresses" - }, - "coldcardStep11": "O Coldcard Q irá então mostrar-lhe o seu próprio código QR.", - "@coldcardStep11": { - "description": "Coldcard instruction about signed PSBT QR" - }, - "fundExchangeLabelIban": "Número de conta IBAN", - "@fundExchangeLabelIban": { - "description": "Label for IBAN account number field" - }, - "swapDoNotUninstallWarning": "Não desinstale o aplicativo até que a transferência seja concluída!", - "@swapDoNotUninstallWarning": { - "description": "Warning message during pending transfer" - }, - "testBackupErrorVerificationFailed": "Verificação falhada: {error}", - "@testBackupErrorVerificationFailed": { - "description": "Generic error message for verification failure", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "sendViewDetails": "Ver detalhes", - "@sendViewDetails": { - "description": "Button to view transaction details" - }, - "recoverbullErrorUnexpected": "Erro inesperado, veja logs", - "@recoverbullErrorUnexpected": { - "description": "Error message for unexpected errors" - }, - "sendSubmarineSwap": "Swap Submarino", - "@sendSubmarineSwap": { - "description": "Feature to swap on-chain to Lightning" - }, - "transactionLabelLiquidTransactionId": "ID de transação líquida", - "@transactionLabelLiquidTransactionId": { - "description": "Label for Liquid network transaction ID" - }, - "payNotAvailable": "N/A", - "@payNotAvailable": { - "description": "Placeholder for unavailable information" - }, - "payFastest": "Mais rápido", - "@payFastest": { - "description": "Display text for fastest fee option" - }, - "allSeedViewSecurityWarningTitle": "Aviso de Segurança", - "@allSeedViewSecurityWarningTitle": { - "description": "Title for security warning dialog" - }, - "sendSwapFeeEstimate": "Taxa de swap estimada: {amount}", - "@sendSwapFeeEstimate": { - "description": "Estimated cost of swap", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "coreSwapsLnReceiveExpired": "Expirou.", - "@coreSwapsLnReceiveExpired": { - "description": "Status message for expired Lightning receive swap" - }, - "fundExchangeOnlineBillPaymentLabelBillerName": "Pesquisar a lista de contadores do seu banco para este nome", - "@fundExchangeOnlineBillPaymentLabelBillerName": { - "description": "Label for biller name in online bill payment" - }, - "recoverbullSelectFetchDriveFilesError": "Falhado para buscar todos os backups de unidade", - "@recoverbullSelectFetchDriveFilesError": { - "description": "Error when unable to retrieve backup list from Google Drive" - }, - "psbtFlowLoadFromCamera": "Clique em Carregar da câmera", - "@psbtFlowLoadFromCamera": { - "description": "Instruction to select camera load option on device" - }, - "exchangeAccountInfoVerificationLimitedVerification": "Verificação limitada", - "@exchangeAccountInfoVerificationLimitedVerification": { - "description": "Status label for limited verification level" - }, - "addressViewErrorLoadingMoreAddresses": "Erro ao carregar mais endereços: {error}", - "@addressViewErrorLoadingMoreAddresses": { - "description": "Error message displayed when pagination of addresses fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "arkCopy": "Entendido", - "@arkCopy": { - "description": "Button label to copy field value to clipboard" - }, - "sendBuildingTransaction": "A transação de edifícios...", - "@sendBuildingTransaction": { - "description": "Status while constructing transaction" - }, - "fundExchangeMethodEmailETransfer": "E-mail E-Transfer", - "@fundExchangeMethodEmailETransfer": { - "description": "Payment method: Email E-Transfer (Canada)" - }, - "electrumConfirm": "Confirmação", - "@electrumConfirm": { - "description": "Confirm button label in advanced options" - }, - "transactionDetailLabelOrderNumber": "Número de ordem", - "@transactionDetailLabelOrderNumber": { - "description": "Label for order number" - }, - "bitboxActionPairDeviceSuccessSubtext": "Seu dispositivo BitBox agora está emparelhado e pronto para usar.", - "@bitboxActionPairDeviceSuccessSubtext": { - "description": "Success subtext for pair device" - }, - "pickPasswordInsteadButton": "Escolher senha em vez disso >>", - "@pickPasswordInsteadButton": { - "description": "Button label to switch to password input" - }, - "coreScreensSendNetworkFeeLabel": "Enviar Taxa de rede", - "@coreScreensSendNetworkFeeLabel": { - "description": "Label for send network fee field" - }, - "bitboxScreenScanningSubtext": "À procura do seu dispositivo BitBox...", - "@bitboxScreenScanningSubtext": { - "description": "Subtext when scanning" - }, - "sellOrderFailed": "Falhado para colocar ordem de venda", - "@sellOrderFailed": { - "description": "Error message when order fails" - }, - "payInvalidAmount": "Montante inválido", - "@payInvalidAmount": { - "description": "Error when entered amount is invalid" - }, - "fundExchangeLabelBankName": "Nome do banco", - "@fundExchangeLabelBankName": { - "description": "Label for bank name field" - }, - "ledgerErrorMissingScriptTypeVerify": "O tipo de script é necessário para verificação", - "@ledgerErrorMissingScriptTypeVerify": { - "description": "Error message when script type is missing for verification" - }, - "backupWalletEncryptedVaultDescription": "Backup anônimo com criptografia forte usando sua nuvem.", - "@backupWalletEncryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, - "sellRateExpired": "A taxa de câmbio expirou. Refrescando...", - "@sellRateExpired": { - "description": "Message when rate quote times out" - }, - "payExternalWallet": "Carteira externa", - "@payExternalWallet": { - "description": "Option for external wallet" - }, - "recoverbullConfirm": "Confirmação", - "@recoverbullConfirm": { - "description": "Button text to confirm an action" - }, - "arkPendingBalance": "Equilíbrio Pendente", - "@arkPendingBalance": { - "description": "Label for pending balance row" - }, - "fundExchangeInfoBankCountryUk": "O nosso país bancário é o Reino Unido.", - "@fundExchangeInfoBankCountryUk": { - "description": "Info message that bank country is United Kingdom" - }, - "dcaConfirmNetworkBitcoin": "Bitcoin", - "@dcaConfirmNetworkBitcoin": { - "description": "Bitcoin network label" - }, - "seedsignerStep14": "Agora está pronto para transmitir! Assim que você clicar em transmissão, a transação será publicada na rede Bitcoin e os fundos serão enviados.", - "@seedsignerStep14": { - "description": "SeedSigner final instruction about broadcasting" - }, - "fundExchangeCostaRicaMethodIbanCrcTitle": "IBAN Costa Rica (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcTitle": { - "description": "Payment method title for IBAN CRC in method list" - }, - "payOrderDetails": "Detalhes do pedido", - "@payOrderDetails": { - "description": "Title for SINPE order details screen" - }, - "importMnemonicTransactions": "{count} transações", - "@importMnemonicTransactions": { - "description": "Shows number of transactions for wallet type", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "exchangeAppSettingsPreferredLanguageLabel": "Língua preferencial", - "@exchangeAppSettingsPreferredLanguageLabel": { - "description": "Label for preferred language setting in exchange app settings" - }, - "walletDeletionConfirmationMessage": "Tens a certeza que queres apagar esta carteira?", - "@walletDeletionConfirmationMessage": { - "description": "Message in the wallet deletion confirmation dialog" - }, - "rbfTitle": "Substituir por taxa", - "@rbfTitle": { - "description": "AppBar title for Replace-By-Fee screen" - }, - "sellAboveMaxAmountError": "Você está tentando vender acima da quantidade máxima que pode ser vendida com esta carteira.", - "@sellAboveMaxAmountError": { - "description": "Error message for amount above maximum" - }, - "settingsSuperuserModeUnlockedMessage": "Modo Superuser desbloqueado!", - "@settingsSuperuserModeUnlockedMessage": { - "description": "Message shown when superuser mode is enabled" - }, - "pickPinInsteadButton": "Escolha PIN em vez >>", - "@pickPinInsteadButton": { - "description": "Button label to switch to PIN input" - }, - "backupWalletVaultProviderCustomLocation": "Localização personalizada", - "@backupWalletVaultProviderCustomLocation": { - "description": "Name of custom location vault provider option" - }, - "addressViewErrorLoadingAddresses": "Endereços de carregamento de erros: {error}", - "@addressViewErrorLoadingAddresses": { - "description": "Error message displayed when addresses fail to load", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "bitboxErrorConnectionTypeNotInitialized": "Tipo de conexão não inicializado.", - "@bitboxErrorConnectionTypeNotInitialized": { - "description": "Error when connection type is not initialized" - }, - "transactionListOngoingTransfersDescription": "Estas transferências estão em andamento. Seus fundos estão seguros e estarão disponíveis quando a transferência terminar.", - "@transactionListOngoingTransfersDescription": { - "description": "Description for ongoing transfers section" - }, - "ledgerErrorUnknown": "Erro desconhecido", - "@ledgerErrorUnknown": { - "description": "Generic error message for unknown Ledger errors" - }, - "payBelowMinAmount": "Você está tentando pagar abaixo do valor mínimo que pode ser pago com esta carteira.", - "@payBelowMinAmount": { - "description": "Error message when payment amount is below minimum" - }, - "ledgerProcessingVerifySubtext": "Por favor, confirme o endereço no seu dispositivo Ledger.", - "@ledgerProcessingVerifySubtext": { - "description": "Processing subtext shown while verifying address" - }, - "transactionOrderLabelOriginCedula": "Origem Cedula", - "@transactionOrderLabelOriginCedula": { - "description": "Label for origin cedula in fiat payment order" - }, - "recoverbullRecoveryTransactionsLabel": "Transações: {count}", - "@recoverbullRecoveryTransactionsLabel": { - "description": "Label showing total number of transactions found", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "buyViewDetails": "Ver detalhes", - "@buyViewDetails": { - "description": "Button to view order details" - }, - "paySwapFailed": "Swap falhou", - "@paySwapFailed": { - "description": "Error message when swap fails" - }, - "autoswapMaxFeeLabel": "Taxa de transferência máxima", - "@autoswapMaxFeeLabel": { - "description": "Label for fee threshold percentage input field" - }, - "importMnemonicBalance": "Equilíbrio: {amount}", - "@importMnemonicBalance": { - "description": "Shows balance for wallet type", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "appUnlockScreenTitle": "Autenticação", - "@appUnlockScreenTitle": { - "description": "Title of the app unlock screen" - }, - "importQrDeviceWalletName": "Nome da carteira", - "@importQrDeviceWalletName": { - "description": "Label for wallet name field" - }, - "payNoRouteFound": "Nenhuma rota encontrada para este pagamento", - "@payNoRouteFound": { - "description": "Error when Lightning routing cannot find a path" - }, - "fundExchangeLabelBeneficiaryName": "Nome Beneficiário", - "@fundExchangeLabelBeneficiaryName": { - "description": "Label for beneficiary name field" - }, - "exchangeSupportChatMessageEmptyError": "A mensagem não pode estar vazia", - "@exchangeSupportChatMessageEmptyError": { - "description": "Error message when trying to send an empty message" - }, - "fundExchangeWarningTactic2": "Eles estão oferecendo-lhe um empréstimo", - "@fundExchangeWarningTactic2": { - "description": "Second scammer tactic warning" - }, - "sellLiquidNetwork": "Rede líquida", - "@sellLiquidNetwork": { - "description": "Option for Liquid Network payment" - }, - "payViewTransaction": "Ver Transação", - "@payViewTransaction": { - "description": "Button text to view transaction details" - }, - "transactionLabelToWallet": "Para a carteira", - "@transactionLabelToWallet": { - "description": "Label for destination wallet" - }, - "exchangeFileUploadInstructions": "Se você precisar enviar outros documentos, envie-os aqui.", - "@exchangeFileUploadInstructions": { - "description": "Instructions for uploading documents in exchange" - }, - "ledgerInstructionsAndroidDual": "Certifique-se de que Ledger é desbloqueado com o aplicativo Bitcoin aberto e Bluetooth habilitado, ou conectar o dispositivo via USB.", - "@ledgerInstructionsAndroidDual": { - "description": "Connection instructions for Android devices (Bluetooth or USB)" - }, - "arkSendRecipientLabel": "Endereço do destinatário", - "@arkSendRecipientLabel": { - "description": "Label for recipient address field" - }, - "defaultWalletsLabel": "Carteiras padrão", - "@defaultWalletsLabel": { - "description": "Label for default wallets" - }, - "jadeStep9": "Uma vez que a transação é importada em seu Jade, revise o endereço de destino e o valor.", - "@jadeStep9": { - "description": "Jade instruction for reviewing transaction" - }, - "receiveAddLabel": "Adicionar etiqueta", - "@receiveAddLabel": { - "description": "Button label for adding a label to a receive address" - }, - "ledgerWalletTypeNestedSegwitDescription": "P2WPKH-nested-in-P2SH", - "@ledgerWalletTypeNestedSegwitDescription": { - "description": "Technical description for Nested Segwit wallet type" - }, - "dcaConfirmFrequencyHourly": "Cada hora", - "@dcaConfirmFrequencyHourly": { - "description": "Hourly frequency label" - }, - "legacySeedViewMnemonicLabel": "Mnemónica", - "@legacySeedViewMnemonicLabel": { - "description": "Label for mnemonic words display" - }, - "sellSwiftCode": "Código SWIFT/BIC", - "@sellSwiftCode": { - "description": "Label for international bank code" - }, - "fundExchangeCanadaPostTitle": "Em dinheiro ou débito em pessoa no Canada Post", - "@fundExchangeCanadaPostTitle": { - "description": "Screen title for Canada Post payment method" - }, - "receiveInvoiceExpiry": "A fatura expira em {time}", - "@receiveInvoiceExpiry": { - "description": "Shows expiration countdown", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "testBackupGoogleDrivePrivacyPart5": "compartilhado com Bull Bitcoin.", - "@testBackupGoogleDrivePrivacyPart5": { - "description": "Fifth part of privacy message" - }, - "arkTotal": "Total", - "@arkTotal": { - "description": "Label for total balance in breakdown" - }, - "bitboxActionSignTransactionSuccessSubtext": "Sua transação foi assinada com sucesso.", - "@bitboxActionSignTransactionSuccessSubtext": { - "description": "Success subtext for sign transaction" - }, - "transactionStatusTransferExpired": "Transferência Expirou", - "@transactionStatusTransferExpired": { - "description": "Status label for expired transfers" - }, - "backupWalletInstructionLosePhone": "Sem um backup, se você perder ou quebrar seu telefone, ou se você desinstalar o aplicativo Bull Bitcoin, seus bitcoins serão perdidos para sempre.", - "@backupWalletInstructionLosePhone": { - "description": "Warning instruction about consequences without backup" - }, - "recoverbullConnected": "Conectado", - "@recoverbullConnected": { - "description": "Status label indicating successful connection" - }, - "dcaConfirmLightningAddress": "Endereço de iluminação", - "@dcaConfirmLightningAddress": { - "description": "Field label for Lightning address" - }, - "coreSwapsLnReceiveCompleted": "O balanço está concluído.", - "@coreSwapsLnReceiveCompleted": { - "description": "Status message for completed Lightning receive swap" - }, - "backupWalletErrorGoogleDriveSave": "Falhado para salvar a unidade do google", - "@backupWalletErrorGoogleDriveSave": { - "description": "Error when saving to Google Drive fails" - }, - "settingsTorSettingsTitle": "Configurações do Tor", - "@settingsTorSettingsTitle": { - "description": "Title for the Tor settings section in app settings" - }, - "importQrDeviceKeystoneStep2": "Digite seu PIN", - "@importQrDeviceKeystoneStep2": { - "description": "Keystone instruction step 2" - }, - "receiveBitcoinTransactionWillTakeTime": "Bitcoin transação levará um tempo para confirmar.", - "@receiveBitcoinTransactionWillTakeTime": { - "description": "Information message about Bitcoin transaction confirmation time" - }, - "sellOrderNotFoundError": "A ordem de venda não foi encontrada. Por favor, tente novamente.", - "@sellOrderNotFoundError": { - "description": "Error message for order not found" - }, - "sellErrorPrepareTransaction": "Falhado para preparar a transação: {error}", - "@sellErrorPrepareTransaction": { - "description": "Error message when transaction preparation fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "fundExchangeOnlineBillPaymentTitle": "Pagamento de Bill Online", - "@fundExchangeOnlineBillPaymentTitle": { - "description": "Screen title for Online Bill Payment details" - }, - "importQrDeviceSeedsignerStep7": "No seu dispositivo móvel, toque em Abrir Câmara", - "@importQrDeviceSeedsignerStep7": { - "description": "SeedSigner instruction step 7" - }, - "addressViewChangeAddressesDescription": "Carteira de exibição Alterar endereços", - "@addressViewChangeAddressesDescription": { - "description": "Description for the coming soon dialog when trying to view change addresses" - }, - "sellReceiveAmount": "Você receberá", - "@sellReceiveAmount": { - "description": "Label showing fiat amount to receive" - }, - "bitboxCubitInvalidResponse": "Resposta inválida do dispositivo BitBox. Por favor, tente novamente.", - "@bitboxCubitInvalidResponse": { - "description": "Error interpretation for invalid response" - }, - "settingsScreenTitle": "Configurações", - "@settingsScreenTitle": { - "description": "The title of the settings screen" - }, - "transactionDetailLabelTransferFee": "Taxa de transferência", - "@transactionDetailLabelTransferFee": { - "description": "Label for transfer fee (Boltz fee)" - }, - "importQrDeviceKruxStep5": "Analise o código QR que você vê no seu dispositivo.", - "@importQrDeviceKruxStep5": { - "description": "Krux instruction step 5" - }, - "arkStatus": "Estado", - "@arkStatus": { - "description": "Label for transaction status field in details table" - }, - "fundExchangeHelpTransferCode": "Adicione isso como a razão para a transferência", - "@fundExchangeHelpTransferCode": { - "description": "Help text for transfer code field" - }, - "mempoolCustomServerEdit": "Editar", - "@mempoolCustomServerEdit": { - "description": "Button text to edit custom mempool server" - }, - "importQrDeviceKruxStep2": "Clique em Extended Public Key", - "@importQrDeviceKruxStep2": { - "description": "Krux instruction step 2" - }, - "recoverButton": "Recuperar", - "@recoverButton": { - "description": "Button label to recover wallet" - }, - "passportStep5": " - Aumente o brilho da tela em seu dispositivo", - "@passportStep5": { - "description": "Passport troubleshooting tip 1" - }, - "bitboxScreenConnectSubtext": "Certifique-se de que seu BitBox02 está desbloqueado e conectado via USB.", - "@bitboxScreenConnectSubtext": { - "description": "Subtext for initial state" - }, - "payOwnerName": "Nome do proprietário", - "@payOwnerName": { - "description": "Label for owner name field" - }, - "transactionNetworkLiquid": "Líquido", - "@transactionNetworkLiquid": { - "description": "Label for Liquid network transactions" - }, - "payEstimatedConfirmation": "Confirmação estimada: {time}", - "@payEstimatedConfirmation": { - "description": "Estimated time until confirmation", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "bitboxErrorInvalidResponse": "Resposta inválida do dispositivo BitBox. Por favor, tente novamente.", - "@bitboxErrorInvalidResponse": { - "description": "Error when BitBox returns an invalid response" - }, - "psbtFlowAddPassphrase": "Adicionar uma senha se você tiver um (opcional)", - "@psbtFlowAddPassphrase": { - "description": "Optional instruction to add BIP39 passphrase" - }, - "payAdvancedOptions": "Opções avançadas", - "@payAdvancedOptions": { - "description": "Title for advanced options bottom sheet" - }, - "sendSigningTransaction": "Assinar transação...", - "@sendSigningTransaction": { - "description": "Status while hardware wallet signs" - }, - "sellErrorFeesNotCalculated": "Taxas de transação não calculadas. Por favor, tente novamente.", - "@sellErrorFeesNotCalculated": { - "description": "Error message when transaction fees calculation failed" - }, - "dcaAddressLiquid": "Endereço líquido", - "@dcaAddressLiquid": { - "description": "Liquid address label" - }, - "buyVerificationInProgress": "Verificação em andamento...", - "@buyVerificationInProgress": { - "description": "Status during KYC review" - }, - "transactionSwapDescChainPaid": "A sua transação foi transmitida. Estamos agora à espera que a transação de bloqueio seja confirmada.", - "@transactionSwapDescChainPaid": { - "description": "Description for paid chain swap" - }, - "mempoolSettingsUseForFeeEstimation": "Uso para estimativa de taxas", - "@mempoolSettingsUseForFeeEstimation": { - "description": "Label for use for fee estimation toggle" - }, - "buyPaymentMethod": "Método de pagamento", - "@buyPaymentMethod": { - "description": "Label for payment method dropdown" - }, - "coreSwapsStatusCompleted": "Completada", - "@coreSwapsStatusCompleted": { - "description": "Display name for completed swap status" - }, - "fundExchangeCrIbanUsdDescriptionEnd": ". Os fundos serão adicionados ao saldo da sua conta.", - "@fundExchangeCrIbanUsdDescriptionEnd": { - "description": "End of description for CR IBAN USD transfer" - }, - "psbtFlowMoveCloserFurther": "Tente mover seu dispositivo mais perto ou mais longe", - "@psbtFlowMoveCloserFurther": { - "description": "Troubleshooting tip to adjust distance" - }, - "arkAboutDurationMinutes": "{minutes}", - "@arkAboutDurationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "int" - } - } - }, - "swapProgressTitle": "Transferência interna", - "@swapProgressTitle": { - "description": "AppBar title for swap progress screen" - }, - "pinButtonConfirm": "Confirmação", - "@pinButtonConfirm": { - "description": "Button label to submit confirmed PIN" - }, - "coldcardStep2": "Adicionar uma senha se você tiver um (opcional)", - "@coldcardStep2": { - "description": "Coldcard instruction step 2" - }, - "electrumInvalidNumberError": "Insira um número válido", - "@electrumInvalidNumberError": { - "description": "Validation error for non-numeric input" - }, - "coreWalletTransactionStatusConfirmed": "Confirmado", - "@coreWalletTransactionStatusConfirmed": { - "description": "Display name for confirmed wallet transaction status" - }, - "recoverbullSelectGoogleDrive": "Google Drive", - "@recoverbullSelectGoogleDrive": { - "description": "Name label for Google Drive backup provider option" - }, - "recoverbullEnterInput": "Digite seu {inputType}", - "@recoverbullEnterInput": { - "description": "Input field label prompting for PIN or password", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "importQrDevicePassportStep12": "Configuração completa.", - "@importQrDevicePassportStep12": { - "description": "Passport instruction step 12" - }, - "fundExchangeLabelIbanUsdOnly": "Número da conta IBAN (apenas para dólares americanos)", - "@fundExchangeLabelIbanUsdOnly": { - "description": "Label for IBAN field - US Dollars only" - }, - "payRecipientDetails": "Detalhes do destinatário", - "@payRecipientDetails": { - "description": "Label for recipient details" - }, - "fundExchangeWarningTitle": "Cuidado com os scammers", - "@fundExchangeWarningTitle": { - "description": "Title of the scammer warning screen" - }, - "receiveError": "Erro: {error}", - "@receiveError": { - "description": "Generic error message with error details", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "electrumRetryCount": "Contagem de Restrições", - "@electrumRetryCount": { - "description": "Retry Count field label and hint in advanced options" - }, - "walletDetailsDescriptorLabel": "Descritores", - "@walletDetailsDescriptorLabel": { - "description": "Label for the wallet descriptor field in wallet details" - }, - "importQrDeviceSeedsignerInstructionsTitle": "Instruções do SeedSigner", - "@importQrDeviceSeedsignerInstructionsTitle": { - "description": "Title for SeedSigner setup instructions" - }, - "payOrderNotFoundError": "A ordem de pagamento não foi encontrada. Por favor, tente novamente.", - "@payOrderNotFoundError": { - "description": "Error message for order not found" - }, - "jadeStep12": "Clique em \"Estou feito\" na carteira Bull Bitcoin.", - "@jadeStep12": { - "description": "Jade instruction to return to app" - }, - "payFilterByType": "Filtrar por tipo", - "@payFilterByType": { - "description": "Label for type filter dropdown" - }, - "importMnemonicImporting": "Importação...", - "@importMnemonicImporting": { - "description": "Loading message while importing wallet" - }, - "recoverbullGoogleDriveExportButton": "Exportação", - "@recoverbullGoogleDriveExportButton": { - "description": "Export button text for vault backup" - }, - "bip329LabelsDescription": "Importar ou exportar etiquetas de carteira usando o formato padrão BIP329.", - "@bip329LabelsDescription": { - "description": "Description of BIP329 labels functionality" - }, - "backupWalletHowToDecideBackupEncryptedRecommendationText": "Você não tem certeza e precisa de mais tempo para aprender sobre práticas de segurança de backup.", - "@backupWalletHowToDecideBackupEncryptedRecommendationText": { - "description": "Recommendation text for when to use encrypted vault" - }, - "backupWalletImportanceWarning": "Sem um backup, você eventualmente perderá o acesso ao seu dinheiro. É criticamente importante fazer um backup.", - "@backupWalletImportanceWarning": { - "description": "Warning message emphasizing the importance of creating a backup" - }, - "autoswapMaxFeeInfoText": "Se a taxa de transferência total estiver acima da porcentagem definida, a transferência automática será bloqueada", - "@autoswapMaxFeeInfoText": { - "description": "Help text explaining how the max fee threshold works" - }, - "recoverbullGoogleDriveCancelButton": "Cancelar", - "@recoverbullGoogleDriveCancelButton": { - "description": "Cancel button text for delete confirmation dialog" - }, - "backupWalletSuccessDescription": "Agora vamos testar seu backup para garantir que tudo foi feito corretamente.", - "@backupWalletSuccessDescription": { - "description": "Success screen description prompting user to test backup" - }, - "rbfBroadcast": "Transmissão", - "@rbfBroadcast": { - "description": "Button text to broadcast the bumped transaction" - }, - "sendEstimatedDeliveryFewHours": "poucas horas", - "@sendEstimatedDeliveryFewHours": { - "description": "Estimated delivery time of a few hours" - }, - "dcaConfirmFrequencyMonthly": "Todos os meses", - "@dcaConfirmFrequencyMonthly": { - "description": "Monthly frequency label" - }, - "importWatchOnlyScriptType": "Tipo de script", - "@importWatchOnlyScriptType": { - "description": "Label for script type field" - }, - "electrumCustomServers": "Servidores personalizados", - "@electrumCustomServers": { - "description": "Section header for custom servers list" - }, - "transactionStatusSwapFailed": "Swap Failed", - "@transactionStatusSwapFailed": { - "description": "Status label for failed swaps" - }, - "fundExchangeCrIbanCrcLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanCrcLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (legal ID number in Costa Rica)" - }, - "continueButton": "Continue", - "@continueButton": { - "description": "Default button text for success state" - }, - "payBatchPayment": "Pagamento de lote", - "@payBatchPayment": { - "description": "Option to combine multiple payments" - }, - "transactionLabelBoltzSwapFee": "Boltz Swap Fee", - "@transactionLabelBoltzSwapFee": { - "description": "Label for Boltz swap fee component" - }, - "transactionSwapDescLnReceiveFailed": "Houve um problema com a tua troca. Por favor, contacte o suporte se os fundos não tiverem sido devolvidos dentro de 24 horas.", - "@transactionSwapDescLnReceiveFailed": { - "description": "Description for failed Lightning receive swap" - }, - "sellOrderNumber": "Número de ordem", - "@sellOrderNumber": { - "description": "Label for order number" - }, - "payRecipientCount": "{count} destinatários", - "@payRecipientCount": { - "description": "Label showing number of recipients", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "sendErrorBuildFailed": "Construa Falhado", - "@sendErrorBuildFailed": { - "description": "Error title when transaction build fails" - }, - "transactionDetailSwapProgress": "Progresso de balanço", - "@transactionDetailSwapProgress": { - "description": "Title for ongoing swap details" - }, - "arkAboutDurationMinute": "{minutes} minuto", - "@arkAboutDurationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "int" - } - } - }, - "backupWalletInstructionLoseBackup": "Se você perder seu backup de 12 palavras, você não será capaz de recuperar o acesso à carteira Bitcoin.", - "@backupWalletInstructionLoseBackup": { - "description": "Warning instruction about losing backup" - }, - "payIsCorporateAccount": "Isto é uma conta corporativa?", - "@payIsCorporateAccount": { - "description": "Question for corporate account checkbox" - }, - "sellSendPaymentInsufficientBalance": "Equilíbrio insuficiente na carteira selecionada para completar esta ordem de venda.", - "@sellSendPaymentInsufficientBalance": { - "description": "Insufficient balance error" - }, - "fundExchangeCrIbanCrcLabelRecipientName": "Nome do destinatário", - "@fundExchangeCrIbanCrcLabelRecipientName": { - "description": "Label for recipient name in CR IBAN CRC transfer" - }, - "swapTransferPendingTitle": "Pendente de Transferência", - "@swapTransferPendingTitle": { - "description": "Title during pending swap status" - }, - "mempoolCustomServerSaveSuccess": "Servidor personalizado salvo com sucesso", - "@mempoolCustomServerSaveSuccess": { - "description": "Success message when custom server is saved" - }, - "sendErrorBalanceTooLowForMinimum": "Equilíbrio demasiado baixo para uma quantidade mínima de swap", - "@sendErrorBalanceTooLowForMinimum": { - "description": "Error when balance is below minimum required for swap" - }, - "testBackupSuccessMessage": "Você é capaz de recuperar o acesso a uma carteira Bitcoin perdida", - "@testBackupSuccessMessage": { - "description": "Success screen message confirming recovery capability" - }, - "electrumTimeout": "Timeout (segundos)", - "@electrumTimeout": { - "description": "Timeout field label and hint in advanced options" - }, - "transactionDetailLabelOrderStatus": "Status da ordem", - "@transactionDetailLabelOrderStatus": { - "description": "Label for order status" - }, - "electrumSaveFailedError": "Falhado para salvar opções avançadas", - "@electrumSaveFailedError": { - "description": "Error message when saving advanced options fails" - }, - "arkSettleTransactionCount": "Settle {count} {transaction}", - "@arkSettleTransactionCount": { - "description": "Button label showing number of unsettled transactions", - "placeholders": { - "count": { - "type": "String" - }, - "transaction": { - "type": "String" - } - } - }, - "bitboxScreenWalletTypeLabel": "Tipo de carteira:", - "@bitboxScreenWalletTypeLabel": { - "description": "Label for wallet type selector" - }, - "importQrDeviceKruxStep6": "É isso!", - "@importQrDeviceKruxStep6": { - "description": "Krux instruction step 6" - }, - "recoverbullRecoveryErrorMissingDerivationPath": "Arquivo de backup faltando caminho de derivação.", - "@recoverbullRecoveryErrorMissingDerivationPath": { - "description": "Error when vault backup file is missing required derivation path" - }, - "payUnauthenticatedError": "Não és autenticado. Faça login para continuar.", - "@payUnauthenticatedError": { - "description": "Error message for unauthenticated user" - }, - "payClabe": "CLABE", - "@payClabe": { - "description": "Label for CLABE field" - }, - "mempoolCustomServerDelete": "Excluir", - "@mempoolCustomServerDelete": { - "description": "Button text to delete custom mempool server" - }, - "optionalPassphraseHint": "Passphrase opcional", - "@optionalPassphraseHint": { - "description": "Placeholder hint for passphrase field" - }, - "importColdcardImporting": "Importando a carteira Coldcard...", - "@importColdcardImporting": { - "description": "Status while importing" - }, - "exchangeDcaHideSettings": "Ocultar configurações", - "@exchangeDcaHideSettings": { - "description": "Link text to hide DCA settings details" - }, - "appUnlockIncorrectPinError": "PIN incorreto. Por favor, tente novamente. {failedAttempts} {attemptsWord}", - "@appUnlockIncorrectPinError": { - "description": "Error message shown when user enters incorrect PIN", - "placeholders": { - "failedAttempts": { - "type": "int" - }, - "attemptsWord": { - "type": "String" - } - } - }, - "buyBitcoinSent": "Bitcoin enviado!", - "@buyBitcoinSent": { - "description": "Success message for accelerated transaction" - }, - "coreScreensPageNotFound": "Página não encontrada", - "@coreScreensPageNotFound": { - "description": "Error message shown when a page/route is not found" - }, - "passportStep8": "Uma vez que a transação é importada no seu Passaporte, revise o endereço de destino e o valor.", - "@passportStep8": { - "description": "Passport instruction for reviewing transaction" - }, - "importQrDeviceTitle": "Conecte {deviceName}", - "@importQrDeviceTitle": { - "description": "AppBar title for QR device import", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "exchangeFeatureDcaOrders": "• DCA, Limite de ordens e Auto-compra", - "@exchangeFeatureDcaOrders": { - "description": "Feature bullet point describing DCA and automated buying features" - }, - "payIban": "IBAN", - "@payIban": { - "description": "Label for IBAN field" - }, - "sellSendPaymentPayoutRecipient": "Receptor de pagamento", - "@sellSendPaymentPayoutRecipient": { - "description": "Field label for payout recipient" - }, - "swapInfoDescription": "Transferir Bitcoin perfeitamente entre suas carteiras. Apenas mantenha fundos na Carteira de Pagamento Instantânea para gastos diários.", - "@swapInfoDescription": { - "description": "Information banner text on amount page" - }, - "fundExchangeCanadaPostStep7": "7. Os fundos serão adicionados ao seu saldo da conta Bull Bitcoin dentro de 30 minutos", - "@fundExchangeCanadaPostStep7": { - "description": "Step 7 for Canada Post payment process - timeframe" - }, - "autoswapSaveButton": "Salvar", - "@autoswapSaveButton": { - "description": "Save button label at bottom of settings sheet" - }, - "importWatchOnlyDisclaimerDescription": "Certifique-se de que o caminho de derivação que você escolher combina com o que produziu o xpub dado verificando o primeiro endereço derivado da carteira antes do uso. Usar o caminho errado pode levar à perda de fundos", - "@importWatchOnlyDisclaimerDescription": { - "description": "Description explaining derivation path matching requirement" - }, - "fundExchangeWarningTactic8": "Eles estão pressionando você para agir rapidamente", - "@fundExchangeWarningTactic8": { - "description": "Eighth scammer tactic warning" - }, - "encryptedVaultStatusLabel": "Vault criptografado", - "@encryptedVaultStatusLabel": { - "description": "Status label for encrypted vault" - }, - "sendConfirmSend": "Enviar", - "@sendConfirmSend": { - "description": "Title for send confirmation screen" - }, - "fundExchangeBankTransfer": "Transferência bancária", - "@fundExchangeBankTransfer": { - "description": "Bank transfer method title" - }, - "importQrDeviceButtonInstructions": "Instruções", - "@importQrDeviceButtonInstructions": { - "description": "ImportQrDevice: Button to show setup instructions" - }, - "buyLevel3Limit": "Limite de nível 3: {amount}", - "@buyLevel3Limit": { - "description": "Purchase limit for full KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "electrumLiquidSslInfo": "Nenhum protocolo deve ser especificado, SSL será usado automaticamente.", - "@electrumLiquidSslInfo": { - "description": "Info text for Liquid server protocol" - }, - "sendDeviceConnected": "Dispositivo conectado", - "@sendDeviceConnected": { - "description": "Status when hardware wallet is detected" - }, - "swapErrorAmountAboveMaximum": "Montante excede o valor máximo de swap: {max} sats", - "@swapErrorAmountAboveMaximum": { - "description": "Error shown when amount is above maximum", - "placeholders": { - "max": { - "type": "String" - } - } - }, - "psbtFlowPassportTitle": "Instruções do passaporte da Fundação", - "@psbtFlowPassportTitle": { - "description": "Title for Foundation Passport device signing instructions" - }, - "exchangeLandingFeature3": "Venda Bitcoin, ser pago com Bitcoin", - "@exchangeLandingFeature3": { - "description": "Third feature bullet point" - }, - "notLoggedInMessage": "Faça login na sua conta Bull Bitcoin para acessar as configurações de troca.", - "@notLoggedInMessage": { - "description": "Message prompting user to log in for exchange features" - }, - "swapTotalFees": "Taxas totais ", - "@swapTotalFees": { - "description": "Total fees label" - }, - "keystoneStep11": "Clique em \"Estou feito\" na carteira Bull Bitcoin.", - "@keystoneStep11": { - "description": "Keystone instruction to return to app" - }, - "scanningCompletedMessage": "Verificação concluída", - "@scanningCompletedMessage": { - "description": "Success message when UR scanning completes" - }, - "recoverbullSecureBackup": "Proteja seu backup", - "@recoverbullSecureBackup": { - "description": "Screen title for backup security setup" - }, - "payDone": "Feito", - "@payDone": { - "description": "Button to close bottom sheet" - }, - "receiveContinue": "Continue", - "@receiveContinue": { - "description": "Button label for continuing in the receive flow" - }, - "bitboxActionSignTransactionButton": "Começar a assinar", - "@bitboxActionSignTransactionButton": { - "description": "Button text for sign transaction" - }, - "sendEnterAbsoluteFee": "Insira taxa absoluta em sats", - "@sendEnterAbsoluteFee": { - "description": "Placeholder for absolute fee input field" - }, - "importWatchOnlyDisclaimerTitle": "Aviso de Caminho de Derivação", - "@importWatchOnlyDisclaimerTitle": { - "description": "Title for derivation path warning disclaimer" - }, - "withdrawConfirmIban": "IBAN", - "@withdrawConfirmIban": { - "description": "Field label for IBAN" - }, - "payPayee": "Pagamento", - "@payPayee": { - "description": "Label for payee details" - }, - "exchangeAccountComingSoon": "Esta característica está chegando em breve.", - "@exchangeAccountComingSoon": { - "description": "Message indicating that a feature is coming soon" - }, - "sellInProgress": "Vender em progresso...", - "@sellInProgress": { - "description": "Message for sell in progress" - }, - "testBackupLastKnownVault": "Última criptografia conhecida Vault: {timestamp}", - "@testBackupLastKnownVault": { - "description": "Shows timestamp of last encrypted vault backup", - "placeholders": { - "timestamp": { - "type": "String" - } - } - }, - "recoverbullErrorFetchKeyFailed": "Falhado para buscar a chave do cofre do servidor", - "@recoverbullErrorFetchKeyFailed": { - "description": "Error message when server key fetch fails" - }, - "sendSwapInProgressInvoice": "A troca está em andamento. A fatura será paga em alguns segundos.", - "@sendSwapInProgressInvoice": { - "description": "Message for Liquid swap in progress" - }, - "arkReceiveButton": "Receber", - "@arkReceiveButton": { - "description": "Bottom button to navigate to receive page" - }, - "electrumRetryCountNegativeError": "Retry Count não pode ser negativo", - "@electrumRetryCountNegativeError": { - "description": "Validation error for negative Retry Count value" - }, - "fundExchangeOnlineBillPaymentLabelAccountNumber": "Adicione isso como número de conta", - "@fundExchangeOnlineBillPaymentLabelAccountNumber": { - "description": "Label for account number in online bill payment" - }, - "importQrDeviceJadeStep4": "Selecione \"Opções\" no menu principal", - "@importQrDeviceJadeStep4": { - "description": "Jade instruction step 4" - }, - "backupWalletSavingToDeviceTitle": "Salvar ao seu dispositivo.", - "@backupWalletSavingToDeviceTitle": { - "description": "Loading screen title when saving to custom location" - }, - "transactionFilterSend": "Enviar", - "@transactionFilterSend": { - "description": "Filter option to show only sent transactions" - }, - "paySwapInProgress": "Trocar em progresso...", - "@paySwapInProgress": { - "description": "Status message during submarine swap" - }, - "importMnemonicSyncMessage": "Todos os três tipos de carteira estão sincronizando e seus saldos e transações aparecerão em breve. Você pode esperar até que a sincronização complete ou prossiga para importar se você tiver certeza de qual tipo de carteira você deseja importar.", - "@importMnemonicSyncMessage": { - "description": "Message explaining wallet type syncing process" - }, - "coreSwapsLnSendClaimable": "Swap está pronto para ser reivindicado.", - "@coreSwapsLnSendClaimable": { - "description": "Status message for claimable Lightning send swap" - }, - "fundExchangeMethodCrIbanCrcSubtitle": "Transferir fundos em Costa Rican Colón (CRC)", - "@fundExchangeMethodCrIbanCrcSubtitle": { - "description": "Subtitle for Costa Rica IBAN CRC payment method" - }, - "transactionDetailTitle": "Detalhes da transação", - "@transactionDetailTitle": { - "description": "Title for transaction details screen" - }, - "autoswapRecipientWalletLabel": "Carteira de Bitcoin", - "@autoswapRecipientWalletLabel": { - "description": "Label for wallet selection dropdown" - }, - "coreScreensConfirmTransfer": "Confirmar transferência", - "@coreScreensConfirmTransfer": { - "description": "Title for confirm transfer action" - }, - "payPaymentInProgressDescription": "O seu pagamento foi iniciado e o destinatário receberá os fundos após a sua transação receber 1 confirmação de compra.", - "@payPaymentInProgressDescription": { - "description": "Description for payment in progress" - }, - "transactionLabelTotalTransferFees": "Total das taxas de transferência", - "@transactionLabelTotalTransferFees": { - "description": "Label for total transfer fees" - }, - "recoverbullRetry": "Repito", - "@recoverbullRetry": { - "description": "Button text to retry failed operation" - }, - "arkSettleMessage": "Finalize transações pendentes e inclua vtxos recuperáveis se necessário", - "@arkSettleMessage": { - "description": "Settle bottom sheet explanation" - }, - "receiveCopyInvoice": "Fatura de cópia", - "@receiveCopyInvoice": { - "description": "Button to copy invoice to clipboard" - }, - "exchangeAccountInfoLastNameLabel": "Sobrenome", - "@exchangeAccountInfoLastNameLabel": { - "description": "Label for last name field in account information" - }, - "importQrDeviceJadeInstructionsTitle": "Instruções Blockstream Jade", - "@importQrDeviceJadeInstructionsTitle": { - "description": "Title for Jade setup instructions" - }, - "paySendMax": "Max", - "@paySendMax": { - "description": "Button to set amount to maximum available" - }, - "recoverbullGoogleDriveDeleteConfirmation": "Tem a certeza de que deseja apagar este backup do vault? Esta ação não pode ser desfeita.", - "@recoverbullGoogleDriveDeleteConfirmation": { - "description": "Confirmation message for deleting a vault backup" - }, - "arkReceiveArkAddress": "Endereço da arca", - "@arkReceiveArkAddress": { - "description": "Label for Ark address" - }, - "googleDriveSignInMessage": "Você precisará se inscrever no Google Drive", - "@googleDriveSignInMessage": { - "description": "Message about needing to sign in to Google Drive" - }, - "transactionNoteEditTitle": "Editar nota", - "@transactionNoteEditTitle": { - "description": "Title for edit note dialog" - }, - "transactionDetailLabelCompletedAt": "Completa em", - "@transactionDetailLabelCompletedAt": { - "description": "Label for completion time" - }, - "passportStep9": "Clique nos botões para assinar a transação no seu Passaporte.", - "@passportStep9": { - "description": "Passport instruction for signing" - }, - "walletTypeBitcoinNetwork": "Rede de Bitcoin", - "@walletTypeBitcoinNetwork": { - "description": "Wallet type label for Bitcoin network" - }, - "electrumDeleteConfirmation": "Tem a certeza de que deseja excluir este servidor?\n\n{serverUrl}", - "@electrumDeleteConfirmation": { - "description": "Confirmation message for server deletion", - "placeholders": { - "serverUrl": { - "type": "String" - } - } - }, - "arkServerUrl": "URL do servidor", - "@arkServerUrl": { - "description": "Label for server URL field" - }, - "importMnemonicSelectType": "Selecione um tipo de carteira para importar", - "@importMnemonicSelectType": { - "description": "Instruction to select wallet type" - }, - "fundExchangeMethodArsBankTransfer": "Transferência bancária", - "@fundExchangeMethodArsBankTransfer": { - "description": "Payment method: Bank Transfer (Argentina)" - }, - "importQrDeviceKeystoneStep1": "Poder no seu dispositivo Keystone", - "@importQrDeviceKeystoneStep1": { - "description": "Keystone instruction step 1" - }, - "arkDurationDays": "{days} dias", - "@arkDurationDays": { - "description": "Duration format for plural days", - "placeholders": { - "days": { - "type": "String" - } - } - }, - "bitcoinSettingsBip85EntropiesTitle": "BIP85 Entropias Deterministas", - "@bitcoinSettingsBip85EntropiesTitle": { - "description": "Title for the BIP85 deterministic entropies section in Bitcoin settings" - }, - "swapTransferAmount": "Valor de transferência", - "@swapTransferAmount": { - "description": "Label for amount input field" - }, - "feePriorityLabel": "Prioridade de Taxas", - "@feePriorityLabel": { - "description": "Label for fee selection priority option" - }, - "coreScreensToLabel": "Para", - "@coreScreensToLabel": { - "description": "Label for destination/receiver field" - }, - "backupSettingsTestBackup": "Teste de backup", - "@backupSettingsTestBackup": { - "description": "Button text to test existing backup" - }, - "coreSwapsActionRefund": "Reembolso", - "@coreSwapsActionRefund": { - "description": "Action label for refunding a swap" - }, - "payInsufficientBalance": "Balança insuficiente na carteira selecionada para completar esta ordem de pagamento.", - "@payInsufficientBalance": { - "description": "Error message for insufficient balance" - }, - "viewLogsLabel": "Ver logs", - "@viewLogsLabel": { - "description": "List tile label to view logs inline or in viewer" - }, - "sendSwapTimeEstimate": "Tempo estimado: {time}", - "@sendSwapTimeEstimate": { - "description": "Expected swap duration", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "hwKeystone": "Chaveiro", - "@hwKeystone": { - "description": "Name of Keystone hardware wallet" - }, - "kruxStep12": "O Krux irá então mostrar-lhe o seu próprio código QR.", - "@kruxStep12": { - "description": "Krux instruction about signed PSBT QR" - }, - "buyInputMinAmountError": "Você deve comprar pelo menos", - "@buyInputMinAmountError": { - "description": "Minimum amount error message" - }, - "ledgerScanningTitle": "Digitalização de Dispositivos", - "@ledgerScanningTitle": { - "description": "Title shown while scanning for Ledger devices" - }, - "payInstitutionCode": "Código de Instituição", - "@payInstitutionCode": { - "description": "Label for institution code field" - }, - "recoverbullFetchVaultKey": "Fetch Vault Chaveiro", - "@recoverbullFetchVaultKey": { - "description": "Screen title for vault key fetch screen" - }, - "coreSwapsActionClaim": "Reivindicação", - "@coreSwapsActionClaim": { - "description": "Action label for claiming a swap" - }, - "bitboxActionUnlockDeviceSuccessSubtext": "Seu dispositivo BitBox agora está desbloqueado e pronto para usar.", - "@bitboxActionUnlockDeviceSuccessSubtext": { - "description": "Success subtext for unlock device" - }, - "payShareInvoice": "Compartilhar Fatura", - "@payShareInvoice": { - "description": "Button text to share payment invoice" - }, - "walletDetailsSignerDeviceLabel": "Dispositivo de sinalização", - "@walletDetailsSignerDeviceLabel": { - "description": "Label for the signer device field in wallet details" - }, - "bitboxScreenEnterPassword": "Digite a senha", - "@bitboxScreenEnterPassword": { - "description": "Main text when waiting for password" - }, - "keystoneStep10": "O Keystone irá então mostrar-lhe o seu próprio código QR.", - "@keystoneStep10": { - "description": "Keystone instruction about signed PSBT QR" - }, - "ledgerSuccessSignTitle": "Transação assinada com sucesso", - "@ledgerSuccessSignTitle": { - "description": "Success message title after signing transaction with Ledger" - }, - "electrumPrivacyNoticeContent1": "Aviso de Privacidade: Usar seu próprio nó garante que nenhum terceiro pode vincular seu endereço IP, com suas transações.", - "@electrumPrivacyNoticeContent1": { - "description": "First paragraph of privacy notice" - }, - "testBackupEnterKeyManually": "Digite a tecla de backup manualmente >>", - "@testBackupEnterKeyManually": { - "description": "Button text to manually enter backup key" - }, - "fundExchangeWarningTactic3": "Dizem que trabalham para cobrança de dívidas ou impostos", - "@fundExchangeWarningTactic3": { - "description": "Third scammer tactic warning" - }, - "payCoinjoinFailed": "CoinJoin falhou", - "@payCoinjoinFailed": { - "description": "Error when CoinJoin fails" - }, - "allWordsSelectedMessage": "Selecionou todas as palavras", - "@allWordsSelectedMessage": { - "description": "Message shown when all words are selected" - }, - "bitboxActionPairDeviceTitle": "Dispositivo de BitBox de par", - "@bitboxActionPairDeviceTitle": { - "description": "Title for pair device action" - }, - "buyKYCLevel2": "Nível 2 - Melhorado", - "@buyKYCLevel2": { - "description": "Enhanced verification tier" - }, - "receiveAmount": "Montante (opcional)", - "@receiveAmount": { - "description": "Optional amount field for invoice" - }, - "testBackupErrorSelectAllWords": "Por favor, selecione todas as palavras", - "@testBackupErrorSelectAllWords": { - "description": "Error when not all words are selected" - }, - "buyLevel1Limit": "Limite de nível 1: {amount}", - "@buyLevel1Limit": { - "description": "Purchase limit for basic KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "dcaNetworkLabel": "Rede", - "@dcaNetworkLabel": { - "description": "Label for network detail row" - }, - "sendScanBitcoinQRCode": "Digitalize qualquer código QR Bitcoin ou Lightning para pagar com bitcoin.", - "@sendScanBitcoinQRCode": { - "description": "Instructions for scanning a QR code to make a Bitcoin payment" - }, - "toLabel": "Para", - "@toLabel": { - "description": "Label for destination address in transaction details" - }, - "passportStep7": " - Tente mover seu dispositivo para trás um pouco", - "@passportStep7": { - "description": "Passport troubleshooting tip 3" - }, - "sendConfirm": "Confirmação", - "@sendConfirm": { - "description": "Button label for confirming a send transaction" - }, - "payPhoneNumber": "Número de telefone", - "@payPhoneNumber": { - "description": "Label for phone number field" - }, - "transactionSwapProgressInvoicePaid": "Fatura\nPago", - "@transactionSwapProgressInvoicePaid": { - "description": "Swap progress step: Lightning invoice paid" - }, - "sendInsufficientFunds": "Fundos insuficientes", - "@sendInsufficientFunds": { - "description": "Error when balance too low" - }, - "sendSuccessfullySent": "Enviado com sucesso", - "@sendSuccessfullySent": { - "description": "Title for successful send completion" - }, - "sendSwapAmount": "Montante do balanço", - "@sendSwapAmount": { - "description": "Label for amount being swapped" - }, - "autoswapTitle": "Configurações de transferência automática", - "@autoswapTitle": { - "description": "Header title for auto transfer settings bottom sheet" - }, - "sellInteracTransfer": "Interac e-Transfer", - "@sellInteracTransfer": { - "description": "Option for Interac payment (Canada)" - }, - "bitboxScreenPairingCodeSubtext": "Verifique se este código corresponde à sua tela BitBox02 e, em seguida, confirme no dispositivo.", - "@bitboxScreenPairingCodeSubtext": { - "description": "Subtext when showing pairing code" - }, - "createdAtLabel": "Criado em:", - "@createdAtLabel": { - "description": "Label for creation date" - }, - "pinConfirmMismatchError": "PINs não correspondem", - "@pinConfirmMismatchError": { - "description": "Error message when confirmation PIN doesn't match original" - }, - "autoswapMinimumThresholdErrorBtc": "Limite mínimo de equilíbrio é {amount} BTC", - "@autoswapMinimumThresholdErrorBtc": { - "description": "Validation error shown when amount threshold is below minimum (BTC display)", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "receiveLiquidNetwork": "Líquido", - "@receiveLiquidNetwork": { - "description": "Liquid Network option" - }, - "autoswapSettingsTitle": "Configurações de transferência automática", - "@autoswapSettingsTitle": { - "description": "Main header/title of the auto swap settings bottom sheet" - }, - "payFirstNameHint": "Insira o primeiro nome", - "@payFirstNameHint": { - "description": "Hint for first name input" - }, - "payAdvancedSettings": "Configurações avançadas", - "@payAdvancedSettings": { - "description": "Button for advanced settings" - }, - "walletDetailsPubkeyLabel": "Pubkey", - "@walletDetailsPubkeyLabel": { - "description": "Label for the public key field in wallet details" - }, - "arkAboutBoardingExitDelay": "Atraso de saída de embarque", - "@arkAboutBoardingExitDelay": { - "description": "Field label for boarding exit delay" - }, - "receiveConfirmedInFewSeconds": "Ele será confirmado em alguns segundos", - "@receiveConfirmedInFewSeconds": { - "description": "Message indicating quick confirmation time for Lightning transactions" - }, - "backupWalletInstructionNoPassphrase": "Seu backup não é protegido por senha. Adicione uma senha ao seu backup mais tarde, criando uma nova carteira.", - "@backupWalletInstructionNoPassphrase": { - "description": "Information about passphrase protection option" - }, - "transactionDetailLabelSwapId": "ID do balanço", - "@transactionDetailLabelSwapId": { - "description": "Label for swap ID" - }, - "sendSwapFailed": "A troca falhou. Seu reembolso será processado em breve.", - "@sendSwapFailed": { - "description": "Message explaining swap failure and refund" - }, - "sellNetworkError": "Erro de rede. Por favor, tente novamente", - "@sellNetworkError": { - "description": "Error for connectivity issues" - }, - "sendHardwareWallet": "Carteira de hardware", - "@sendHardwareWallet": { - "description": "Option to sign with hardware device" - }, - "sendUserRejected": "Usuário rejeitado no dispositivo", - "@sendUserRejected": { - "description": "Error when user declines on hardware wallet" - }, - "swapSubtractFeesLabel": "Subtrair taxas de montante", - "@swapSubtractFeesLabel": { - "description": "Label when receive exact amount toggle is off" - }, - "buyVerificationRequired": "Verificação necessária para este montante", - "@buyVerificationRequired": { - "description": "Error when KYC needed for purchase size" - }, - "kruxStep1": "Entre no seu dispositivo Krux", - "@kruxStep1": { - "description": "Krux instruction step 1" - }, - "dcaUseDefaultLightningAddress": "Use o meu endereço de Lightning padrão.", - "@dcaUseDefaultLightningAddress": { - "description": "Checkbox label to use default Lightning address" - }, - "recoverbullErrorRejected": "Rejeitado pelo servidor chave", - "@recoverbullErrorRejected": { - "description": "Error message when request is rejected by the key server" - }, - "sellEstimatedArrival": "Chegada estimada: {time}", - "@sellEstimatedArrival": { - "description": "Expected time to receive fiat", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "fundExchangeWarningTacticsTitle": "Táticas comuns do scammer", - "@fundExchangeWarningTacticsTitle": { - "description": "Title for the list of common scammer tactics" - }, - "payInstitutionCodeHint": "Digite o código da instituição", - "@payInstitutionCodeHint": { - "description": "Hint for institution code input" - }, - "arkConfirmedBalance": "Balanço confirmado", - "@arkConfirmedBalance": { - "description": "Label for confirmed balance row" - }, - "walletAddressTypeNativeSegwit": "Nativo Segwit", - "@walletAddressTypeNativeSegwit": { - "description": "Address type for BIP84 wallets" - }, - "payOpenInvoice": "Fatura aberta", - "@payOpenInvoice": { - "description": "Button to open invoice" - }, - "payMaximumAmount": "Máximo: {amount}", - "@payMaximumAmount": { - "description": "Label showing maximum payment amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellSendPaymentNetworkFees": "Taxas de rede", - "@sellSendPaymentNetworkFees": { - "description": "Field label for network fees" - }, - "transactionSwapDescLnReceivePaid": "O pagamento foi recebido! Estamos agora a transmitir a transação em cadeia para a sua carteira.", - "@transactionSwapDescLnReceivePaid": { - "description": "Description for paid Lightning receive swap" - }, - "transactionNoteUpdateButton": "Atualização", - "@transactionNoteUpdateButton": { - "description": "Button label to update a note" - }, - "payAboveMaxAmount": "Você está tentando pagar acima do montante máximo que pode ser pago com esta carteira.", - "@payAboveMaxAmount": { - "description": "Error message when payment amount exceeds maximum" - }, - "receiveNetworkUnavailable": "{network} não está disponível", - "@receiveNetworkUnavailable": { - "description": "Error when network is down", - "placeholders": { - "network": { - "type": "String" - } - } - }, - "fundExchangeHelpBeneficiaryAddress": "Nosso endereço oficial, caso isso seja exigido pelo seu banco", - "@fundExchangeHelpBeneficiaryAddress": { - "description": "Help text for beneficiary address field" - }, - "backupWalletPhysicalBackupTitle": "Backup físico", - "@backupWalletPhysicalBackupTitle": { - "description": "Title for physical backup option" - }, - "arkTxBoarding": "Quadro", - "@arkTxBoarding": { - "description": "Transaction type label for Ark boarding transactions" - }, - "bitboxActionVerifyAddressSuccess": "Endereço Verificado com sucesso", - "@bitboxActionVerifyAddressSuccess": { - "description": "Success text for verify address" - }, - "psbtImDone": "Estou acabado", - "@psbtImDone": { - "description": "Button text to proceed after signing transaction on hardware device" - }, - "bitboxScreenSelectWalletType": "Selecione a carteira Tipo", - "@bitboxScreenSelectWalletType": { - "description": "Title for wallet type selection modal" - }, - "appUnlockEnterPinMessage": "Digite seu código do pino para desbloquear", - "@appUnlockEnterPinMessage": { - "description": "Message prompting user to enter their PIN code to unlock the app" - }, - "torSettingsTitle": "Configurações do Tor", - "@torSettingsTitle": { - "description": "AppBar title for the Tor settings screen" - }, - "backupSettingsRevealing": "Revelando...", - "@backupSettingsRevealing": { - "description": "Button text while revealing vault key" - }, - "payTotal": "Total", - "@payTotal": { - "description": "Label for total payment amount (amount + fee)" - }, - "autoswapSaveErrorMessage": "Falhado para salvar configurações: {error}", - "@autoswapSaveErrorMessage": { - "description": "SnackBar error message when save fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "exchangeDcaAddressLabelLightning": "Endereço de iluminação", - "@exchangeDcaAddressLabelLightning": { - "description": "Label for Lightning address in DCA settings" - }, - "addressViewTitle": "Detalhes do endereço", - "@addressViewTitle": { - "description": "AppBar title for address details screen" - }, - "payCompleted": "Pagamento concluído!", - "@payCompleted": { - "description": "Title for payment completed screen" - }, - "bitboxScreenManagePermissionsButton": "Gerenciar Permissões de Aplicativos", - "@bitboxScreenManagePermissionsButton": { - "description": "Button to open app permissions settings" - }, - "sellKYCPending": "Verificação de KYC pendente", - "@sellKYCPending": { - "description": "Message when verification in progress" - }, - "buyGetConfirmedFaster": "Confirma-o mais rápido", - "@buyGetConfirmedFaster": { - "description": "Subtitle for acceleration option" - }, - "transactionOrderLabelPayinAmount": "Quantidade de pagamento", - "@transactionOrderLabelPayinAmount": { - "description": "Label for order payin amount" - }, - "dcaLightningAddressLabel": "Endereço de iluminação", - "@dcaLightningAddressLabel": { - "description": "Label for Lightning address detail row (shown only for Lightning network)" - }, - "electrumEnableSsl": "Habilitar SSL", - "@electrumEnableSsl": { - "description": "SSL toggle label in add custom server sheet" - }, - "payCustomFee": "Taxas personalizadas", - "@payCustomFee": { - "description": "Option to set custom fee amount" - }, - "backupInstruction5": "Seu backup não é protegido por senha. Adicione uma senha ao seu backup mais tarde, criando uma nova carteira.", - "@backupInstruction5": { - "description": "Fifth backup instruction about passphrase protection" - }, - "buyConfirmExpress": "Confirmação", - "@buyConfirmExpress": { - "description": "Button to confirm express withdrawal" - }, - "fundExchangeBankTransferWireTimeframe": "Qualquer dinheiro que você enviar será adicionado ao seu Bitcoin Bull dentro de 1-2 dias úteis.", - "@fundExchangeBankTransferWireTimeframe": { - "description": "Timeframe for bank transfer wire funds to be credited" - }, - "sendDeviceDisconnected": "Dispositivo desligado", - "@sendDeviceDisconnected": { - "description": "Error when hardware wallet unplugged" - }, - "withdrawConfirmError": "Erro: {error}", - "@withdrawConfirmError": { - "description": "Error message on confirmation screen", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payFeeBumpFailed": "Esboço de taxas falhou", - "@payFeeBumpFailed": { - "description": "Error when fee bump fails" - }, - "arkAboutUnilateralExitDelay": "Atraso de saída unilateral", - "@arkAboutUnilateralExitDelay": { - "description": "Field label for unilateral exit delay" - }, - "payUnsupportedInvoiceType": "Tipo de fatura não suportado", - "@payUnsupportedInvoiceType": { - "description": "Error for unknown invoice format" - }, - "seedsignerStep13": "A transação será importada na carteira Bull Bitcoin.", - "@seedsignerStep13": { - "description": "SeedSigner instruction about import completion" - }, - "autoswapRecipientWalletDefaultLabel": "Carteira Bitcoin", - "@autoswapRecipientWalletDefaultLabel": { - "description": "Default label shown for wallets without a custom label in the dropdown" - }, - "transactionSwapDescLnReceiveClaimable": "A transação em cadeia foi confirmada. Estamos agora a reivindicar os fundos para completar a sua troca.", - "@transactionSwapDescLnReceiveClaimable": { - "description": "Description for claimable Lightning receive swap" - }, - "dcaPaymentMethodLabel": "Método de pagamento", - "@dcaPaymentMethodLabel": { - "description": "Label for payment method detail row" - }, - "swapProgressPendingMessage": "A transferência está em andamento. As transações Bitcoin podem demorar um pouco para confirmar. Podes voltar para casa e esperar.", - "@swapProgressPendingMessage": { - "description": "Pending transfer message" - }, - "walletDetailsNetworkLabel": "Rede", - "@walletDetailsNetworkLabel": { - "description": "Label for the network field in wallet details" - }, - "broadcastSignedTxBroadcasting": "Transmissão...", - "@broadcastSignedTxBroadcasting": { - "description": "Loading message while broadcasting" - }, - "recoverbullSelectRecoverWallet": "Recuperar Carteira", - "@recoverbullSelectRecoverWallet": { - "description": "AppBar title for initial provider selection screen" - }, - "receivePayjoinActivated": "Payjoin ativado", - "@receivePayjoinActivated": { - "description": "Message indicating that payjoin is activated for the receive transaction" - }, - "importMnemonicContinue": "Continue", - "@importMnemonicContinue": { - "description": "Button text to proceed after entering mnemonic" - }, - "psbtFlowMoveLaser": "Mova o laser vermelho para cima e para baixo sobre o código QR", - "@psbtFlowMoveLaser": { - "description": "Troubleshooting tip for devices with laser scanners" - }, - "chooseVaultLocationTitle": "Escolha a localização do vault", - "@chooseVaultLocationTitle": { - "description": "Title for choose vault location screen" - }, - "dcaConfirmOrderTypeValue": "Recorrer comprar", - "@dcaConfirmOrderTypeValue": { - "description": "Order type value" - }, - "psbtFlowDeviceShowsQr": "O {device} irá então mostrar-lhe o seu próprio código QR.", - "@psbtFlowDeviceShowsQr": { - "description": "Information that device will display QR code after signing", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "fundExchangeCrBankTransferDescriptionExactly": "exactamente", - "@fundExchangeCrBankTransferDescriptionExactly": { - "description": "Emphasized word 'exactly' in Costa Rica description" - }, - "testBackupEncryptedVaultTitle": "Vault criptografado", - "@testBackupEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option card" - }, - "dcaWalletTypeLiquid": "Líquido (LBTC)", - "@dcaWalletTypeLiquid": { - "description": "Radio button option for Liquid wallet" - }, - "fundExchangeLabelInstitutionNumber": "Número de instituição", - "@fundExchangeLabelInstitutionNumber": { - "description": "Label for institution number field" - }, - "encryptedVaultDescription": "Backup anônimo com criptografia forte usando sua nuvem.", - "@encryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, - "arkAboutCopiedMessage": "{label} copiado para clipboard", - "@arkAboutCopiedMessage": { - "description": "Snackbar message when field copied", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "swapAmountLabel": "Montante", - "@swapAmountLabel": { - "description": "Label for amount input section" - }, - "recoverbullSelectCustomLocation": "Localização personalizada", - "@recoverbullSelectCustomLocation": { - "description": "AppBar title for custom location file picker screen" - }, - "sellConfirmOrder": "Confirmação de Venda", - "@sellConfirmOrder": { - "description": "Button to submit sell order" - }, - "exchangeAccountInfoUserNumberLabel": "Número de utilizador", - "@exchangeAccountInfoUserNumberLabel": { - "description": "Label for user number field in account information" - }, - "buyVerificationComplete": "Verificação completa", - "@buyVerificationComplete": { - "description": "Success message after KYC approval" - }, - "transactionNotesLabel": "Notas de transação", - "@transactionNotesLabel": { - "description": "Label for transaction notes section" - }, - "replaceByFeeFeeRateDisplay": "Taxa de Taxa: {feeRate} sat/vbyte", - "@replaceByFeeFeeRateDisplay": { - "description": "Display text showing the fee rate", - "placeholders": { - "feeRate": { - "type": "String" - } - } - }, - "torSettingsPortValidationRange": "O porto deve estar entre 1 e 65535", - "@torSettingsPortValidationRange": { - "description": "Validation error when port is out of valid range" - }, - "fundExchangeMethodCrIbanUsdSubtitle": "Transferir fundos em dólares americanos (USD)", - "@fundExchangeMethodCrIbanUsdSubtitle": { - "description": "Subtitle for Costa Rica IBAN USD payment method" - }, - "electrumTimeoutEmptyError": "O timeout não pode estar vazio", - "@electrumTimeoutEmptyError": { - "description": "Validation error for empty Timeout field" - }, - "electrumPrivacyNoticeContent2": "No entanto, Se você visualizar transações via mempool clicando em seu ID de Transação ou na página Detalhes Destinatários, essas informações serão conhecidas pelo BullBitcoin.", - "@electrumPrivacyNoticeContent2": { - "description": "Second paragraph of privacy notice" - }, - "exchangeAccountInfoVerificationIdentityVerified": "Verificação da identidade", - "@exchangeAccountInfoVerificationIdentityVerified": { - "description": "Status label for identity verified verification level" - }, - "importColdcardScanPrompt": "Digitalize o código QR do seu Coldcard Q", - "@importColdcardScanPrompt": { - "description": "Instruction to scan Coldcard QR" - }, - "backupSettingsEncryptedVault": "Vault criptografado", - "@backupSettingsEncryptedVault": { - "description": "Label for encrypted vault backup status row" - }, - "autoswapAlwaysBlockInfoDisabled": "Quando desativado, você terá a opção de permitir uma transferência automática bloqueada devido a altas taxas", - "@autoswapAlwaysBlockInfoDisabled": { - "description": "Help text when always block is disabled" - }, - "dcaSetupTitle": "Definir Recorrer Comprar", - "@dcaSetupTitle": { - "description": "AppBar title for DCA setup screen" - }, - "sendErrorInsufficientBalanceForPayment": "Não saldo suficiente para cobrir este pagamento", - "@sendErrorInsufficientBalanceForPayment": { - "description": "Error when wallet balance is insufficient for payment" - }, - "bitboxScreenPairingCode": "Código de Emparelhamento", - "@bitboxScreenPairingCode": { - "description": "Main text when showing pairing code" - }, - "testBackupPhysicalBackupTitle": "Backup físico", - "@testBackupPhysicalBackupTitle": { - "description": "Title for physical backup option card" - }, - "fundExchangeSpeiDescription": "Transferir fundos usando seu CLABE", - "@fundExchangeSpeiDescription": { - "description": "Description for SPEI transfer method" - }, - "ledgerProcessingImport": "Carteira de importação", - "@ledgerProcessingImport": { - "description": "Status message shown while importing Ledger wallet" - }, - "coldcardStep15": "Agora está pronto para transmitir! Assim que você clicar em transmissão, a transação será publicada na rede Bitcoin e os fundos serão enviados.", - "@coldcardStep15": { - "description": "Coldcard final instruction about broadcasting" - }, - "comingSoonDefaultMessage": "Este recurso está atualmente em desenvolvimento e estará disponível em breve.", - "@comingSoonDefaultMessage": { - "description": "Default message for features under development" - }, - "dcaFrequencyLabel": "Frequência", - "@dcaFrequencyLabel": { - "description": "Label for frequency detail row" - }, - "ledgerErrorMissingAddress": "O endereço é necessário para verificação", - "@ledgerErrorMissingAddress": { - "description": "Error message when address is missing for verification" - }, - "enterBackupKeyManuallyTitle": "Digite a tecla de backup manualmente", - "@enterBackupKeyManuallyTitle": { - "description": "Title for enter backup key manually screen" - }, - "transactionDetailLabelRecipientAddress": "Endereço de destinatário", - "@transactionDetailLabelRecipientAddress": { - "description": "Label for recipient address" - }, - "recoverbullCreatingVault": "Criando criptografia Vault", - "@recoverbullCreatingVault": { - "description": "Screen title while vault is being created" - }, - "walletsListNoWalletsMessage": "Nenhuma carteira encontrada", - "@walletsListNoWalletsMessage": { - "description": "Message displayed when no wallets are found" - }, - "importWalletColdcardQ": "Cartão de crédito", - "@importWalletColdcardQ": { - "description": "Button label for Coldcard Q hardware wallet" - }, - "backupSettingsStartBackup": "Iniciar backup", - "@backupSettingsStartBackup": { - "description": "Button text to start new backup process" - }, - "sendReceiveAmount": "Receber valor", - "@sendReceiveAmount": { - "description": "Label for amount being received in swap" - }, - "recoverbullTestRecovery": "Recuperação de Teste", - "@recoverbullTestRecovery": { - "description": "Button text to initiate recovery test" - }, - "sellNetAmount": "Montante líquido", - "@sellNetAmount": { - "description": "Label for amount after fees" - }, - "willNot": "não terá ", - "@willNot": { - "description": "Bold part of privacy assurance (will not)" - }, - "arkAboutServerPubkey": "Servidor pubkey", - "@arkAboutServerPubkey": { - "description": "Field label for server pubkey" - }, - "receiveReceiveAmount": "Receber valor", - "@receiveReceiveAmount": { - "description": "Label for the amount that will be received after fees" - }, - "exchangeReferralsApplyToJoinMessage": "Aplicar para se juntar ao programa aqui", - "@exchangeReferralsApplyToJoinMessage": { - "description": "Message with link to apply for the referral program" - }, - "payLabelHint": "Digite um rótulo para este destinatário", - "@payLabelHint": { - "description": "Hint for label input" - }, - "payBitcoinOnchain": "Bitcoin on-chain", - "@payBitcoinOnchain": { - "description": "Option for Bitcoin on-chain payment" - }, - "pinManageDescription": "Gerenciar seu PIN de segurança", - "@pinManageDescription": { - "description": "Headline text on PIN settings screen" - }, - "pinCodeConfirm": "Confirmação", - "@pinCodeConfirm": { - "description": "Button label to confirm PIN entry" - }, - "bitboxActionUnlockDeviceProcessing": "Desbloquear dispositivo", - "@bitboxActionUnlockDeviceProcessing": { - "description": "Processing text for unlock device" - }, - "seedsignerStep4": "Se você tiver problemas de digitalização:", - "@seedsignerStep4": { - "description": "SeedSigner troubleshooting header" - }, - "mempoolNetworkLiquidTestnet": "Testnet líquido", - "@mempoolNetworkLiquidTestnet": { - "description": "Label for Liquid Testnet network" - }, - "payBitcoinOnChain": "Bitcoin on-chain", - "@payBitcoinOnChain": { - "description": "Option for Bitcoin on-chain payment" - }, - "ledgerButtonTryAgain": "Tente novamente", - "@ledgerButtonTryAgain": { - "description": "Button label to retry a failed Ledger operation" - }, - "bitboxScreenNestedSegwitBip49Subtitle": "P2WPKH-nested-in-P2SH", - "@bitboxScreenNestedSegwitBip49Subtitle": { - "description": "Subtitle for BIP49 option" - }, - "buyInstantPaymentWallet": "Carteira de pagamento instantânea", - "@buyInstantPaymentWallet": { - "description": "Label for instant payment (Liquid) wallet" - }, - "autoswapMaxBalanceLabel": "Max equilíbrio de carteira instantânea", - "@autoswapMaxBalanceLabel": { - "description": "Label for amount threshold input field" - }, - "recoverbullRecoverBullServer": "Servidor de recuperação", - "@recoverbullRecoverBullServer": { - "description": "Label for RecoverBull server connection status" - }, - "satsBitcoinUnitSettingsLabel": "Unidade de exibição em satélites", - "@satsBitcoinUnitSettingsLabel": { - "description": "The label to switch the Bitcoin unit to sats in settings" - }, - "exchangeDcaViewSettings": "Ver configurações", - "@exchangeDcaViewSettings": { - "description": "Link text to view DCA settings details" - }, - "payRetryPayment": "Restrição de pagamento", - "@payRetryPayment": { - "description": "Button text to retry a failed payment" - }, - "exchangeSupportChatTitle": "Chat de Suporte", - "@exchangeSupportChatTitle": { - "description": "Title for the support chat screen" - }, - "sellAdvancedSettings": "Configurações avançadas", - "@sellAdvancedSettings": { - "description": "Button for advanced settings" - }, - "arkTxTypeCommitment": "Autorizações", - "@arkTxTypeCommitment": { - "description": "Transaction type label for commitment transactions" - }, - "exchangeReferralsJoinMissionTitle": "Junte-se à missão", - "@exchangeReferralsJoinMissionTitle": { - "description": "Title encouraging users to join the referral mission" - }, - "exchangeSettingsLogInTitle": "Entrar", - "@exchangeSettingsLogInTitle": { - "description": "Title for the log in option in exchange settings" - }, - "customLocationRecommendation": "Localização personalizada: ", - "@customLocationRecommendation": { - "description": "Bold label for custom location recommendation" - }, - "fundExchangeMethodCrIbanUsd": "Costa Rica IBAN (USD)", - "@fundExchangeMethodCrIbanUsd": { - "description": "Payment method: Costa Rica IBAN in US Dollars" - }, - "recoverbullErrorSelectVault": "Falhado para selecionar o cofre", - "@recoverbullErrorSelectVault": { - "description": "Error message when vault selection fails" - }, - "paySwapCompleted": "Swap concluída", - "@paySwapCompleted": { - "description": "Status message after successful swap" - }, - "receiveDescription": "Descrição (opcional)", - "@receiveDescription": { - "description": "Optional memo field" - }, - "bitboxScreenVerifyAddress": "Verificar endereço", - "@bitboxScreenVerifyAddress": { - "description": "Main text when showing address verification" - }, - "bitboxScreenConnectDevice": "Conecte seu dispositivo BitBox", - "@bitboxScreenConnectDevice": { - "description": "Main text when in initial state" - }, - "arkYesterday": "Ontem", - "@arkYesterday": { - "description": "Date label for transactions from yesterday" - }, - "amountRequestedLabel": "Montante solicitado: {amount}", - "@amountRequestedLabel": { - "description": "Shows the requested amount to send", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "swapProgressRefunded": "Transferência reembolsada", - "@swapProgressRefunded": { - "description": "Refunded transfer status" - }, - "payPaymentHistory": "Histórico do pagamento", - "@payPaymentHistory": { - "description": "Title for list of past payments" - }, - "exchangeFeatureUnifiedHistory": "• Histórico de transações unificadas", - "@exchangeFeatureUnifiedHistory": { - "description": "Feature bullet point describing unified transaction history feature" - }, - "payViewDetails": "Ver detalhes", - "@payViewDetails": { - "description": "Button to view order details" - }, - "withdrawOrderAlreadyConfirmedError": "Esta ordem de retirada já foi confirmada.", - "@withdrawOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed withdrawal order" - }, - "autoswapSelectWallet": "Selecione uma carteira Bitcoin", - "@autoswapSelectWallet": { - "description": "Placeholder for wallet dropdown" - }, - "recoverbullGoogleDriveErrorSelectFailed": "Falhado para selecionar o vault do Google Drive", - "@recoverbullGoogleDriveErrorSelectFailed": { - "description": "Error message when selecting/loading a drive backup fails" - }, - "autoswapRecipientWalletRequired": "*", - "@autoswapRecipientWalletRequired": { - "description": "Required field indicator asterisk" - }, - "pinCodeLoading": "A carregar", - "@pinCodeLoading": { - "description": "Status screen title while loading PIN settings" - }, - "fundExchangeCrIbanUsdLabelRecipientName": "Nome do destinatário", - "@fundExchangeCrIbanUsdLabelRecipientName": { - "description": "Label for recipient name in CR IBAN USD transfer" - }, - "ledgerSignTitle": "Transação de Sinais", - "@ledgerSignTitle": { - "description": "Title for signing a transaction with Ledger" - }, - "importWatchOnlyCancel": "Cancelar", - "@importWatchOnlyCancel": { - "description": "Button to cancel watch-only import" - } -} + "translationWarningTitle": "Traduções geradas por IA", + "translationWarningDescription": "A maioria das traduções neste aplicativo foram geradas usando IA e podem conter imprecisões. Se você notar erros ou quiser ajudar a melhorar as traduções, pode contribuir através da nossa plataforma de tradução comunitária.", + "translationWarningContributeButton": "Ajudar a melhorar traduções", + "translationWarningDismissButton": "Entendi", + "bitboxErrorMultipleDevicesFound": "Múltiplos dispositivos BitBox encontrados. Certifique-se de que apenas um dispositivo está conectado.", + "payTransactionBroadcast": "Transmissão da transação", + "fundExchangeSepaDescriptionExactly": "exactamente.", + "payPleasePayInvoice": "Por favor, pague esta fatura", + "swapMax": "MAX", + "importQrDeviceSpecterStep2": "Digite seu PIN", + "importColdcardInstructionsStep10": "Configuração completa", + "buyPayoutWillBeSentIn": "Seu pagamento será enviado ", + "fundExchangeInstantSepaInfo": "Use apenas para transações abaixo de € 20.000. Para transações maiores, use a opção SEPA regular.", + "transactionLabelSwapId": "ID do balanço", + "dcaChooseWalletTitle": "Escolha Bitcoin Wallet", + "torSettingsPortHint": "9050", + "electrumTimeoutPositiveError": "O tempo limite deve ser positivo", + "bitboxScreenNeedHelpButton": "Precisas de ajuda?", + "sellSendPaymentAboveMax": "Você está tentando vender acima da quantidade máxima que pode ser vendida com esta carteira.", + "fundExchangeETransferLabelSecretAnswer": "Resposta secreta", + "payPayinAmount": "Quantidade de pagamento", + "transactionDetailLabelTransactionFee": "Taxa de transação", + "jadeStep13": "A carteira Bull Bitcoin irá pedir-lhe para digitalizar o código QR no Jade. Analisa-o.", + "transactionSwapDescLnSendPending": "A tua troca foi iniciada. Estamos a transmitir a transação em cadeia para bloquear os seus fundos.", + "payInstitutionNumber": "Número de Instituição", + "sendScheduledPayment": "Pagamento agendado", + "fundExchangeLabelBicCode": "Código BIC", + "fundExchangeCanadaPostStep6": "6. O caixa lhe dará um recibo, mantê-lo como sua prova de pagamento", + "sendSendNetworkFee": "Enviar Taxa de rede", + "exchangeDcaUnableToGetConfig": "Incapaz de obter configuração DCA", + "psbtFlowClickScan": "Clique em Digitalizar", + "sellInstitutionNumber": "Número de Instituição", + "recoverbullGoogleDriveErrorDisplay": "Erro: {error}", + "@recoverbullGoogleDriveErrorDisplay": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "mempoolSettingsCustomServer": "Servidor personalizado", + "fundExchangeMethodRegularSepa": "SEPA regular", + "addressViewTransactions": "Transações", + "fundExchangeSinpeLabelPhone": "Enviar para este número de telefone", + "importQrDeviceKruxStep3": "Clique em XPUB - QR Code", + "passportStep1": "Entre no seu dispositivo de Passaporte", + "sellAdvancedOptions": "Opções avançadas", + "electrumPrivacyNoticeSave": "Salvar", + "bip329LabelsImportSuccessSingular": "1 rótulo importado", + "bip329LabelsImportSuccessPlural": "{count} rótulos importados", + "@bip329LabelsImportSuccessPlural": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "receiveInvoice": "Fatura de relâmpago", + "receiveGenerateAddress": "Gerar novo endereço", + "kruxStep3": "Clique em PSBT", + "hwColdcardQ": "Cartão de crédito", + "fundExchangeCrIbanCrcTransferCodeWarning": "Você deve adicionar o código de transferência como \"mensagem\" ou \"razão\" ou \"descrição\" ao fazer o pagamento. Se você esquecer de incluir este código, seu pagamento pode ser rejeitado.", + "paySinpeBeneficiario": "Beneficiário", + "exchangeDcaAddressDisplay": "{addressLabel}: {address}", + "@exchangeDcaAddressDisplay": { + "placeholders": { + "addressLabel": { + "type": "String", + "description": "The address label (e.g., 'Bitcoin address')" + }, + "address": { + "type": "String", + "description": "The actual address" + } + } + }, + "autoswapAlwaysBlockEnabledInfo": "Quando ativado, as transferências automáticas com taxas acima do limite do conjunto serão sempre bloqueadas", + "electrumServerAlreadyExists": "Este servidor já existe", + "sellPaymentMethod": "Método de pagamento", + "transactionNoteHint": "Nota", + "transactionLabelPreimage": "Preimagem", + "coreSwapsChainCanCoop": "Transferência completará momentaneamente.", + "importColdcardInstructionsStep2": "Insira uma senha se aplicável", + "satsSuffix": " sats", + "recoverbullErrorPasswordNotSet": "A senha não está definida", + "sellSendPaymentExchangeRate": "Taxa de câmbio", + "systemLabelAutoSwap": "Auto Swap", + "fundExchangeSinpeTitle": "Transferência de SINPE", + "payExpiresIn": "Expira em {time}", + "@payExpiresIn": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "transactionDetailLabelConfirmationTime": "Tempo de confirmação", + "fundExchangeCanadaPostStep5": "5. Pague com dinheiro ou cartão de débito", + "importQrDeviceKruxName": "Krux", + "addressViewNoAddressesFound": "Nenhum endereço encontrado", + "backupWalletErrorSaveBackup": "Falhado para salvar o backup", + "exchangeReferralsTitle": "Códigos de referência", + "onboardingRecoverYourWallet": "Recupere sua carteira", + "bitboxScreenTroubleshootingStep2": "Certifique-se de que seu telefone tem permissões USB habilitadas.", + "replaceByFeeErrorNoFeeRateSelected": "Por favor, selecione uma taxa de taxa", + "transactionSwapDescChainPending": "Sua transferência foi criada, mas ainda não iniciada.", + "coreScreensTransferFeeLabel": "Taxa de transferência", + "onboardingEncryptedVaultDescription": "Recupere seu backup via nuvem usando seu PIN.", + "transactionOrderLabelPayoutStatus": "Status de pagamento", + "transactionSwapStatusSwapStatus": "Estado do balanço", + "arkAboutDurationSeconds": "{seconds} segundos", + "@arkAboutDurationSeconds": { + "placeholders": { + "seconds": { + "type": "int" + } + } + }, + "receiveInvoiceCopied": "Fatura copiada para clipboard", + "kruxStep7": " - Aumente o brilho da tela em seu dispositivo", + "autoswapUpdateSettingsError": "Falhado para atualizar as configurações de troca automática", + "transactionStatusTransferFailed": "Transferência Falhada", + "jadeStep11": "O Jade irá então mostrar-lhe o seu próprio código QR.", + "buyConfirmExternalWallet": "Carteira Bitcoin externa", + "bitboxActionPairDeviceProcessing": "Dispositivo de emparelhamento", + "exchangeCurrencyDropdownTitle": "Selecione a moeda", + "receiveServerNetworkFees": "Taxas de rede do servidor", + "importQrDeviceImporting": "Importação de carteira...", + "rbfFastest": "Mais rápido", + "buyConfirmExpressWithdrawal": "Confirmação expressa", + "arkReceiveBoardingAddress": "BTC Endereço de embarque", + "sellSendPaymentTitle": "Confirmar pagamento", + "recoverbullReenterConfirm": "Por favor, volte a entrar no seu {inputType} para confirmar.", + "@recoverbullReenterConfirm": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "importWatchOnlyCopiedToClipboard": "Copiado para clipboard", + "dcaLightningAddressInvalidError": "Por favor, insira um endereço Lightning válido", + "ledgerButtonNeedHelp": "Precisas de ajuda?", + "backupInstruction4": "Não faça cópias digitais de seu backup. Escreva-o em um pedaço de papel, ou gravado em metal.", + "hwKrux": "Krux", + "transactionFilterTransfer": "Transferência", + "recoverbullSelectVaultImportSuccess": "Seu cofre foi importado com sucesso", + "mempoolServerNotUsed": "Não usado (servidor personalizado ativo)", + "recoverbullSelectErrorPrefix": "Erro:", + "bitboxErrorDeviceMismatch": "Desvio de dispositivo detectado.", + "arkReceiveBtcAddress": "Endereço de BTC", + "exchangeLandingRecommendedExchange": "Troca de Bitcoin recomendada", + "backupWalletHowToDecideVaultMoreInfo": "Visite o Recoverbull.com para obter mais informações.", + "recoverbullGoBackEdit": "< Voltar e editar", + "importWatchOnlyWalletGuides": "Guias de carteira", + "receiveConfirming": "Confirmação... ({count}/{required})", + "@receiveConfirming": { + "placeholders": { + "count": { + "type": "int" + }, + "required": { + "type": "int" + } + } + }, + "fundExchangeInfoPaymentDescription": "Na descrição de pagamento, adicione seu código de transferência.", + "payInstantPayments": "Pagamentos imediatos", + "importWatchOnlyImportButton": "Importar apenas carteira de relógio", + "fundExchangeCrIbanCrcDescriptionBold": "exactamente", + "electrumTitle": "Configurações do servidor Electrum", + "importQrDeviceJadeStep7": "Se necessário, selecione \"Opções\" para alterar o tipo de endereço", + "transactionNetworkLightning": "Luz", + "paySecurityQuestionLength": "{count}/40 caracteres", + "@paySecurityQuestionLength": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "sendBroadcastingTransaction": "Transmitir a transação.", + "pinCodeMinLengthError": "PIN deve ser pelo menos {minLength} dígitos longo", + "@pinCodeMinLengthError": { + "placeholders": { + "minLength": { + "type": "String" + } + } + }, + "swapReceiveExactAmountLabel": "Receber quantidade exata", + "arkContinueButton": "Continue", + "ledgerImportButton": "Importação de início", + "dcaActivate": "Ativar a recuperação", + "labelInputLabel": "Etiqueta", + "bitboxActionPairDeviceButton": "Iniciar emparelhamento", + "importQrDeviceSpecterName": "Espectro", + "transactionDetailLabelSwapFees": "Taxas de swap", + "broadcastSignedTxFee": "Taxas", + "recoverbullRecoveryBalanceLabel": "Equilíbrio: {amount}", + "@recoverbullRecoveryBalanceLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "buyFundYourAccount": "Fina sua conta", + "sellReplaceByFeeActivated": "Substitui-a-taxa activada", + "globalDefaultBitcoinWalletLabel": "Bitcoin seguro", + "arkAboutServerUrl": "URL do servidor", + "fundExchangeLabelRecipientAddress": "Endereço de destinatário", + "save": "Salvar", + "dcaWalletLiquidSubtitle": "Requer carteira compatível", + "fundExchangeCrIbanCrcTitle": "Transferência Bancária (CRC)", + "appUnlockButton": "Desbloqueio", + "payServiceFee": "Taxa de serviço", + "transactionStatusSwapExpired": "Swap Expirou", + "swapAmountPlaceholder": "0", + "fundExchangeMethodInstantSepaSubtitle": "Mais rápido - Apenas para transações abaixo de €20,000", + "dcaConfirmError": "Algo correu mal", + "@dcaConfirmError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaNetworkLiquid": "Rede líquida", + "fundExchangeSepaDescription": "Envie uma transferência SEPA da sua conta bancária usando os detalhes abaixo ", + "sendAddress": "Endereço: ", + "receiveBitcoinNetwork": "Bitcoin", + "fundExchangeCrIbanCrcPaymentDescriptionHelp": "O teu código de transferência.", + "testBackupWriteDownPhrase": "Escreva sua frase de recuperação\nna ordem correta", + "jadeStep8": " - Tente mover seu dispositivo mais perto ou mais longe", + "payNotLoggedIn": "Não inscrito", + "importQrDeviceSpecterStep7": "Desativar \"Use SLIP-132\"", + "customLocationTitle": "Localização personalizada", + "importQrDeviceJadeStep5": "Selecione \"Wallet\" na lista de opções", + "arkSettled": "Preparado", + "transactionFilterBuy": "Comprar", + "approximateFiatPrefix": "~", + "sendEstimatedDeliveryHoursToDays": "horas para dias", + "coreWalletTransactionStatusPending": "Pendente", + "ledgerActionFailedMessage": "{action}", + "@ledgerActionFailedMessage": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "testBackupErrorLoadWallets": "Falhado para carregar carteiras: {error}", + "@testBackupErrorLoadWallets": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "fundExchangeLabelBankAccountCountry": "País de conta bancária", + "walletAddressTypeNestedSegwit": "Segwit aninhado", + "dcaConfirmDeactivate": "Sim, desactivar", + "exchangeLandingFeature2": "DCA, Limite de ordens e Auto-compra", + "payPaymentPending": "Pagamento pendente", + "payConfirmHighFee": "A taxa para este pagamento é {percentage}% do valor. Continua?", + "@payConfirmHighFee": { + "placeholders": { + "percentage": { + "type": "String" + } + } + }, + "payPayoutAmount": "Quantidade de pagamento", + "autoswapMaxBalanceInfo": "Quando o saldo da carteira exceder o dobro desta quantidade, o auto-transfer irá desencadear para reduzir o equilíbrio a este nível", + "payPhone": "Telefone", + "recoverbullTorNetwork": "Rede de Torno", + "transactionDetailLabelTransferStatus": "Status de transferência", + "importColdcardInstructionsTitle": "Instruções do Coldcard Q", + "sendVerifyOnDevice": "Verificar no dispositivo", + "sendAmountRequested": "Montante solicitado: ", + "exchangeTransactionsTitle": "Transações", + "payRoutingFailed": "Routing falhou", + "payCard": "Cartão", + "sendFreezeCoin": "Moeda de congelamento", + "fundExchangeLabelTransitNumber": "Número de trânsito", + "buyConfirmYouReceive": "Você recebe", + "buyDocumentUpload": "Carregar documentos", + "walletAddressTypeConfidentialSegwit": "Segwit confidencial", + "transactionDetailRetryTransfer": "Transferência de Restrição {action}", + "@transactionDetailRetryTransfer": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "sendTransferFeeDescription": "Esta é a taxa total deduzida do montante enviado", + "bitcoinSettingsWalletsTitle": "Carteiras", + "arkReceiveSegmentBoarding": "Quadro", + "seedsignerStep12": "A carteira Bull Bitcoin irá pedir-lhe para digitalizar o código QR no SeedSigner. Analisa-o.", + "psbtFlowKeystoneTitle": "Instruções de Keystone", + "transactionLabelTransferStatus": "Status de transferência", + "arkSessionDuration": "Duração da sessão", + "buyAboveMaxAmountError": "Você está tentando comprar acima da quantidade máxima.", + "electrumTimeoutWarning": "Seu timeout ({timeoutValue} segundos) é menor do que o valor recomendado ({recommended} segundos) para este Stop Gap.", + "@electrumTimeoutWarning": { + "placeholders": { + "timeoutValue": { + "type": "String" + }, + "recommended": { + "type": "String" + } + } + }, + "sendShowPsbt": "Mostrar PSBT", + "ledgerErrorUnknownOccurred": "O erro desconhecido ocorreu", + "receiveAddress": "Receber endereço", + "broadcastSignedTxAmount": "Montante", + "hwJade": "Blockstream Jade", + "keystoneStep14": "Agora está pronto para transmitir! Assim que você clicar em transmissão, a transação será publicada na rede Bitcoin e os fundos serão enviados.", + "recoverbullErrorConnectionFailed": "Falhado em se conectar ao servidor de chaves de destino. Por favor, tente novamente mais tarde!", + "testBackupDigitalCopy": "Cópia digital", + "fundExchangeLabelMemo": "Memorando", + "paySearchPayments": "Pagamentos de busca...", + "payPendingPayments": "Pendente", + "passwordMinLengthError": "{pinOrPassword} deve ter pelo menos 6 dígitos de comprimento", + "@passwordMinLengthError": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "coreSwapsLnSendExpired": "Swap Expirou", + "sellSendPaymentUsdBalance": "USD / USD Balanço", + "backupWalletEncryptedVaultTag": "Fácil e simples (1 minuto)", + "payBroadcastFailed": "Transmissão falhou", + "arkSettleTransactions": "Transações de Settle", + "transactionLabelConfirmationTime": "Tempo de confirmação", + "languageSettingsScreenTitle": "Língua", + "payNetworkFees": "Taxas de rede", + "bitboxScreenSegwitBip84": "Segwit (BIP84)", + "bitboxScreenConnectingSubtext": "Estabelecer uma ligação segura...", + "receiveShareAddress": "Compartilhar Endereço", + "arkTxPending": "Pendente", + "payAboveMaxAmountError": "Você está tentando pagar acima do montante máximo que pode ser pago com esta carteira.", + "sharedWithBullBitcoin": "compartilhado com Bull Bitcoin.", + "jadeStep7": " - Mantenha o código QR estável e centralizado", + "sendCouldNotBuildTransaction": "Não poderia construir a transação", + "allSeedViewIUnderstandButton": "Eu compreendo", + "coreScreensExternalTransfer": "Transferência Externa", + "fundExchangeSinpeWarningNoBitcoin": "Não ponha", + "ledgerHelpStep3": "Certifique-se de que seu Ledger tem Bluetooth ligado.", + "coreSwapsChainFailedRefunding": "A transferência será reembolsada em breve.", + "sendSelectAmount": "Selecione o valor", + "sellKYCRejected": "Verificação de KYC rejeitada", + "electrumNetworkLiquid": "Líquido", + "buyBelowMinAmountError": "Você está tentando comprar abaixo da quantidade mínima.", + "exchangeLandingFeature6": "Histórico de transações unificadas", + "transactionStatusPaymentRefunded": "Pagamento Reembolsado", + "pinCodeSecurityPinTitle": "PIN de segurança", + "bitboxActionImportWalletSuccessSubtext": "Sua carteira BitBox foi importada com sucesso.", + "electrumEmptyFieldError": "Este campo não pode estar vazio", + "transactionStatusPaymentInProgress": "Pagamento em Progresso", + "connectHardwareWalletKrux": "Krux", + "receiveSelectNetwork": "Selecione Rede", + "sellLoadingGeneric": "A carregar...", + "ledgerWalletTypeSegwit": "Segwit (BIP84)", + "bip85Mnemonic": "Mnemónica", + "importQrDeviceSeedsignerName": "Sementes", + "payFeeTooHigh": "A taxa é excepcionalmente alta", + "fundExchangeBankTransferWireTitle": "Transferência bancária (fira)", + "psbtFlowPartProgress": "Parte {current} de {total}", + "@psbtFlowPartProgress": { + "placeholders": { + "current": { + "type": "String" + }, + "total": { + "type": "String" + } + } + }, + "receiveShareInvoice": "Compartilhar Fatura", + "buyCantBuyMoreThan": "Você não pode comprar mais do que", + "dcaUnableToGetConfig": "Incapaz de obter configuração DCA", + "exchangeAuthLoginFailed": "Login Falhado", + "arkAvailable": "Disponível", + "transactionSwapDescChainFailed": "Houve um problema com a sua transferência. Por favor, contacte o suporte se os fundos não tiverem sido devolvidos dentro de 24 horas.", + "testBackupWarningMessage": "Sem um backup, você eventualmente perderá o acesso ao seu dinheiro. É criticamente importante fazer um backup.", + "arkNetwork": "Rede", + "importWatchOnlyYpub": "- sim", + "ledgerVerifyTitle": "Verificar endereço no Ledger", + "recoverbullSwitchToPassword": "Escolha uma senha em vez", + "exchangeDcaNetworkBitcoin": "Rede de Bitcoin", + "autoswapWarningTitle": "O Autoswap está habilitado com as seguintes configurações:", + "seedsignerStep1": "Ligue o dispositivo SeedSigner", + "backupWalletHowToDecideBackupLosePhysical": "Uma das maneiras mais comuns que as pessoas perdem seu Bitcoin é porque eles perdem o backup físico. Qualquer pessoa que encontrar seu backup físico será capaz de tomar todo o seu Bitcoin. Se você está muito confiante de que você pode escondê-lo bem e nunca perdê-lo, é uma boa opção.", + "transactionLabelStatus": "Estado", + "transactionSwapDescLnSendDefault": "A tua troca está em andamento. Este processo é automatizado e pode levar algum tempo para ser concluído.", + "recoverbullErrorMissingBytes": "Perdendo bytes da resposta Tor. Retira mas se o problema persistir, é um problema conhecido para alguns dispositivos com Tor.", + "coreScreensReceiveNetworkFeeLabel": "Receber Taxas de Rede", + "transactionPayjoinStatusCompleted": "Completada", + "payEstimatedFee": "Taxa estimada", + "sendSendAmount": "Enviar valor", + "sendSelectedUtxosInsufficient": "Utxos selecionados não cobre a quantidade necessária", + "swapErrorBalanceTooLow": "Equilíbrio demasiado baixo para uma quantidade mínima de swap", + "replaceByFeeErrorGeneric": "Um erro ocorreu ao tentar substituir a transação", + "fundExchangeWarningTactic5": "Eles pedem para enviar Bitcoin em outra plataforma", + "rbfCustomFee": "Taxas personalizadas", + "importQrDeviceFingerprint": "Impressão digital", + "physicalBackupRecommendationText": "Você está confiante em suas próprias capacidades de segurança operacional para esconder e preservar suas palavras de semente Bitcoin.", + "importWatchOnlyDescriptor": "Descritores", + "payPaymentInProgress": "Pagamento em Progresso!", + "recoverbullFailed": "Falhado", + "payOrderAlreadyConfirmed": "Esta ordem de pagamento já foi confirmada.", + "ledgerProcessingSign": "Transação de Assinatura", + "jadeStep6": " - Aumente o brilho da tela em seu dispositivo", + "fundExchangeETransferLabelEmail": "Enviar o E-transfer para este e-mail", + "pinCodeCreateButton": "Criar PIN", + "bitcoinSettingsTestnetModeTitle": "Modo de Testnet", + "buyTitle": "Comprar Bitcoin", + "fromLabel": "A partir de", + "sellCompleteKYC": "KYC completo", + "hwConnectTitle": "Conecte a carteira de hardware", + "payRequiresSwap": "Este pagamento requer uma troca", + "exchangeSecurityManage2FAPasswordLabel": "Gerenciar 2FA e senha", + "backupWalletSuccessTitle": "Backup concluído!", + "transactionSwapDescLnSendFailed": "Houve um problema com a tua troca. Os seus fundos serão devolvidos automaticamente à sua carteira.", + "sendCoinAmount": "Valor: {amount}", + "@sendCoinAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "walletDeletionFailedOkButton": "ESTÁ BEM", + "payTotalFees": "Taxas totais", + "fundExchangeOnlineBillPaymentHelpBillerName": "Adicionar esta empresa como um payee - é processador de pagamento Bull Bitcoin", + "payPayoutMethod": "Método de pagamento", + "ledgerVerifyButton": "Verificar endereço", + "sendErrorSwapFeesNotLoaded": "Taxas de swap não carregadas", + "walletDetailsCopyButton": "Entendido", + "backupWalletGoogleDrivePrivacyMessage3": "deixar seu telefone e é ", + "backupCompletedDescription": "Agora vamos testar seu backup para garantir que tudo foi feito corretamente.", + "sendErrorInsufficientFundsForFees": "Não há fundos suficientes para cobrir o montante e as taxas", + "buyConfirmPayoutMethod": "Método de pagamento", + "dcaCancelButton": "Cancelar", + "durationMinutes": "{minutes}", + "@durationMinutes": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "dcaConfirmNetworkLiquid": "Líquido", + "walletDetailsAddressTypeLabel": "Tipo de endereço", + "emptyMnemonicWordsError": "Digite todas as palavras de seu mnemônico", + "arkSettleCancel": "Cancelar", + "testBackupTapWordsInOrder": "Toque nas palavras de recuperação no\nordem certa", + "transactionSwapDescLnSendExpired": "Esta troca expirou. Os seus fundos serão automaticamente devolvidos à sua carteira.", + "testBackupButton": "Teste de backup", + "receiveNotePlaceholder": "Nota", + "sendChange": "Variação", + "coreScreensInternalTransfer": "Transferência interna", + "sendSwapWillTakeTime": "Levará algum tempo para confirmar", + "autoswapSelectWalletError": "Por favor, selecione uma carteira Bitcoin destinatário", + "sellServiceFee": "Taxa de serviço", + "connectHardwareWalletTitle": "Conecte a carteira de hardware", + "replaceByFeeCustomFeeTitle": "Taxas personalizadas", + "kruxStep14": "A carteira Bull Bitcoin irá pedir-lhe para digitalizar o código QR no Krux. Analisa-o.", + "payAvailableBalance": "Disponível: {amount}", + "@payAvailableBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "payCheckingStatus": "Verificando o estado de pagamento...", + "payMemo": "Memorando", + "languageSettingsLabel": "Língua", + "fundExchangeMethodCrIbanCrc": "Costa Rica IBAN (CRC)", + "walletDeletionFailedTitle": "Excluir Falhado", + "payPayFromWallet": "Pagar da carteira", + "broadcastSignedTxNfcTitle": "NFC", + "buyYouPay": "Você paga", + "payOrderAlreadyConfirmedError": "Esta ordem de pagamento já foi confirmada.", + "passportStep12": "A carteira Bull Bitcoin irá pedir-lhe para digitalizar o código QR no Passaporte. Analisa-o.", + "paySelectRecipient": "Selecione o destinatário", + "payNoActiveWallet": "Sem carteira ativa", + "importQrDeviceKruxStep4": "Clique no botão \"Câmera aberta\"", + "appStartupErrorMessageWithBackup": "Em v5.4.0 um bug crítico foi descoberto em uma de nossas dependências que afetam o armazenamento de chaves privada. Seu aplicativo foi afetado por isso. Você terá que excluir este aplicativo e reinstalá-lo com sua semente de backup.", + "payPasteInvoice": "Fatura de pasta", + "labelErrorUnexpected": "Erro inesperado: {message}", + "@labelErrorUnexpected": { + "placeholders": { + "message": { + "type": "String" + } + } + }, + "arkStatusSettled": "Preparado", + "dcaWalletBitcoinSubtitle": "Mínimo 0,001 BTC", + "bitboxScreenEnterPasswordSubtext": "Digite sua senha no dispositivo BitBox para continuar.", + "systemLabelSwaps": "Swaps", + "sendOpenTheCamera": "Abra a câmera", + "passportStep11": "Clique em \"Estou feito\" na carteira Bull Bitcoin.", + "sendSwapId": "ID do balanço", + "electrumServerOnline": "Online", + "fundExchangeAccountTitle": "Fina sua conta", + "exchangeAppSettingsSaveButton": "Salvar", + "fundExchangeWarningTactic1": "Eles são retornos promissores sobre o investimento", + "testBackupDefaultWallets": "Carteiras padrão", + "receiveSendNetworkFee": "Enviar Taxa de rede", + "autoswapRecipientWalletInfoText": "Escolha qual carteira Bitcoin receberá os fundos transferidos (necessário)", + "withdrawAboveMaxAmountError": "Você está tentando retirar acima da quantidade máxima.", + "psbtFlowScanDeviceQr": "A carteira Bull Bitcoin irá pedir-lhe para digitalizar o código QR no {device}. Analisa-o.", + "@psbtFlowScanDeviceQr": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "exchangeAuthLoginFailedMessage": "Um erro ocorreu, tente fazer login novamente.", + "okButton": "ESTÁ BEM", + "passportStep13": "A transação será importada na carteira Bull Bitcoin.", + "importQrDeviceKeystoneStep3": "Clique nos três pontos no canto superior direito", + "exchangeAmountInputValidationInvalid": "Montante inválido", + "exchangeAccountInfoLoadErrorMessage": "Incapaz de carregar informações da conta", + "dcaWalletSelectionContinueButton": "Continue", + "pinButtonChange": "Mudar PIN", + "sendErrorInsufficientFundsForPayment": "Não há fundos suficientes disponíveis para fazer este pagamento.", + "arkAboutShow": "Mostrar", + "fundExchangeETransferTitle": "Detalhes de E-Transfer", + "verifyButton": "Verificar", + "autoswapWarningOkButton": "ESTÁ BEM", + "swapTitle": "Transferência interna", + "sendOutputTooSmall": "Saída abaixo do limite de poeira", + "copiedToClipboardMessage": "Copiado para clipboard", + "torSettingsStatusConnected": "Conectado", + "receiveNote": "Nota", + "arkCopiedToClipboard": "{label} copiado para clipboard", + "@arkCopiedToClipboard": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "arkRecipientAddress": "Endereço de destinatário", + "payLightningNetwork": "Rede de relâmpago", + "shareLogsLabel": "Registos de compartilhamento", + "ledgerSuccessVerifyTitle": "Verificando endereço no Ledger...", + "payCorporateNameHint": "Digite o nome corporativo", + "sellExternalWallet": "Carteira externa", + "backupSettingsFailedToDeriveKey": "Falhado para derivar a chave de backup", + "googleDriveProvider": "Google Drive", + "sellAccountName": "Nome da conta", + "statusCheckUnknown": "Desconhecido", + "howToDecideVaultLocationText2": "Um local personalizado pode ser muito mais seguro, dependendo de qual local você escolher. Você também deve ter certeza de não perder o arquivo de backup ou perder o dispositivo no qual seu arquivo de backup é armazenado.", + "logSettingsLogsTitle": "Logs", + "fundExchangeOnlineBillPaymentHelpAccountNumber": "Este número de conta única é criado apenas para você", + "psbtFlowReadyToBroadcast": "Agora está pronto para transmitir! Assim que você clicar em transmissão, a transação será publicada na rede Bitcoin e os fundos serão enviados.", + "sendErrorLiquidWalletRequired": "Carteira líquida deve ser usada para um líquido para troca de raios", + "arkDurationMinutes": "{minutes}", + "@arkDurationMinutes": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "dcaSetupInsufficientBalance": "Balança insuficiente", + "swapTransferRefundedMessage": "A transferência foi reembolsada com sucesso.", + "payInvalidState": "Estado inválido", + "receiveWaitForPayjoin": "Aguarde o remetente para terminar a transação payjoin", + "seedsignerStep5": " - Aumente o brilho da tela em seu dispositivo", + "transactionSwapDescLnReceiveExpired": "Esta troca expirou. Quaisquer fundos enviados serão automaticamente devolvidos ao remetente.", + "sellKYCApproved": "KYC aprovado", + "arkTransaction": "transação", + "dcaFrequencyMonthly": "mês", + "buyKYCLevel": "KYC Nível", + "passportInstructionsTitle": "Instruções do passaporte da Fundação", + "ledgerSuccessImportTitle": "Carteira importada com sucesso", + "physicalBackupTitle": "Backup físico", + "exchangeReferralsMissionLink": "bullbitcoin.com/missão", + "swapTransferPendingMessage": "A transferência está em andamento. As transações Bitcoin podem demorar um pouco para confirmar. Podes voltar para casa e esperar.", + "transactionSwapLiquidToBitcoin": "L-BTC → BTC", + "testBackupDecryptVault": "Descriptografar cofre", + "transactionDetailBumpFees": "Taxas de Bump", + "psbtFlowNoPartsToDisplay": "Nenhuma parte para exibir", + "addressCardCopiedMessage": "Endereço copiado para clipboard", + "totalFeeLabel": "Taxa total", + "mempoolCustomServerBottomSheetDescription": "Digite a URL do seu servidor de mempool personalizado. O servidor será validado antes de salvar.", + "sellBelowMinAmountError": "Você está tentando vender abaixo da quantidade mínima que pode ser vendida com esta carteira.", + "buyAwaitingConfirmation": "Aguardando confirmação ", + "payExpired": "Expirou", + "recoverbullBalance": "Equilíbrio: {balance}", + "@recoverbullBalance": { + "placeholders": { + "balance": { + "type": "String" + } + } + }, + "exchangeSecurityAccessSettingsButton": "Configurações de acesso", + "payPaymentSuccessful": "Pagamento bem sucedido", + "exchangeHomeWithdraw": "Retirar", + "importMnemonicSegwit": "Segwitt", + "importQrDeviceJadeStep6": "Selecione \"Export Xpub\" no menu da carteira", + "buyContinue": "Continue", + "recoverbullEnterToDecrypt": "Digite seu {inputType} para descriptografar seu cofre.", + "@recoverbullEnterToDecrypt": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "swapTransferTitle": "Transferência", + "testBackupSuccessTitle": "Teste concluído com sucesso!", + "recoverbullSelectTakeYourTime": "Leve o seu tempo", + "sendConfirmCustomFee": "Confirmar taxa personalizada", + "coreScreensTotalFeesLabel": "Taxas totais", + "mempoolSettingsDescription": "Configurar servidores de mempool personalizados para diferentes redes. Cada rede pode usar seu próprio servidor para o explorador de blocos e estimativa de taxas.", + "transactionSwapProgressClaim": "Reivindicação", + "exchangeHomeDeposit": "Depósito", + "sendFrom": "A partir de", + "sendTransactionBuilt": "Transação pronta", + "bitboxErrorOperationCancelled": "A operação foi cancelada. Por favor, tente novamente.", + "dcaOrderTypeLabel": "Tipo de ordem", + "withdrawConfirmCard": "Cartão", + "dcaSuccessMessageHourly": "Você vai comprar {amount} a cada hora", + "@dcaSuccessMessageHourly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "loginButton": "LOGIA", + "revealingVaultKeyButton": "Revelando...", + "arkAboutNetwork": "Rede", + "payLastName": "Último nome", + "transactionPayjoinStatusExpired": "Expirou", + "fundExchangeMethodBankTransferWire": "Transferência bancária (Wire ou EFT)", + "psbtFlowLoginToDevice": "Entre no seu dispositivo {device}", + "@psbtFlowLoginToDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "fundExchangeJurisdictionCostaRica": "🇨🇷 Costa Costa Rica", + "payCalculating": "Cálculo...", + "transactionDetailLabelTransferId": "ID de transferência", + "fundExchangeContinueButton": "Continue", + "currencySettingsDefaultFiatCurrencyLabel": "Moeda de fiat padrão", + "payRecipient": "Recipiente", + "fundExchangeCrIbanUsdRecipientNameHelp": "Use nosso nome corporativo oficial. Não use \"Bull Bitcoin\".", + "sendUnfreezeCoin": "Moeda de Congelação", + "sellEurBalance": "EUR Balanço", + "jadeInstructionsTitle": "Blockstream Jade PSBT Instruções", + "scanNfcButton": "Digitalização NFC", + "testBackupChooseVaultLocation": "Escolha a localização do vault", + "dcaAddressBitcoin": "Endereço de Bitcoin", + "sendErrorAmountBelowMinimum": "Montante abaixo do limite mínimo de swap: {minLimit} sats", + "@sendErrorAmountBelowMinimum": { + "placeholders": { + "minLimit": { + "type": "String" + } + } + }, + "recoverbullGoogleDriveErrorFetchFailed": "Falhado para buscar cofres do Google Drive", + "systemLabelExchangeBuy": "Comprar", + "sendRecipientAddress": "Endereço do destinatário", + "arkTxTypeBoarding": "Quadro", + "exchangeAmountInputValidationInsufficient": "Balança insuficiente", + "psbtFlowReviewTransaction": "Uma vez que a transação é importada em seu {device}, revise o endereço de destino e o valor.", + "@psbtFlowReviewTransaction": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "arkTransactions": "transações", + "broadcastSignedTxCameraButton": "Câmara", + "importQrDeviceJadeName": "Blockstream Jade", + "importWalletImportMnemonic": "Importação Mnemonic", + "bip85NextMnemonic": "Próximo Mnemonic", + "bitboxErrorNoActiveConnection": "Nenhuma conexão ativa com o dispositivo BitBox.", + "dcaFundAccountButton": "Fina sua conta", + "transactionFilterAll": "Todos", + "arkSendTitle": "Enviar", + "recoverbullVaultRecovery": "Recuperação de Vault", + "transactionDetailLabelAmountReceived": "Montante recebido", + "bitboxCubitOperationTimeout": "A operação acabou. Por favor, tente novamente.", + "receivePaymentReceived": "Pagamento recebido!", + "backupWalletHowToDecideVaultCloudSecurity": "Provedores de armazenamento em nuvem como o Google ou a Apple não terão acesso ao seu Bitcoin porque a senha de criptografia é muito forte. Eles só podem acessar seu Bitcoin no caso improvável que eles colludem com o servidor chave (o serviço on-line que armazena sua senha de criptografia). Se o servidor chave alguma vez for hackeado, seu Bitcoin pode estar em risco com o Google ou a nuvem da Apple.", + "howToDecideBackupText1": "Uma das maneiras mais comuns que as pessoas perdem seu Bitcoin é porque eles perdem o backup físico. Qualquer pessoa que encontrar seu backup físico será capaz de tomar todo o seu Bitcoin. Se você está muito confiante de que você pode escondê-lo bem e nunca perdê-lo, é uma boa opção.", + "payOrderNotFound": "A ordem de pagamento não foi encontrada. Por favor, tente novamente.", + "coldcardStep13": "A carteira Bull Bitcoin irá pedir-lhe para digitalizar o código QR no Coldcard. Analisa-o.", + "psbtFlowIncreaseBrightness": "Aumentar o brilho da tela em seu dispositivo", + "payCoinjoinCompleted": "CoinJoin concluída", + "electrumAddCustomServer": "Adicionar Servidor Personalizado", + "psbtFlowClickSign": "Clique em Sinalizar", + "rbfSatsPerVbyte": "sats/vB", + "broadcastSignedTxDoneButton": "Feito", + "sendRecommendedFee": "Recomendado: {rate} sat/vB", + "@sendRecommendedFee": { + "placeholders": { + "rate": { + "type": "String" + } + } + }, + "mempoolCustomServerUrl": "URL do servidor", + "buyOrderAlreadyConfirmedError": "Esta ordem de compra já foi confirmada.", + "fundExchangeArsBankTransferTitle": "Transferência bancária", + "transactionLabelReceiveAmount": "Receber valor", + "sendServerNetworkFees": "Taxas de rede do servidor", + "importWatchOnlyImport": "Importação", + "backupWalletBackupButton": "Backup", + "mempoolSettingsTitle": "Servidor de Mempool", + "recoverbullErrorVaultCreationFailed": "A criação de falhas falhou, pode ser o arquivo ou a chave", + "sellSendPaymentFeePriority": "Prioridade de Taxas", + "bitboxActionSignTransactionProcessing": "Transação de Assinatura", + "sellWalletBalance": "Equilíbrio: {amount}", + "@sellWalletBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "recoverbullGoogleDriveNoBackupsFound": "Nenhum backup encontrado", + "sellSelectNetwork": "Selecione Rede", + "sellSendPaymentOrderNumber": "Número de ordem", + "arkDust": "Pó", + "dcaConfirmPaymentMethod": "Método de pagamento", + "sellSendPaymentAdvanced": "Configurações avançadas", + "bitcoinSettingsImportWalletTitle": "Carteira de importação", + "backupWalletErrorGoogleDriveConnection": "Falhado para se conectar ao Google Drive", + "payEnterInvoice": "Insira a fatura", + "broadcastSignedTxPasteHint": "Cole um PSBT ou transação HEX", + "transactionLabelAmountSent": "Montante enviado", + "testBackupPassphrase": "Passphrase", + "arkSetupEnable": "Habilitar a arca", + "walletDeletionErrorDefaultWallet": "Você não pode excluir uma carteira padrão.", + "confirmTransferTitle": "Confirmar transferência", + "payFeeBreakdown": "Repartição das taxas", + "coreSwapsLnSendPaid": "A fatura será paga após o pagamento receber a confirmação.", + "fundExchangeCrBankTransferDescription2": ". Os fundos serão adicionados ao saldo da sua conta.", + "sellAmount": "Montante para venda", + "transactionLabelSwapStatus": "Status do balanço", + "walletDeletionConfirmationCancelButton": "Cancelar", + "ledgerErrorDeviceLocked": "O dispositivo Ledger está bloqueado. Por favor, desbloqueie o dispositivo e tente novamente.", + "importQrDeviceSeedsignerStep5": "Escolha \"Single Sig\", em seguida, selecione o seu tipo de script preferido (escolher Native Segwit se não tiver certeza).", + "recoverbullRecoveryErrorWalletMismatch": "Uma carteira padrão diferente já existe. Você só pode ter uma carteira padrão.", + "payNoRecipientsFound": "Nenhum destinatário encontrado para pagar.", + "payNoInvoiceData": "Não existem dados de fatura disponíveis", + "recoverbullErrorInvalidCredentials": "Senha errada para este arquivo de backup", + "paySinpeMonto": "Montante", + "arkDurationSeconds": "{seconds} segundos", + "@arkDurationSeconds": { + "placeholders": { + "seconds": { + "type": "String" + } + } + }, + "receiveCopyOrScanAddressOnly": "Copiar ou escanear endereço somente", + "transactionDetailAccelerate": "Acelerar", + "importQrDevicePassportStep11": "Digite um rótulo para sua carteira de passaporte e toque em \"Importar\"", + "fundExchangeJurisdictionCanada": "Canadá", + "withdrawBelowMinAmountError": "Você está tentando retirar abaixo do valor mínimo.", + "recoverbullTransactions": "Transações: {count}", + "@recoverbullTransactions": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "swapYouPay": "Você paga", + "encryptedVaultTitle": "Vault criptografado", + "fundExchangeCrIbanUsdLabelIban": "Número da conta IBAN (apenas dólares americanos)", + "chooseAccessPinTitle": "Escolha o acesso {pinOrPassword}", + "@chooseAccessPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importWalletSeedSigner": "Sementes", + "featureComingSoonTitle": "Característica em breve", + "swapProgressRefundInProgress": "Transferência de reembolso em progresso", + "transactionDetailLabelPayjoinExpired": "Expirou", + "payBillerName": "Nome do Biller", + "transactionSwapProgressCompleted": "Completada", + "sendErrorBitcoinWalletRequired": "Bitcoin carteira deve ser usado para um bitcoin para troca de raios", + "pinCodeManageTitle": "Gerenciar seu PIN de segurança", + "buyConfirmBitcoinPrice": "Preço de Bitcoin", + "arkUnifiedAddressCopied": "Endereço unificado copiado", + "transactionSwapDescLnSendCompleted": "O pagamento Lightning foi enviado com sucesso! A tua troca já está completa.", + "exchangeDcaCancelDialogCancelButton": "Cancelar", + "sellOrderAlreadyConfirmedError": "Esta ordem de venda já foi confirmada.", + "paySinpeEnviado": "SINPE ENVIADO!", + "withdrawConfirmPhone": "Telefone", + "payNoDetailsAvailable": "Sem detalhes disponíveis", + "allSeedViewOldWallets": "Carteiras antigas ({count})", + "@allSeedViewOldWallets": { + "placeholders": { + "count": { + "type": "int", + "format": "decimalPattern" + } + } + }, + "sellOrderPlaced": "Venda de ordem colocada com sucesso", + "buyInsufficientFundsError": "Fundos insuficientes em sua conta Bull Bitcoin para completar esta ordem de compra.", + "ledgerHelpStep4": "Certifique-se de ter instalado a versão mais recente do aplicativo Bitcoin de Ledger Live.", + "recoverbullPleaseWait": "Espere enquanto estabelecemos uma ligação segura...", + "broadcastSignedTxBroadcast": "Transmissão", + "lastKnownEncryptedVault": "Última criptografia conhecida Vault: {date}", + "@lastKnownEncryptedVault": { + "placeholders": { + "date": { + "type": "String", + "example": "2025-01-20 15:30:45" + } + } + }, + "fundExchangeInfoTransferCode": "Você deve adicionar o código de transferência como a \"mensagem\" ou \"razão\" ao fazer o pagamento.", + "hwChooseDevice": "Escolha a carteira de hardware que você gostaria de conectar", + "transactionListNoTransactions": "Ainda não há transações.", + "torSettingsConnectionStatus": "Estado de conexão", + "backupInstruction1": "Se você perder seu backup de 12 palavras, você não será capaz de recuperar o acesso à carteira Bitcoin.", + "sendErrorInvalidAddressOrInvoice": "Endereço de pagamento Bitcoin inválido ou fatura", + "transactionLabelAmountReceived": "Montante recebido", + "recoverbullRecoveryTitle": "Recuperação do vault do Recoverbull", + "broadcastSignedTxScanQR": "Digitalizar o código QR da sua carteira de hardware", + "transactionStatusTransferInProgress": "Transferência em Progresso", + "ledgerSuccessSignDescription": "Sua transação foi assinada com sucesso.", + "exchangeSupportChatMessageRequired": "É necessária uma mensagem", + "buyEstimatedFeeValue": "Valor estimado da taxa", + "payName": "Nome", + "sendSignWithBitBox": "Sinal com BitBox", + "sendSwapRefundInProgress": "Reembolso de swap em progresso", + "exchangeKycLimited": "Limitação", + "backupWalletHowToDecideVaultCustomRecommendationText": "você está confiante de que você não vai perder o arquivo do vault e ainda será acessível se você perder seu telefone.", + "swapErrorAmountBelowMinimum": "O valor está abaixo do valor mínimo de swap: {min} sats", + "@swapErrorAmountBelowMinimum": { + "placeholders": { + "min": { + "type": "String" + } + } + }, + "settingsGithubLabel": "Github", + "sellTransactionFee": "Taxa de transação", + "coldcardStep5": "Se você tiver problemas de digitalização:", + "buyExpressWithdrawal": "Retirada expressa", + "payPaymentConfirmed": "Pagamento confirmado", + "transactionOrderLabelOrderNumber": "Número de ordem", + "buyEnterAmount": "Insira quantidade", + "sellShowQrCode": "Mostrar código QR", + "receiveConfirmed": "Confirmado", + "walletOptionsWalletDetailsTitle": "Detalhes da carteira", + "sellSecureBitcoinWallet": "Carteira Bitcoin segura", + "ledgerWalletTypeLegacy": "Legado (BIP44)", + "transactionDetailTransferProgress": "Transferência de Progresso", + "sendNormalFee": "Normal", + "importWalletConnectHardware": "Conecte a carteira de hardware", + "importWatchOnlyType": "Tipo", + "transactionDetailLabelPayinAmount": "Quantidade de pagamento", + "importWalletSectionHardware": "Carteiras de hardware", + "connectHardwareWalletDescription": "Escolha a carteira de hardware que você gostaria de conectar", + "sendEstimatedDelivery10Minutes": "10 minutos", + "enterPinToContinueMessage": "Insira seu {pinOrPassword} para continuar", + "@enterPinToContinueMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "swapTransferFrom": "Transferência", + "errorSharingLogsMessage": "Registros de compartilhamento de erros: {error}", + "@errorSharingLogsMessage": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payShowQrCode": "Mostrar código QR", + "onboardingRecoverWalletButtonLabel": "Recuperar carteira", + "torSettingsPortValidationEmpty": "Digite um número de porta", + "ledgerHelpStep1": "Reinicie seu dispositivo Ledger.", + "swapAvailableBalance": "Balanço disponível", + "fundExchangeCrIbanCrcLabelPaymentDescription": "Descrição do pagamento", + "walletTypeWatchSigner": "Sinalizador de relógio", + "settingsWalletBackupTitle": "Backup de carteira", + "ledgerConnectingSubtext": "Estabelecer uma ligação segura...", + "transactionError": "Erro - {error}", + "@transactionError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "electrumPrivacyNoticeCancel": "Cancelar", + "coreSwapsLnSendPending": "Swap ainda não é inicializado.", + "recoverbullVaultCreatedSuccess": "Vault criado com sucesso", + "payAmount": "Montante", + "sellMaximumAmount": "Quantidade máxima de venda: {amount}", + "@sellMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sellViewDetailsButton": "Ver detalhes", + "receiveGenerateInvoice": "Gerar fatura", + "kruxStep8": " - Mover o laser vermelho para cima e para baixo sobre o código QR", + "coreScreensFeeDeductionExplanation": "Esta é a taxa total deduzida do montante enviado", + "transactionSwapProgressInitiated": "Iniciado", + "fundExchangeTitle": "Financiamento", + "dcaNetworkValidationError": "Por favor, selecione uma rede", + "coldcardStep12": "Clique em \"Estou feito\" na carteira Bull Bitcoin.", + "autoswapAlwaysBlockDisabledInfo": "Quando desativado, você terá a opção de permitir uma transferência automática bloqueada devido a altas taxas", + "bip85Index": "Índice: {index}", + "@bip85Index": { + "placeholders": { + "index": { + "type": "int" + } + } + }, + "broadcastSignedTxPageTitle": "Transmissão de transmissão", + "sendInsufficientBalance": "Balança insuficiente", + "paySecurityAnswer": "Resposta de segurança", + "walletArkInstantPayments": "Ark Pagamentos imediatos", + "passwordLabel": "Senha", + "importQrDeviceError": "Falhado para importar carteira", + "onboardingSplashDescription": "Soberana auto custódia Bitcoin carteira e serviço de troca apenas Bitcoin.", + "statusCheckOffline": "Offline", + "fundExchangeCrIbanCrcDescriptionEnd": ". Os fundos serão adicionados ao saldo da sua conta.", + "payAccount": "Conta", + "testBackupGoogleDrivePrivacyPart2": "não terá ", + "buyCompleteKyc": "KYC completo", + "vaultSuccessfullyImported": "Seu cofre foi importado com sucesso", + "payAccountNumberHint": "Digite o número de conta", + "buyOrderNotFoundError": "A ordem de compra não foi encontrada. Por favor, tente novamente.", + "backupWalletGoogleDrivePrivacyMessage2": "não terá ", + "payAddressRequired": "O endereço é necessário", + "arkTransactionDetails": "Detalhes da transação", + "payTotalAmount": "Montante total", + "exchangeLegacyTransactionsTitle": "Transações Legadas", + "autoswapWarningDontShowAgain": "Não mostre este aviso novamente.", + "sellInsufficientBalance": "Balança de carteira insuficiente", + "recoverWalletButton": "Recuperar Carteira", + "mempoolCustomServerDeleteMessage": "Tem a certeza de que deseja excluir este servidor de mempool personalizado? O servidor padrão será usado em vez disso.", + "coldcardStep6": " - Aumente o brilho da tela em seu dispositivo", + "exchangeAppSettingsValidationWarning": "Por favor, defina as preferências de idioma e moeda antes de salvar.", + "sellCashPickup": "Recolha de dinheiro", + "coreSwapsLnReceivePaid": "O remetente pagou a fatura.", + "payInProgress": "Pagamento em Progresso!", + "recoverbullRecoveryErrorKeyDerivationFailed": "A derivação da chave de backup local falhou.", + "swapValidationInsufficientBalance": "Balança insuficiente", + "transactionLabelFromWallet": "Da carteira", + "recoverbullErrorRateLimited": "Taxa limitada. Por favor, tente novamente em {retryIn}", + "@recoverbullErrorRateLimited": { + "placeholders": { + "retryIn": { + "type": "String" + } + } + }, + "importWatchOnlyExtendedPublicKey": "Público estendido Chaveiro", + "autoswapAlwaysBlock": "Sempre bloquear altas taxas", + "walletDeletionConfirmationTitle": "Excluir carteira", + "sendNetworkFees": "Taxas de rede", + "mempoolNetworkBitcoinMainnet": "Bitcoin Mainnet", + "paySinpeOrigen": "Origem", + "networkFeeLabel": "Taxa de rede", + "recoverbullMemorizeWarning": "Você deve memorizar este {inputType} para recuperar o acesso à sua carteira. Deve ter pelo menos 6 dígitos. Se você perder este {inputType} você não pode recuperar seu backup.", + "@recoverbullMemorizeWarning": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "kruxStep15": "A transação será importada na carteira Bull Bitcoin.", + "fundExchangeETransferLabelSecretQuestion": "Pergunta secreta", + "importColdcardButtonPurchase": "Dispositivo de compra", + "jadeStep15": "Agora está pronto para transmitir! Assim que você clicar em transmissão, a transação será publicada na rede Bitcoin e os fundos serão enviados.", + "confirmButton": "Confirmação", + "transactionSwapInfoClaimableTransfer": "A transferência será concluída automaticamente dentro de alguns segundos. Se não, você pode tentar uma reivindicação manual clicando no botão \"Restaurar a confirmação de transferência\".", + "payActualFee": "Taxa real", + "electrumValidateDomain": "Validar domínio", + "importQrDeviceJadeFirmwareWarning": "Certifique-se de que seu dispositivo é atualizado para o firmware mais recente", + "arkPreconfirmed": "Confirmado", + "recoverbullSelectFileNotSelectedError": "Arquivo não selecionado", + "arkDurationDay": "{days} dia", + "@arkDurationDay": { + "placeholders": { + "days": { + "type": "String" + } + } + }, + "arkSendButton": "Enviar", + "buyInputContinue": "Continue", + "fundExchangeMethodSpeiTransferSubtitle": "Transferir fundos usando seu CLABE", + "importQrDeviceJadeStep3": "Siga as instruções do dispositivo para desbloquear o Jade", + "paySecurityQuestionLengthError": "Deve ser 10-40 caracteres", + "sendSigningFailed": "Assinar falhou", + "bitboxErrorDeviceNotPaired": "Dispositivo não emparelhado. Por favor, complete o processo de emparelhamento primeiro.", + "transferIdLabel": "ID de transferência", + "paySelectActiveWallet": "Por favor, selecione uma carteira", + "arkDurationHours": "{hours} horas", + "@arkDurationHours": { + "placeholders": { + "hours": { + "type": "String" + } + } + }, + "transcribeLabel": "Transcrição", + "pinCodeProcessing": "Processamento", + "transactionDetailLabelRefunded": "Reembolsos", + "dcaFrequencyHourly": "hora da hora", + "swapValidationSelectFromWallet": "Por favor, selecione uma carteira para transferir de", + "sendSwapInitiated": "Swap Iniciado", + "backupSettingsKeyWarningMessage": "É importante que você não salve a chave de backup no mesmo lugar onde você salva seu arquivo de backup. Sempre armazená-los em dispositivos separados ou provedores de nuvem separados.", + "recoverbullEnterToTest": "Digite seu {inputType} para testar seu cofre.", + "@recoverbullEnterToTest": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "fundExchangeCrBankTransferDescription1": "Envie uma transferência bancária da sua conta bancária usando os detalhes abaixo ", + "transactionNoteSaveButton": "Salvar", + "fundExchangeHelpBeneficiaryName": "Use nosso nome corporativo oficial. Não use \"Bull Bitcoin\".", + "payRecipientType": "Tipo de destinatário", + "sellOrderCompleted": "Ordem concluída!", + "importQrDeviceSpecterStep10": "Digite um rótulo para a sua carteira Specter e toque em Importar", + "recoverbullSelectVaultSelected": "Vault selecionado", + "dcaWalletTypeBitcoin": "Bitcoin (BTC)", + "payNoPayments": "Sem pagamentos ainda", + "onboardingEncryptedVault": "Vault criptografado", + "exchangeAccountInfoTitle": "Informação da conta", + "exchangeDcaActivateTitle": "Ativar a recuperação", + "buyConfirmationTime": "Tempo de confirmação", + "encryptedVaultRecommendation": "Vault criptografado: ", + "payLightningInvoice": "Fatura de relâmpago", + "transactionOrderLabelPayoutAmount": "Quantidade de pagamento", + "recoverbullSelectEnterBackupKeyManually": "Digite a tecla de backup manualmente >>", + "exportingVaultButton": "Exportação...", + "payCoinjoinInProgress": "CoinJoin em progresso...", + "testBackupAllWordsSelected": "Selecionou todas as palavras", + "ledgerProcessingImportSubtext": "A montar a tua carteira só de relógio...", + "digitalCopyLabel": "Cópia digital", + "receiveNewAddress": "Novo endereço", + "arkAmount": "Montante", + "fundExchangeWarningTactic7": "Eles dizem para não se preocupar com este aviso", + "importQrDeviceSpecterStep1": "Poder no seu dispositivo Specter", + "transactionNoteAddTitle": "Adicionar nota", + "paySecurityAnswerHint": "Insira a resposta de segurança", + "bitboxActionImportWalletTitle": "Importação BitBox Carteira", + "backupSettingsError": "Erro", + "exchangeFeatureCustomerSupport": "• Chat com suporte ao cliente", + "sellPleasePayInvoice": "Por favor, pague esta fatura", + "fundExchangeMethodCanadaPost": "Em dinheiro ou débito em pessoa no Canada Post", + "payInvoiceDecoded": "Fatura decodificada com sucesso", + "coreScreensAmountLabel": "Montante", + "receiveSwapId": "ID do balanço", + "transactionLabelCompletedAt": "Completa em", + "pinCodeCreateTitle": "Criar novo pino", + "swapTransferRefundInProgressTitle": "Transferência de reembolso em progresso", + "swapYouReceive": "Receber", + "recoverbullSelectCustomLocationProvider": "Localização personalizada", + "electrumInvalidRetryError": "Inválido Retry Valor da contagem: {value}", + "@electrumInvalidRetryError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "paySelectNetwork": "Selecione Rede", + "informationWillNotLeave": "Esta informação ", + "backupWalletInstructionSecurityRisk": "Qualquer pessoa com acesso ao seu backup de 12 palavras pode roubar seus bitcoins. Esconde-o bem.", + "sellCadBalance": "CADA Balanço", + "doNotShareWarning": "NÃO COMPLEMENTAR COM NINGUÉM", + "torSettingsPortNumber": "Número de porta", + "payNameHint": "Digite o nome do destinatário", + "autoswapWarningTriggerAmount": "Classificação de 0,02 BTC", + "legacySeedViewScreenTitle": "Sementes Legacy", + "recoverbullErrorCheckStatusFailed": "Falhado para verificar o status do vault", + "pleaseWaitFetching": "Por favor, espere enquanto buscamos seu arquivo de backup.", + "backupWalletPhysicalBackupTag": "Trustless (ter o seu tempo)", + "electrumReset": "Redefinição", + "payInsufficientBalanceError": "Balança insuficiente na carteira selecionada para completar esta ordem de pagamento.", + "backupCompletedTitle": "Backup concluído!", + "arkDate": "Data", + "psbtFlowInstructions": "Instruções", + "systemLabelExchangeSell": "Venda", + "sendHighFeeWarning": "Aviso de alta taxa", + "electrumStopGapNegativeError": "O Gap não pode ser negativo", + "walletButtonSend": "Enviar", + "importColdcardInstructionsStep9": "Digite um 'Label' para sua carteira Coldcard Q e toque em \"Importar\"", + "bitboxScreenTroubleshootingStep1": "Certifique-se de que tem o firmware mais recente instalado na sua BitBox.", + "backupSettingsExportVault": "Padrão de exportação", + "bitboxActionUnlockDeviceTitle": "Desbloquear dispositivo BitBox", + "withdrawRecipientsNewTab": "Novo destinatário", + "autoswapRecipientRequired": "*", + "exchangeLandingFeature4": "Enviar transferências bancárias e pagar contas", + "sellSendPaymentPayFromWallet": "Pagar da carteira", + "settingsServicesStatusTitle": "Estado dos serviços", + "sellPriceWillRefreshIn": "Preço irá refrescar-se ", + "labelDeleteFailed": "Incapaz de excluir \"{label}\". Por favor, tente novamente.", + "@labelDeleteFailed": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "kruxStep16": "Agora está pronto para transmitir! Assim que você clicar em transmissão, a transação será publicada na rede Bitcoin e os fundos serão enviados.", + "recoverbullRecoveryErrorVaultCorrupted": "O arquivo de backup selecionado está corrompido.", + "buyVerifyIdentity": "Verificar identidade", + "exchangeDcaCancelDialogConfirmButton": "Sim, desactivar", + "electrumServerUrlHint": "{network} {environment} URL do servidor", + "@electrumServerUrlHint": { + "placeholders": { + "network": { + "type": "String" + }, + "environment": { + "type": "String" + } + } + }, + "payEmailHint": "Digite o endereço de e-mail", + "backupWalletGoogleDrivePermissionWarning": "O Google irá pedir-lhe para partilhar informações pessoais com este aplicativo.", + "bitboxScreenVerifyAddressSubtext": "Compare este endereço com o seu ecrã BitBox02", + "importQrDeviceSeedsignerStep9": "Digite um rótulo para a sua carteira SeedSigner e toque em Importar", + "testCompletedSuccessMessage": "Você é capaz de recuperar o acesso a uma carteira Bitcoin perdida", + "importWatchOnlyScanQR": "Digitalização QR", + "walletBalanceUnconfirmedIncoming": "Em progresso", + "selectAmountTitle": "Selecione o valor", + "buyYouBought": "Você comprou {amount}", + "@buyYouBought": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "routeErrorMessage": "Página não encontrada", + "connectHardwareWalletPassport": "Passaporte da Fundação", + "autoswapTriggerBalanceError": "O equilíbrio do gatilho deve ser pelo menos 2x o equilíbrio base", + "receiveEnterHere": "Entre aqui...", + "receiveNetworkFee": "Taxa de rede", + "payLiquidFee": "Taxa líquida", + "fundExchangeSepaTitle": "Transferência SEPA", + "autoswapLoadSettingsError": "Falhado para carregar configurações de troca automática", + "durationSeconds": "{seconds} segundos", + "@durationSeconds": { + "placeholders": { + "seconds": { + "type": "String" + } + } + }, + "broadcastSignedTxReviewTransaction": "Revisão", + "walletArkExperimental": "Experimental", + "importQrDeviceKeystoneStep5": "Escolha a opção de carteira BULL", + "electrumLoadFailedError": "Falhados em servidores de carga{reason}", + "@electrumLoadFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "ledgerVerifyAddressLabel": "Endereço para verificar:", + "buyAccelerateTransaction": "Acelere a transação", + "backupSettingsTested": "Testado", + "receiveLiquidConfirmationMessage": "Ele será confirmado em alguns segundos", + "jadeStep1": "Entre no seu dispositivo Jade", + "recoverbullSelectDriveBackups": "Drive Backups", + "exchangeAuthOk": "ESTÁ BEM", + "settingsSecurityPinTitle": "Pin de segurança", + "testBackupErrorFailedToFetch": "Falhado para buscar backup: {error}", + "@testBackupErrorFailedToFetch": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "arkDurationMinute": "{minutes} minuto", + "@arkDurationMinute": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "psbtFlowTroubleScanningTitle": "Se você tiver problemas de digitalização:", + "arkReceiveUnifiedCopied": "Endereço unificado copiado", + "importQrDeviceJadeStep9": "Analise o código QR que você vê no seu dispositivo.", + "transactionDetailLabelPayjoinCompleted": "Completada", + "sellArsBalance": "Saldo ARS", + "fundExchangeCanadaPostStep1": "1. Ir para qualquer Canadá Post localização", + "exchangeKycLight": "Luz", + "seedsignerInstructionsTitle": "Instruções do SeedSigner", + "exchangeAmountInputValidationEmpty": "Por favor, insira um montante", + "bitboxActionPairDeviceProcessingSubtext": "Verifique o código de emparelhamento no seu dispositivo BitBox...", + "recoverbullKeyServer": "Servidor chave ", + "recoverbullPasswordTooCommon": "Esta senha é muito comum. Por favor, escolha um diferente", + "backupInstruction3": "Qualquer pessoa com acesso ao seu backup de 12 palavras pode roubar seus bitcoins. Esconde-o bem.", + "arkRedeemButton": "Redeem", + "fundExchangeLabelBeneficiaryAddress": "Endereço Beneficiário", + "testBackupVerify": "Verificar", + "transactionDetailLabelCreatedAt": "Criado em", + "fundExchangeJurisdictionArgentina": "Argentina", + "walletNetworkBitcoin": "Rede de Bitcoin", + "electrumAdvancedOptions": "Opções avançadas", + "autoswapWarningCardSubtitle": "Uma troca será acionada se o saldo dos pagamentos instantâneos exceder 0,02 BTC.", + "transactionStatusConfirmed": "Confirmado", + "dcaFrequencyDaily": "dia", + "transactionLabelSendAmount": "Enviar valor", + "testedStatus": "Testado", + "fundExchangeWarningTactic6": "Eles querem que você compartilhe sua tela", + "buyYouReceive": "Você recebe", + "payFilterPayments": "Filtrar Pagamentos", + "electrumCancel": "Cancelar", + "exchangeFileUploadButton": "Carregar", + "payCopied": "Copiado!", + "transactionLabelReceiveNetworkFee": "Receber Taxas de Rede", + "bitboxScreenTroubleshootingTitle": "Solução de problemas do BitBox02", + "broadcastSignedTxPushTxButton": "PushTx", + "fundExchangeCrIbanUsdDescriptionBold": "exactamente", + "fundExchangeSelectCountry": "Selecione seu país e método de pagamento", + "fundExchangeCostaRicaMethodSinpeSubtitle": "Transferir Colones usando SINPE", + "kruxStep2": "Clique em Sinalizar", + "fundExchangeArsBankTransferDescription": "Envie uma transferência bancária de sua conta bancária usando os detalhes exatos do banco Argentina abaixo.", + "importWatchOnlyFingerprint": "Impressão digital", + "exchangeBitcoinWalletsEnterAddressHint": "Digite o endereço", + "dcaViewSettings": "Ver configurações", + "withdrawAmountContinue": "Continue", + "allSeedViewSecurityWarningMessage": "Exibir frases de sementes é um risco de segurança. Qualquer pessoa que veja sua frase de sementes pode acessar seus fundos. Certifique-se de que você está em um local privado e que ninguém pode ver sua tela.", + "walletNetworkBitcoinTestnet": "Teste de Bitcoin", + "recoverbullSeeMoreVaults": "Ver mais cofres", + "sellPayFromWallet": "Pagar da carteira", + "pinProtectionDescription": "Seu PIN protege o acesso à sua carteira e configurações. Mantenha-o memorável.", + "kruxStep5": "Digitalizar o código QR mostrado na carteira Bull", + "backupSettingsLabelsButton": "Etiquetas", + "payMediumPriority": "Média", + "payWhichWalletQuestion": "De que carteira queres pagar?", + "dcaHideSettings": "Ocultar configurações", + "exchangeDcaCancelDialogMessage": "Seu plano de compra Bitcoin recorrente vai parar, e as compras programadas terminarão. Para reiniciar, você precisará criar um novo plano.", + "transactionSwapDescChainExpired": "Esta transferência expirou. Os seus fundos serão automaticamente devolvidos à sua carteira.", + "payValidating": "Validação...", + "sendDone": "Feito", + "exchangeBitcoinWalletsTitle": "Carteiras Bitcoin padrão", + "importColdcardInstructionsStep1": "Faça login no seu dispositivo Coldcard Q", + "transactionLabelSwapStatusRefunded": "Reembolsos", + "receiveLightningInvoice": "Fatura de relâmpago", + "pinCodeContinue": "Continue", + "payInvoiceTitle": "Fatura de pagamento", + "swapProgressGoHome": "Vai para casa", + "replaceByFeeSatsVbUnit": "sats/vB", + "fundExchangeCrIbanUsdDescription": "Envie uma transferência bancária da sua conta bancária usando os detalhes abaixo ", + "coreScreensSendAmountLabel": "Enviar valor", + "backupSettingsRecoverBullSettings": "Recuperação", + "fundExchangeLabelBankAddress": "Endereço do nosso banco", + "exchangeDcaAddressLabelLiquid": "Endereço líquido", + "backupWalletGoogleDrivePrivacyMessage5": "compartilhado com Bull Bitcoin.", + "settingsDevModeUnderstandButton": "Eu compreendo", + "recoverbullSelectQuickAndEasy": "Rápido e fácil", + "exchangeFileUploadTitle": "Upload de arquivo seguro", + "backupWalletHowToDecideBackupPhysicalRecommendationText": "Você está confiante em suas próprias capacidades de segurança operacional para esconder e preservar suas palavras de semente Bitcoin.", + "bitboxCubitHandshakeFailed": "Falhou para estabelecer uma ligação segura. Por favor, tente novamente.", + "sendErrorAmountAboveSwapLimits": "O montante está acima dos limites de swap", + "backupWalletHowToDecideBackupEncryptedVault": "O cofre encriptado impede-te de ladrões que procuram roubar o teu apoio. Ele também impede que você perca acidentalmente seu backup, uma vez que ele será armazenado em sua nuvem. Provedores de armazenamento em nuvem como o Google ou a Apple não terão acesso ao seu Bitcoin porque a senha de criptografia é muito forte. Há uma pequena possibilidade de que o servidor web que armazena a chave de criptografia do seu backup possa ser comprometida. Neste caso, a segurança do backup em sua conta na nuvem pode estar em risco.", + "coreSwapsChainCompletedRefunded": "A transferência foi reembolsada.", + "payClabeHint": "Digite o número CLABE", + "fundExchangeLabelBankCountry": "Países Baixos", + "seedsignerStep11": "Clique em \"Estou feito\" na carteira Bull Bitcoin.", + "transactionDetailLabelPayjoinStatus": "Estado de Payjoin", + "fundExchangeBankTransferSubtitle": "Enviar uma transferência bancária da sua conta bancária", + "recoverbullErrorInvalidVaultFile": "Arquivo de cofre inválido.", + "sellProcessingOrder": "Ordem de processamento...", + "sellUpdatingRate": "Atualizando a taxa de câmbio...", + "importQrDeviceKeystoneStep6": "No seu dispositivo móvel, toque em Abrir Câmara", + "bip85Hex": "HEX", + "testYourWalletTitle": "Teste sua carteira", + "storeItSafelyMessage": "Armazená-lo em algum lugar seguro.", + "receiveLightningNetwork": "Luz", + "receiveVerifyAddressError": "Incapaz de verificar o endereço: Falta de informações de carteira ou endereço", + "arkForfeitAddress": "Endereço falso", + "swapTransferRefundedTitle": "Transferência reembolsada", + "bitboxErrorConnectionFailed": "Falhado para se conectar ao dispositivo BitBox. Por favor, verifique a sua ligação.", + "exchangeFileUploadDocumentTitle": "Carregar qualquer documento", + "dcaInsufficientBalanceDescription": "Você não tem equilíbrio suficiente para criar esta ordem.", + "pinButtonContinue": "Continue", + "importColdcardSuccess": "Carteira Coldcard importada", + "withdrawUnauthenticatedError": "Não és autenticado. Faça login para continuar.", + "sellBitcoinAmount": "Quantidade de Bitcoin", + "recoverbullTestCompletedTitle": "Teste concluído com sucesso!", + "arkBtcAddress": "Endereço de BTC", + "transactionFilterReceive": "Receber", + "recoverbullErrorInvalidFlow": "Fluxo inválido", + "exchangeDcaFrequencyDay": "dia", + "payBumpFee": "Bump Fee", + "arkCancelButton": "Cancelar", + "bitboxActionImportWalletProcessingSubtext": "A montar a tua carteira só de relógio...", + "psbtFlowDone": "Estou acabado", + "exchangeHomeDepositButton": "Depósito", + "testBackupRecoverWallet": "Recuperar Carteira", + "fundExchangeMethodSinpeTransferSubtitle": "Transferir Colones usando SINPE", + "arkInstantPayments": "Ark Pagamentos instantâneos", + "sendEstimatedDelivery": "Entrega estimada ~ ", + "fundExchangeMethodOnlineBillPayment": "Pagamento de Bill Online", + "coreScreensTransferIdLabel": "ID de transferência", + "anErrorOccurred": "Um erro ocorreu", + "howToDecideBackupText2": "O cofre encriptado impede-te de ladrões que procuram roubar o teu apoio. Ele também impede que você perca acidentalmente seu backup, uma vez que ele será armazenado em sua nuvem. Provedores de armazenamento em nuvem como o Google ou a Apple não terão acesso ao seu Bitcoin porque a senha de criptografia é muito forte. Há uma pequena possibilidade de que o servidor web que armazena a chave de criptografia do seu backup possa ser comprometida. Neste caso, a segurança do backup em sua conta na nuvem pode estar em risco.", + "sellIBAN": "IBAN", + "allSeedViewPassphraseLabel": "Passphrase:", + "dcaBuyingMessage": "Você está comprando {amount} cada {frequency} via {network} desde que haja fundos em sua conta.", + "@dcaBuyingMessage": { + "placeholders": { + "amount": { + "type": "String" + }, + "frequency": { + "type": "String" + }, + "network": { + "type": "String" + } + } + }, + "exchangeCurrencyDropdownValidation": "Por favor, selecione uma moeda", + "withdrawConfirmTitle": "Confirmação", + "importQrDeviceSpecterStep3": "Digite sua semente/chave (cose que alguma vez a opção lhe convier)", + "payPayeeAccountNumber": "Número de Conta de Pagamento", + "importMnemonicBalanceLabel": "Equilíbrio: {amount}", + "@importMnemonicBalanceLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "transactionSwapProgressInProgress": "Em progresso", + "fundExchangeWarningConfirmation": "Eu confirmo que não estou sendo solicitado a comprar Bitcoin por outra pessoa.", + "recoverbullSelectCustomLocationError": "Falhado para selecionar o arquivo do local personalizado", + "mempoolCustomServerDeleteTitle": "Excluir Servidor Personalizado?", + "confirmSendTitle": "Enviar", + "buyKYCLevel1": "Nível 1 - Básico", + "sendErrorAmountAboveMaximum": "Montante acima do limite máximo de swap: {maxLimit} sats", + "@sendErrorAmountAboveMaximum": { + "placeholders": { + "maxLimit": { + "type": "String" + } + } + }, + "coreSwapsLnSendCompletedSuccess": "Swap é concluído com sucesso.", + "importColdcardScanning": "A procurar...", + "transactionLabelTransferFee": "Taxa de transferência", + "visitRecoverBullMessage": "Visite o Recoverbull.com para obter mais informações.", + "payMyFiatRecipients": "Os meus destinatários fiat", + "exchangeLandingFeature1": "Comprar Bitcoin direto para self-custody", + "bitboxCubitPermissionDenied": "Autorização USB negada. Por favor, dê permissão para acessar seu dispositivo BitBox.", + "swapTransferTo": "Transferência para", + "testBackupPinMessage": "Teste para se certificar de que você se lembra de seu backup {pinOrPassword}", + "@testBackupPinMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "bitcoinSettingsMempoolServerTitle": "Configurações do servidor Mempool", + "transactionSwapDescLnReceiveDefault": "A tua troca está em andamento. Este processo é automatizado e pode levar algum tempo para ser concluído.", + "selectCoinsManuallyLabel": "Selecione moedas manualmente", + "psbtFlowSeedSignerTitle": "Instruções do SeedSigner", + "appUnlockAttemptSingular": "tentativa falhada", + "importQrDevicePassportStep2": "Digite seu PIN", + "transactionOrderLabelPayoutMethod": "Método de pagamento", + "buyShouldBuyAtLeast": "Você deve comprar pelo menos", + "pinCodeCreateDescription": "Seu PIN protege o acesso à sua carteira e configurações. Mantenha-o memorável.", + "payCorporate": "Empresas", + "recoverbullErrorRecoveryFailed": "Falhado para recuperar o cofre", + "buyMax": "Max", + "onboardingCreateNewWallet": "Criar nova carteira", + "buyExpressWithdrawalDesc": "Receba Bitcoin instantaneamente após o pagamento", + "backupIdLabel": "ID de backup:", + "sellBalanceWillBeCredited": "O saldo da sua conta será creditado após a sua transação receber 1 confirmação de compra.", + "payExchangeRate": "Taxa de câmbio", + "startBackupButton": "Iniciar backup", + "buyInputTitle": "Comprar Bitcoin", + "arkSendRecipientTitle": "Enviar para o Recipiente", + "importMnemonicImport": "Importação", + "recoverbullPasswordTooShort": "Senha deve ter pelo menos 6 caracteres de comprimento", + "arkAddressPlaceholder": "ark1qp9wsjfpsj5v5ex022v6..", + "payNetwork": "Rede", + "sendBuildFailed": "Falhado em construir a transação", + "paySwapFee": "Taxa de balanço", + "exchangeAccountSettingsTitle": "Configurações da conta do Exchange", + "arkBoardingConfirmed": "Encaminhamento confirmado", + "broadcastSignedTxTitle": "Transação de transmissão", + "backupWalletVaultProviderTakeYourTime": "Leve o seu tempo", + "arkSettleIncludeRecoverable": "Incluir vtxos recuperáveis", + "ledgerWalletTypeSegwitDescription": "Nativo SegWit - Recomendado", + "exchangeAccountInfoFirstNameLabel": "Primeiro nome", + "payPaymentFailed": "O pagamento falhou", + "sendRefundProcessed": "O seu reembolso foi processado.", + "exchangeKycCardSubtitle": "Para remover limites de transação", + "importColdcardInvalidQR": "Código QR inválido", + "testBackupTranscribe": "Transcrição", + "sendUnconfirmed": "Sem confirmação", + "testBackupRetrieveVaultDescription": "Teste para garantir que você pode recuperar seu cofre criptografado.", + "fundExchangeLabelCvu": "CVU", + "electrumStopGap": "Pára com o Gap", + "payBroadcastingTransaction": "Transmissão...", + "bip329LabelsImportButton": "Etiquetas de importação", + "fiatCurrencySettingsLabel": "Moeda de Fiat", + "arkStatusConfirmed": "Confirmado", + "withdrawConfirmAmount": "Montante", + "transactionSwapDoNotUninstall": "Não desinstale o aplicativo até que o swap seja concluído.", + "payDefaultCommentHint": "Insira o comentário padrão", + "labelErrorSystemCannotDelete": "Os rótulos do sistema não podem ser excluídos.", + "copyDialogButton": "Entendido", + "bitboxActionImportWalletProcessing": "Carteira de importação", + "swapConfirmTransferTitle": "Confirmar transferência", + "payTransitNumberHint": "Digite o número de trânsito", + "recoverbullSwitchToPIN": "Escolha um PIN em vez", + "payQrCode": "Código QR", + "exchangeAccountInfoVerificationLevelLabel": "Nível de verificação", + "walletDetailsDerivationPathLabel": "Caminho de Derivação", + "exchangeBitcoinWalletsBitcoinAddressLabel": "Endereço de Bitcoin", + "transactionDetailLabelExchangeRate": "Taxa de câmbio", + "electrumServerOffline": "Offline", + "sendTransferFee": "Taxa de transferência", + "fundExchangeLabelIbanCrcOnly": "Número da conta IBAN (apenas para Colones)", + "arkServerPubkey": "Servidor pubkey", + "testBackupPhysicalBackupDescription": "Escreva 12 palavras em um pedaço de papel. Mantenha-os seguros e certifique-se de não perdê-los.", + "sendInitiatingSwap": "Iniciando troca...", + "sellLightningNetwork": "Rede de relâmpago", + "buySelectWallet": "Selecione a carteira", + "testBackupErrorIncorrectOrder": "Ordem de palavra incorreta. Por favor, tente novamente.", + "importColdcardInstructionsStep6": "Escolha \"Bull Bitcoin\" como a opção de exportação", + "swapValidationSelectToWallet": "Selecione uma carteira para transferir para", + "receiveWaitForSenderToFinish": "Aguarde o remetente para terminar a transação payjoin", + "arkSetupTitle": "Configuração de arca", + "seedsignerStep3": "Digitalizar o código QR mostrado na carteira Bull", + "sellErrorLoadUtxos": "Falhado para carregar UTXOs: {error}", + "@sellErrorLoadUtxos": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "payDecodingInvoice": "Fatura decodificação...", + "importColdcardInstructionsStep5": "Selecione \"Export Wallet\"", + "electrumStopGapTooHighError": "Pare Gap parece muito alto. (Max. {maxStopGap})", + "@electrumStopGapTooHighError": { + "placeholders": { + "maxStopGap": { + "type": "String" + } + } + }, + "electrumTimeoutTooHighError": "O tempo parece muito alto. (Max. {maxTimeout} segundos)", + "@electrumTimeoutTooHighError": { + "placeholders": { + "maxTimeout": { + "type": "String" + } + } + }, + "sellInstantPayments": "Pagamentos imediatos", + "priceChartFetchingHistory": "Fetching Price History...", + "sellDone": "Feito", + "payFromWallet": "Da carteira", + "dcaConfirmRecurringBuyTitle": "Confirmação Comprar", + "transactionSwapBitcoinToLiquid": "BTC → L-BTC", + "sellBankDetails": "Detalhes do banco", + "pinStatusCheckingDescription": "Verificando o status PIN", + "coreScreensConfirmButton": "Confirmação", + "passportStep6": " - Mover o laser vermelho para cima e para baixo sobre o código QR", + "importQrDeviceSpecterStep8": "No seu dispositivo móvel, toque em Abrir Câmara", + "sellSendPaymentContinue": "Continue", + "coreSwapsStatusPending": "Pendente", + "electrumDragToReorder": "(Long pressione para arrastar e mudar prioridade)", + "keystoneStep4": "Se você tiver problemas de digitalização:", + "autoswapTriggerAtBalanceInfoText": "Autoswap irá disparar quando o seu equilíbrio vai acima desta quantidade.", + "exchangeLandingDisclaimerNotAvailable": "Os serviços de câmbio de criptomoeda não estão disponíveis na aplicação móvel Bull Bitcoin.", + "sendCustomFeeRate": "Taxa de taxa personalizada", + "ledgerHelpTitle": "Resolução de problemas do Ledger", + "swapErrorAmountExceedsMaximum": "O montante excede o montante máximo de swap", + "transactionLabelTotalSwapFees": "Total taxas de swap", + "errorLabel": "Erro", + "receiveInsufficientInboundLiquidity": "Capacidade de recepção de relâmpago insuficiente", + "withdrawRecipientsMyTab": "Os meus destinatários fiat", + "sendFeeRateTooLow": "Taxas demasiado baixas", + "payLastNameHint": "Digite o sobrenome", + "exchangeLandingRestriction": "O acesso aos serviços de câmbio será restrito a países onde o Bull Bitcoin pode funcionar legalmente e pode exigir KYC.", + "payFailedPayments": "Falhado", + "transactionDetailLabelToWallet": "Para a carteira", + "fundExchangeLabelRecipientName": "Nome do destinatário", + "arkToday": "Hoje", + "importQrDeviceJadeStep2": "Selecione \"Modo QR\" no menu principal", + "rbfErrorAlreadyConfirmed": "A transação original foi confirmada", + "psbtFlowMoveBack": "Tente mover seu dispositivo de volta um pouco", + "exchangeReferralsContactSupportMessage": "Contacte o suporte para aprender sobre o nosso programa de referência", + "sellSendPaymentEurBalance": "EUR Balanço", + "exchangeAccountTitle": "Conta de troca", + "swapProgressCompleted": "Transferência concluída", + "keystoneStep2": "Clique em Digitalizar", + "sendContinue": "Continue", + "transactionDetailRetrySwap": "Retira Swap {action}", + "@transactionDetailRetrySwap": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "sendErrorSwapCreationFailed": "Falhado para criar swap.", + "arkNoBalanceData": "Sem dados de equilíbrio disponíveis", + "autoswapWarningCardTitle": "O Autoswap está ativado.", + "coreSwapsChainCompletedSuccess": "A transferência é concluída com sucesso.", + "physicalBackupRecommendation": "Backup físico: ", + "autoswapMaxBalance": "Max equilíbrio de carteira instantânea", + "importQrDeviceImport": "Importação", + "importQrDeviceScanPrompt": "Digitalizar o código QR do seu {deviceName}", + "@importQrDeviceScanPrompt": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "fundExchangeCostaRicaMethodSinpeTitle": "SINPE Móvil", + "sellBitcoinOnChain": "Bitcoin on-chain", + "fundExchangeLabelCedulaJuridica": "Cédula Jurídica", + "exchangeRecipientsComingSoon": "Recipientes - Em breve", + "ledgerWalletTypeLabel": "Tipo de carteira:", + "bip85ExperimentalWarning": "Experimental\nFaça backup de seus caminhos de derivação manualmente", + "addressViewBalance": "Balanço", + "recoverbullLookingForBalance": "Procurando equilíbrio e transações..", + "recoverbullSelectNoBackupsFound": "Nenhum backup encontrado", + "importMnemonicNestedSegwit": "Segwit aninhado", + "sendReplaceByFeeActivated": "Substitui-a-taxa activada", + "psbtFlowScanQrOption": "Selecione \"Scan QR\" opção", + "coreSwapsLnReceiveFailed": "Engole Falhado.", + "fundExchangeCostaRicaMethodIbanUsdSubtitle": "Transferir fundos em dólares americanos (USD)", + "transactionDetailLabelPayinStatus": "Estado de Payin", + "importQrDeviceSpecterStep9": "Digitalize o código QR exibido no seu Specter", + "settingsRecoverbullTitle": "Recuperação", + "buyInputKycPending": "Pendente de Verificação de ID KYC", + "importWatchOnlySelectDerivation": "Selecione a derivação", + "walletAddressTypeLegacy": "Legado", + "hwPassport": "Passaporte da Fundação", + "electrumInvalidStopGapError": "Paragem inválida Valor Gap: {value}", + "@electrumInvalidStopGapError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "dcaFrequencyWeekly": "semana", + "fundExchangeMethodRegularSepaSubtitle": "Somente uso para transações maiores acima de €20.000", + "settingsTelegramLabel": "Telegrama", + "walletDetailsSignerDeviceNotSupported": "Não suportado", + "exchangeLandingDisclaimerLegal": "O acesso aos serviços de câmbio será restrito a países onde o Bull Bitcoin pode funcionar legalmente e pode exigir KYC.", + "backupWalletEncryptedVaultTitle": "Vault criptografado", + "mempoolNetworkLiquidMainnet": "Malha líquida", + "sellFromAnotherWallet": "Vender de outra carteira Bitcoin", + "automaticallyFetchKeyButton": "Verificar automaticamente a chave >>", + "importColdcardButtonOpenCamera": "Abra a câmera", + "recoverbullReenterRequired": "Reiniciar seu {inputType}", + "@recoverbullReenterRequired": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "payFeePriority": "Prioridade de Taxas", + "buyInsufficientBalanceDescription": "Você não tem equilíbrio suficiente para criar esta ordem.", + "sendSelectNetworkFee": "Selecione a taxa de rede", + "exchangeDcaFrequencyWeek": "semana", + "keystoneStep6": " - Mover o laser vermelho para cima e para baixo sobre o código QR", + "walletDeletionErrorGeneric": "Falhado para excluir a carteira, tente novamente.", + "fundExchangeLabelTransferCode": "Código de transferência (adicionar isto como descrição de pagamento)", + "sellNoInvoiceData": "Não existem dados de fatura disponíveis", + "ledgerInstructionsIos": "Certifique-se de que seu Ledger está desbloqueado com o aplicativo Bitcoin aberto e Bluetooth habilitado.", + "replaceByFeeScreenTitle": "Substituir por taxa", + "arkReceiveCopyAddress": "Endereço de cópia", + "testBackupErrorWriteFailed": "Escrever para armazenamento falhou: {error}", + "@testBackupErrorWriteFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaNetworkLightning": "Rede de relâmpago", + "sendType": "Tipo: ", + "buyBitcoinAddressHint": "BC1QYL7J673H...6Y6ALV70M0", + "exchangeHomeWithdrawButton": "Retirar", + "transactionListOngoingTransfersTitle": "Transferências em curso", + "arkSendAmountTitle": "Digite o valor", + "addressViewAddress": "Endereço", + "payOnChainFee": "Taxas On-Chain", + "arkReceiveUnifiedAddress": "Endereço unificado (BIP21)", + "sellHowToPayInvoice": "Como você quer pagar esta fatura?", + "payUseCoinjoin": "Use CoinJoin", + "autoswapWarningExplanation": "Quando o seu saldo exceder a quantidade do gatilho, uma troca será acionada. A quantidade de base será mantida em sua carteira de pagamentos instantâneos e a quantidade restante será trocada em sua carteira de Bitcoin seguro.", + "recoverbullVaultRecoveryTitle": "Recuperação do vault do Recoverbull", + "passportStep14": "Agora está pronto para transmitir! Assim que você clicar em transmissão, a transação será publicada na rede Bitcoin e os fundos serão enviados.", + "settingsCurrencyTitle": "Moeda", + "transactionSwapDescChainClaimable": "A transação foi confirmada. Está a reivindicar os fundos para completar a sua transferência.", + "sendSwapDetails": "Detalhes de Swap", + "onboardingPhysicalBackupDescription": "Recupere sua carteira através de 12 palavras.", + "psbtFlowSelectSeed": "Uma vez que a transação é importada em seu {device}, você deve selecionar a semente que deseja assinar com.", + "@psbtFlowSelectSeed": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "pinStatusLoading": "A carregar", + "payTitle": "Pagamento", + "buyInputKycMessage": "Você deve concluir a verificação de identificação primeiro", + "ledgerSuccessAddressVerified": "Endereço verificado com sucesso!", + "fundExchangeCrIbanUsdLabelCedulaJuridica": "Cédula Jurídica", + "arkSettleDescription": "Finalize transações pendentes e inclua vtxos recuperáveis se necessário", + "backupWalletHowToDecideVaultCustomRecommendation": "Localização personalizada: ", + "arkSendSuccessMessage": "Sua transacção Ark foi bem sucedida!", + "sendSats": "sats", + "electrumInvalidTimeoutError": "Valor de Timeout inválido: {value}", + "@electrumInvalidTimeoutError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "exchangeKycLevelLimited": "Limitação", + "withdrawConfirmEmail": "Email", + "buyNetworkFees": "Taxas de rede", + "coldcardStep7": " - Mover o laser vermelho para cima e para baixo sobre o código QR", + "transactionSwapDescChainRefundable": "A transferência será reembolsada. Os seus fundos serão devolvidos automaticamente à sua carteira.", + "sendPaymentWillTakeTime": "Pagamento vai demorar tempo", + "fundExchangeSpeiTitle": "Transferência SPEI", + "receivePaymentNormally": "Receber pagamento normalmente", + "kruxStep10": "Uma vez que a transação é importada em seu Krux, revise o endereço de destino e o valor.", + "bitboxErrorHandshakeFailed": "Falhou para estabelecer uma ligação segura. Por favor, tente novamente.", + "sellKYCRequired": "Verificação de KYC necessária", + "coldcardStep8": " - Tente mover seu dispositivo para trás um pouco", + "bitboxScreenDefaultWalletLabel": "Carteira de BitBox", + "replaceByFeeBroadcastButton": "Transmissão", + "swapExternalTransferLabel": "Transferência Externa", + "transactionPayjoinNoProposal": "Não receber uma proposta payjoin do receptor?", + "importQrDevicePassportStep4": "Selecione \"Carteira de contato\"", + "payAddRecipient": "Adicionar comentário", + "recoverbullVaultImportedSuccess": "Seu cofre foi importado com sucesso", + "backupKeySeparationWarning": "É importante que você não salve a chave de backup no mesmo lugar onde você salva seu arquivo de backup. Sempre armazená-los em dispositivos separados ou provedores de nuvem separados.", + "coreSwapsStatusInProgress": "Em progresso", + "confirmAccessPinTitle": "Confirmar acesso {pinOrPassword}", + "@confirmAccessPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "sellErrorUnexpectedOrderType": "SellOrder esperado, mas recebeu um tipo de ordem diferente", + "pinCreateHeadline": "Criar novo pino", + "transactionSwapProgressConfirmed": "Confirmado", + "sellRoutingNumber": "Número de roteamento", + "sellDailyLimitReached": "Limite de venda diário alcançado", + "requiredHint": "Requisitos", + "arkUnilateralExitDelay": "Atraso de saída unilateral", + "arkStatusPending": "Pendente", + "importWatchOnlyXpub": "x pub", + "dcaInsufficientBalanceTitle": "Balança insuficiente", + "arkType": "Tipo", + "backupImportanceMessage": "Sem um backup, você eventualmente perderá o acesso ao seu dinheiro. É criticamente importante fazer um backup.", + "testBackupGoogleDrivePermission": "O Google irá pedir-lhe para partilhar informações pessoais com este aplicativo.", + "testnetModeSettingsLabel": "Modo de Testnet", + "testBackupErrorUnexpectedSuccess": "Sucesso inesperado: backup deve combinar carteira existente", + "coreScreensReceiveAmountLabel": "Receber valor", + "payAllTypes": "Todos os tipos", + "systemLabelPayjoin": "Payjoin", + "onboardingScreenTitle": "Bem-vindo", + "pinCodeConfirmTitle": "Confirme o novo pino", + "arkSetupExperimentalWarning": "A arca ainda é experimental.\n\nSua carteira Ark é derivada da frase de semente da sua carteira principal. Nenhum backup adicional é necessário, seu backup de carteira existente restaura seus fundos Ark também.\n\nAo continuar, você reconhece a natureza experimental da Arca e o risco de perder fundos.\n\nNota do desenvolvedor : O segredo da arca é derivado da principal semente da carteira usando uma derivação arbitrária BIP-85 (index 11811).", + "keyServerLabel": "Servidor chave ", + "recoverbullEnterToView": "Digite seu {inputType} para ver sua chave do cofre.", + "@recoverbullEnterToView": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "payReviewPayment": "Revisão Pagamento", + "electrumBitcoinSslInfo": "Se nenhum protocolo for especificado, o ssl será usado por padrão.", + "transactionTitle": "Transações", + "sellQrCode": "Código QR", + "walletOptionsUnnamedWalletFallback": "Carteira sem nome", + "fundExchangeRegularSepaInfo": "Use apenas para transações acima de € 20.000. Para transações menores, use a opção Instant SEPA.", + "fundExchangeDoneButton": "Feito", + "buyKYCLevel3": "Nível 3 - Total", + "appStartupErrorMessageNoBackup": "Em v5.4.0 um bug crítico foi descoberto em uma de nossas dependências que afetam o armazenamento de chaves privada. Seu aplicativo foi afetado por isso. Contacte a nossa equipa de apoio.", + "sellGoHome": "Vai para casa", + "keystoneStep8": "Uma vez que a transação é importada em seu Keystone, revise o endereço de destino e o valor.", + "psbtFlowSpecterTitle": "Instruções de espectro", + "importMnemonicChecking": "A verificar...", + "sendConnectDevice": "Dispositivo de conexão", + "connectHardwareWalletSeedSigner": "Sementes", + "importQrDevicePassportStep7": "Selecione \"Código QR\"", + "delete": "Excluir", + "connectingToKeyServer": "Conectando-se ao Key Server sobre Tor.\nIsto pode demorar até um minuto.", + "bitboxErrorDeviceNotFound": "Dispositivo BitBox não encontrado.", + "ledgerScanningMessage": "Procurando dispositivos Ledger nas proximidades...", + "sellInsufficientBalanceError": "Equilíbrio insuficiente na carteira selecionada para completar esta ordem de venda.", + "transactionSwapDescLnReceivePending": "A tua troca foi iniciada. Estamos à espera de um pagamento a ser recebido na Rede Lightning.", + "tryAgainButton": "Tente novamente", + "psbtFlowHoldSteady": "Mantenha o código QR estável e centralizado", + "swapConfirmTitle": "Confirmar transferência", + "testBackupGoogleDrivePrivacyPart1": "Esta informação ", + "connectHardwareWalletKeystone": "Chaveiro", + "importWalletTitle": "Adicionar uma nova carteira", + "mempoolSettingsDefaultServer": "Servidor padrão", + "sendPasteAddressOrInvoice": "Cole um endereço de pagamento ou fatura", + "swapToLabel": "Para", + "payLoadingRecipients": "Carregando destinatários...", + "sendSignatureReceived": "Assinatura recebida", + "failedToDeriveBackupKey": "Falhado para derivar a chave de backup", + "recoverbullGoogleDriveErrorExportFailed": "Falhado para exportar o vault do Google Drive", + "exchangeKycLevelLight": "Luz", + "transactionLabelCreatedAt": "Criado em", + "bip329LabelsExportSuccessSingular": "1 rótulo exportado", + "bip329LabelsExportSuccessPlural": "{count} rótulos exportados", + "@bip329LabelsExportSuccessPlural": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "fundExchangeMethodOnlineBillPaymentSubtitle": "Opção mais lenta, mas pode ser feito via banco on-line (3-4 dias úteis)", + "walletDeletionErrorWalletNotFound": "A carteira que você está tentando excluir não existe.", + "payEnableRBF": "Habilitar RBF", + "transactionDetailLabelFromWallet": "Da carteira", + "settingsLanguageTitle": "Língua", + "importQrDeviceInvalidQR": "Código QR inválido", + "exchangeAppSettingsSaveSuccessMessage": "Configurações salvas com sucesso", + "addressViewShowQR": "Mostrar código QR", + "testBackupVaultSuccessMessage": "Seu cofre foi importado com sucesso", + "exchangeSupportChatInputHint": "Escreva uma mensagem...", + "electrumTestnet": "Testneta", + "sellSelectWallet": "Selecione a carteira", + "mempoolCustomServerAdd": "Adicionar Servidor Personalizado", + "sendHighFeeWarningDescription": "Taxa total é {feePercent}% do montante que você está enviando", + "@sendHighFeeWarningDescription": { + "placeholders": { + "feePercent": { + "type": "String" + } + } + }, + "withdrawConfirmButton": "Confirmação", + "fundExchangeLabelBankAccountDetails": "Detalhes da conta bancária", + "payLiquidAddress": "Endereço líquido", + "sellTotalFees": "Taxas totais", + "importWatchOnlyUnknown": "Desconhecido", + "bitboxScreenNestedSegwitBip49": "Segwit (BIP49)", + "payContinue": "Continue", + "importColdcardInstructionsStep8": "Digitalizar o código QR exibido em seu Coldcard Q", + "dcaSuccessMessageMonthly": "Você vai comprar {amount} todos os meses", + "@dcaSuccessMessageMonthly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sendSelectedCoins": "{count} moedas selecionadas", + "@sendSelectedCoins": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "rbfErrorNoFeeRate": "Por favor, selecione uma taxa de taxa", + "backupWalletGoogleDrivePrivacyMessage1": "Esta informação ", + "labelErrorUnsupportedType": "Este tipo {type} não é suportado", + "@labelErrorUnsupportedType": { + "placeholders": { + "type": { + "type": "String" + } + } + }, + "paySatsPerByte": "{sats}", + "@paySatsPerByte": { + "placeholders": { + "sats": { + "type": "String" + } + } + }, + "payRbfActivated": "Substitui-a-taxa activada", + "dcaConfirmNetworkLightning": "Luz", + "ledgerDefaultWalletLabel": "Carteira de Ledger", + "importWalletSpecter": "Espectro", + "customLocationProvider": "Localização personalizada", + "dcaSelectFrequencyLabel": "Selecione a frequência", + "transactionSwapDescChainCompleted": "Sua transferência foi concluída com sucesso! Os fundos devem agora estar disponíveis na sua carteira.", + "coreSwapsLnSendRefundable": "Swap está pronto para ser reembolsado.", + "backupInstruction2": "Sem um backup, se você perder ou quebrar seu telefone, ou se você desinstalar o aplicativo Bull Bitcoin, seus bitcoins serão perdidos para sempre.", + "autoswapSave": "Salvar", + "swapGoHomeButton": "Vai para casa", + "sendFeeRateTooHigh": "Taxa de taxa parece muito alta", + "ledgerHelpStep2": "Certifique-se de que seu telefone tem Bluetooth ligado e permitido.", + "fundExchangeCrIbanUsdPaymentDescriptionHelp": "O teu código de transferência.", + "recoverVia12WordsDescription": "Recupere sua carteira através de 12 palavras.", + "fundExchangeFundAccount": "Fina sua conta", + "electrumServerSettingsLabel": "Servidor Electrum (nodo de Bitcoin)", + "dcaEnterLightningAddressLabel": "Entrar Lightning Endereço", + "statusCheckOnline": "Online", + "buyPayoutMethod": "Método de pagamento", + "exchangeAmountInputTitle": "Digite o valor", + "electrumCloseTooltip": "Fechar", + "payIbanHint": "Entrar IBAN", + "sendCoinConfirmations": "{count} confirmações", + "@sendCoinConfirmations": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "fundExchangeLabelRecipientNameArs": "Nome do destinatário", + "sendTo": "Para", + "gotItButton": "Entendido", + "walletTypeLiquidLightningNetwork": "Rede Líquida e Relâmpago", + "sendFeePriority": "Prioridade de Taxas", + "transactionPayjoinSendWithout": "Enviar sem pagamento", + "paySelectCountry": "Selecione o país", + "importMnemonicTransactionsLabel": "Transações: {count}", + "@importMnemonicTransactionsLabel": { + "placeholders": { + "count": { + "type": "String" + } + } + }, + "exchangeSettingsReferralsTitle": "Referências", + "autoswapAlwaysBlockInfoEnabled": "Quando ativado, as transferências automáticas com taxas acima do limite do conjunto serão sempre bloqueadas", + "importMnemonicSelectScriptType": "Importação Mnemonic", + "sellSendPaymentCadBalance": "CADA Balanço", + "recoverbullConnectingTor": "Conectando-se ao Key Server sobre Tor.\nIsto pode demorar até um minuto.", + "fundExchangeCanadaPostStep2": "2. Peça ao caixa para digitalizar o código QR \"Loadhub\"", + "recoverbullEnterVaultKeyInstead": "Digite uma chave de cofre em vez", + "exchangeAccountInfoEmailLabel": "Email", + "legacySeedViewNoSeedsMessage": "Nenhuma semente encontrada.", + "arkAboutDustValue": "{dust} SATS", + "@arkAboutDustValue": { + "placeholders": { + "dust": { + "type": "int" + } + } + }, + "keystoneStep5": " - Aumente o brilho da tela em seu dispositivo", + "sendSelectCoinsManually": "Selecione moedas manualmente", + "importMnemonicEmpty": "Vazio", + "electrumBitcoinServerInfo": "Digite o endereço do servidor em formato: host:port (por exemplo, example.com:50001)", + "recoverbullErrorServiceUnavailable": "Serviço indisponível. Por favor, verifique a sua ligação.", + "arkSettleTitle": "Transações de Settle", + "sendErrorInsufficientBalanceForSwap": "Não saldo suficiente para pagar esta troca via Liquid e não dentro de limites de swap para pagar via Bitcoin.", + "psbtFlowJadeTitle": "Blockstream Jade PSBT Instruções", + "transactionFilterPayjoin": "Payjoin", + "importQrDeviceKeystoneStep8": "Digite um rótulo para sua carteira Keystone e toque em Importar", + "dcaContinueButton": "Continue", + "fundExchangeCrIbanUsdTitle": "Transferência Bancária (USD)", + "buyStandardWithdrawalDesc": "Receber Bitcoin após as compensações de pagamento (1-3 dias)", + "psbtFlowColdcardTitle": "Instruções do Coldcard Q", + "sendRelativeFees": "Taxas relativas", + "payToAddress": "Para endereço", + "sellCopyInvoice": "Fatura de cópia", + "cancelButton": "Cancelar", + "coreScreensNetworkFeesLabel": "Taxas de rede", + "kruxStep9": " - Tente mover seu dispositivo para trás um pouco", + "sendReceiveNetworkFee": "Receber Taxas de Rede", + "arkTxPayment": "Pagamento", + "importQrDeviceSeedsignerStep6": "Selecione \"Seta\" como a opção de exportação", + "swapValidationMaximumAmount": "A quantidade máxima é {amount} {currency}", + "@swapValidationMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + }, + "currency": { + "type": "String" + } + } + }, + "fundExchangeETransferLabelBeneficiaryName": "Use isso como o nome do beneficiário E-transfer", + "backupWalletErrorFileSystemPath": "Falhado para selecionar o caminho do sistema de arquivos", + "coreSwapsLnSendCanCoop": "Swap vai completar momentaneamente.", + "electrumServerNotUsed": "Não usado", + "backupWalletHowToDecideBackupPhysicalRecommendation": "Backup físico: ", + "payDebitCardNumber": "Número de cartão de débito", + "receiveRequestInboundLiquidity": "Capacidade de recebimento de pedidos", + "backupWalletHowToDecideBackupMoreInfo": "Visite o Recoverbull.com para obter mais informações.", + "kruxStep11": "Clique nos botões para assinar a transação no seu Krux.", + "exchangeSupportChatEmptyState": "Ainda não há mensagens. Começa uma conversa!", + "payExternalWalletDescription": "Pagar de outra carteira Bitcoin", + "electrumRetryCountEmptyError": "Retry Count não pode estar vazio", + "ledgerErrorBitcoinAppNotOpen": "Por favor, abra o aplicativo Bitcoin em seu dispositivo Ledger e tente novamente.", + "physicalBackupTag": "Trustless (ter o seu tempo)", + "arkIncludeRecoverableVtxos": "Incluir vtxos recuperáveis", + "payCompletedDescription": "Seu pagamento foi concluído e o destinatário recebeu os fundos.", + "recoverbullConnecting": "Conexão", + "swapExternalAddressHint": "Digite o endereço da carteira externa", + "ledgerWalletTypeLegacyDescription": "P2PKH - Formato antigo", + "dcaConfirmationDescription": "Comprar ordens serão colocadas automaticamente por estas configurações. Você pode desabilitá-los a qualquer momento.", + "appleICloudProvider": "Apple iCloud", + "exchangeAccountInfoVerificationNotVerified": "Não verificado", + "fundExchangeWarningDescription": "Se alguém está pedindo para você comprar Bitcoin ou \"ajudar você\", tenha cuidado, eles podem estar tentando enganar você!", + "transactionDetailLabelTransactionId": "ID de transação", + "arkReceiveTitle": "Ark Receber", + "payDebitCardNumberHint": "Digite número de cartão de débito", + "backupWalletHowToDecideBackupEncryptedRecommendation": "Vault criptografado: ", + "seedsignerStep9": "Revise o endereço de destino e o valor, e confirme a assinatura no SeedSigner.", + "logoutButton": "Logotipo", + "payReplaceByFee": "Substituir-By-Fee (RBF)", + "coreSwapsLnReceiveClaimable": "Swap está pronto para ser reivindicado.", + "pinButtonCreate": "Criar PIN", + "fundExchangeJurisdictionEurope": "🇪 Europa (SEPA)", + "settingsExchangeSettingsTitle": "Configurações de troca", + "sellFeePriority": "Prioridade de Taxas", + "exchangeFeatureSelfCustody": "• Comprar Bitcoin direto para self-custody", + "arkBoardingUnconfirmed": "Embarque sem confirmação", + "fundExchangeLabelPaymentDescription": "Descrição do pagamento", + "payAmountTooHigh": "Quantidade superior ao máximo", + "dcaConfirmPaymentBalance": "{currency} equilíbrio", + "@dcaConfirmPaymentBalance": { + "placeholders": { + "currency": { + "type": "String" + } + } + }, + "torSettingsPortValidationInvalid": "Digite um número válido", + "sellBankTransfer": "Transferência bancária", + "importQrDeviceSeedsignerStep3": "Digitalize um SeedQR ou insira sua frase de semente de 12 ou 24 palavras", + "replaceByFeeFastestTitle": "Mais rápido", + "transactionLabelBitcoinTransactionId": "ID de transação de Bitcoin", + "sellPayinAmount": "Quantidade de pagamento", + "exchangeKycRemoveLimits": "Para remover limites de transação", + "autoswapMaxBalanceInfoText": "Quando o saldo da carteira exceder o dobro desta quantidade, o auto-transfer irá desencadear para reduzir o equilíbrio a este nível", + "sellSendPaymentBelowMin": "Você está tentando vender abaixo da quantidade mínima que pode ser vendida com esta carteira.", + "dcaWalletSelectionDescription": "As compras de Bitcoin serão colocadas automaticamente por esta programação.", + "sendTypeSend": "Enviar", + "payFeeBumpSuccessful": "Taxa de sucesso", + "importQrDeviceKruxStep1": "Ligue o seu dispositivo Krux", + "transactionSwapProgressFundsClaimed": "Fundos\nCláusula", + "recoverbullSelectAppleIcloud": "Apple iCloud", + "dcaAddressLightning": "Endereço de iluminação", + "keystoneStep13": "A transação será importada na carteira Bull Bitcoin.", + "receiveGenerationFailed": "Falhado para gerar {type}", + "@receiveGenerationFailed": { + "placeholders": { + "type": { + "type": "String" + } + } + }, + "coreSwapsLnReceiveCanCoop": "Swap vai completar momentaneamente.", + "addressViewAddressesTitle": "Endereços", + "withdrawRecipientsNoRecipients": "Nenhum destinatário encontrado para se retirar.", + "transactionSwapProgressPaymentMade": "Pagamento\nFeito", + "importQrDeviceSpecterStep4": "Siga as instruções de acordo com o seu método escolhido", + "coreSwapsChainPending": "Transferência ainda não é inicializada.", + "importWalletImportWatchOnly": "Importar apenas relógio", + "coldcardStep9": "Uma vez que a transação é importada em seu Coldcard, revise o endereço de destino e o valor.", + "sendErrorArkExperimentalOnly": "Os pedidos de pagamento ARK estão disponíveis apenas a partir do recurso Ark experimental.", + "exchangeKycComplete": "Completar seu KYC", + "enterBackupKeyManuallyDescription": "Se você tiver exportado sua chave de backup e salvá-lo em um local seperado por si mesmo, você pode digitá-lo manualmente aqui. Caso contrário, volte para a tela anterior.", + "sellBitcoinPriceLabel": "Preço de Bitcoin", + "receiveCopyAddress": "Endereço de cópia", + "receiveSave": "Salvar", + "mempoolNetworkBitcoinTestnet": "Teste de Bitcoin", + "transactionLabelPayjoinStatus": "Estado de Payjoin", + "passportStep2": "Clique em assinar com o código QR", + "pinCodeRemoveButton": "Remover PIN de Segurança", + "payAddMemo": "Adicionar memória (opcional)", + "transactionNetworkBitcoin": "Bitcoin", + "recoverbullSelectVaultProvider": "Selecione Provedor de Vault", + "replaceByFeeOriginalTransactionTitle": "Transação original", + "testBackupPhysicalBackupTag": "Trustless (ter o seu tempo)", + "testBackupTitle": "Teste o backup da sua carteira", + "coreSwapsLnSendFailed": "Engole Falhado.", + "recoverbullErrorDecryptFailed": "Falhado para descriptografar o cofre", + "keystoneStep9": "Clique nos botões para assinar a transação em seu Keystone.", + "totalFeesLabel": "Taxas totais", + "payInProgressDescription": "O seu pagamento foi iniciado e o destinatário receberá os fundos após a sua transação receber 1 confirmação de compra.", + "importQrDevicePassportStep10": "No aplicativo de carteira BULL, selecione \"Segwit (BIP84)\" como a opção de derivação", + "payHighPriority": "Alto", + "buyBitcoinPrice": "Preço de Bitcoin", + "sendFrozenCoin": "Congelado", + "importColdcardInstructionsStep4": "Verifique se o seu firmware é atualizado para a versão 1.3.4Q", + "lastBackupTestLabel": "Último teste de backup: {date}", + "@lastBackupTestLabel": { + "placeholders": { + "date": { + "type": "String", + "example": "2025-01-20 15:30:45" + } + } + }, + "sendBroadcastTransaction": "Transação de transmissão", + "receiveBitcoinConfirmationMessage": "Bitcoin transação levará um tempo para confirmar.", + "walletTypeWatchOnly": "Só com cuidado", + "psbtFlowKruxTitle": "Instruções de Krux", + "recoverbullDecryptVault": "Descriptografar cofre", + "connectHardwareWalletJade": "Blockstream Jade", + "coreSwapsChainRefundable": "A transferência está pronta para ser reembolsada.", + "buyInputCompleteKyc": "KYC completo", + "transactionFeesTotalDeducted": "Esta é a taxa total deduzida do montante enviado", + "autoswapMaxFee": "Taxa de transferência máxima", + "sellReviewOrder": "Revisão Venda Ordem", + "payDescription": "Descrição", + "buySecureBitcoinWallet": "Carteira de Bitcoin segura", + "sendEnterRelativeFee": "Insira taxa relativa em sats/vB", + "importQrDevicePassportStep1": "Poder no seu dispositivo de passaporte", + "fundExchangeMethodArsBankTransferSubtitle": "Enviar uma transferência bancária da sua conta bancária", + "transactionOrderLabelExchangeRate": "Taxa de câmbio", + "backupSettingsScreenTitle": "Configurações de backup", + "fundExchangeBankTransferWireDescription": "Envie uma transferência bancária da sua conta bancária usando os detalhes bancários do Bull Bitcoin abaixo. Seu banco pode exigir apenas algumas partes desses detalhes.", + "importQrDeviceKeystoneStep7": "Digitalize o código QR exibido em seu Keystone", + "coldcardStep3": "Selecione \"Scan any QR code\" opção", + "coldcardStep14": "A transação será importada na carteira Bull Bitcoin.", + "pinCodeSettingsLabel": "Código PIN", + "buyExternalBitcoinWallet": "Carteira Bitcoin externa", + "passwordTooCommonError": "Este {pinOrPassword} é muito comum. Por favor, escolha um diferente.", + "@passwordTooCommonError": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importWalletJade": "Blockstream Jade", + "payInvalidInvoice": "Fatura inválida", + "receiveTotalFee": "Taxa total", + "importQrDeviceButtonOpenCamera": "Abra a câmera", + "recoverbullFetchingVaultKey": "Fetching Vault Chaveiro", + "dcaConfirmFrequency": "Frequência", + "recoverbullGoogleDriveDeleteVaultTitle": "Excluir Vault", + "advancedOptionsTitle": "Opções avançadas", + "dcaConfirmOrderType": "Tipo de ordem", + "payPriceWillRefreshIn": "Preço irá refrescar-se ", + "recoverbullGoogleDriveErrorDeleteFailed": "Falhado para excluir o vault do Google Drive", + "broadcastSignedTxTo": "Para", + "arkAboutDurationDays": "{days} dias", + "@arkAboutDurationDays": { + "placeholders": { + "days": { + "type": "int" + } + } + }, + "payPaymentDetails": "Detalhes do pagamento", + "bitboxActionVerifyAddressTitle": "Verificar o endereço no BitBox", + "psbtSignTransaction": "Transação de assinatura", + "sellRemainingLimit": "Continuando hoje: {amount}", + "@sellRemainingLimit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "bitboxActionImportWalletSuccess": "Carteira importada com sucesso", + "nextButton": "Próximo", + "ledgerSignButton": "Começar a assinar", + "recoverbullPassword": "Senha", + "dcaNetworkLiquid": "Rede líquida", + "fundExchangeMethodSinpeTransfer": "Transferência de SINPE", + "dcaCancelTitle": "Cancelar Bitcoin Recurring Comprar?", + "payFromAnotherWallet": "Pagar de outra carteira Bitcoin", + "importMnemonicHasBalance": "Tem equilíbrio", + "dcaLightningAddressEmptyError": "Digite um endereço de Lightning", + "googleAppleCloudRecommendationText": "você quer se certificar de que você nunca perder o acesso ao seu arquivo de vault mesmo se você perder seus dispositivos.", + "closeDialogButton": "Fechar", + "jadeStep14": "A transação será importada na carteira Bull Bitcoin.", + "payCorporateName": "Nome da Empresa", + "importColdcardError": "Falhado para importar Coldcard", + "transactionStatusPayjoinRequested": "Pedir desculpa", + "payOwnerNameHint": "Digite o nome do proprietário", + "customLocationRecommendationText": "você está confiante de que você não vai perder o arquivo do vault e ainda será acessível se você perder seu telefone.", + "arkAboutForfeitAddress": "Endereço falso", + "kruxStep13": "Clique em \"Estou feito\" na carteira Bull Bitcoin.", + "transactionSwapInfoRefundableTransfer": "Esta transferência será reembolsada automaticamente dentro de alguns segundos. Se não, você pode tentar um reembolso manual clicando no botão \"Restaurar reembolso\".", + "payBitcoinPrice": "Preço de Bitcoin", + "confirmLogoutMessage": "Tem a certeza de que deseja fazer login na sua conta Bull Bitcoin? Você precisará fazer login novamente para acessar recursos de troca.", + "receivePaymentInProgress": "Pagamento em curso", + "dcaSuccessMessageDaily": "Você vai comprar {amount} todos os dias", + "@dcaSuccessMessageDaily": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "walletNetworkLiquidTestnet": "Testnet líquido", + "electrumDeleteFailedError": "Falhado para excluir servidor personalizado{reason}", + "@electrumDeleteFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "receiveBoltzSwapFee": "Boltz Swap Fee", + "swapInfoBanner": "Transferir Bitcoin perfeitamente entre suas carteiras. Apenas mantenha fundos na Carteira de Pagamento Instantânea para gastos diários.", + "payRBFEnabled": "RBF habilitado", + "takeYourTimeTag": "Leve o seu tempo", + "arkAboutDust": "Pó", + "ledgerSuccessVerifyDescription": "O endereço foi verificado no seu dispositivo Ledger.", + "bip85Title": "BIP85 Entropias Deterministas", + "sendSwapTimeout": "Swap timed out", + "networkFeesLabel": "Taxas de rede", + "backupWalletPhysicalBackupDescription": "Escreva 12 palavras em um pedaço de papel. Mantenha-os seguros e certifique-se de não perdê-los.", + "sendSwapInProgressBitcoin": "A troca está em andamento. As transações Bitcoin podem demorar um pouco para confirmar. Podes voltar para casa e esperar.", + "electrumDeleteServerTitle": "Excluir servidor personalizado", + "buySelfie": "Selfie com ID", + "arkAboutSecretKey": "Chave secreta", + "sellMxnBalance": "MXN Balanço", + "fundExchangeWarningTactic4": "Eles pedem para enviar Bitcoin para seu endereço", + "fundExchangeSinpeDescription": "Transferir Colones usando SINPE", + "wordsDropdownSuffix": " palavras", + "arkTxTypeRedeem": "Redeem", + "receiveVerifyAddressOnLedger": "Verificar endereço no Ledger", + "buyWaitForFreeWithdrawal": "Aguarde a retirada livre", + "sellSendPaymentCrcBalance": "CRC Balanço", + "backupSettingsKeyWarningBold": "Atenção: Tenha cuidado onde você salvar a chave de backup.", + "settingsArkTitle": "Arca", + "exchangeLandingConnectAccount": "Conecte sua conta de câmbio Bull Bitcoin", + "recoverYourWalletTitle": "Recupere sua carteira", + "importWatchOnlyLabel": "Etiqueta", + "settingsAppSettingsTitle": "Configurações do aplicativo", + "dcaWalletLightningSubtitle": "Requer carteira compatível, máximo 0,25 BTC", + "dcaNetworkBitcoin": "Rede de Bitcoin", + "swapTransferRefundInProgressMessage": "Houve um erro com a transferência. O seu reembolso está em andamento.", + "importQrDevicePassportName": "Passaporte da Fundação", + "fundExchangeMethodCanadaPostSubtitle": "Melhor para aqueles que preferem pagar em pessoa", + "importColdcardMultisigPrompt": "Para carteiras multisig, digitalize o código QR do descritor da carteira", + "passphraseLabel": "Passphrase", + "recoverbullConfirmInput": "Confirme {inputType}", + "@recoverbullConfirmInput": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "transactionSwapDescLnReceiveCompleted": "Sua troca foi concluída com sucesso! Os fundos devem agora estar disponíveis na sua carteira.", + "psbtFlowSignTransaction": "Transação de assinatura", + "payAllPayments": "Todos os pagamentos", + "fundExchangeSinpeDescriptionBold": "será rejeitado.", + "transactionDetailLabelPayoutStatus": "Status de pagamento", + "buyInputFundAccount": "Fina sua conta", + "importWatchOnlyZpub": "- sim", + "testBackupNext": "Próximo", + "payBillerSearchHint": "Digite as primeiras 3 letras do nome do contador", + "coreSwapsLnSendCompletedRefunded": "O Swap foi reembolsado.", + "transactionSwapInfoClaimableSwap": "A troca será concluída automaticamente dentro de alguns segundos. Se não, você pode tentar uma reivindicação manual clicando no botão \"Retentar Swap Claim\".", + "mempoolCustomServerLabel": "CUSTOM", + "arkAboutSessionDuration": "Duração da sessão", + "transferFeeLabel": "Taxa de transferência", + "pinValidationError": "PIN deve ser pelo menos {minLength} dígitos longo", + "@pinValidationError": { + "placeholders": { + "minLength": { + "type": "String" + } + } + }, + "buyConfirmationTimeValue": "10 minutos", + "dcaOrderTypeValue": "Recorrer comprar", + "ledgerConnectingMessage": "Conectando a {deviceName}", + "@ledgerConnectingMessage": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "buyConfirmAwaitingConfirmation": "Aguardando confirmação ", + "torSettingsSaveButton": "Salvar", + "allSeedViewShowSeedsButton": "Mostrar sementes", + "fundExchangeMethodBankTransferWireSubtitle": "Melhor e mais confiável opção para maiores quantidades (mesmo ou dia seguinte)", + "fundExchangeCanadaPostStep4": "4. O caixa vai pedir para ver um pedaço de ID emitido pelo governo e verificar se o nome no seu ID corresponde à sua conta Bull Bitcoin", + "fundExchangeCrIbanCrcLabelIban": "Número da conta IBAN (apenas em cores)", + "importQrDeviceSpecterInstructionsTitle": "Instruções de espectro", + "testBackupScreenshot": "Tiro de tela", + "transactionListLoadingTransactions": "Carregando transações...", + "dcaSuccessTitle": "Recurring Buy is Active!", + "fundExchangeOnlineBillPaymentDescription": "Qualquer valor que você enviar através do recurso de pagamento de contas on-line do seu banco usando as informações abaixo será creditado ao seu saldo da conta Bull Bitcoin dentro de 3-4 dias úteis.", + "receiveAwaitingPayment": "À espera do pagamento...", + "onboardingRecover": "Recuperar", + "recoverbullGoogleDriveScreenTitle": "Google Drive Vaults", + "receiveQRCode": "Código QR", + "appSettingsDevModeTitle": "Modo de desenvolvimento", + "payDecodeFailed": "Falhado para decodificar fatura", + "sendAbsoluteFees": "Taxas absolutas", + "arkSendConfirm": "Confirmação", + "replaceByFeeErrorTransactionConfirmed": "A transação original foi confirmada", + "rbfErrorFeeTooLow": "Você precisa aumentar a taxa de taxa em pelo menos 1 sat/vbyte em comparação com a transação original", + "ledgerErrorMissingDerivationPathSign": "O caminho de derivação é necessário para assinar", + "backupWalletTitle": "Faça backup da sua carteira", + "jadeStep10": "Clique nos botões para assinar a transação no seu Jade.", + "arkAboutDurationHour": "{hours} hora", + "@arkAboutDurationHour": { + "placeholders": { + "hours": { + "type": "int" + } + } + }, + "bitboxScreenUnknownError": "O erro desconhecido ocorreu", + "electrumPrivacyNoticeTitle": "Aviso de privacidade", + "receiveLiquid": "Líquido", + "payOpenChannelRequired": "Abrir um canal é necessário para este pagamento", + "coldcardStep1": "Faça login no seu dispositivo Coldcard Q", + "transactionDetailLabelBitcoinTxId": "ID de transação de Bitcoin", + "arkAboutTitle": "Sobre a", + "arkSendRecipientHint": "ark1qp9wsjfpsj5v5ex022v6..", + "sellSendPaymentCalculating": "Cálculo...", + "arkRecoverableVtxos": "Vtxos recuperáveis", + "psbtFlowTransactionImported": "A transação será importada na carteira Bull Bitcoin.", + "testBackupGoogleDriveSignIn": "Você precisará se inscrever no Google Drive", + "sendTransactionSignedLedger": "Transação assinada com sucesso com Ledger", + "recoverbullRecoveryContinueButton": "Continue", + "payTimeoutError": "Tempo de pagamento. Por favor verifique o status", + "kruxStep4": "Clique em Carregar da câmera", + "bitboxErrorInvalidMagicBytes": "Formato PSBT inválido detectado.", + "sellErrorRecalculateFees": "Falhado em taxas recalculadas: {error}", + "@sellErrorRecalculateFees": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "dcaSetupFrequencyError": "Por favor, selecione uma frequência", + "testBackupErrorNoMnemonic": "Nenhum mnemônico carregado", + "payInvoiceExpired": "Fatura expirada", + "payWhoAreYouPaying": "Quem pagas?", + "confirmButtonLabel": "Confirmação", + "autoswapMaxFeeInfo": "Se a taxa de transferência total estiver acima da porcentagem definida, a transferência automática será bloqueada", + "importQrDevicePassportStep9": "Digitalizar o código QR exibido no seu Passaporte", + "swapProgressRefundedMessage": "A transferência foi sucessivamente reembolsada.", + "sendEconomyFee": "Economia", + "coreSwapsChainFailed": "Transferência Falhada.", + "transactionDetailAddNote": "Adicionar nota", + "addressCardUsedLabel": "Usado", + "buyConfirmTitle": "Comprar Bitcoin", + "exchangeLandingFeature5": "Chat com suporte ao cliente", + "electrumMainnet": "Principal", + "buyThatWasFast": "Foi rápido, não foi?", + "importWalletPassport": "Passaporte da Fundação", + "buyExpressWithdrawalFee": "Taxa expressa: {amount}", + "@buyExpressWithdrawalFee": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sellDailyLimit": "Limite diário: {amount}", + "@sellDailyLimit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "recoverbullConnectionFailed": "A conexão falhou", + "transactionDetailLabelPayinMethod": "Método de pagamento", + "sellCurrentRate": "Taxa de corrente", + "payAmountTooLow": "O valor está abaixo do mínimo", + "onboardingCreateWalletButtonLabel": "Criar carteira", + "bitboxScreenVerifyOnDevice": "Por favor, verifique este endereço no seu dispositivo BitBox", + "ledgerConnectTitle": "Conecte seu dispositivo Ledger", + "withdrawAmountTitle": "Fiat de retirada", + "coreScreensServerNetworkFeesLabel": "Taxas de rede do servidor", + "dcaFrequencyValidationError": "Por favor, selecione uma frequência", + "walletsListTitle": "Detalhes da carteira", + "payAllCountries": "Todos os países", + "sellCopBalance": "COP Balanço", + "recoverbullVaultSelected": "Vault selecionado", + "receiveTransferFee": "Taxa de transferência", + "fundExchangeInfoTransferCodeRequired": "Você deve adicionar o código de transferência como a \"mensagem\" ou \"razão\" ou \"descrição\" ao fazer o pagamento. Se você esquecer de colocar este código o seu pagamento pode ser rejeitado.", + "arkBoardingExitDelay": "Atraso de saída de embarque", + "exchangeDcaFrequencyHour": "hora da hora", + "transactionLabelPayjoinCreationTime": "Tempo de criação Payjoin", + "payRBFDisabled": "RBF desativado", + "exchangeAuthLoginFailedOkButton": "ESTÁ BEM", + "exchangeKycCardTitle": "Completar seu KYC", + "importQrDeviceSuccess": "Carteira importada com sucesso", + "arkTxSettlement": "Fixação", + "autoswapEnable": "Habilitar a transferência automática", + "transactionStatusTransferCompleted": "Transferência Completa", + "payInvalidSinpe": "Sinpe inválido", + "coreScreensFromLabel": "A partir de", + "backupWalletGoogleDriveSignInTitle": "Você precisará se inscrever no Google Drive", + "sendEstimatedDelivery10to30Minutes": "10-30 minutos", + "transactionDetailLabelLiquidTxId": "ID de transação líquida", + "testBackupBackupId": "ID de backup:", + "walletDeletionErrorOngoingSwaps": "Você não pode excluir uma carteira com swaps em curso.", + "bitboxScreenConnecting": "Ligação ao BitBox", + "psbtFlowScanAnyQr": "Selecione \"Scan any QR code\" opção", + "transactionLabelServerNetworkFees": "Taxas de rede do servidor", + "importQrDeviceSeedsignerStep10": "Configuração completa", + "sendReceive": "Receber", + "sellKycPendingDescription": "Você deve concluir a verificação ID primeiro", + "fundExchangeETransferDescription": "Qualquer quantidade que você enviar do seu banco via e-mail E-Transfer usando as informações abaixo será creditado ao seu saldo da conta Bull Bitcoin em poucos minutos.", + "sendClearSelection": "Seleção clara", + "fundExchangeLabelClabe": "CLABE", + "statusCheckLastChecked": "Última verificação: {time}", + "@statusCheckLastChecked": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "backupWalletVaultProviderQuickEasy": "Rápido e fácil", + "sellPayoutAmount": "Quantidade de pagamento", + "dcaConfirmFrequencyDaily": "Todos os dias", + "buyConfirmPurchase": "Confirme a compra", + "transactionLabelNetworkFee": "Taxa de rede", + "importQrDeviceKeystoneStep9": "A configuração é completa", + "tapWordsInOrderTitle": "Toque nas palavras de recuperação no\nordem certa", + "payEnterAmountTitle": "Digite o valor", + "transactionOrderLabelPayinMethod": "Método de pagamento", + "buyInputMaxAmountError": "Você não pode comprar mais do que", + "walletDetailsDeletingMessage": "Excluindo a carteira...", + "receiveUnableToVerifyAddress": "Incapaz de verificar o endereço: Falta de informações de carteira ou endereço", + "payInvalidAddress": "Endereço inválido", + "appUnlockAttemptPlural": "tentativas falhadas", + "exportVaultButton": "Padrão de exportação", + "coreSwapsChainPaid": "Aguardando o pagamento do provedor de transferência para receber confirmação. Isto pode demorar um pouco a terminar.", + "arkConfirmed": "Confirmado", + "importQrDevicePassportStep6": "Selecione \"Single-sig\"", + "sendSatsPerVB": "sats/vB", + "withdrawRecipientsContinue": "Continue", + "enterPinAgainMessage": "Insira seu {pinOrPassword} novamente para continuar.", + "@enterPinAgainMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importColdcardButtonInstructions": "Instruções", + "bitboxActionUnlockDeviceProcessingSubtext": "Digite sua senha no dispositivo BitBox...", + "sellWhichWalletQuestion": "De que carteira queres vender?", + "buyNetworkFeeRate": "Taxa de taxa de rede", + "autoswapAlwaysBlockLabel": "Sempre bloquear altas taxas", + "receiveFixedAmount": "Montante", + "bitboxActionVerifyAddressSuccessSubtext": "O endereço foi verificado no seu dispositivo BitBox.", + "transactionSwapDescLnSendPaid": "A sua transação em cadeia foi transmitida. Após 1 confirmação, o pagamento Lightning será enviado.", + "transactionSwapDescChainDefault": "Sua transferência está em andamento. Este processo é automatizado e pode levar algum tempo para ser concluído.", + "onboardingBullBitcoin": "Bull Bitcoin", + "coreSwapsChainClaimable": "A transferência está pronta para ser reivindicada.", + "dcaNetworkLightning": "Rede de relâmpago", + "backupWalletHowToDecideVaultCloudRecommendationText": "você quer se certificar de que você nunca perder o acesso ao seu arquivo de vault mesmo se você perder seus dispositivos.", + "arkAboutEsploraUrl": "URL de impressão", + "backupKeyExampleWarning": "Por exemplo, se você usou o Google Drive para seu arquivo de backup, não use o Google Drive para sua chave de backup.", + "importColdcardInstructionsStep3": "Navegue para \"Advanced / ferramentas\"", + "buyPhotoID": "ID da foto", + "exchangeSettingsAccountInformationTitle": "Informação da conta", + "appStartupErrorTitle": "Erro de inicialização", + "transactionLabelTransferId": "ID de transferência", + "sendTitle": "Enviar", + "withdrawOrderNotFoundError": "A ordem de retirada não foi encontrada. Por favor, tente novamente.", + "importQrDeviceSeedsignerStep4": "Selecione \"Export Xpub\"", + "seedsignerStep6": " - Mover o laser vermelho para cima e para baixo sobre o código QR", + "ledgerHelpStep5": "Certifique-se de que O dispositivo Ledger está usando o firmware mais recente, você pode atualizar o firmware usando o aplicativo de desktop Ledger Live.", + "torSettingsPortDisplay": "Porto: {port}", + "@torSettingsPortDisplay": { + "placeholders": { + "port": { + "type": "int" + } + } + }, + "payTransitNumber": "Número de trânsito", + "importQrDeviceSpecterStep5": "Selecione \"Mestrar chaves públicas\"", + "fundExchangeCostaRicaMethodIbanUsdTitle": "IBAN Costa Rica (USD)", + "allSeedViewDeleteWarningTitle": "ATENÇÃO!", + "backupSettingsBackupKey": "Chave de backup", + "arkTransactionId": "ID de transação", + "payInvoiceCopied": "Fatura copiada para clipboard", + "recoverbullEncryptedVaultCreated": "Criptografado Vault criado!", + "addressViewChangeAddressesComingSoon": "Mudar endereços em breve", + "psbtFlowScanQrShown": "Digitalizar o código QR mostrado na carteira Bull", + "testBackupErrorInvalidFile": "Conteúdo de arquivo inválido", + "payHowToPayInvoice": "Como você quer pagar esta fatura?", + "transactionDetailLabelSendNetworkFee": "Enviar Taxa de rede", + "sendSlowPaymentWarningDescription": "Bitcoin swaps levará tempo para confirmar.", + "bitboxActionVerifyAddressProcessingSubtext": "Por favor, confirme o endereço do seu dispositivo BitBox.", + "pinConfirmHeadline": "Confirme o novo pino", + "fundExchangeCanadaPostQrCodeLabel": "Código QR Loadhub", + "payConfirmationRequired": "Confirmação exigida", + "bip85NextHex": "Próximo HEX", + "physicalBackupStatusLabel": "Backup físico", + "exchangeSettingsLogOutTitle": "Log out", + "addressCardBalanceLabel": "Balança: ", + "transactionStatusInProgress": "Em progresso", + "recoverWalletScreenTitle": "Recuperar Carteira", + "rbfEstimatedDelivery": "Entrega estimada ~ 10 minutos", + "sendSwapCancelled": "Cancelamento do Swap", + "backupWalletGoogleDrivePrivacyMessage4": "nunca ", + "dcaPaymentMethodValue": "{currency} equilíbrio", + "@dcaPaymentMethodValue": { + "placeholders": { + "currency": { + "type": "String" + } + } + }, + "swapTransferCompletedTitle": "Transferência concluída", + "torSettingsStatusDisconnected": "Desconectado", + "exchangeDcaCancelDialogTitle": "Cancelar Bitcoin Recurring Comprar?", + "sellSendPaymentMxnBalance": "MXN Balanço", + "fundExchangeSinpeLabelRecipientName": "Nome do destinatário", + "dcaScheduleDescription": "As compras de Bitcoin serão colocadas automaticamente por esta programação.", + "keystoneInstructionsTitle": "Instruções de Keystone", + "hwLedger": "Ledger", + "physicalBackupDescription": "Escreva 12 palavras em um pedaço de papel. Mantenha-os seguros e certifique-se de não perdê-los.", + "dcaConfirmButton": "Continue", + "dcaBackToHomeButton": "Voltar para casa", + "importQrDeviceKruxInstructionsTitle": "Instruções de Krux", + "transactionOrderLabelOriginName": "Nome de origem", + "importQrDeviceKeystoneInstructionsTitle": "Instruções de Keystone", + "electrumSavePriorityFailedError": "Falhado para salvar a prioridade do servidor{reason}", + "@electrumSavePriorityFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "globalDefaultLiquidWalletLabel": "Pagamentos imediatos", + "bitboxActionVerifyAddressProcessing": "Mostrando endereço no BitBox...", + "sendTypeSwap": "Swap", + "sendErrorAmountExceedsMaximum": "O montante excede o montante máximo de swap", + "bitboxActionSignTransactionSuccess": "Transação assinada com sucesso", + "fundExchangeMethodInstantSepa": "SEPA instantâneo", + "buyVerificationFailed": "Verificação falhada: {reason}", + "@buyVerificationFailed": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "importWatchOnlyBuyDevice": "Compre um dispositivo", + "sellMinimumAmount": "Quantidade mínima de venda: {amount}", + "@sellMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "importColdcardTitle": "Conecte o Coldcard Q", + "ledgerSuccessImportDescription": "Sua carteira Ledger foi importada com sucesso.", + "pinStatusProcessing": "Processamento", + "dcaCancelMessage": "Seu plano de compra Bitcoin recorrente vai parar, e as compras programadas terminarão. Para reiniciar, você precisará criar um novo plano.", + "fundExchangeHelpPaymentDescription": "O teu código de transferência.", + "sellSendPaymentFastest": "Mais rápido", + "dcaConfirmNetwork": "Rede", + "allSeedViewDeleteWarningMessage": "Excluir a semente é uma ação irreversível. Apenas faça isso se você tiver backups seguros desta semente ou as carteiras associadas foram totalmente drenadas.", + "bip329LabelsTitle": "BIP329 Labels", + "autoswapSelectWalletRequired": "Selecione uma carteira Bitcoin *", + "exchangeFeatureSellBitcoin": "• Venda Bitcoin, ser pago com Bitcoin", + "hwSeedSigner": "Sementes", + "bitboxActionUnlockDeviceButton": "Desbloquear dispositivo", + "payNetworkError": "Erro de rede. Por favor, tente novamente", + "sendNetworkFeesLabel": "Enviar taxas de rede", + "electrumUnknownError": "Um erro ocorreu", + "payWhichWallet": "De que carteira queres pagar?", + "autoswapBaseBalanceInfoText": "Seu saldo imediato da carteira de pagamento retornará a este equilíbrio após um autoswap.", + "recoverbullSelectDecryptVault": "Descriptografar cofre", + "buyUpgradeKYC": "Atualizar KYC Nível", + "transactionOrderLabelOrderType": "Tipo de ordem", + "autoswapEnableToggleLabel": "Habilitar a transferência automática", + "sendDustAmount": "Montante demasiado pequeno (dust)", + "allSeedViewExistingWallets": "Carteiras existentes ({count})", + "@allSeedViewExistingWallets": { + "placeholders": { + "count": { + "type": "int", + "format": "decimalPattern" + } + } + }, + "arkSendConfirmedBalance": "Balanço confirmado", + "sellFastest": "Mais rápido", + "receiveTitle": "Receber", + "transactionSwapInfoRefundableSwap": "Esta troca será reembolsada automaticamente dentro de alguns segundos. Se não, você pode tentar um reembolso manual clicando no botão \"Restaurar Swap Refund\".", + "payCancelPayment": "Cancelar pagamento", + "ledgerInstructionsAndroidUsb": "Certifique-se de que Ledger é desbloqueado com o aplicativo Bitcoin aberto e conectá-lo via USB.", + "onboardingOwnYourMoney": "Possuir seu dinheiro", + "allSeedViewTitle": "Visualizador de sementes", + "connectHardwareWalletLedger": "Ledger", + "importQrDevicePassportInstructionsTitle": "Instruções do passaporte da Fundação", + "rbfFeeRate": "Taxa de Taxa: {rate} sat/vbyte", + "@rbfFeeRate": { + "placeholders": { + "rate": { + "type": "String" + } + } + }, + "leaveYourPhone": "deixar seu telefone e é ", + "sendFastFee": "Rápido", + "exchangeBrandName": "BITCOIN", + "torSettingsPortHelper": "Porta Orbot padrão: 9050", + "submitButton": "Submeter-me", + "bitboxScreenTryAgainButton": "Tente novamente", + "dcaConfirmTitle": "Confirmação Comprar", + "viewVaultKeyButton": "Ver o Vault Chaveiro", + "recoverbullPasswordMismatch": "As senhas não coincidem", + "fundExchangeCrIbanUsdTransferCodeWarning": "Você deve adicionar o código de transferência como \"mensagem\" ou \"razão\" ou \"descrição\" ao fazer o pagamento. Se você esquecer de incluir este código, seu pagamento pode ser rejeitado.", + "sendAdvancedSettings": "Configurações avançadas", + "backupSettingsPhysicalBackup": "Backup físico", + "importColdcardDescription": "Importar o código QR do descritor da carteira do seu Coldcard Q", + "backupSettingsSecurityWarning": "Aviso de Segurança", + "arkCopyAddress": "Endereço de cópia", + "sendScheduleFor": "Calendário para {date}", + "@sendScheduleFor": { + "placeholders": { + "date": { + "type": "String" + } + } + }, + "psbtFlowClickDone": "Clique em \"Estou feito\" na carteira Bull Bitcoin.", + "addressCardUnusedLabel": "Não utilizado", + "bitboxActionUnlockDeviceSuccess": "Dispositivo desbloqueado Com sucesso", + "receivePayjoinInProgress": "Payjoin em progresso", + "payFor": "Para", + "payEnterValidAmount": "Por favor insira um valor válido", + "pinButtonRemove": "Remover PIN de Segurança", + "urProgressLabel": "UR Progress: {parts} partes", + "@urProgressLabel": { + "placeholders": { + "parts": { + "type": "String" + } + } + }, + "transactionDetailLabelAddressNotes": "Notas de endereço", + "coldcardInstructionsTitle": "Instruções do Coldcard Q", + "electrumDefaultServers": "Servidores padrão", + "onboardingRecoverWallet": "Recuperar Carteira", + "scanningProgressLabel": "Digitalização: {percent}%", + "@scanningProgressLabel": { + "placeholders": { + "percent": { + "type": "String" + } + } + }, + "transactionOrderLabelReferenceNumber": "Número de referência", + "backupWalletHowToDecide": "Como decidir?", + "recoverbullTestBackupDescription": "Agora vamos testar seu backup para garantir que tudo foi feito corretamente.", + "fundExchangeSpeiInfo": "Faça um depósito usando transferência SPEI (instant).", + "screenshotLabel": "Tiro de tela", + "bitboxErrorOperationTimeout": "A operação acabou. Por favor, tente novamente.", + "receiveLightning": "Luz", + "sendRecipientAddressOrInvoice": "Endereço ou fatura do destinatário", + "mempoolCustomServerUrlEmpty": "Digite uma URL do servidor", + "importQrDeviceKeystoneName": "Chaveiro", + "payBitcoinAddress": "Endereço de Bitcoin", + "buyInsufficientBalanceTitle": "Balança insuficiente", + "swapProgressPending": "Pendente de Transferência", + "exchangeDcaAddressLabelBitcoin": "Endereço de Bitcoin", + "loadingBackupFile": "Carregando arquivo de backup...", + "legacySeedViewPassphrasesLabel": "Passphrases:", + "recoverbullContinue": "Continue", + "receiveAddressCopied": "Endereço copiado para clipboard", + "transactionDetailLabelStatus": "Estado", + "sellSendPaymentPayinAmount": "Quantidade de pagamento", + "psbtFlowTurnOnDevice": "Ligue o dispositivo {device}", + "@psbtFlowTurnOnDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "backupSettingsKeyServer": "Servidor chave ", + "connectHardwareWalletColdcardQ": "Cartão de crédito", + "seedsignerStep2": "Clique em Digitalizar", + "addressCardIndexLabel": "Índice: ", + "ledgerErrorMissingDerivationPathVerify": "O caminho de derivação é necessário para verificação", + "recoverbullErrorVaultNotSet": "Vault não está definido", + "ledgerErrorMissingScriptTypeSign": "O tipo de script é necessário para assinar", + "dcaSetupContinue": "Continue", + "electrumFormatError": "Use o formato host:port (por exemplo, example.com:50001)", + "arkAboutDurationDay": "{days} dia", + "@arkAboutDurationDay": { + "placeholders": { + "days": { + "type": "int" + } + } + }, + "arkDurationHour": "{hours} hora", + "@arkDurationHour": { + "placeholders": { + "hours": { + "type": "String" + } + } + }, + "transactionFeesDeductedFrom": "Essas taxas serão deduzidas do montante enviado", + "buyConfirmYouPay": "Você paga", + "importWatchOnlyTitle": "Importar apenas relógio", + "cancel": "Cancelar", + "walletDetailsWalletFingerprintLabel": "Carteira digital", + "logsViewerTitle": "Logs", + "recoverbullTorNotStarted": "Tor não é iniciado", + "arkPending": "Pendente", + "transactionOrderLabelOrderStatus": "Status da ordem", + "testBackupCreatedAt": "Criado em:", + "dcaSetRecurringBuyTitle": "Definir Recorrer Comprar", + "psbtFlowSignTransactionOnDevice": "Clique nos botões para assinar a transação no seu {device}.", + "@psbtFlowSignTransactionOnDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "transactionStatusPending": "Pendente", + "settingsSuperuserModeDisabledMessage": "Modo Superuser desativado.", + "bitboxCubitConnectionFailed": "Falhado para se conectar ao dispositivo BitBox. Por favor, verifique a sua ligação.", + "settingsTermsOfServiceTitle": "Termos de Serviço", + "importQrDeviceScanning": "A procurar...", + "importWalletKeystone": "Chaveiro", + "payNewRecipients": "Novos destinatários", + "transactionLabelSendNetworkFees": "Enviar taxas de rede", + "transactionLabelAddress": "Endereço", + "testBackupConfirm": "Confirmação", + "urProcessingFailedMessage": "UR processamento falhou", + "backupWalletChooseVaultLocationTitle": "Escolha a localização do vault", + "receiveCopyAddressOnly": "Copiar ou escanear endereço somente", + "testBackupErrorTestFailed": "Falhado para testar backup: {error}", + "@testBackupErrorTestFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payLightningFee": "Taxa de iluminação", + "payLabelOptional": "Etiqueta (opcional)", + "recoverbullGoogleDriveDeleteButton": "Excluir", + "arkBalanceBreakdownTooltip": "Repartição do saldo", + "exchangeDcaDeactivateTitle": "Desativar a recuperação", + "exchangeSettingsSecuritySettingsTitle": "Configurações de segurança", + "fundExchangeMethodEmailETransferSubtitle": "Método mais fácil e mais rápido (instant)", + "testBackupLastBackupTest": "Último teste de backup: {timestamp}", + "@testBackupLastBackupTest": { + "placeholders": { + "timestamp": { + "type": "String" + } + } + }, + "payAmountRequired": "O montante é necessário", + "keystoneStep7": " - Tente mover seu dispositivo para trás um pouco", + "coreSwapsChainExpired": "Transferência Expirou", + "payDefaultCommentOptional": "Comentário padrão (opcional)", + "payCopyInvoice": "Fatura de cópia", + "transactionListYesterday": "Ontem", + "walletButtonReceive": "Receber", + "buyLevel2Limit": "Limite de nível 2: {amount}", + "@buyLevel2Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "bitboxCubitDeviceNotPaired": "Dispositivo não emparelhado. Por favor, complete o processo de emparelhamento primeiro.", + "sellCrcBalance": "CRC Balanço", + "paySelectCoinsManually": "Selecione moedas manualmente", + "replaceByFeeActivatedLabel": "Substitui-a-taxa activada", + "sendPaymentProcessing": "O pagamento está sendo processado. Pode demorar até um minuto", + "electrumDefaultServersInfo": "Para proteger sua privacidade, os servidores padrão não são usados quando os servidores personalizados são configurados.", + "transactionDetailLabelPayoutMethod": "Método de pagamento", + "testBackupErrorLoadMnemonic": "Carga mnemônica: {error}", + "@testBackupErrorLoadMnemonic": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payPriceRefreshIn": "Preço irá refrescar-se ", + "bitboxCubitOperationCancelled": "A operação foi cancelada. Por favor, tente novamente.", + "passportStep3": "Digitalizar o código QR mostrado na carteira Bull", + "jadeStep5": "Se você tiver problemas de digitalização:", + "electrumProtocolError": "Não inclua protocolo (ssl:// ou tcp://).", + "receivePayjoinFailQuestion": "Não há tempo para esperar ou o payjoin falhou no lado do remetente?", + "arkSendConfirmTitle": "Enviar", + "importQrDeviceSeedsignerStep1": "Poder no seu dispositivo SeedSigner", + "exchangeRecipientsTitle": "Os participantes", + "legacySeedViewEmptyPassphrase": "(empty)", + "importWatchOnlyDerivationPath": "Caminho de Derivação", + "sendErrorBroadcastFailed": "Falhado em transmitir transação. Verifique sua conexão de rede e tente novamente.", + "paySecurityQuestion": "Pergunta de segurança", + "dcaSelectWalletTypeLabel": "Selecione Bitcoin Tipo de carteira", + "backupWalletHowToDecideVaultModalTitle": "Como decidir", + "importQrDeviceJadeStep1": "Ligue o dispositivo Jade", + "payNotLoggedInDescription": "Você não está conectado. Faça login para continuar usando o recurso de pagamento.", + "testBackupEncryptedVaultTag": "Fácil e simples (1 minuto)", + "transactionLabelAddressNotes": "Notas de endereço", + "bitboxScreenTroubleshootingStep3": "Reinicie seu dispositivo BitBox02 desconectando e reconectando-o.", + "torSettingsProxyPort": "Porto Proxy de Tor", + "fundExchangeErrorLoadingDetails": "Os detalhes do pagamento não podem ser carregados neste momento. Por favor, volte e tente novamente, escolha outro método de pagamento ou volte mais tarde.", + "testCompletedSuccessTitle": "Teste concluído com sucesso!", + "payBitcoinAmount": "Quantidade de Bitcoin", + "fundExchangeSpeiTransfer": "Transferência SPEI", + "recoverbullUnexpectedError": "Erro inesperado", + "coreSwapsStatusFailed": "Falhado", + "transactionFilterSell": "Venda", + "fundExchangeMethodSpeiTransfer": "Transferência SPEI", + "fundExchangeSinpeWarningNoBitcoinDescription": " a palavra \"Bitcoin\" ou \"Crypto\" na descrição de pagamento. Isso irá bloquear o seu pagamento.", + "electrumAddServer": "Adicionar Servidor", + "addressViewCopyAddress": "Endereço de cópia", + "receiveBitcoin": "Bitcoin", + "pinAuthenticationTitle": "Autenticação", + "sellErrorNoWalletSelected": "Nenhuma carteira selecionada para enviar pagamento", + "fundExchangeCrIbanCrcRecipientNameHelp": "Use nosso nome corporativo oficial. Não use \"Bull Bitcoin\".", + "receiveVerifyAddressLedger": "Verificar endereço no Ledger", + "howToDecideButton": "Como decidir?", + "testBackupFetchingFromDevice": "Vou buscar o dispositivo.", + "backupWalletHowToDecideVaultCustomLocation": "Um local personalizado pode ser muito mais seguro, dependendo de qual local você escolher. Você também deve ter certeza de não perder o arquivo de backup ou perder o dispositivo no qual seu arquivo de backup é armazenado.", + "exchangeLegacyTransactionsComingSoon": "Transações Legadas - Em breve", + "buyProofOfAddress": "Prova de Endereço", + "backupWalletInstructionNoDigitalCopies": "Não faça cópias digitais de seu backup. Escreva-o em um pedaço de papel, ou gravado em metal.", + "psbtFlowError": "Erro: {error}", + "@psbtFlowError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "replaceByFeeFastestDescription": "Entrega estimada ~ 10 minutos", + "backupKeyHint": "acc8b7b12daf06412f45a90b7fd2..", + "importQrDeviceSeedsignerStep2": "Abra o menu \"Sementes\"", + "exchangeAmountInputValidationZero": "O montante deve ser superior a zero", + "transactionLabelTransactionFee": "Taxa de transação", + "importWatchOnlyRequired": "Requisitos", + "payWalletNotSynced": "Carteira não sincronizada. Por favor, espere", + "recoverbullRecoveryLoadingMessage": "Procurando equilíbrio e transações..", + "transactionSwapInfoChainDelay": "As transferências on-chain podem levar algum tempo para completar devido aos tempos de confirmação do blockchain.", + "sellExchangeRate": "Taxa de câmbio", + "walletOptionsNotFoundMessage": "Carteira não encontrada", + "importMnemonicLegacy": "Legado", + "settingsDevModeWarningMessage": "Este modo é arriscado. Ao habilitar, você reconhece que pode perder dinheiro", + "sellTitle": "Venda de Bitcoin", + "recoverbullVaultKey": "Chave de fenda", + "transactionListToday": "Hoje", + "keystoneStep12": "A carteira Bull Bitcoin irá pedir-lhe para digitalizar o código QR no Keystone. Analisa-o.", + "ledgerErrorRejectedByUser": "A transação foi rejeitada pelo usuário no dispositivo Ledger.", + "payFeeRate": "Taxa de taxa", + "autoswapWarningDescription": "Autoswap garante que um bom equilíbrio é mantido entre seus pagamentos instantâneos e carteira de Bitcoin seguro.", + "fundExchangeSinpeAddedToBalance": "Uma vez que o pagamento é enviado, ele será adicionado ao seu saldo de conta.", + "durationMinute": "{minutes} minuto", + "@durationMinute": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "recoverbullErrorDecryptedVaultNotSet": "Vault descriptografado não está definido", + "pinCodeMismatchError": "PINs não correspondem", + "autoswapRecipientWalletPlaceholderRequired": "Selecione uma carteira Bitcoin *", + "recoverbullGoogleDriveErrorGeneric": "Um erro ocorreu. Por favor, tente novamente.", + "sellUnauthenticatedError": "Não és autenticado. Faça login para continuar.", + "coreScreensConfirmSend": "Enviar", + "transactionDetailLabelSwapStatus": "Status do balanço", + "passportStep10": "O Passaporte irá então mostrar-lhe o seu próprio código QR.", + "transactionDetailLabelAmountSent": "Montante enviado", + "electrumStopGapEmptyError": "O Gap não pode estar vazio", + "typeLabel": "Tipo: ", + "buyInputInsufficientBalance": "Balança insuficiente", + "ledgerProcessingSignSubtext": "Por favor, confirme a transação no seu dispositivo Ledger...", + "withdrawConfirmClabe": "CLABE", + "amountLabel": "Montante", + "sellUsdBalance": "USD / USD Balanço", + "payScanQRCode": "Digitalização QR Código", + "seedsignerStep10": "O SeedSigner irá então mostrar-lhe o seu próprio código QR.", + "psbtInstructions": "Instruções", + "swapProgressCompletedMessage": "Esperaste! A transferência terminou sucessivamente.", + "sellCalculating": "Cálculo...", + "recoverbullPIN": "PIN", + "swapInternalTransferTitle": "Transferência interna", + "withdrawConfirmPayee": "Pagamento", + "importQrDeviceJadeStep8": "Clique no botão \"Câmera aberta\"", + "payPhoneNumberHint": "Digite o número de telefone", + "exchangeTransactionsComingSoon": "Transações - Em breve", + "dcaSuccessMessageWeekly": "Você vai comprar {amount} todas as semanas", + "@dcaSuccessMessageWeekly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "withdrawConfirmRecipientName": "Nome do destinatário", + "autoswapRecipientWalletPlaceholder": "Selecione uma carteira Bitcoin", + "enterYourBackupPinTitle": "Insira seu backup {pinOrPassword}", + "@enterYourBackupPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "backupSettingsExporting": "Exportação...", + "receiveDetails": "Detalhes", + "importQrDeviceSpecterStep11": "A configuração é completa", + "mempoolSettingsUseForFeeEstimationDescription": "Quando ativado, este servidor será usado para estimativa de taxa. Quando desativado, o servidor de mempool do Bull Bitcoin será usado em vez disso.", + "sendCustomFee": "Taxas personalizadas", + "seedsignerStep7": " - Tente mover seu dispositivo para trás um pouco", + "sendAmount": "Montante", + "buyInputInsufficientBalanceMessage": "Você não tem equilíbrio suficiente para criar esta ordem.", + "recoverbullSelectBackupFileNotValidError": "O arquivo de backup do Recoverbull não é válido", + "swapErrorInsufficientFunds": "Não consegui construir a transação. Provavelmente devido a fundos insuficientes para cobrir taxas e montante.", + "dcaConfirmAmount": "Montante", + "arkBalanceBreakdown": "Interrupção de equilíbrio", + "seedsignerStep8": "Uma vez que a transação é importada em seu SeedSigner, você deve selecionar a semente que deseja assinar.", + "sellSendPaymentPriceRefresh": "Preço irá refrescar-se ", + "arkAboutCopy": "Entendido", + "recoverbullPasswordRequired": "A senha é necessária", + "receiveNoteLabel": "Nota", + "payFirstName": "Primeiro nome", + "arkNoTransactionsYet": "Ainda não há transações.", + "recoverViaCloudDescription": "Recupere seu backup via nuvem usando seu PIN.", + "importWatchOnlySigningDevice": "Dispositivo de assinatura", + "receiveInvoiceExpired": "Fatura expirada", + "ledgerButtonManagePermissions": "Gerenciar Permissões de Aplicativos", + "autoswapMinimumThresholdErrorSats": "O limiar mínimo de equilíbrio é {amount} sats", + "@autoswapMinimumThresholdErrorSats": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "buyKycPendingTitle": "Pendente de Verificação de ID KYC", + "transactionOrderLabelPayinStatus": "Estado de Payin", + "sellSendPaymentSecureWallet": "Carteira Bitcoin segura", + "coreSwapsLnReceiveRefundable": "Swap está pronto para ser reembolsado.", + "bitcoinSettingsElectrumServerTitle": "Configurações do servidor Electrum", + "payRemoveRecipient": "Remover Recipiente", + "pasteInputDefaultHint": "Cole um endereço de pagamento ou fatura", + "sellKycPendingTitle": "Pendente de Verificação de ID KYC", + "withdrawRecipientsFilterAll": "Todos os tipos", + "bitboxScreenSegwitBip84Subtitle": "Nativo SegWit - Recomendado", + "fundExchangeSpeiSubtitle": "Transferir fundos usando seu CLABE", + "encryptedVaultRecommendationText": "Você não tem certeza e precisa de mais tempo para aprender sobre práticas de segurança de backup.", + "urDecodingFailedMessage": "UR decodificação falhou", + "fundExchangeAccountSubtitle": "Selecione seu país e método de pagamento", + "appStartupContactSupportButton": "Suporte de contato", + "bitboxScreenWaitingConfirmation": "À espera da confirmação de BitBox02...", + "howToDecideVaultLocationText1": "Provedores de armazenamento em nuvem como o Google ou a Apple não terão acesso ao seu Bitcoin porque a senha de criptografia é muito forte. Eles só podem acessar seu Bitcoin no caso improvável que eles colludem com o servidor chave (o serviço on-line que armazena sua senha de criptografia). Se o servidor chave alguma vez for hackeado, seu Bitcoin pode estar em risco com o Google ou a nuvem da Apple.", + "receiveFeeExplanation": "Esta taxa será deduzida do montante enviado", + "payCannotBumpFee": "Não pode pagar por esta transação", + "payAccountNumber": "Número de conta", + "arkSatsUnit": "sats", + "payMinimumAmount": "Mínimo: {amount}", + "@payMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sendSwapRefundCompleted": "Reembolso de Swap Completado", + "sendConfirmSwap": "Confirme Swap", + "exchangeLogoutComingSoon": "Log Out - Chegando em breve", + "sendSending": "Enviar", + "withdrawConfirmAccount": "Conta", + "backupButton": "Backup", + "sellSendPaymentPayoutAmount": "Quantidade de pagamento", + "payOrderNumber": "Número de ordem", + "sendErrorConfirmationFailed": "Confirmação Falhada", + "recoverbullWaiting": "Esperando", + "notTestedStatus": "Não testado", + "paySinpeNumeroOrden": "Número de ordem", + "backupBestPracticesTitle": "Melhores práticas de backup", + "transactionLabelRecipientAddress": "Endereço de destinatário", + "backupWalletVaultProviderGoogleDrive": "Google Drive", + "bitboxCubitDeviceNotFound": "Nenhum dispositivo BitBox encontrado. Por favor, conecte seu dispositivo e tente novamente.", + "autoswapSaveError": "Falhado para salvar configurações: {error}", + "@autoswapSaveError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "buyStandardWithdrawal": "Retirada padrão", + "swapContinue": "Continue", + "arkSettleButton": "Settle", + "electrumAddFailedError": "Falhado em adicionar servidor personalizado{reason}", + "@electrumAddFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "transactionDetailLabelTransferFees": "Taxas de transferência", + "arkAboutDurationHours": "{hours} horas", + "@arkAboutDurationHours": { + "placeholders": { + "hours": { + "type": "int" + } + } + }, + "importWalletSectionGeneric": "Carteiras genéricas", + "arkEsploraUrl": "URL de impressão", + "backupSettingsNotTested": "Não testado", + "googleDrivePrivacyMessage": "O Google irá pedir-lhe para partilhar informações pessoais com este aplicativo.", + "errorGenericTitle": "Oops! Algo correu mal", + "bitboxActionPairDeviceSuccess": "Dispositivo emparelhado com sucesso", + "bitboxErrorNoDevicesFound": "Nenhum dispositivo BitBox encontrado. Certifique-se de que seu dispositivo está ligado e conectado via USB.", + "torSettingsStatusConnecting": "Conectando...", + "receiveSwapID": "ID do balanço", + "settingsBitcoinSettingsTitle": "Configurações de Bitcoin", + "backupWalletHowToDecideBackupModalTitle": "Como decidir", + "backupSettingsLabel": "Backup da carteira", + "ledgerWalletTypeNestedSegwit": "Segwit (BIP49)", + "fundExchangeJurisdictionMexico": "🇲🇽 México", + "sellInteracEmail": "E-mail Interac", + "coreSwapsActionClose": "Fechar", + "kruxStep6": "Se você tiver problemas de digitalização:", + "autoswapMaximumFeeError": "Limite máximo de taxa é {threshold}%", + "@autoswapMaximumFeeError": { + "placeholders": { + "threshold": { + "type": "String" + } + } + }, + "swapValidationEnterAmount": "Por favor, insira um montante", + "recoverbullErrorVaultCreatedKeyNotStored": "Falhado: arquivo Vault criado mas chave não armazenado no servidor", + "exchangeSupportChatWalletIssuesInfo": "Este chat é apenas para questões relacionadas com a troca em Funding/Buy/Sell/Withdraw/Pay.\nPara problemas relacionados à carteira, junte-se ao grupo telegrama clicando aqui.", + "exchangeLoginButton": "Login Ou Inscreva-se", + "arkAboutHide": "Esconde-te", + "ledgerProcessingVerify": "Mostrando endereço no Ledger...", + "coreScreensFeePriorityLabel": "Prioridade de Taxas", + "arkSendPendingBalance": "Equilíbrio Pendente ", + "coreScreensLogsTitle": "Logs", + "recoverbullVaultKeyInput": "Chave de fenda", + "testBackupErrorWalletMismatch": "Backup não corresponde à carteira existente", + "bip329LabelsHeading": "BIP329 Etiquetas Importação/Exportação", + "jadeStep2": "Adicionar uma senha se você tiver um (opcional)", + "coldcardStep4": "Digitalizar o código QR mostrado na carteira Bull", + "importQrDevicePassportStep5": "Selecione a opção \"Sparrow\"", + "psbtFlowClickPsbt": "Clique em PSBT", + "sendInvoicePaid": "Fatura paga", + "buyKycPendingDescription": "Você deve concluir a verificação de identificação primeiro", + "payBelowMinAmountError": "Você está tentando pagar abaixo do valor mínimo que pode ser pago com esta carteira.", + "arkReceiveSegmentArk": "Arca", + "autoswapRecipientWalletInfo": "Escolha qual carteira Bitcoin receberá os fundos transferidos (necessário)", + "importWalletKrux": "Krux", + "swapContinueButton": "Continue", + "bitcoinSettingsBroadcastTransactionTitle": "Transação de transmissão", + "sendSignWithLedger": "Sinal com Ledger", + "pinSecurityTitle": "PIN de segurança", + "swapValidationPositiveAmount": "Insira uma quantidade positiva", + "walletDetailsSignerLabel": "Sinalização", + "exchangeDcaSummaryMessage": "Você está comprando {amount} cada {frequency} via {network} desde que haja fundos em sua conta.", + "@exchangeDcaSummaryMessage": { + "placeholders": { + "amount": { + "type": "String", + "description": "The amount being purchased (e.g., '$100 CAD')" + }, + "frequency": { + "type": "String" + }, + "network": { + "type": "String" + } + } + }, + "addressLabel": "Endereço: ", + "testBackupWalletTitle": "Teste {walletName}", + "@testBackupWalletTitle": { + "placeholders": { + "walletName": { + "type": "String" + } + } + }, + "withdrawRecipientsPrompt": "Onde e como devemos enviar o dinheiro?", + "withdrawRecipientsTitle": "Selecione o destinatário", + "sellPayoutRecipient": "Receptor de pagamento", + "backupWalletLastBackupTest": "Último teste de backup: ", + "whatIsWordNumberPrompt": "Qual é o número da palavra {number}?", + "@whatIsWordNumberPrompt": { + "placeholders": { + "number": { + "type": "int", + "example": "5" + } + } + }, + "keystoneStep1": "Entre no seu dispositivo Keystone", + "keystoneStep3": "Digitalizar o código QR mostrado na carteira Bull", + "backupKeyWarningMessage": "Atenção: Tenha cuidado onde você salvar a chave de backup.", + "arkSendSuccessTitle": "Enviar Sucesso", + "importQrDevicePassportStep3": "Selecione \"Conta de gerenciamento\"", + "exchangeAuthErrorMessage": "Um erro ocorreu, tente fazer login novamente.", + "bitboxActionSignTransactionTitle": "Transação de Sinais", + "testBackupGoogleDrivePrivacyPart3": "deixar seu telefone e é ", + "logSettingsErrorLoadingMessage": "Registros de carregamento de erros: ", + "dcaAmountLabel": "Montante", + "walletNetworkLiquid": "Rede líquida", + "receiveArkNetwork": "Arca", + "swapMaxButton": "MAX", + "transactionSwapStatusTransferStatus": "Status de transferência", + "importQrDeviceSeedsignerStep8": "Digitalize o código QR exibido no SeedSigner", + "backupKeyTitle": "Chave de backup", + "electrumDeletePrivacyNotice": "Aviso de privacidade:\n\nUsar seu próprio nó garante que nenhum terceiro pode vincular seu endereço IP com suas transações. Ao excluir seu último servidor personalizado, você estará se conectando a um servidor BullBitcoin.\n.\n", + "dcaConfirmFrequencyWeekly": "Toda semana", + "payInstitutionNumberHint": "Número da instituição", + "sendSlowPaymentWarning": "Aviso de pagamento lento", + "quickAndEasyTag": "Rápido e fácil", + "settingsThemeTitle": "Tema", + "exchangeSupportChatYesterday": "Ontem", + "jadeStep3": "Selecione \"Scan QR\" opção", + "dcaSetupFundAccount": "Fina sua conta", + "payEmail": "Email", + "coldcardStep10": "Clique nos botões para assinar a transação no seu Coldcard.", + "sendErrorAmountBelowSwapLimits": "O valor está abaixo dos limites de swap", + "labelErrorNotFound": "Label \"{label}\" não encontrado.", + "@labelErrorNotFound": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "payPrivatePayment": "Pagamento Privado", + "autoswapDefaultWalletLabel": "Carteira Bitcoin", + "recoverbullTestSuccessDescription": "Você é capaz de recuperar o acesso a uma carteira Bitcoin perdida", + "dcaDeactivate": "Desativar a recuperação", + "exchangeAuthLoginFailedTitle": "Login Falhado", + "autoswapRecipientWallet": "Carteira de Bitcoin", + "arkUnifiedAddressBip21": "Endereço unificado (BIP21)", + "pickPasswordOrPinButton": "Escolha um {pinOrPassword} em vez >>", + "@pickPasswordOrPinButton": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "password" + } + } + }, + "transactionDetailLabelOrderType": "Tipo de ordem", + "autoswapWarningSettingsLink": "Leve-me para configurações de auto-despertar", + "payLiquidNetwork": "Rede líquida", + "backupSettingsKeyWarningExample": "Por exemplo, se você usou o Google Drive para seu arquivo de backup, não use o Google Drive para sua chave de backup.", + "backupWalletHowToDecideVaultCloudRecommendation": "Google ou Nuvem da Apple: ", + "testBackupEncryptedVaultDescription": "Backup anônimo com criptografia forte usando sua nuvem.", + "payNetworkType": "Rede", + "addressViewChangeType": "Variação", + "walletDeletionConfirmationDeleteButton": "Excluir", + "confirmLogoutTitle": "Confirme o logotipo", + "ledgerWalletTypeSelectTitle": "Selecione a carteira Tipo", + "swapTransferCompletedMessage": "Esperaste! A transferência foi concluída com sucesso.", + "encryptedVaultTag": "Fácil e simples (1 minuto)", + "electrumDelete": "Excluir", + "testBackupGoogleDrivePrivacyPart4": "nunca ", + "arkConfirmButton": "Confirmação", + "sendCoinControl": "Controle de moeda", + "exchangeLandingConnect": "Conecte sua conta de câmbio Bull Bitcoin", + "payProcessingPayment": "Processamento de pagamento...", + "ledgerImportTitle": "Carteira de LED de importação", + "exchangeDcaFrequencyMonth": "mês", + "paySuccessfulPayments": "Sucesso", + "bitboxScreenScanning": "Digitalização de Dispositivos", + "howToDecideBackupTitle": "Como decidir", + "statusCheckTitle": "Estado de serviço", + "ledgerHelpSubtitle": "Primeiro, certifique-se de que o dispositivo Ledger está desbloqueado e o aplicativo Bitcoin é aberto. Se o dispositivo ainda não se conectar com o aplicativo, tente o seguinte:", + "savingToDevice": "Salvar ao seu dispositivo.", + "bitboxActionImportWalletButton": "Importação de início", + "fundExchangeLabelSwiftCode": "Código SWIFT", + "buyEnterBitcoinAddress": "Digite o endereço bitcoin", + "autoswapWarningBaseBalance": "Equilíbrio base 0.01 BTC", + "transactionDetailLabelPayoutAmount": "Quantidade de pagamento", + "importQrDeviceSpecterStep6": "Escolha \"Chave única\"", + "importQrDeviceJadeStep10": "É isso!", + "payPayeeAccountNumberHint": "Digite o número de conta", + "importQrDevicePassportStep8": "No seu dispositivo móvel, toque em \"câmera aberta\"", + "dcaConfirmationError": "Algo correu mal", + "@dcaConfirmationError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "oopsSomethingWentWrong": "Oops! Algo correu mal", + "pinStatusSettingUpDescription": "Configurando seu código PIN", + "enterYourPinTitle": "Digite seu {pinOrPassword}", + "@enterYourPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "onboardingPhysicalBackup": "Backup físico", + "swapFromLabel": "A partir de", + "fundExchangeCrIbanCrcDescription": "Envie uma transferência bancária da sua conta bancária usando os detalhes abaixo ", + "settingsDevModeWarningTitle": "Modo de desenvolvimento", + "importQrDeviceKeystoneStep4": "Selecione Conectar Carteira de Software", + "bitcoinSettingsAutoTransferTitle": "Configurações de transferência automática", + "rbfOriginalTransaction": "Transação original", + "payViewRecipient": "Ver destinatário", + "exchangeAccountInfoUserNumberCopiedMessage": "Número do usuário copiado para clipboard", + "settingsAppVersionLabel": "Versão do aplicativo: ", + "bip329LabelsExportButton": "Etiquetas de exportação", + "jadeStep4": "Digitalizar o código QR mostrado na carteira Bull", + "recoverbullRecoveryErrorWalletExists": "Esta carteira já existe.", + "payBillerNameValue": "Nome de contador selecionado", + "sendSelectCoins": "Selecione moedas", + "fundExchangeLabelRoutingNumber": "Número de rolagem", + "enterBackupKeyManuallyButton": "Digite a tecla de backup manualmente >>", + "paySyncingWallet": "Sincronizar carteira...", + "allSeedViewLoadingMessage": "Isso pode levar algum tempo para carregar se você tiver muitas sementes neste dispositivo.", + "paySelectWallet": "Selecione a carteira", + "pinCodeChangeButton": "Mudar PIN", + "paySecurityQuestionHint": "Insira questão de segurança (10-40 caracteres)", + "ledgerErrorMissingPsbt": "PSBT é necessário para assinar", + "importWatchOnlyPasteHint": "Pasta xpub, ypub, zpub ou descritor", + "sellAccountNumber": "Número de conta", + "backupWalletLastKnownEncryptedVault": "Última criptografia conhecida Vault: ", + "dcaSetupInsufficientBalanceMessage": "Você não tem equilíbrio suficiente para criar esta ordem.", + "recoverbullGotIt": "Entendido", + "sendAdvancedOptions": "Opções avançadas", + "sellRateValidFor": "Taxa válida para {seconds}s", + "@sellRateValidFor": { + "placeholders": { + "seconds": { + "type": "int" + } + } + }, + "autoswapAutoSaveError": "Falhado para salvar configurações", + "exchangeAccountInfoVerificationLightVerification": "Verificação de luz", + "exchangeFeatureBankTransfers": "• Enviar transferências bancárias e pagar contas", + "sellSendPaymentInstantPayments": "Pagamentos imediatos", + "onboardingRecoverWalletButton": "Recuperar Carteira", + "dcaConfirmAutoMessage": "Comprar ordens serão colocadas automaticamente por estas configurações. Você pode desabilitá-los a qualquer momento.", + "arkCollaborativeRedeem": "Redenção Colaborativa", + "pinCodeCheckingStatus": "Verificando o status PIN", + "usePasswordInsteadButton": "Use {pinOrPassword} em vez >>", + "@usePasswordInsteadButton": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "password" + } + } + }, + "coreSwapsLnSendFailedRefunding": "Swap será reembolsado em breve.", + "dcaWalletTypeLightning": "Rede de relâmpago (LN)", + "transactionSwapProgressBroadcasted": "Transmitido", + "backupWalletVaultProviderAppleICloud": "Apple iCloud", + "swapValidationMinimumAmount": "Quantidade mínima é {amount} {currency}", + "@swapValidationMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + }, + "currency": { + "type": "String" + } + } + }, + "importMnemonicTitle": "Importação Mnemonic", + "payReplaceByFeeActivated": "Substitui-a-taxa activada", + "testBackupDoNotShare": "NÃO COMPLEMENTAR COM NINGUÉM", + "kruxInstructionsTitle": "Instruções de Krux", + "payNotAuthenticated": "Não és autenticado. Faça login para continuar.", + "paySinpeNumeroComprobante": "Número de referência", + "backupSettingsViewVaultKey": "Ver o Vault Chaveiro", + "ledgerErrorNoConnection": "Não há conexão Ledger disponível", + "testBackupSuccessButton": "Entendido", + "transactionLabelTransactionId": "ID de transação", + "buyNetworkFeeExplanation": "A taxa de rede Bitcoin será deduzida a partir do valor que você recebe e coletada pelos mineiros Bitcoin", + "transactionDetailLabelAddress": "Endereço", + "fundExchangeCrIbanUsdLabelPaymentDescription": "Descrição do pagamento", + "fundExchangeInfoBeneficiaryNameLeonod": "O nome do beneficiário deve ser LEONOD. Se você colocar qualquer outra coisa, seu pagamento será rejeitado.", + "importWalletLedger": "Ledger", + "recoverbullCheckingConnection": "Verificando conexão para RecoverBull", + "exchangeLandingTitle": "BITCOIN", + "psbtFlowSignWithQr": "Clique em assinar com o código QR", + "doneButton": "Feito", + "paySendAll": "Enviar tudo", + "pinCodeAuthentication": "Autenticação", + "payLowPriority": "Baixa", + "coreSwapsLnReceivePending": "Swap ainda não é inicializado.", + "arkSendConfirmMessage": "Por favor, confirme os detalhes da sua transação antes de enviar.", + "bitcoinSettingsLegacySeedsTitle": "Sementes Legacy", + "transactionDetailLabelPayjoinCreationTime": "Tempo de criação Payjoin", + "backupWalletBestPracticesTitle": "Melhores práticas de backup", + "transactionSwapInfoFailedExpired": "Se você tiver alguma dúvida ou preocupação, entre em contato com o suporte para assistência.", + "memorizePasswordWarning": "Você deve memorizar este {pinOrPassword} para recuperar o acesso à sua carteira. Deve ter pelo menos 6 dígitos. Se você perder este {pinOrPassword} você não pode recuperar seu backup.", + "@memorizePasswordWarning": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "googleAppleCloudRecommendation": "Google ou Nuvem da Apple: ", + "exchangeGoToWebsiteButton": "Ir para Bull Bitcoin site de troca", + "testWalletTitle": "Teste {walletName}", + "@testWalletTitle": { + "placeholders": { + "walletName": { + "type": "String", + "example": "Default Wallets" + } + } + }, + "exchangeBitcoinWalletsLiquidAddressLabel": "Endereço líquido", + "backupWalletSuccessTestButton": "Teste de backup", + "pinCodeSettingUp": "Configurando seu código PIN", + "replaceByFeeErrorFeeRateTooLow": "Você precisa aumentar a taxa de taxa em pelo menos 1 sat/vbyte em comparação com a transação original", + "payPriority": "Prioridade", + "fundExchangeCostaRicaMethodIbanCrcSubtitle": "Transferir fundos em Costa Rican Colón (CRC)", + "receiveNoTimeToWait": "Não há tempo para esperar ou o payjoin falhou no lado do remetente?", + "payChannelBalanceLow": "Saldo de canal demasiado baixo", + "allSeedViewNoSeedsFound": "Nenhuma semente encontrada.", + "bitboxScreenActionFailed": "{action}", + "@bitboxScreenActionFailed": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "dcaSetupScheduleMessage": "As compras de Bitcoin serão colocadas automaticamente por esta programação.", + "coreSwapsStatusExpired": "Expirou", + "fundExchangeCanadaPostStep3": "3. Diga ao caixa o valor que deseja carregar", + "payFee": "Taxas", + "systemLabelSelfSpend": "Auto Spend", + "swapProgressRefundMessage": "Houve um erro com a transferência. O seu reembolso está em andamento.", + "passportStep4": "Se você tiver problemas de digitalização:", + "dcaConfirmContinue": "Continue", + "decryptVaultButton": "Descriptografar cofre", + "electrumNetworkBitcoin": "Bitcoin", + "paySecureBitcoinWallet": "Carteira Bitcoin segura", + "exchangeAppSettingsDefaultCurrencyLabel": "Moeda padrão", + "arkSendRecipientError": "Digite um destinatário", + "arkArkAddress": "Endereço da arca", + "payRecipientName": "Nome do destinatário", + "exchangeBitcoinWalletsLightningAddressLabel": "Relâmpago (endereço LN)", + "bitboxActionVerifyAddressButton": "Verificar endereço", + "importColdcardInstructionsStep7": "No seu dispositivo móvel, toque em \"câmera aberta\"", + "testBackupStoreItSafe": "Armazená-lo em algum lugar seguro.", + "enterBackupKeyLabel": "Digite a chave de backup", + "bitboxScreenTroubleshootingSubtitle": "Primeiro, certifique-se de que seu dispositivo BitBox02 está conectado à sua porta USB do telefone. Se o dispositivo ainda não se conectar com o aplicativo, tente o seguinte:", + "securityWarningTitle": "Aviso de Segurança", + "never": "nunca ", + "notLoggedInTitle": "Você não está conectado", + "testBackupWhatIsWordNumber": "Qual é o número da palavra {number}?", + "@testBackupWhatIsWordNumber": { + "placeholders": { + "number": { + "type": "int" + } + } + }, + "payInvoiceDetails": "Detalhes da fatura", + "exchangeLandingLoginButton": "Login Ou Inscreva-se", + "torSettingsEnableProxy": "Ativar Proxy Tor", + "bitboxScreenAddressToVerify": "Endereço para verificar:", + "payConfirmPayment": "Confirmar pagamento", + "bitboxErrorPermissionDenied": "As permissões USB são necessárias para se conectar a dispositivos BitBox.", + "recoveryPhraseTitle": "Escreva sua frase de recuperação\nna ordem correta", + "bitboxActionSignTransactionProcessingSubtext": "Por favor, confirme a transação no seu dispositivo BitBox...", + "sellConfirmPayment": "Confirmar pagamento", + "sellSelectCoinsManually": "Selecione moedas manualmente", + "addressViewReceiveType": "Receber", + "coldcardStep11": "O Coldcard Q irá então mostrar-lhe o seu próprio código QR.", + "fundExchangeLabelIban": "Número de conta IBAN", + "swapDoNotUninstallWarning": "Não desinstale o aplicativo até que a transferência seja concluída!", + "testBackupErrorVerificationFailed": "Verificação falhada: {error}", + "@testBackupErrorVerificationFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "sendViewDetails": "Ver detalhes", + "recoverbullErrorUnexpected": "Erro inesperado, veja logs", + "sendSubmarineSwap": "Swap Submarino", + "transactionLabelLiquidTransactionId": "ID de transação líquida", + "payNotAvailable": "N/A", + "payFastest": "Mais rápido", + "allSeedViewSecurityWarningTitle": "Aviso de Segurança", + "sendSwapFeeEstimate": "Taxa de swap estimada: {amount}", + "@sendSwapFeeEstimate": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "coreSwapsLnReceiveExpired": "Expirou.", + "fundExchangeOnlineBillPaymentLabelBillerName": "Pesquisar a lista de contadores do seu banco para este nome", + "recoverbullSelectFetchDriveFilesError": "Falhado para buscar todos os backups de unidade", + "psbtFlowLoadFromCamera": "Clique em Carregar da câmera", + "exchangeAccountInfoVerificationLimitedVerification": "Verificação limitada", + "addressViewErrorLoadingMoreAddresses": "Erro ao carregar mais endereços: {error}", + "@addressViewErrorLoadingMoreAddresses": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "arkCopy": "Entendido", + "sendBuildingTransaction": "A transação de edifícios...", + "fundExchangeMethodEmailETransfer": "E-mail E-Transfer", + "electrumConfirm": "Confirmação", + "transactionDetailLabelOrderNumber": "Número de ordem", + "bitboxActionPairDeviceSuccessSubtext": "Seu dispositivo BitBox agora está emparelhado e pronto para usar.", + "pickPasswordInsteadButton": "Escolher senha em vez disso >>", + "coreScreensSendNetworkFeeLabel": "Enviar Taxa de rede", + "bitboxScreenScanningSubtext": "À procura do seu dispositivo BitBox...", + "sellOrderFailed": "Falhado para colocar ordem de venda", + "payInvalidAmount": "Montante inválido", + "fundExchangeLabelBankName": "Nome do banco", + "ledgerErrorMissingScriptTypeVerify": "O tipo de script é necessário para verificação", + "backupWalletEncryptedVaultDescription": "Backup anônimo com criptografia forte usando sua nuvem.", + "sellRateExpired": "A taxa de câmbio expirou. Refrescando...", + "payExternalWallet": "Carteira externa", + "recoverbullConfirm": "Confirmação", + "arkPendingBalance": "Equilíbrio Pendente", + "fundExchangeInfoBankCountryUk": "O nosso país bancário é o Reino Unido.", + "dcaConfirmNetworkBitcoin": "Bitcoin", + "seedsignerStep14": "Agora está pronto para transmitir! Assim que você clicar em transmissão, a transação será publicada na rede Bitcoin e os fundos serão enviados.", + "fundExchangeCostaRicaMethodIbanCrcTitle": "IBAN Costa Rica (CRC)", + "payOrderDetails": "Detalhes do pedido", + "importMnemonicTransactions": "{count} transações", + "@importMnemonicTransactions": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "exchangeAppSettingsPreferredLanguageLabel": "Língua preferencial", + "walletDeletionConfirmationMessage": "Tens a certeza que queres apagar esta carteira?", + "rbfTitle": "Substituir por taxa", + "sellAboveMaxAmountError": "Você está tentando vender acima da quantidade máxima que pode ser vendida com esta carteira.", + "settingsSuperuserModeUnlockedMessage": "Modo Superuser desbloqueado!", + "pickPinInsteadButton": "Escolha PIN em vez >>", + "backupWalletVaultProviderCustomLocation": "Localização personalizada", + "addressViewErrorLoadingAddresses": "Endereços de carregamento de erros: {error}", + "@addressViewErrorLoadingAddresses": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "bitboxErrorConnectionTypeNotInitialized": "Tipo de conexão não inicializado.", + "transactionListOngoingTransfersDescription": "Estas transferências estão em andamento. Seus fundos estão seguros e estarão disponíveis quando a transferência terminar.", + "ledgerErrorUnknown": "Erro desconhecido", + "payBelowMinAmount": "Você está tentando pagar abaixo do valor mínimo que pode ser pago com esta carteira.", + "ledgerProcessingVerifySubtext": "Por favor, confirme o endereço no seu dispositivo Ledger.", + "transactionOrderLabelOriginCedula": "Origem Cedula", + "recoverbullRecoveryTransactionsLabel": "Transações: {count}", + "@recoverbullRecoveryTransactionsLabel": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "buyViewDetails": "Ver detalhes", + "paySwapFailed": "Swap falhou", + "autoswapMaxFeeLabel": "Taxa de transferência máxima", + "importMnemonicBalance": "Equilíbrio: {amount}", + "@importMnemonicBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "appUnlockScreenTitle": "Autenticação", + "importQrDeviceWalletName": "Nome da carteira", + "payNoRouteFound": "Nenhuma rota encontrada para este pagamento", + "fundExchangeLabelBeneficiaryName": "Nome Beneficiário", + "exchangeSupportChatMessageEmptyError": "A mensagem não pode estar vazia", + "fundExchangeWarningTactic2": "Eles estão oferecendo-lhe um empréstimo", + "sellLiquidNetwork": "Rede líquida", + "payViewTransaction": "Ver Transação", + "transactionLabelToWallet": "Para a carteira", + "exchangeFileUploadInstructions": "Se você precisar enviar outros documentos, envie-os aqui.", + "ledgerInstructionsAndroidDual": "Certifique-se de que Ledger é desbloqueado com o aplicativo Bitcoin aberto e Bluetooth habilitado, ou conectar o dispositivo via USB.", + "arkSendRecipientLabel": "Endereço do destinatário", + "defaultWalletsLabel": "Carteiras padrão", + "jadeStep9": "Uma vez que a transação é importada em seu Jade, revise o endereço de destino e o valor.", + "receiveAddLabel": "Adicionar etiqueta", + "ledgerWalletTypeNestedSegwitDescription": "P2WPKH-nested-in-P2SH", + "dcaConfirmFrequencyHourly": "Cada hora", + "legacySeedViewMnemonicLabel": "Mnemónica", + "sellSwiftCode": "Código SWIFT/BIC", + "fundExchangeCanadaPostTitle": "Em dinheiro ou débito em pessoa no Canada Post", + "receiveInvoiceExpiry": "A fatura expira em {time}", + "@receiveInvoiceExpiry": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "testBackupGoogleDrivePrivacyPart5": "compartilhado com Bull Bitcoin.", + "arkTotal": "Total", + "bitboxActionSignTransactionSuccessSubtext": "Sua transação foi assinada com sucesso.", + "transactionStatusTransferExpired": "Transferência Expirou", + "backupWalletInstructionLosePhone": "Sem um backup, se você perder ou quebrar seu telefone, ou se você desinstalar o aplicativo Bull Bitcoin, seus bitcoins serão perdidos para sempre.", + "recoverbullConnected": "Conectado", + "dcaConfirmLightningAddress": "Endereço de iluminação", + "coreSwapsLnReceiveCompleted": "O balanço está concluído.", + "backupWalletErrorGoogleDriveSave": "Falhado para salvar a unidade do google", + "settingsTorSettingsTitle": "Configurações do Tor", + "importQrDeviceKeystoneStep2": "Digite seu PIN", + "receiveBitcoinTransactionWillTakeTime": "Bitcoin transação levará um tempo para confirmar.", + "sellOrderNotFoundError": "A ordem de venda não foi encontrada. Por favor, tente novamente.", + "sellErrorPrepareTransaction": "Falhado para preparar a transação: {error}", + "@sellErrorPrepareTransaction": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "fundExchangeOnlineBillPaymentTitle": "Pagamento de Bill Online", + "importQrDeviceSeedsignerStep7": "No seu dispositivo móvel, toque em Abrir Câmara", + "addressViewChangeAddressesDescription": "Carteira de exibição Alterar endereços", + "sellReceiveAmount": "Você receberá", + "bitboxCubitInvalidResponse": "Resposta inválida do dispositivo BitBox. Por favor, tente novamente.", + "settingsScreenTitle": "Configurações", + "transactionDetailLabelTransferFee": "Taxa de transferência", + "importQrDeviceKruxStep5": "Analise o código QR que você vê no seu dispositivo.", + "arkStatus": "Estado", + "fundExchangeHelpTransferCode": "Adicione isso como a razão para a transferência", + "mempoolCustomServerEdit": "Editar", + "importQrDeviceKruxStep2": "Clique em Extended Public Key", + "recoverButton": "Recuperar", + "passportStep5": " - Aumente o brilho da tela em seu dispositivo", + "bitboxScreenConnectSubtext": "Certifique-se de que seu BitBox02 está desbloqueado e conectado via USB.", + "payOwnerName": "Nome do proprietário", + "transactionNetworkLiquid": "Líquido", + "payEstimatedConfirmation": "Confirmação estimada: {time}", + "@payEstimatedConfirmation": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "bitboxErrorInvalidResponse": "Resposta inválida do dispositivo BitBox. Por favor, tente novamente.", + "psbtFlowAddPassphrase": "Adicionar uma senha se você tiver um (opcional)", + "payAdvancedOptions": "Opções avançadas", + "sendSigningTransaction": "Assinar transação...", + "sellErrorFeesNotCalculated": "Taxas de transação não calculadas. Por favor, tente novamente.", + "dcaAddressLiquid": "Endereço líquido", + "buyVerificationInProgress": "Verificação em andamento...", + "transactionSwapDescChainPaid": "A sua transação foi transmitida. Estamos agora à espera que a transação de bloqueio seja confirmada.", + "mempoolSettingsUseForFeeEstimation": "Uso para estimativa de taxas", + "buyPaymentMethod": "Método de pagamento", + "coreSwapsStatusCompleted": "Completada", + "fundExchangeCrIbanUsdDescriptionEnd": ". Os fundos serão adicionados ao saldo da sua conta.", + "psbtFlowMoveCloserFurther": "Tente mover seu dispositivo mais perto ou mais longe", + "arkAboutDurationMinutes": "{minutes}", + "@arkAboutDurationMinutes": { + "placeholders": { + "minutes": { + "type": "int" + } + } + }, + "swapProgressTitle": "Transferência interna", + "pinButtonConfirm": "Confirmação", + "coldcardStep2": "Adicionar uma senha se você tiver um (opcional)", + "electrumInvalidNumberError": "Insira um número válido", + "coreWalletTransactionStatusConfirmed": "Confirmado", + "recoverbullSelectGoogleDrive": "Google Drive", + "recoverbullEnterInput": "Digite seu {inputType}", + "@recoverbullEnterInput": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "importQrDevicePassportStep12": "Configuração completa.", + "fundExchangeLabelIbanUsdOnly": "Número da conta IBAN (apenas para dólares americanos)", + "payRecipientDetails": "Detalhes do destinatário", + "fundExchangeWarningTitle": "Cuidado com os scammers", + "receiveError": "Erro: {error}", + "@receiveError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "electrumRetryCount": "Contagem de Restrições", + "walletDetailsDescriptorLabel": "Descritores", + "importQrDeviceSeedsignerInstructionsTitle": "Instruções do SeedSigner", + "payOrderNotFoundError": "A ordem de pagamento não foi encontrada. Por favor, tente novamente.", + "jadeStep12": "Clique em \"Estou feito\" na carteira Bull Bitcoin.", + "payFilterByType": "Filtrar por tipo", + "importMnemonicImporting": "Importação...", + "recoverbullGoogleDriveExportButton": "Exportação", + "bip329LabelsDescription": "Importar ou exportar etiquetas de carteira usando o formato padrão BIP329.", + "backupWalletHowToDecideBackupEncryptedRecommendationText": "Você não tem certeza e precisa de mais tempo para aprender sobre práticas de segurança de backup.", + "backupWalletImportanceWarning": "Sem um backup, você eventualmente perderá o acesso ao seu dinheiro. É criticamente importante fazer um backup.", + "autoswapMaxFeeInfoText": "Se a taxa de transferência total estiver acima da porcentagem definida, a transferência automática será bloqueada", + "recoverbullGoogleDriveCancelButton": "Cancelar", + "backupWalletSuccessDescription": "Agora vamos testar seu backup para garantir que tudo foi feito corretamente.", + "rbfBroadcast": "Transmissão", + "sendEstimatedDeliveryFewHours": "poucas horas", + "dcaConfirmFrequencyMonthly": "Todos os meses", + "importWatchOnlyScriptType": "Tipo de script", + "electrumCustomServers": "Servidores personalizados", + "transactionStatusSwapFailed": "Swap Failed", + "fundExchangeCrIbanCrcLabelCedulaJuridica": "Cédula Jurídica", + "continueButton": "Continue", + "payBatchPayment": "Pagamento de lote", + "transactionLabelBoltzSwapFee": "Boltz Swap Fee", + "transactionSwapDescLnReceiveFailed": "Houve um problema com a tua troca. Por favor, contacte o suporte se os fundos não tiverem sido devolvidos dentro de 24 horas.", + "sellOrderNumber": "Número de ordem", + "payRecipientCount": "{count} destinatários", + "@payRecipientCount": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "sendErrorBuildFailed": "Construa Falhado", + "transactionDetailSwapProgress": "Progresso de balanço", + "arkAboutDurationMinute": "{minutes} minuto", + "@arkAboutDurationMinute": { + "placeholders": { + "minutes": { + "type": "int" + } + } + }, + "backupWalletInstructionLoseBackup": "Se você perder seu backup de 12 palavras, você não será capaz de recuperar o acesso à carteira Bitcoin.", + "payIsCorporateAccount": "Isto é uma conta corporativa?", + "sellSendPaymentInsufficientBalance": "Equilíbrio insuficiente na carteira selecionada para completar esta ordem de venda.", + "fundExchangeCrIbanCrcLabelRecipientName": "Nome do destinatário", + "swapTransferPendingTitle": "Pendente de Transferência", + "mempoolCustomServerSaveSuccess": "Servidor personalizado salvo com sucesso", + "sendErrorBalanceTooLowForMinimum": "Equilíbrio demasiado baixo para uma quantidade mínima de swap", + "testBackupSuccessMessage": "Você é capaz de recuperar o acesso a uma carteira Bitcoin perdida", + "electrumTimeout": "Timeout (segundos)", + "transactionDetailLabelOrderStatus": "Status da ordem", + "electrumSaveFailedError": "Falhado para salvar opções avançadas", + "arkSettleTransactionCount": "Settle {count} {transaction}", + "@arkSettleTransactionCount": { + "placeholders": { + "count": { + "type": "String" + }, + "transaction": { + "type": "String" + } + } + }, + "bitboxScreenWalletTypeLabel": "Tipo de carteira:", + "importQrDeviceKruxStep6": "É isso!", + "recoverbullRecoveryErrorMissingDerivationPath": "Arquivo de backup faltando caminho de derivação.", + "payUnauthenticatedError": "Não és autenticado. Faça login para continuar.", + "payClabe": "CLABE", + "mempoolCustomServerDelete": "Excluir", + "optionalPassphraseHint": "Passphrase opcional", + "importColdcardImporting": "Importando a carteira Coldcard...", + "exchangeDcaHideSettings": "Ocultar configurações", + "appUnlockIncorrectPinError": "PIN incorreto. Por favor, tente novamente. {failedAttempts} {attemptsWord}", + "@appUnlockIncorrectPinError": { + "placeholders": { + "failedAttempts": { + "type": "int" + }, + "attemptsWord": { + "type": "String" + } + } + }, + "buyBitcoinSent": "Bitcoin enviado!", + "coreScreensPageNotFound": "Página não encontrada", + "passportStep8": "Uma vez que a transação é importada no seu Passaporte, revise o endereço de destino e o valor.", + "importQrDeviceTitle": "Conecte {deviceName}", + "@importQrDeviceTitle": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "exchangeFeatureDcaOrders": "• DCA, Limite de ordens e Auto-compra", + "payIban": "IBAN", + "sellSendPaymentPayoutRecipient": "Receptor de pagamento", + "swapInfoDescription": "Transferir Bitcoin perfeitamente entre suas carteiras. Apenas mantenha fundos na Carteira de Pagamento Instantânea para gastos diários.", + "fundExchangeCanadaPostStep7": "7. Os fundos serão adicionados ao seu saldo da conta Bull Bitcoin dentro de 30 minutos", + "autoswapSaveButton": "Salvar", + "importWatchOnlyDisclaimerDescription": "Certifique-se de que o caminho de derivação que você escolher combina com o que produziu o xpub dado verificando o primeiro endereço derivado da carteira antes do uso. Usar o caminho errado pode levar à perda de fundos", + "fundExchangeWarningTactic8": "Eles estão pressionando você para agir rapidamente", + "encryptedVaultStatusLabel": "Vault criptografado", + "sendConfirmSend": "Enviar", + "fundExchangeBankTransfer": "Transferência bancária", + "importQrDeviceButtonInstructions": "Instruções", + "buyLevel3Limit": "Limite de nível 3: {amount}", + "@buyLevel3Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "electrumLiquidSslInfo": "Nenhum protocolo deve ser especificado, SSL será usado automaticamente.", + "sendDeviceConnected": "Dispositivo conectado", + "swapErrorAmountAboveMaximum": "Montante excede o valor máximo de swap: {max} sats", + "@swapErrorAmountAboveMaximum": { + "placeholders": { + "max": { + "type": "String" + } + } + }, + "psbtFlowPassportTitle": "Instruções do passaporte da Fundação", + "exchangeLandingFeature3": "Venda Bitcoin, ser pago com Bitcoin", + "notLoggedInMessage": "Faça login na sua conta Bull Bitcoin para acessar as configurações de troca.", + "swapTotalFees": "Taxas totais ", + "keystoneStep11": "Clique em \"Estou feito\" na carteira Bull Bitcoin.", + "scanningCompletedMessage": "Verificação concluída", + "recoverbullSecureBackup": "Proteja seu backup", + "payDone": "Feito", + "receiveContinue": "Continue", + "bitboxActionSignTransactionButton": "Começar a assinar", + "sendEnterAbsoluteFee": "Insira taxa absoluta em sats", + "importWatchOnlyDisclaimerTitle": "Aviso de Caminho de Derivação", + "withdrawConfirmIban": "IBAN", + "payPayee": "Pagamento", + "exchangeAccountComingSoon": "Esta característica está chegando em breve.", + "sellInProgress": "Vender em progresso...", + "testBackupLastKnownVault": "Última criptografia conhecida Vault: {timestamp}", + "@testBackupLastKnownVault": { + "placeholders": { + "timestamp": { + "type": "String" + } + } + }, + "recoverbullErrorFetchKeyFailed": "Falhado para buscar a chave do cofre do servidor", + "sendSwapInProgressInvoice": "A troca está em andamento. A fatura será paga em alguns segundos.", + "arkReceiveButton": "Receber", + "electrumRetryCountNegativeError": "Retry Count não pode ser negativo", + "fundExchangeOnlineBillPaymentLabelAccountNumber": "Adicione isso como número de conta", + "importQrDeviceJadeStep4": "Selecione \"Opções\" no menu principal", + "backupWalletSavingToDeviceTitle": "Salvar ao seu dispositivo.", + "transactionFilterSend": "Enviar", + "paySwapInProgress": "Trocar em progresso...", + "importMnemonicSyncMessage": "Todos os três tipos de carteira estão sincronizando e seus saldos e transações aparecerão em breve. Você pode esperar até que a sincronização complete ou prossiga para importar se você tiver certeza de qual tipo de carteira você deseja importar.", + "coreSwapsLnSendClaimable": "Swap está pronto para ser reivindicado.", + "fundExchangeMethodCrIbanCrcSubtitle": "Transferir fundos em Costa Rican Colón (CRC)", + "transactionDetailTitle": "Detalhes da transação", + "autoswapRecipientWalletLabel": "Carteira de Bitcoin", + "coreScreensConfirmTransfer": "Confirmar transferência", + "payPaymentInProgressDescription": "O seu pagamento foi iniciado e o destinatário receberá os fundos após a sua transação receber 1 confirmação de compra.", + "transactionLabelTotalTransferFees": "Total das taxas de transferência", + "recoverbullRetry": "Repito", + "arkSettleMessage": "Finalize transações pendentes e inclua vtxos recuperáveis se necessário", + "receiveCopyInvoice": "Fatura de cópia", + "exchangeAccountInfoLastNameLabel": "Sobrenome", + "importQrDeviceJadeInstructionsTitle": "Instruções Blockstream Jade", + "paySendMax": "Max", + "recoverbullGoogleDriveDeleteConfirmation": "Tem a certeza de que deseja apagar este backup do vault? Esta ação não pode ser desfeita.", + "arkReceiveArkAddress": "Endereço da arca", + "googleDriveSignInMessage": "Você precisará se inscrever no Google Drive", + "transactionNoteEditTitle": "Editar nota", + "transactionDetailLabelCompletedAt": "Completa em", + "passportStep9": "Clique nos botões para assinar a transação no seu Passaporte.", + "walletTypeBitcoinNetwork": "Rede de Bitcoin", + "electrumDeleteConfirmation": "Tem a certeza de que deseja excluir este servidor?\n\n{serverUrl}", + "@electrumDeleteConfirmation": { + "placeholders": { + "serverUrl": { + "type": "String" + } + } + }, + "arkServerUrl": "URL do servidor", + "importMnemonicSelectType": "Selecione um tipo de carteira para importar", + "fundExchangeMethodArsBankTransfer": "Transferência bancária", + "importQrDeviceKeystoneStep1": "Poder no seu dispositivo Keystone", + "arkDurationDays": "{days} dias", + "@arkDurationDays": { + "placeholders": { + "days": { + "type": "String" + } + } + }, + "bitcoinSettingsBip85EntropiesTitle": "BIP85 Entropias Deterministas", + "swapTransferAmount": "Valor de transferência", + "feePriorityLabel": "Prioridade de Taxas", + "coreScreensToLabel": "Para", + "backupSettingsTestBackup": "Teste de backup", + "coreSwapsActionRefund": "Reembolso", + "payInsufficientBalance": "Balança insuficiente na carteira selecionada para completar esta ordem de pagamento.", + "viewLogsLabel": "Ver logs", + "sendSwapTimeEstimate": "Tempo estimado: {time}", + "@sendSwapTimeEstimate": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "hwKeystone": "Chaveiro", + "kruxStep12": "O Krux irá então mostrar-lhe o seu próprio código QR.", + "buyInputMinAmountError": "Você deve comprar pelo menos", + "ledgerScanningTitle": "Digitalização de Dispositivos", + "payInstitutionCode": "Código de Instituição", + "recoverbullFetchVaultKey": "Fetch Vault Chaveiro", + "coreSwapsActionClaim": "Reivindicação", + "bitboxActionUnlockDeviceSuccessSubtext": "Seu dispositivo BitBox agora está desbloqueado e pronto para usar.", + "payShareInvoice": "Compartilhar Fatura", + "walletDetailsSignerDeviceLabel": "Dispositivo de sinalização", + "bitboxScreenEnterPassword": "Digite a senha", + "keystoneStep10": "O Keystone irá então mostrar-lhe o seu próprio código QR.", + "ledgerSuccessSignTitle": "Transação assinada com sucesso", + "electrumPrivacyNoticeContent1": "Aviso de Privacidade: Usar seu próprio nó garante que nenhum terceiro pode vincular seu endereço IP, com suas transações.", + "testBackupEnterKeyManually": "Digite a tecla de backup manualmente >>", + "fundExchangeWarningTactic3": "Dizem que trabalham para cobrança de dívidas ou impostos", + "payCoinjoinFailed": "CoinJoin falhou", + "allWordsSelectedMessage": "Selecionou todas as palavras", + "bitboxActionPairDeviceTitle": "Dispositivo de BitBox de par", + "buyKYCLevel2": "Nível 2 - Melhorado", + "receiveAmount": "Montante (opcional)", + "testBackupErrorSelectAllWords": "Por favor, selecione todas as palavras", + "buyLevel1Limit": "Limite de nível 1: {amount}", + "@buyLevel1Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "dcaNetworkLabel": "Rede", + "sendScanBitcoinQRCode": "Digitalize qualquer código QR Bitcoin ou Lightning para pagar com bitcoin.", + "toLabel": "Para", + "passportStep7": " - Tente mover seu dispositivo para trás um pouco", + "sendConfirm": "Confirmação", + "payPhoneNumber": "Número de telefone", + "transactionSwapProgressInvoicePaid": "Fatura\nPago", + "sendInsufficientFunds": "Fundos insuficientes", + "sendSuccessfullySent": "Enviado com sucesso", + "sendSwapAmount": "Montante do balanço", + "autoswapTitle": "Configurações de transferência automática", + "sellInteracTransfer": "Interac e-Transfer", + "bitboxScreenPairingCodeSubtext": "Verifique se este código corresponde à sua tela BitBox02 e, em seguida, confirme no dispositivo.", + "createdAtLabel": "Criado em:", + "pinConfirmMismatchError": "PINs não correspondem", + "autoswapMinimumThresholdErrorBtc": "Limite mínimo de equilíbrio é {amount} BTC", + "@autoswapMinimumThresholdErrorBtc": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "receiveLiquidNetwork": "Líquido", + "autoswapSettingsTitle": "Configurações de transferência automática", + "payFirstNameHint": "Insira o primeiro nome", + "payAdvancedSettings": "Configurações avançadas", + "walletDetailsPubkeyLabel": "Pubkey", + "arkAboutBoardingExitDelay": "Atraso de saída de embarque", + "receiveConfirmedInFewSeconds": "Ele será confirmado em alguns segundos", + "backupWalletInstructionNoPassphrase": "Seu backup não é protegido por senha. Adicione uma senha ao seu backup mais tarde, criando uma nova carteira.", + "transactionDetailLabelSwapId": "ID do balanço", + "sendSwapFailed": "A troca falhou. Seu reembolso será processado em breve.", + "sellNetworkError": "Erro de rede. Por favor, tente novamente", + "sendHardwareWallet": "Carteira de hardware", + "sendUserRejected": "Usuário rejeitado no dispositivo", + "swapSubtractFeesLabel": "Subtrair taxas de montante", + "buyVerificationRequired": "Verificação necessária para este montante", + "kruxStep1": "Entre no seu dispositivo Krux", + "dcaUseDefaultLightningAddress": "Use o meu endereço de Lightning padrão.", + "recoverbullErrorRejected": "Rejeitado pelo servidor chave", + "sellEstimatedArrival": "Chegada estimada: {time}", + "@sellEstimatedArrival": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "fundExchangeWarningTacticsTitle": "Táticas comuns do scammer", + "payInstitutionCodeHint": "Digite o código da instituição", + "arkConfirmedBalance": "Balanço confirmado", + "walletAddressTypeNativeSegwit": "Nativo Segwit", + "payOpenInvoice": "Fatura aberta", + "payMaximumAmount": "Máximo: {amount}", + "@payMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sellSendPaymentNetworkFees": "Taxas de rede", + "transactionSwapDescLnReceivePaid": "O pagamento foi recebido! Estamos agora a transmitir a transação em cadeia para a sua carteira.", + "transactionNoteUpdateButton": "Atualização", + "payAboveMaxAmount": "Você está tentando pagar acima do montante máximo que pode ser pago com esta carteira.", + "receiveNetworkUnavailable": "{network} não está disponível", + "@receiveNetworkUnavailable": { + "placeholders": { + "network": { + "type": "String" + } + } + }, + "fundExchangeHelpBeneficiaryAddress": "Nosso endereço oficial, caso isso seja exigido pelo seu banco", + "backupWalletPhysicalBackupTitle": "Backup físico", + "arkTxBoarding": "Quadro", + "bitboxActionVerifyAddressSuccess": "Endereço Verificado com sucesso", + "psbtImDone": "Estou acabado", + "bitboxScreenSelectWalletType": "Selecione a carteira Tipo", + "appUnlockEnterPinMessage": "Digite seu código do pino para desbloquear", + "torSettingsTitle": "Configurações do Tor", + "backupSettingsRevealing": "Revelando...", + "payTotal": "Total", + "autoswapSaveErrorMessage": "Falhado para salvar configurações: {error}", + "@autoswapSaveErrorMessage": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaAddressLabelLightning": "Endereço de iluminação", + "addressViewTitle": "Detalhes do endereço", + "payCompleted": "Pagamento concluído!", + "bitboxScreenManagePermissionsButton": "Gerenciar Permissões de Aplicativos", + "sellKYCPending": "Verificação de KYC pendente", + "buyGetConfirmedFaster": "Confirma-o mais rápido", + "transactionOrderLabelPayinAmount": "Quantidade de pagamento", + "dcaLightningAddressLabel": "Endereço de iluminação", + "electrumEnableSsl": "Habilitar SSL", + "payCustomFee": "Taxas personalizadas", + "backupInstruction5": "Seu backup não é protegido por senha. Adicione uma senha ao seu backup mais tarde, criando uma nova carteira.", + "buyConfirmExpress": "Confirmação", + "fundExchangeBankTransferWireTimeframe": "Qualquer dinheiro que você enviar será adicionado ao seu Bitcoin Bull dentro de 1-2 dias úteis.", + "sendDeviceDisconnected": "Dispositivo desligado", + "withdrawConfirmError": "Erro: {error}", + "@withdrawConfirmError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payFeeBumpFailed": "Esboço de taxas falhou", + "arkAboutUnilateralExitDelay": "Atraso de saída unilateral", + "payUnsupportedInvoiceType": "Tipo de fatura não suportado", + "seedsignerStep13": "A transação será importada na carteira Bull Bitcoin.", + "autoswapRecipientWalletDefaultLabel": "Carteira Bitcoin", + "transactionSwapDescLnReceiveClaimable": "A transação em cadeia foi confirmada. Estamos agora a reivindicar os fundos para completar a sua troca.", + "dcaPaymentMethodLabel": "Método de pagamento", + "swapProgressPendingMessage": "A transferência está em andamento. As transações Bitcoin podem demorar um pouco para confirmar. Podes voltar para casa e esperar.", + "walletDetailsNetworkLabel": "Rede", + "broadcastSignedTxBroadcasting": "Transmissão...", + "recoverbullSelectRecoverWallet": "Recuperar Carteira", + "receivePayjoinActivated": "Payjoin ativado", + "importMnemonicContinue": "Continue", + "psbtFlowMoveLaser": "Mova o laser vermelho para cima e para baixo sobre o código QR", + "chooseVaultLocationTitle": "Escolha a localização do vault", + "dcaConfirmOrderTypeValue": "Recorrer comprar", + "psbtFlowDeviceShowsQr": "O {device} irá então mostrar-lhe o seu próprio código QR.", + "@psbtFlowDeviceShowsQr": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "fundExchangeCrBankTransferDescriptionExactly": "exactamente", + "testBackupEncryptedVaultTitle": "Vault criptografado", + "dcaWalletTypeLiquid": "Líquido (LBTC)", + "fundExchangeLabelInstitutionNumber": "Número de instituição", + "encryptedVaultDescription": "Backup anônimo com criptografia forte usando sua nuvem.", + "arkAboutCopiedMessage": "{label} copiado para clipboard", + "@arkAboutCopiedMessage": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "swapAmountLabel": "Montante", + "recoverbullSelectCustomLocation": "Localização personalizada", + "sellConfirmOrder": "Confirmação de Venda", + "exchangeAccountInfoUserNumberLabel": "Número de utilizador", + "buyVerificationComplete": "Verificação completa", + "transactionNotesLabel": "Notas de transação", + "replaceByFeeFeeRateDisplay": "Taxa de Taxa: {feeRate} sat/vbyte", + "@replaceByFeeFeeRateDisplay": { + "placeholders": { + "feeRate": { + "type": "String" + } + } + }, + "torSettingsPortValidationRange": "O porto deve estar entre 1 e 65535", + "fundExchangeMethodCrIbanUsdSubtitle": "Transferir fundos em dólares americanos (USD)", + "electrumTimeoutEmptyError": "O timeout não pode estar vazio", + "electrumPrivacyNoticeContent2": "No entanto, Se você visualizar transações via mempool clicando em seu ID de Transação ou na página Detalhes Destinatários, essas informações serão conhecidas pelo BullBitcoin.", + "exchangeAccountInfoVerificationIdentityVerified": "Verificação da identidade", + "importColdcardScanPrompt": "Digitalize o código QR do seu Coldcard Q", + "backupSettingsEncryptedVault": "Vault criptografado", + "autoswapAlwaysBlockInfoDisabled": "Quando desativado, você terá a opção de permitir uma transferência automática bloqueada devido a altas taxas", + "dcaSetupTitle": "Definir Recorrer Comprar", + "sendErrorInsufficientBalanceForPayment": "Não saldo suficiente para cobrir este pagamento", + "bitboxScreenPairingCode": "Código de Emparelhamento", + "testBackupPhysicalBackupTitle": "Backup físico", + "fundExchangeSpeiDescription": "Transferir fundos usando seu CLABE", + "ledgerProcessingImport": "Carteira de importação", + "coldcardStep15": "Agora está pronto para transmitir! Assim que você clicar em transmissão, a transação será publicada na rede Bitcoin e os fundos serão enviados.", + "comingSoonDefaultMessage": "Este recurso está atualmente em desenvolvimento e estará disponível em breve.", + "dcaFrequencyLabel": "Frequência", + "ledgerErrorMissingAddress": "O endereço é necessário para verificação", + "enterBackupKeyManuallyTitle": "Digite a tecla de backup manualmente", + "transactionDetailLabelRecipientAddress": "Endereço de destinatário", + "recoverbullCreatingVault": "Criando criptografia Vault", + "walletsListNoWalletsMessage": "Nenhuma carteira encontrada", + "importWalletColdcardQ": "Cartão de crédito", + "backupSettingsStartBackup": "Iniciar backup", + "sendReceiveAmount": "Receber valor", + "recoverbullTestRecovery": "Recuperação de Teste", + "sellNetAmount": "Montante líquido", + "willNot": "não terá ", + "arkAboutServerPubkey": "Servidor pubkey", + "receiveReceiveAmount": "Receber valor", + "exchangeReferralsApplyToJoinMessage": "Aplicar para se juntar ao programa aqui", + "payLabelHint": "Digite um rótulo para este destinatário", + "payBitcoinOnchain": "Bitcoin on-chain", + "pinManageDescription": "Gerenciar seu PIN de segurança", + "pinCodeConfirm": "Confirmação", + "bitboxActionUnlockDeviceProcessing": "Desbloquear dispositivo", + "seedsignerStep4": "Se você tiver problemas de digitalização:", + "mempoolNetworkLiquidTestnet": "Testnet líquido", + "payBitcoinOnChain": "Bitcoin on-chain", + "ledgerButtonTryAgain": "Tente novamente", + "bitboxScreenNestedSegwitBip49Subtitle": "P2WPKH-nested-in-P2SH", + "buyInstantPaymentWallet": "Carteira de pagamento instantânea", + "autoswapMaxBalanceLabel": "Max equilíbrio de carteira instantânea", + "recoverbullRecoverBullServer": "Servidor de recuperação", + "satsBitcoinUnitSettingsLabel": "Unidade de exibição em satélites", + "exchangeDcaViewSettings": "Ver configurações", + "payRetryPayment": "Restrição de pagamento", + "exchangeSupportChatTitle": "Chat de Suporte", + "sellAdvancedSettings": "Configurações avançadas", + "arkTxTypeCommitment": "Autorizações", + "exchangeReferralsJoinMissionTitle": "Junte-se à missão", + "exchangeSettingsLogInTitle": "Entrar", + "customLocationRecommendation": "Localização personalizada: ", + "fundExchangeMethodCrIbanUsd": "Costa Rica IBAN (USD)", + "recoverbullErrorSelectVault": "Falhado para selecionar o cofre", + "paySwapCompleted": "Swap concluída", + "receiveDescription": "Descrição (opcional)", + "bitboxScreenVerifyAddress": "Verificar endereço", + "bitboxScreenConnectDevice": "Conecte seu dispositivo BitBox", + "arkYesterday": "Ontem", + "amountRequestedLabel": "Montante solicitado: {amount}", + "@amountRequestedLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "swapProgressRefunded": "Transferência reembolsada", + "payPaymentHistory": "Histórico do pagamento", + "exchangeFeatureUnifiedHistory": "• Histórico de transações unificadas", + "payViewDetails": "Ver detalhes", + "withdrawOrderAlreadyConfirmedError": "Esta ordem de retirada já foi confirmada.", + "autoswapSelectWallet": "Selecione uma carteira Bitcoin", + "recoverbullGoogleDriveErrorSelectFailed": "Falhado para selecionar o vault do Google Drive", + "autoswapRecipientWalletRequired": "*", + "pinCodeLoading": "A carregar", + "fundExchangeCrIbanUsdLabelRecipientName": "Nome do destinatário", + "ledgerSignTitle": "Transação de Sinais", + "importWatchOnlyCancel": "Cancelar" +} \ No newline at end of file diff --git a/localization/app_ru.arb b/localization/app_ru.arb index efce6f1aa..779a121b4 100644 --- a/localization/app_ru.arb +++ b/localization/app_ru.arb @@ -1,12165 +1,4124 @@ { - "bitboxErrorMultipleDevicesFound": "Найдено несколько устройств BitBox. Пожалуйста, убедитесь, что подключено только одно устройство.", - "@bitboxErrorMultipleDevicesFound": { - "description": "Error when multiple BitBox devices are connected" - }, - "payTransactionBroadcast": "Трансляция", - "@payTransactionBroadcast": { - "description": "Success message after broadcasting" - }, - "fundExchangeSepaDescriptionExactly": "точно.", - "@fundExchangeSepaDescriptionExactly": { - "description": "Emphasized word 'exactly' in SEPA description" - }, - "payPleasePayInvoice": "Пожалуйста, заплатите этот счет", - "@payPleasePayInvoice": { - "description": "Title for receive payment screen" - }, - "swapMax": "MAX", - "@swapMax": { - "description": "MAX button label" - }, - "importQrDeviceSpecterStep2": "Введите PIN", - "@importQrDeviceSpecterStep2": { - "description": "Specter instruction step 2" - }, - "importColdcardInstructionsStep10": "Завершение установки", - "@importColdcardInstructionsStep10": { - "description": "ImportColdcardQ: Final instruction step" - }, - "buyPayoutWillBeSentIn": "Ваша выплата будет отправлена ", - "@buyPayoutWillBeSentIn": { - "description": "Text before countdown timer for payout" - }, - "fundExchangeInstantSepaInfo": "Использовать только для транзакций ниже €20 000. Для более крупных транзакций используйте вариант регулярного SEPA.", - "@fundExchangeInstantSepaInfo": { - "description": "Info message for Instant SEPA transaction limits" - }, - "transactionLabelSwapId": "Идентификатор швапа", - "@transactionLabelSwapId": { - "description": "Label for swap ID" - }, - "dcaChooseWalletTitle": "Выберите Bitcoin Wallet", - "@dcaChooseWalletTitle": { - "description": "AppBar title for wallet selection screen" - }, - "torSettingsPortHint": "9050", - "@torSettingsPortHint": { - "description": "Hint text for port input showing default value" - }, - "electrumTimeoutPositiveError": "Время должно быть положительным", - "@electrumTimeoutPositiveError": { - "description": "Validation error for non-positive Timeout value" - }, - "bitboxScreenNeedHelpButton": "Нужна помощь?", - "@bitboxScreenNeedHelpButton": { - "description": "Button to show help instructions" - }, - "sellSendPaymentAboveMax": "Вы пытаетесь продать выше максимальной суммы, которая может быть продана с этим кошельком.", - "@sellSendPaymentAboveMax": { - "description": "Above max amount error" - }, - "fundExchangeETransferLabelSecretAnswer": "Секретный ответ", - "@fundExchangeETransferLabelSecretAnswer": { - "description": "Label for E-transfer security answer" - }, - "payPayinAmount": "Сумма выплат", - "@payPayinAmount": { - "description": "Label for amount user pays in" - }, - "transactionDetailLabelTransactionFee": "Плата за операции", - "@transactionDetailLabelTransactionFee": { - "description": "Label for transaction fee" - }, - "jadeStep13": "Кошелек Bull Bitcoin попросит вас просканировать QR-код на Jade. Сканируйте.", - "@jadeStep13": { - "description": "Jade instruction for scanning signed PSBT" - }, - "transactionSwapDescLnSendPending": "Ваш обмен был инициирован. Мы транслируем сделку на цепочке, чтобы заблокировать ваши средства.", - "@transactionSwapDescLnSendPending": { - "description": "Description for pending Lightning send swap" - }, - "payInstitutionNumber": "Число учреждений", - "@payInstitutionNumber": { - "description": "Label for institution number" - }, - "sendScheduledPayment": "Расписание платежей", - "@sendScheduledPayment": { - "description": "Feature to delay transaction" - }, - "fundExchangeLabelBicCode": "Код BIC", - "@fundExchangeLabelBicCode": { - "description": "Label for BIC code field" - }, - "fundExchangeCanadaPostStep6": "6. Кассир даст вам квитанцию, держите ее в качестве доказательства оплаты", - "@fundExchangeCanadaPostStep6": { - "description": "Step 6 for Canada Post payment process" - }, - "withdrawOwnershipQuestion": "Кому принадлежит этот счет?", - "@withdrawOwnershipQuestion": { - "description": "Question asking about account ownership" - }, - "sendSendNetworkFee": "Отправить Сеть", - "@sendSendNetworkFee": { - "description": "Label for network fee on send side of swap" - }, - "exchangeDcaUnableToGetConfig": "Невозможно получить конфигурацию DCA", - "@exchangeDcaUnableToGetConfig": { - "description": "Error message when DCA configuration cannot be retrieved" - }, - "psbtFlowClickScan": "Нажмите кнопку Сканировать", - "@psbtFlowClickScan": { - "description": "Instruction to click scan button on device" - }, - "sellInstitutionNumber": "Число учреждений", - "@sellInstitutionNumber": { - "description": "Label for bank institution code" - }, - "recoverbullGoogleDriveErrorDisplay": "Ошибка:", - "@recoverbullGoogleDriveErrorDisplay": { - "description": "Error message display format", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "mempoolSettingsCustomServer": "Пользовательский сервер", - "@mempoolSettingsCustomServer": { - "description": "Label for custom mempool server section" - }, - "fundExchangeMethodRegularSepa": "Регулярный SEPA", - "@fundExchangeMethodRegularSepa": { - "description": "Payment method: Regular SEPA (Europe)" - }, - "addressViewTransactions": "Операции", - "@addressViewTransactions": { - "description": "Label for number of transactions" - }, - "fundExchangeSinpeLabelPhone": "Отправить этот номер телефона", - "@fundExchangeSinpeLabelPhone": { - "description": "Label for SINPE Móvil phone number field" - }, - "importQrDeviceKruxStep3": "Нажмите XPUB - QR-код", - "@importQrDeviceKruxStep3": { - "description": "Krux instruction step 3" - }, - "passportStep1": "Войти в ваше паспортное устройство", - "@passportStep1": { - "description": "Passport instruction step 1" - }, - "sellAdvancedOptions": "Дополнительные варианты", - "@sellAdvancedOptions": { - "description": "Title for advanced options bottom sheet" - }, - "electrumPrivacyNoticeSave": "Сохранить", - "@electrumPrivacyNoticeSave": { - "description": "Save button in privacy notice dialog" - }, - "bip329LabelsImportSuccess": "{count, plural, =1{1 этикетка импортирована} other{{count} этикеток импортировано}}", - "@bip329LabelsImportSuccess": { - "description": "Success message after importing labels", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "withdrawOwnershipOtherAccount": "Это чей-то счет", - "@withdrawOwnershipOtherAccount": { - "description": "Option indicating the account belongs to someone else" - }, - "receiveInvoice": "Осветительный счет", - "@receiveInvoice": { - "description": "Label for Lightning invoice" - }, - "receiveGenerateAddress": "Создать новый адрес", - "@receiveGenerateAddress": { - "description": "Button to create new on-chain address" - }, - "kruxStep3": "Нажмите на PSBT", - "@kruxStep3": { - "description": "Krux instruction step 3" - }, - "hwColdcardQ": "Coldcard Q", - "@hwColdcardQ": { - "description": "Name of Coldcard Q hardware wallet" - }, - "fundExchangeCrIbanCrcTransferCodeWarning": "Вы должны добавить код передачи как «сообщение» или «разум» или «описание» при совершении платежа. Если вы забыли включить этот код, ваш платеж может быть отклонен.", - "@fundExchangeCrIbanCrcTransferCodeWarning": { - "description": "Warning about including transfer code in payment" - }, - "paySinpeBeneficiario": "Бенефициары", - "@paySinpeBeneficiario": { - "description": "Label for beneficiary in SINPE details" - }, - "exchangeDcaAddressDisplay": "{addressLabel}: {address}", - "@exchangeDcaAddressDisplay": { - "description": "Format for displaying address label and address", - "placeholders": { - "addressLabel": { - "type": "String", - "description": "The address label (e.g., 'Bitcoin address')" - }, - "address": { - "type": "String", - "description": "The actual address" - } - } - }, - "autoswapAlwaysBlockEnabledInfo": "При включении автопередачи с тарифами выше установленного лимита всегда будут заблокированы", - "@autoswapAlwaysBlockEnabledInfo": { - "description": "Info text when always block is enabled" - }, - "electrumServerAlreadyExists": "Этот сервер уже существует", - "@electrumServerAlreadyExists": { - "description": "Error message when trying to add a duplicate server" - }, - "sellPaymentMethod": "Способ оплаты", - "@sellPaymentMethod": { - "description": "Section for selecting how to receive fiat" - }, - "transactionLabelPreimage": "Преимущество", - "@transactionLabelPreimage": { - "description": "Label for preimage in Lightning swap details" - }, - "coreSwapsChainCanCoop": "Перенос будет завершен мгновенно.", - "@coreSwapsChainCanCoop": { - "description": "Status message for chain swap that can complete cooperatively" - }, - "importColdcardInstructionsStep2": "Введите пароль, если применимо", - "@importColdcardInstructionsStep2": { - "description": "ImportColdcardQ: Second instruction step" - }, - "satsSuffix": " сидение", - "@satsSuffix": { - "description": "Unit suffix for satoshi amounts" - }, - "recoverbullErrorPasswordNotSet": "Пароль не установлен", - "@recoverbullErrorPasswordNotSet": { - "description": "Error when attempting operation without setting password" - }, - "sellSendPaymentExchangeRate": "Обменный курс", - "@sellSendPaymentExchangeRate": { - "description": "Field label for exchange rate" - }, - "systemLabelAutoSwap": "Автозавод", - "@systemLabelAutoSwap": { - "description": "System label for automatic swap transactions" - }, - "fundExchangeSinpeTitle": "SINPE Transfer", - "@fundExchangeSinpeTitle": { - "description": "Screen title for SINPE transfer (Costa Rica)" - }, - "payExpiresIn": "Исходит в {time}", - "@payExpiresIn": { - "description": "Label showing invoice expiration time", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "transactionDetailLabelConfirmationTime": "Время подтверждения", - "@transactionDetailLabelConfirmationTime": { - "description": "Label for confirmation time" - }, - "fundExchangeCanadaPostStep5": "5. Оплата наличными или дебетовой картой", - "@fundExchangeCanadaPostStep5": { - "description": "Step 5 for Canada Post payment process" - }, - "importQrDeviceKruxName": "Krux", - "@importQrDeviceKruxName": { - "description": "Name of Krux device" - }, - "addressViewNoAddressesFound": "Адреса не найдены", - "@addressViewNoAddressesFound": { - "description": "Empty state message when no addresses are available" - }, - "backupWalletErrorSaveBackup": "Не удалось сохранить резервную копию", - "@backupWalletErrorSaveBackup": { - "description": "Error when backup save operation fails" - }, - "exchangeReferralsTitle": "Коды", - "@exchangeReferralsTitle": { - "description": "Title for the referral codes section" - }, - "onboardingRecoverYourWallet": "Восстановление кошелька", - "@onboardingRecoverYourWallet": { - "description": "Title for the recover wallet section in onboarding" - }, - "bitboxScreenTroubleshootingStep2": "Убедитесь, что ваш телефон имеет USB разрешения включены.", - "@bitboxScreenTroubleshootingStep2": { - "description": "Troubleshooting step 2" - }, - "replaceByFeeErrorNoFeeRateSelected": "Пожалуйста, выберите ставку сбора", - "@replaceByFeeErrorNoFeeRateSelected": { - "description": "Error message when no fee rate is selected" - }, - "transactionSwapDescChainPending": "Ваш перевод был создан, но еще не инициирован.", - "@transactionSwapDescChainPending": { - "description": "Description for pending chain swap" - }, - "coreScreensTransferFeeLabel": "Перенос", - "@coreScreensTransferFeeLabel": { - "description": "Label for transfer fee field" - }, - "onboardingEncryptedVaultDescription": "Восстановите резервное копирование через облако с помощью PIN.", - "@onboardingEncryptedVaultDescription": { - "description": "Description for the encrypted vault recovery option in onboarding" - }, - "transactionOrderLabelPayoutStatus": "Состояние выплат", - "@transactionOrderLabelPayoutStatus": { - "description": "Label for order payout status" - }, - "transactionSwapStatusSwapStatus": "Статус швапа", - "@transactionSwapStatusSwapStatus": { - "description": "Header for swap status section" - }, - "arkAboutDurationSeconds": "{seconds} секунд", - "@arkAboutDurationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "int" - } - } - }, - "receiveInvoiceCopied": "Счет-фактура скопирован в буфер обмена", - "@receiveInvoiceCopied": { - "description": "Toast message after copying invoice" - }, - "kruxStep7": " - Увеличить яркость экрана на вашем устройстве", - "@kruxStep7": { - "description": "Krux troubleshooting tip 1" - }, - "autoswapUpdateSettingsError": "Не удалось обновить настройки автоматического обмена", - "@autoswapUpdateSettingsError": { - "description": "Error message when updating settings fails" - }, - "transactionStatusTransferFailed": "Перенос", - "@transactionStatusTransferFailed": { - "description": "Status label for failed transfers" - }, - "jadeStep11": "Затем Jade покажет вам свой собственный QR-код.", - "@jadeStep11": { - "description": "Jade instruction about signed PSBT QR" - }, - "buyConfirmExternalWallet": "Внешний биткойн-кошелек", - "@buyConfirmExternalWallet": { - "description": "External wallet payout method" - }, - "bitboxActionPairDeviceProcessing": "Pairing Device", - "@bitboxActionPairDeviceProcessing": { - "description": "Processing text for pair device" - }, - "exchangeCurrencyDropdownTitle": "Выберите валюту", - "@exchangeCurrencyDropdownTitle": { - "description": "Title for the currency selection dropdown" - }, - "receiveServerNetworkFees": "Фейсы сети сервера", - "@receiveServerNetworkFees": { - "description": "Label for network fees charged by the swap server" - }, - "importQrDeviceImporting": "Импорт кошелька...", - "@importQrDeviceImporting": { - "description": "Status while importing from QR device" - }, - "rbfFastest": "Самый быстрый", - "@rbfFastest": { - "description": "Label for fastest fee option" - }, - "buyConfirmExpressWithdrawal": "Подтвердить отзыв", - "@buyConfirmExpressWithdrawal": { - "description": "Title for express withdrawal confirmation screen" - }, - "arkReceiveBoardingAddress": "BTC Boarding Address", - "@arkReceiveBoardingAddress": { - "description": "Label for BTC boarding address" - }, - "sellSendPaymentTitle": "Подтвердить оплату", - "@sellSendPaymentTitle": { - "description": "Title on sell payment screen" - }, - "recoverbullReenterConfirm": "Пожалуйста, возвращайтесь в ваш {inputType}, чтобы подтвердить.", - "@recoverbullReenterConfirm": { - "description": "Instruction to re-enter PIN or password for confirmation", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "importWatchOnlyCopiedToClipboard": "Копируется в буфер обмена", - "@importWatchOnlyCopiedToClipboard": { - "description": "Snackbar message shown when QR code content is copied" - }, - "dcaLightningAddressInvalidError": "Пожалуйста, введите действительный адрес Lightning", - "@dcaLightningAddressInvalidError": { - "description": "Validation error when Lightning address format is invalid" - }, - "ledgerButtonNeedHelp": "Нужна помощь?", - "@ledgerButtonNeedHelp": { - "description": "Button label to show help/troubleshooting instructions" - }, - "backupInstruction4": "Не делайте цифровые копии вашей резервной копии. Запишите его на бумаге или выгравированы в металле.", - "@backupInstruction4": { - "description": "Fourth backup instruction about not making digital copies" - }, - "hwKrux": "Krux", - "@hwKrux": { - "description": "Name of Krux hardware wallet" - }, - "transactionFilterTransfer": "Перевод", - "@transactionFilterTransfer": { - "description": "Filter option to show only transfer/swap transactions" - }, - "recoverbullSelectVaultImportSuccess": "Ваше хранилище было успешно импортировано", - "@recoverbullSelectVaultImportSuccess": { - "description": "Success message shown on vault selected page" - }, - "mempoolServerNotUsed": "Не используется (активный сервер)", - "@mempoolServerNotUsed": { - "description": "Label shown when default server is not used because custom server is active" - }, - "recoverbullSelectErrorPrefix": "Ошибка:", - "@recoverbullSelectErrorPrefix": { - "description": "Prefix text shown before error messages" - }, - "bitboxErrorDeviceMismatch": "Устройства обнаружена ошибка.", - "@bitboxErrorDeviceMismatch": { - "description": "Error when connected device does not match expected device" - }, - "arkReceiveBtcAddress": "Адрес BTC", - "@arkReceiveBtcAddress": { - "description": "Label for Bitcoin address" - }, - "exchangeLandingRecommendedExchange": "Bitcoin Exchange", - "@exchangeLandingRecommendedExchange": { - "description": "Subtitle on landing screen v2 describing Bull Bitcoin as recommended" - }, - "backupWalletHowToDecideVaultMoreInfo": "Посетите Recoverybull.com для получения дополнительной информации.", - "@backupWalletHowToDecideVaultMoreInfo": { - "description": "Link text to external resource about vault locations" - }, - "recoverbullGoBackEdit": "<< Назад и редакцию", - "@recoverbullGoBackEdit": { - "description": "Button text to return to previous screen for editing" - }, - "importWatchOnlyWalletGuides": "Настенные гиды", - "@importWatchOnlyWalletGuides": { - "description": "Button label for wallet documentation and guides" - }, - "receiveConfirming": "{count}/{required}", - "@receiveConfirming": { - "description": "Shows confirmation progress", - "placeholders": { - "count": { - "type": "int" - }, - "required": { - "type": "int" - } - } - }, - "fundExchangeInfoPaymentDescription": "В описании оплаты добавьте код передачи.", - "@fundExchangeInfoPaymentDescription": { - "description": "Info about adding transfer code to payment description" - }, - "payInstantPayments": "Мгновенные платежи", - "@payInstantPayments": { - "description": "Display text for instant payment wallet" - }, - "importWatchOnlyImportButton": "Импорт Watch-Only Wallet", - "@importWatchOnlyImportButton": { - "description": "Button to confirm watch-only import" - }, - "fundExchangeCrIbanCrcDescriptionBold": "точно", - "@fundExchangeCrIbanCrcDescriptionBold": { - "description": "Bold emphasis word for CR IBAN transfer instructions" - }, - "electrumTitle": "Параметры сервера Electrum", - "@electrumTitle": { - "description": "AppBar title for Electrum settings screen" - }, - "importQrDeviceJadeStep7": "При необходимости выберите \"Вариации\" для изменения типа адреса", - "@importQrDeviceJadeStep7": { - "description": "Jade instruction step 7" - }, - "transactionNetworkLightning": "Освещение", - "@transactionNetworkLightning": { - "description": "Label for Lightning network transactions" - }, - "paySecurityQuestionLength": "{count}/40 символов", - "@paySecurityQuestionLength": { - "description": "Character count for security question", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "sendBroadcastingTransaction": "Трансляция сделки.", - "@sendBroadcastingTransaction": { - "description": "Message shown while broadcasting transaction to network" - }, - "pinCodeMinLengthError": "PIN должен быть как минимум X21X", - "@pinCodeMinLengthError": { - "description": "Error message when PIN is too short", - "placeholders": { - "minLength": { - "type": "String" - } - } - }, - "swapReceiveExactAmountLabel": "Получить точную сумму", - "@swapReceiveExactAmountLabel": { - "description": "Label when receive exact amount toggle is on" - }, - "arkContinueButton": "Продолжить", - "@arkContinueButton": { - "description": "Continue button text used in ark send flow" - }, - "ledgerImportButton": "Начало", - "@ledgerImportButton": { - "description": "Button label to start importing Ledger wallet" - }, - "dcaActivate": "Активировать покупку", - "@dcaActivate": { - "description": "Label to activate DCA" - }, - "labelInputLabel": "Этикетки", - "@labelInputLabel": { - "description": "Label for wallet label input field" - }, - "bitboxActionPairDeviceButton": "Путеводитель", - "@bitboxActionPairDeviceButton": { - "description": "Button text for pair device" - }, - "importQrDeviceSpecterName": "Specter", - "@importQrDeviceSpecterName": { - "description": "Name of Specter device" - }, - "transactionDetailLabelSwapFees": "Плата за смывку", - "@transactionDetailLabelSwapFees": { - "description": "Label for swap fees" - }, - "broadcastSignedTxFee": "Fee", - "@broadcastSignedTxFee": { - "description": "Label for transaction fee" - }, - "recoverbullRecoveryBalanceLabel": "Остаток: {amount}", - "@recoverbullRecoveryBalanceLabel": { - "description": "Label showing total wallet balance found", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyFundYourAccount": "Фонд вашего счета", - "@buyFundYourAccount": { - "description": "Button to fund exchange account" - }, - "sellReplaceByFeeActivated": "Замена по фе активирована", - "@sellReplaceByFeeActivated": { - "description": "Label for RBF toggle" - }, - "globalDefaultBitcoinWalletLabel": "Безопасный биткойн", - "@globalDefaultBitcoinWalletLabel": { - "description": "Default label for Bitcoin wallets when used as the default wallet" - }, - "arkAboutServerUrl": "Адрес сервера", - "@arkAboutServerUrl": { - "description": "Field label for server URL" - }, - "fundExchangeLabelRecipientAddress": "Адрес получателя", - "@fundExchangeLabelRecipientAddress": { - "description": "Label for recipient address field" - }, - "save": "Сохранить", - "@save": { - "description": "Generic save button label" - }, - "dcaWalletLiquidSubtitle": "Требуется совместимый кошелек", - "@dcaWalletLiquidSubtitle": { - "description": "Subtitle/description for Liquid wallet option" - }, - "fundExchangeCrIbanCrcTitle": "Bank Transfer (CRC)", - "@fundExchangeCrIbanCrcTitle": { - "description": "Screen title for Costa Rica bank transfer in Colones" - }, - "appUnlockButton": "Разблокировка", - "@appUnlockButton": { - "description": "Button label to unlock the app" - }, - "payServiceFee": "Сервисная плата", - "@payServiceFee": { - "description": "Label for service provider fee" - }, - "transactionStatusSwapExpired": "Замыкается", - "@transactionStatusSwapExpired": { - "description": "Status label for expired swaps" - }, - "swapAmountPlaceholder": "0", - "@swapAmountPlaceholder": { - "description": "Placeholder for amount input fields" - }, - "fundExchangeMethodInstantSepaSubtitle": "Самый быстрый - только для транзакций ниже €20,000", - "@fundExchangeMethodInstantSepaSubtitle": { - "description": "Subtitle for Instant SEPA payment method" - }, - "dcaConfirmError": "Что-то пошло не так:", - "@dcaConfirmError": { - "description": "DCA confirmation error message", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "exchangeDcaNetworkLiquid": "Жидкая сеть", - "@exchangeDcaNetworkLiquid": { - "description": "DCA network option: Liquid" - }, - "fundExchangeSepaDescription": "Отправка SEPA с вашего банковского счета с использованием деталей ниже ", - "@fundExchangeSepaDescription": { - "description": "Description for SEPA transfer (first part, before 'exactly')" - }, - "sendAddress": "Адрес: ", - "@sendAddress": { - "description": "Label prefix for address field" - }, - "receiveBitcoinNetwork": "Bitcoin", - "@receiveBitcoinNetwork": { - "description": "Bitcoin on-chain network option" - }, - "fundExchangeCrIbanCrcPaymentDescriptionHelp": "Ваш код передачи.", - "@fundExchangeCrIbanCrcPaymentDescriptionHelp": { - "description": "Help text explaining payment description is the transfer code" - }, - "testBackupWriteDownPhrase": "Запишите свою фразу восстановления\nв правильном порядке", - "@testBackupWriteDownPhrase": { - "description": "Main instruction header for physical backup screen" - }, - "jadeStep8": " - Попробуйте переместить устройство ближе или дальше", - "@jadeStep8": { - "description": "Jade troubleshooting tip 3" - }, - "payNotLoggedIn": "Не встроен", - "@payNotLoggedIn": { - "description": "Title for not logged in card" - }, - "importQrDeviceSpecterStep7": "Disable \"Use SLIP-132\"", - "@importQrDeviceSpecterStep7": { - "description": "Specter instruction step 7" - }, - "customLocationTitle": "Пользовательское расположение", - "@customLocationTitle": { - "description": "Title for custom location screen" - }, - "importQrDeviceJadeStep5": "Выберите \"Wallet\" из списка опций", - "@importQrDeviceJadeStep5": { - "description": "Jade instruction step 5" - }, - "arkSettled": "Установлено", - "@arkSettled": { - "description": "Label for settled balance in Ark balance breakdown" - }, - "transactionFilterBuy": "Купить", - "@transactionFilterBuy": { - "description": "Filter option to show only buy orders" - }, - "approximateFiatPrefix": "~", - "@approximateFiatPrefix": { - "description": "Prefix indicating approximate fiat equivalent value" - }, - "sendEstimatedDeliveryHoursToDays": "часы до дней", - "@sendEstimatedDeliveryHoursToDays": { - "description": "Estimated delivery time ranging from hours to days" - }, - "coreWalletTransactionStatusPending": "Завершение", - "@coreWalletTransactionStatusPending": { - "description": "Display name for pending wallet transaction status" - }, - "ledgerActionFailedMessage": "{action} Failed", - "@ledgerActionFailedMessage": { - "description": "Error message when a Ledger action fails", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "testBackupErrorLoadWallets": "Не удалось загрузить кошельки: {error}", - "@testBackupErrorLoadWallets": { - "description": "Error when loading wallets fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "fundExchangeLabelBankAccountCountry": "Страна с банковским счетом", - "@fundExchangeLabelBankAccountCountry": { - "description": "Label for bank account country field" - }, - "walletAddressTypeNestedSegwit": "Nested Segwit", - "@walletAddressTypeNestedSegwit": { - "description": "Address type for BIP49 wallets" - }, - "dcaConfirmDeactivate": "Да, деактивация", - "@dcaConfirmDeactivate": { - "description": "Confirm deactivation button" - }, - "exchangeLandingFeature2": "DCA, Limit orders and Auto-buy", - "@exchangeLandingFeature2": { - "description": "Second feature bullet point" - }, - "payPaymentPending": "Оплата не завершена", - "@payPaymentPending": { - "description": "Status message for in-flight payment" - }, - "payConfirmHighFee": "Плата за этот платеж {percentage}% от суммы. Продолжать?", - "@payConfirmHighFee": { - "description": "Confirmation prompt when fee percentage is high", - "placeholders": { - "percentage": { - "type": "String" - } - } - }, - "payPayoutAmount": "Сумма выплат", - "@payPayoutAmount": { - "description": "Label for amount user receives" - }, - "autoswapMaxBalanceInfo": "Когда баланс кошелька превышает двойную эту сумму, автотрансфер вызовет снижение баланса до этого уровня", - "@autoswapMaxBalanceInfo": { - "description": "Info tooltip for max balance field" - }, - "payPhone": "Телефон", - "@payPhone": { - "description": "Label for phone details" - }, - "recoverbullTorNetwork": "Tor Network", - "@recoverbullTorNetwork": { - "description": "Label for Tor network connection status" - }, - "transactionDetailLabelTransferStatus": "Статус передачи", - "@transactionDetailLabelTransferStatus": { - "description": "Label for transfer status" - }, - "importColdcardInstructionsTitle": "Инструкции Coldcard Q", - "@importColdcardInstructionsTitle": { - "description": "ImportColdcardQ: Title of instructions bottom sheet" - }, - "sendVerifyOnDevice": "Проверка на устройстве", - "@sendVerifyOnDevice": { - "description": "Instruction to check hardware wallet screen" - }, - "sendAmountRequested": "Запрошенная сумма: ", - "@sendAmountRequested": { - "description": "Label for the requested amount in a payment request" - }, - "exchangeTransactionsTitle": "Операции", - "@exchangeTransactionsTitle": { - "description": "Title for the transactions section in exchange" - }, - "payRoutingFailed": "Не удалось", - "@payRoutingFailed": { - "description": "Error when Lightning payment routing fails" - }, - "payCard": "Карта", - "@payCard": { - "description": "Label for card details" - }, - "sendFreezeCoin": "Заморозить монету", - "@sendFreezeCoin": { - "description": "Action to prevent UTXO from being spent" - }, - "fundExchangeLabelTransitNumber": "Транзитный номер", - "@fundExchangeLabelTransitNumber": { - "description": "Label for transit number field" - }, - "buyConfirmYouReceive": "Вы получите", - "@buyConfirmYouReceive": { - "description": "Field label for receive amount" - }, - "buyDocumentUpload": "Загрузка документов", - "@buyDocumentUpload": { - "description": "Section for ID document submission" - }, - "walletAddressTypeConfidentialSegwit": "Конфиденциальный Segwit", - "@walletAddressTypeConfidentialSegwit": { - "description": "Address type for Liquid wallets" - }, - "transactionDetailRetryTransfer": "Retry Transfer {action}", - "@transactionDetailRetryTransfer": { - "description": "Button label to retry a failed transfer action", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "sendTransferFeeDescription": "Это общая плата, вычтенная из суммы, отправленной", - "@sendTransferFeeDescription": { - "description": "Explanation of what the transfer fee represents" - }, - "bitcoinSettingsWalletsTitle": "Стены", - "@bitcoinSettingsWalletsTitle": { - "description": "Title for the wallets section in Bitcoin settings" - }, - "arkReceiveSegmentBoarding": "Расписание", - "@arkReceiveSegmentBoarding": { - "description": "Segment option for Boarding (BTC) address type" - }, - "seedsignerStep12": "Кошелек Bull Bitcoin попросит вас сканировать QR-код на SeedSigner. Сканируйте.", - "@seedsignerStep12": { - "description": "SeedSigner instruction for scanning signed PSBT" - }, - "psbtFlowKeystoneTitle": "Инструкции по кистоне", - "@psbtFlowKeystoneTitle": { - "description": "Title for Keystone device signing instructions" - }, - "transactionLabelTransferStatus": "Статус передачи", - "@transactionLabelTransferStatus": { - "description": "Label for transfer status" - }, - "arkSessionDuration": "Продолжительность сессии", - "@arkSessionDuration": { - "description": "Label for session duration field" - }, - "buyAboveMaxAmountError": "Вы пытаетесь купить выше максимальной суммы.", - "@buyAboveMaxAmountError": { - "description": "Error message for amount above maximum during buy" - }, - "electrumTimeoutWarning": "Ваш таймаут ({timeoutValue} секунд) ниже рекомендуемого значения ({recommended} секунд) для этого стоп-гапа.", - "@electrumTimeoutWarning": { - "description": "Warning message when timeout is too low for the configured Stop Gap", - "placeholders": { - "timeoutValue": { - "type": "String" - }, - "recommended": { - "type": "String" - } - } - }, - "sendShowPsbt": "Показать PSBT", - "@sendShowPsbt": { - "description": "Button to display PSBT for external signing" - }, - "ledgerErrorUnknownOccurred": "Неизвестная ошибка", - "@ledgerErrorUnknownOccurred": { - "description": "Error message when an unknown error occurs during Ledger operation" - }, - "receiveAddress": "Адрес", - "@receiveAddress": { - "description": "Label for generated address" - }, - "broadcastSignedTxAmount": "Сумма", - "@broadcastSignedTxAmount": { - "description": "Label for transaction amount" - }, - "hwJade": "Жадный блок", - "@hwJade": { - "description": "Name of Blockstream Jade hardware wallet" - }, - "keystoneStep14": "Теперь он готов к трансляции! Как только вы нажмете трансляцию, транзакция будет опубликована в сети Bitcoin и средства будут отправлены.", - "@keystoneStep14": { - "description": "Keystone final instruction about broadcasting" - }, - "recoverbullErrorConnectionFailed": "Не удалось подключиться к серверу целевого ключа. Попробуй еще раз!", - "@recoverbullErrorConnectionFailed": { - "description": "Error message when server connection fails" - }, - "testBackupDigitalCopy": "Цифровая копия", - "@testBackupDigitalCopy": { - "description": "Label with X mark warning against making digital copies" - }, - "fundExchangeLabelMemo": "Memo", - "@fundExchangeLabelMemo": { - "description": "Label for memo/reference field" - }, - "paySearchPayments": "Поисковые платежи...", - "@paySearchPayments": { - "description": "Search box placeholder" - }, - "payPendingPayments": "Завершение", - "@payPendingPayments": { - "description": "Filter for pending payments" - }, - "passwordMinLengthError": "{pinOrPassword} должно быть не менее 6 цифр длиной", - "@passwordMinLengthError": { - "description": "Error message for password minimum length", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "coreSwapsLnSendExpired": "Замыкается", - "@coreSwapsLnSendExpired": { - "description": "Status message for expired Lightning send swap" - }, - "sellSendPaymentUsdBalance": "USD Баланс", - "@sellSendPaymentUsdBalance": { - "description": "USD balance payout method" - }, - "backupWalletEncryptedVaultTag": "Легко и просто (1 минута)", - "@backupWalletEncryptedVaultTag": { - "description": "Tag indicating difficulty and time for encrypted vault backup" - }, - "payBroadcastFailed": "Вещатель провалился", - "@payBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, - "arkSettleTransactions": "Установочные транзакции", - "@arkSettleTransactions": { - "description": "Bottom sheet title for settling pending transactions" - }, - "transactionLabelConfirmationTime": "Время подтверждения", - "@transactionLabelConfirmationTime": { - "description": "Label for transaction confirmation timestamp" - }, - "languageSettingsScreenTitle": "Язык", - "@languageSettingsScreenTitle": { - "description": "The title of the language settings screen" - }, - "payNetworkFees": "Сетевые сборы", - "@payNetworkFees": { - "description": "Label for network fees amount" - }, - "bitboxScreenSegwitBip84": "Segwit (BIP84)", - "@bitboxScreenSegwitBip84": { - "description": "Script type display name for BIP84" - }, - "bitboxScreenConnectingSubtext": "Установление безопасного соединения...", - "@bitboxScreenConnectingSubtext": { - "description": "Subtext when connecting" - }, - "receiveShareAddress": "Адрес", - "@receiveShareAddress": { - "description": "Button to share via system share sheet" - }, - "arkTxPending": "Завершение", - "@arkTxPending": { - "description": "Status label for pending Ark transactions" - }, - "payAboveMaxAmountError": "Вы пытаетесь заплатить выше максимальной суммы, которую можно заплатить этим кошельком.", - "@payAboveMaxAmountError": { - "description": "Error message for amount above maximum" - }, - "sharedWithBullBitcoin": "поделился с Bull Bitcoin.", - "@sharedWithBullBitcoin": { - "description": "End part of privacy assurance message" - }, - "jadeStep7": " - Держите QR-код устойчивым и сосредоточенным", - "@jadeStep7": { - "description": "Jade troubleshooting tip 2" - }, - "sendCouldNotBuildTransaction": "Невозможно создать транзакции", - "@sendCouldNotBuildTransaction": { - "description": "Error message when a transaction cannot be built" - }, - "allSeedViewIUnderstandButton": "Я понимаю", - "@allSeedViewIUnderstandButton": { - "description": "Button label to acknowledge security warning" - }, - "coreScreensExternalTransfer": "Внешняя передача", - "@coreScreensExternalTransfer": { - "description": "Title for external transfer action" - }, - "fundExchangeSinpeWarningNoBitcoin": "Не поставить", - "@fundExchangeSinpeWarningNoBitcoin": { - "description": "Bold warning text at start of bitcoin warning message" - }, - "ledgerHelpStep3": "Убедитесь, что ваш Ledger включил Bluetooth.", - "@ledgerHelpStep3": { - "description": "Third troubleshooting step for Ledger connection issues" - }, - "coreSwapsChainFailedRefunding": "Перевод будет возвращен в ближайшее время.", - "@coreSwapsChainFailedRefunding": { - "description": "Status message for failed chain swap that will be refunded" - }, - "sendSelectAmount": "Выберите сумму", - "@sendSelectAmount": { - "description": "Label for selecting the amount to send" - }, - "sellKYCRejected": "Проверка КИК отклонена", - "@sellKYCRejected": { - "description": "Error when verification fails" - }, - "electrumNetworkLiquid": "Жидкость", - "@electrumNetworkLiquid": { - "description": "Liquid network tab label" - }, - "buyBelowMinAmountError": "Вы пытаетесь купить ниже минимальной суммы.", - "@buyBelowMinAmountError": { - "description": "Error message for amount below minimum during buy" - }, - "exchangeLandingFeature6": "Единая история транзакций", - "@exchangeLandingFeature6": { - "description": "Sixth feature bullet point" - }, - "transactionStatusPaymentRefunded": "Оплата", - "@transactionStatusPaymentRefunded": { - "description": "Status label for refunded payments" - }, - "pinCodeSecurityPinTitle": "Безопасность PIN", - "@pinCodeSecurityPinTitle": { - "description": "AppBar title for PIN settings screen" - }, - "bitboxActionImportWalletSuccessSubtext": "Ваш кошелек BitBox был успешно импортирован.", - "@bitboxActionImportWalletSuccessSubtext": { - "description": "Success subtext for import wallet" - }, - "electrumEmptyFieldError": "Это поле не может быть пустым", - "@electrumEmptyFieldError": { - "description": "Validation error for empty field" - }, - "transactionStatusPaymentInProgress": "Оплата", - "@transactionStatusPaymentInProgress": { - "description": "Status label for Lightning payments in progress" - }, - "connectHardwareWalletKrux": "Krux", - "@connectHardwareWalletKrux": { - "description": "Krux hardware wallet option" - }, - "receiveSelectNetwork": "Выберите сеть", - "@receiveSelectNetwork": { - "description": "Dropdown to choose receiving network" - }, - "sellLoadingGeneric": "Загрузка...", - "@sellLoadingGeneric": { - "description": "Generic loading message" - }, - "ledgerWalletTypeSegwit": "Segwit (BIP84)", - "@ledgerWalletTypeSegwit": { - "description": "Display name for Segwit wallet type (BIP84)" - }, - "bip85Mnemonic": "Mnemonic", - "@bip85Mnemonic": { - "description": "Label for mnemonic type entropy" - }, - "importQrDeviceSeedsignerName": "SeedSigner", - "@importQrDeviceSeedsignerName": { - "description": "Name of SeedSigner device" - }, - "payFeeTooHigh": "Fee необычайно высокий", - "@payFeeTooHigh": { - "description": "Warning when calculated fee is higher than expected" - }, - "fundExchangeBankTransferWireTitle": "Банковский перевод (провод)", - "@fundExchangeBankTransferWireTitle": { - "description": "Screen title for bank transfer wire payment details" - }, - "psbtFlowPartProgress": "Часть {current} {total}", - "@psbtFlowPartProgress": { - "description": "Progress indicator for animated QR code parts", - "placeholders": { - "current": { - "type": "String" - }, - "total": { - "type": "String" - } - } - }, - "receiveShareInvoice": "Счет-фактура", - "@receiveShareInvoice": { - "description": "Button to share invoice" - }, - "buyCantBuyMoreThan": "Вы не можете купить больше, чем", - "@buyCantBuyMoreThan": { - "description": "Error message for amount above maximum" - }, - "dcaUnableToGetConfig": "Невозможно получить конфигурацию DCA", - "@dcaUnableToGetConfig": { - "description": "Error message when DCA config unavailable" - }, - "exchangeAuthLoginFailed": "Не удалось", - "@exchangeAuthLoginFailed": { - "description": "Login failure dialog title" - }, - "arkAvailable": "Доступный", - "@arkAvailable": { - "description": "Label for available balance in Ark balance breakdown" - }, - "transactionSwapDescChainFailed": "Была проблема с вашим переводом. Пожалуйста, свяжитесь с поддержкой, если средства не были возвращены в течение 24 часов.", - "@transactionSwapDescChainFailed": { - "description": "Description for failed chain swap" - }, - "testBackupWarningMessage": "Без резервного копирования вы в конечном итоге потеряете доступ к своим деньгам. Крайне важно сделать резервную копию.", - "@testBackupWarningMessage": { - "description": "Warning message emphasizing importance of backups" - }, - "arkNetwork": "Сеть", - "@arkNetwork": { - "description": "Label for network field" - }, - "importWatchOnlyYpub": "ypub", - "@importWatchOnlyYpub": { - "description": "Label for ypub import method" - }, - "ledgerVerifyTitle": "Проверка Адреса на Ledger", - "@ledgerVerifyTitle": { - "description": "Title for verifying an address on Ledger device" - }, - "recoverbullSwitchToPassword": "Вместо этого выберите пароль", - "@recoverbullSwitchToPassword": { - "description": "Button text to switch from PIN to password input" - }, - "exchangeDcaNetworkBitcoin": "Bitcoin Network", - "@exchangeDcaNetworkBitcoin": { - "description": "DCA network option: Bitcoin" - }, - "autoswapWarningTitle": "Autoswap включен со следующими настройками:", - "@autoswapWarningTitle": { - "description": "Title text in the autoswap warning bottom sheet" - }, - "seedsignerStep1": "Включите устройство SeedSigner", - "@seedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, - "backupWalletHowToDecideBackupLosePhysical": "Один из самых распространенных способов, которыми люди теряют свой биткойн, заключается в том, что они теряют физическую резервную копию. Любой, кто найдет вашу физическую поддержку, сможет взять весь ваш биткойн. Если вы очень уверены, что можете хорошо спрятать его и никогда его не потерять, это хороший вариант.", - "@backupWalletHowToDecideBackupLosePhysical": { - "description": "Explanation of physical backup risks in decision help modal" - }, - "transactionLabelStatus": "Статус", - "@transactionLabelStatus": { - "description": "Label for transaction status" - }, - "transactionSwapDescLnSendDefault": "Ваш обмен идет. Этот процесс автоматизирован и может занять некоторое время для завершения.", - "@transactionSwapDescLnSendDefault": { - "description": "Default description for Lightning send swap" - }, - "recoverbullErrorMissingBytes": "Пропавшие байты из ответа Tor. Retry, но если проблема сохраняется, это известный вопрос для некоторых устройств с Tor.", - "@recoverbullErrorMissingBytes": { - "description": "Error message when Tor response is incomplete" - }, - "coreScreensReceiveNetworkFeeLabel": "Получение сетевой платы", - "@coreScreensReceiveNetworkFeeLabel": { - "description": "Label for receive network fee field" - }, - "transactionPayjoinStatusCompleted": "Завершено", - "@transactionPayjoinStatusCompleted": { - "description": "Payjoin status: completed" - }, - "payEstimatedFee": "Расчетный показатель", - "@payEstimatedFee": { - "description": "Label for estimated network fee" - }, - "sendSendAmount": "Отправить", - "@sendSendAmount": { - "description": "Label for amount being sent in swap" - }, - "sendSelectedUtxosInsufficient": "Выбранные utxos не покрывают требуемую сумму", - "@sendSelectedUtxosInsufficient": { - "description": "Error message when selected UTXOs don't cover the required amount" - }, - "swapErrorBalanceTooLow": "Слишком низкий баланс для минимальной суммы свопов", - "@swapErrorBalanceTooLow": { - "description": "Error when balance is below minimum swap limit" - }, - "replaceByFeeErrorGeneric": "При попытке заменить транзакцию произошла ошибка", - "@replaceByFeeErrorGeneric": { - "description": "Generic error message for replace-by-fee operation failures" - }, - "fundExchangeWarningTactic5": "Они просят отправить биткойн на другую платформу", - "@fundExchangeWarningTactic5": { - "description": "Fifth scammer tactic warning" - }, - "rbfCustomFee": "Пользовательские феи", - "@rbfCustomFee": { - "description": "Label for custom fee option" - }, - "importQrDeviceFingerprint": "Fingerprint", - "@importQrDeviceFingerprint": { - "description": "Label for device fingerprint" - }, - "physicalBackupRecommendationText": "Вы уверены в своих собственных возможностях операционной безопасности, чтобы скрыть и сохранить ваши семенные слова Bitcoin.", - "@physicalBackupRecommendationText": { - "description": "Text explaining when to use physical backup" - }, - "importWatchOnlyDescriptor": "Дескриптор", - "@importWatchOnlyDescriptor": { - "description": "Label for descriptor import method" - }, - "payPaymentInProgress": "Payment In Progress!", - "@payPaymentInProgress": { - "description": "Title for payment in progress screen" - }, - "recoverbullFailed": "Не удалось", - "@recoverbullFailed": { - "description": "Status label indicating operation failure" - }, - "payOrderAlreadyConfirmed": "Этот порядок оплаты уже подтвержден.", - "@payOrderAlreadyConfirmed": { - "description": "Error message when pay order is already confirmed" - }, - "ledgerProcessingSign": "Подписание транзакции", - "@ledgerProcessingSign": { - "description": "Status message shown while signing transaction with Ledger" - }, - "jadeStep6": " - Увеличить яркость экрана на вашем устройстве", - "@jadeStep6": { - "description": "Jade troubleshooting tip 1" - }, - "fundExchangeETransferLabelEmail": "Отправить E-трансфер на эту электронную почту", - "@fundExchangeETransferLabelEmail": { - "description": "Label for E-transfer recipient email" - }, - "pinCodeCreateButton": "Создать PIN", - "@pinCodeCreateButton": { - "description": "Button label to create a new PIN" - }, - "bitcoinSettingsTestnetModeTitle": "Режим", - "@bitcoinSettingsTestnetModeTitle": { - "description": "Title for the testnet mode toggle in Bitcoin settings" - }, - "buyTitle": "Купить Bitcoin", - "@buyTitle": { - "description": "Screen title for buying Bitcoin" - }, - "fromLabel": "Из", - "@fromLabel": { - "description": "Label for source wallet in transaction details" - }, - "sellCompleteKYC": "Полный KYC", - "@sellCompleteKYC": { - "description": "Button to start verification process" - }, - "hwConnectTitle": "Соедините аппаратное обеспечение", - "@hwConnectTitle": { - "description": "AppBar title for hardware wallet selection screen" - }, - "payRequiresSwap": "Этот платеж требует свопа", - "@payRequiresSwap": { - "description": "Info message when payment needs submarine swap" - }, - "exchangeSecurityManage2FAPasswordLabel": "Управление 2FA и пароль", - "@exchangeSecurityManage2FAPasswordLabel": { - "description": "Label for managing 2FA and password in exchange security settings" - }, - "backupWalletSuccessTitle": "Закрытие завершено!", - "@backupWalletSuccessTitle": { - "description": "Success screen title after backup is completed" - }, - "transactionSwapDescLnSendFailed": "С твоим обменом была проблема. Ваши средства будут возвращены в ваш кошелек автоматически.", - "@transactionSwapDescLnSendFailed": { - "description": "Description for failed Lightning send swap" - }, - "sendCoinAmount": "Сумма: {amount}", - "@sendCoinAmount": { - "description": "Label for UTXO amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "walletDeletionFailedOkButton": "ХОРОШО", - "@walletDeletionFailedOkButton": { - "description": "OK button label in wallet deletion failed dialog" - }, - "payTotalFees": "Итого", - "@payTotalFees": { - "description": "Label for sum of all fees" - }, - "fundExchangeOnlineBillPaymentHelpBillerName": "Добавить эту компанию в качестве плательщика - это платежный процессор Bull Bitcoin", - "@fundExchangeOnlineBillPaymentHelpBillerName": { - "description": "Help text for biller name field" - }, - "payPayoutMethod": "Метод выплаты", - "@payPayoutMethod": { - "description": "Label for payout method section" - }, - "ledgerVerifyButton": "Верификация Адрес", - "@ledgerVerifyButton": { - "description": "Button label to start address verification on Ledger" - }, - "sendErrorSwapFeesNotLoaded": "Плата за смывку не взимается", - "@sendErrorSwapFeesNotLoaded": { - "description": "Error when swap fee information is unavailable" - }, - "walletDetailsCopyButton": "Копировать", - "@walletDetailsCopyButton": { - "description": "Button label for copying wallet details to clipboard" - }, - "backupWalletGoogleDrivePrivacyMessage3": "оставьте свой телефон и ", - "@backupWalletGoogleDrivePrivacyMessage3": { - "description": "Third part of privacy message" - }, - "backupCompletedDescription": "Теперь давайте проверим вашу резервную копию, чтобы убедиться, что все было сделано правильно.", - "@backupCompletedDescription": { - "description": "Description prompting user to test their backup" - }, - "sendErrorInsufficientFundsForFees": "Недостаточно средств для покрытия суммы и сборов", - "@sendErrorInsufficientFundsForFees": { - "description": "Error when wallet cannot cover transaction amount plus fees" - }, - "buyConfirmPayoutMethod": "Метод выплаты", - "@buyConfirmPayoutMethod": { - "description": "Field label for payout method" - }, - "dcaCancelButton": "Отмена", - "@dcaCancelButton": { - "description": "Cancel button in DCA dialog" - }, - "durationMinutes": "{minutes}", - "@durationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "dcaConfirmNetworkLiquid": "Жидкость", - "@dcaConfirmNetworkLiquid": { - "description": "Liquid network label" - }, - "walletDetailsAddressTypeLabel": "Тип адреса", - "@walletDetailsAddressTypeLabel": { - "description": "Label for the address type field in wallet details" - }, - "emptyMnemonicWordsError": "Введите все слова вашей ямонии", - "@emptyMnemonicWordsError": { - "description": "Error message when not all mnemonic words are filled in" - }, - "arkSettleCancel": "Отмена", - "@arkSettleCancel": { - "description": "Cancel button on settle bottom sheet" - }, - "testBackupTapWordsInOrder": "Переместите слова восстановления в\nправильный заказ", - "@testBackupTapWordsInOrder": { - "description": "Instruction header for word selection quiz" - }, - "transactionSwapDescLnSendExpired": "Этот обмен истек. Ваши средства будут автоматически возвращены в ваш кошелек.", - "@transactionSwapDescLnSendExpired": { - "description": "Description for expired Lightning send swap" - }, - "testBackupButton": "Проверка", - "@testBackupButton": { - "description": "Button label to test backup" - }, - "sendChange": "Изменение", - "@sendChange": { - "description": "Label for change output in a transaction" - }, - "coreScreensInternalTransfer": "Внутренний перевод", - "@coreScreensInternalTransfer": { - "description": "Title for internal transfer action" - }, - "sendSwapWillTakeTime": "Это займет некоторое время, чтобы подтвердить", - "@sendSwapWillTakeTime": { - "description": "Message warning swap confirmation takes time" - }, - "autoswapSelectWalletError": "Пожалуйста, выберите получателя Bitcoin бумажник", - "@autoswapSelectWalletError": { - "description": "Validation error when trying to enable auto transfer without selecting a wallet" - }, - "sellServiceFee": "Сервисная плата", - "@sellServiceFee": { - "description": "Label for Bull Bitcoin service fee" - }, - "connectHardwareWalletTitle": "Соедините аппаратное обеспечение", - "@connectHardwareWalletTitle": { - "description": "Title for connect hardware wallet page" - }, - "replaceByFeeCustomFeeTitle": "Пользовательские феи", - "@replaceByFeeCustomFeeTitle": { - "description": "Title for custom fee input section" - }, - "kruxStep14": "Кошелек Bull Bitcoin попросит вас сканировать QR-код на Krux. Сканируйте.", - "@kruxStep14": { - "description": "Krux instruction for scanning signed PSBT" - }, - "payAvailableBalance": "Доступно: {amount}", - "@payAvailableBalance": { - "description": "Label showing available wallet balance", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "payCheckingStatus": "Проверка состояния оплаты...", - "@payCheckingStatus": { - "description": "Loading message while verifying payment status" - }, - "payMemo": "Memo", - "@payMemo": { - "description": "Label for optional payment note" - }, - "languageSettingsLabel": "Язык", - "@languageSettingsLabel": { - "description": "The label for the button to access the language settings" - }, - "fundExchangeMethodCrIbanCrc": "Коста-Рика IBAN (CRC)", - "@fundExchangeMethodCrIbanCrc": { - "description": "Payment method: Costa Rica IBAN in Colones" - }, - "walletDeletionFailedTitle": "Удалить не удалось", - "@walletDeletionFailedTitle": { - "description": "Title for the wallet deletion failed dialog" - }, - "payPayFromWallet": "Платить за кошелек", - "@payPayFromWallet": { - "description": "Label for wallet used for payment" - }, - "broadcastSignedTxNfcTitle": "NFC", - "@broadcastSignedTxNfcTitle": { - "description": "Title for NFC scanning page" - }, - "buyYouPay": "Ты платишь", - "@buyYouPay": { - "description": "Label for amount user pays" - }, - "payOrderAlreadyConfirmedError": "Этот порядок оплаты уже подтвержден.", - "@payOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed order" - }, - "passportStep12": "Кошелек Bull Bitcoin попросит вас сканировать QR-код на паспорте. Сканируйте.", - "@passportStep12": { - "description": "Passport instruction for scanning signed PSBT" - }, - "paySelectRecipient": "Выберите получателя", - "@paySelectRecipient": { - "description": "Screen title for recipient selection" - }, - "payNoActiveWallet": "Нет активного кошелька", - "@payNoActiveWallet": { - "description": "Error when no wallet is selected" - }, - "importQrDeviceKruxStep4": "Нажмите кнопку «открытая камера»", - "@importQrDeviceKruxStep4": { - "description": "Krux instruction step 4" - }, - "appStartupErrorMessageWithBackup": "На v5.4.0 был обнаружен критический жучок в одной из наших зависимостей, которые влияют на личное хранилище ключей. Это повлияло на ваше приложение. Вам придется удалить это приложение и переустановить его с резервным семенем.", - "@appStartupErrorMessageWithBackup": { - "description": "Error message shown when app startup fails due to seed storage issue and user has a backup" - }, - "payPasteInvoice": "Счет-фактура", - "@payPasteInvoice": { - "description": "Button text to paste invoice from clipboard" - }, - "labelErrorUnexpected": "Неожиданная ошибка: {message}", - "@labelErrorUnexpected": { - "description": "Error message for unexpected label errors", - "placeholders": { - "message": { - "type": "String" - } - } - }, - "arkStatusSettled": "Установлено", - "@arkStatusSettled": { - "description": "Status label for settled redeem transactions" - }, - "dcaWalletBitcoinSubtitle": "Минимальный 0,001 BTC", - "@dcaWalletBitcoinSubtitle": { - "description": "Subtitle/description for Bitcoin wallet option" - }, - "bitboxScreenEnterPasswordSubtext": "Пожалуйста, введите свой пароль на устройстве BitBox, чтобы продолжить.", - "@bitboxScreenEnterPasswordSubtext": { - "description": "Subtext when waiting for password" - }, - "systemLabelSwaps": "Свапы", - "@systemLabelSwaps": { - "description": "System label for swap transactions" - }, - "sendOpenTheCamera": "Откройте камеру", - "@sendOpenTheCamera": { - "description": "Button label for opening the camera to scan QR codes" - }, - "passportStep11": "Нажмите «I'm done» в кошельке Bull Bitcoin.", - "@passportStep11": { - "description": "Passport instruction to return to app" - }, - "sendSwapId": "Идентификатор швапа", - "@sendSwapId": { - "description": "Label for swap identifier in transaction details" - }, - "electrumServerOnline": "Онлайн", - "@electrumServerOnline": { - "description": "Status text for online servers" - }, - "fundExchangeAccountTitle": "Фонд вашего счета", - "@fundExchangeAccountTitle": { - "description": "Main title on the fund exchange account screen" - }, - "exchangeAppSettingsSaveButton": "Сохранить", - "@exchangeAppSettingsSaveButton": { - "description": "Button label for saving exchange app settings" - }, - "fundExchangeWarningTactic1": "Они обещают прибыль от инвестиций", - "@fundExchangeWarningTactic1": { - "description": "First scammer tactic warning" - }, - "testBackupDefaultWallets": "По умолчанию", - "@testBackupDefaultWallets": { - "description": "Label shown when testing the default wallets" - }, - "receiveSendNetworkFee": "Отправить Сеть", - "@receiveSendNetworkFee": { - "description": "Label for the network fee on the sending network in a swap transaction" - }, - "autoswapRecipientWalletInfoText": "Выберите, какой биткойн-кошелек получит переведенные средства (требуется)", - "@autoswapRecipientWalletInfoText": { - "description": "Help text explaining wallet selection" - }, - "withdrawAboveMaxAmountError": "Вы пытаетесь выйти выше максимальной суммы.", - "@withdrawAboveMaxAmountError": { - "description": "Error message for amount above maximum during withdraw" - }, - "psbtFlowScanDeviceQr": "Кошелек Bull Bitcoin попросит вас сканировать QR-код на {device}. Сканируйте.", - "@psbtFlowScanDeviceQr": { - "description": "Instruction to scan QR code from hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "exchangeAuthLoginFailedMessage": "Произошла ошибка, пожалуйста, попробуйте снова войти.", - "@exchangeAuthLoginFailedMessage": { - "description": "Message shown when exchange login fails" - }, - "okButton": "ХОРОШО", - "@okButton": { - "description": "Button to dismiss coming soon message" - }, - "passportStep13": "Сделка будет импортирована в кошельке Bull Bitcoin.", - "@passportStep13": { - "description": "Passport instruction about import completion" - }, - "importQrDeviceKeystoneStep3": "Нажмите на три точки справа сверху", - "@importQrDeviceKeystoneStep3": { - "description": "Keystone instruction step 3" - }, - "exchangeAmountInputValidationInvalid": "Неверная сумма", - "@exchangeAmountInputValidationInvalid": { - "description": "Validation message when amount is invalid" - }, - "exchangeAccountInfoLoadErrorMessage": "Невозможно загрузить информацию о счете", - "@exchangeAccountInfoLoadErrorMessage": { - "description": "Error message when account information fails to load" - }, - "dcaWalletSelectionContinueButton": "Продолжить", - "@dcaWalletSelectionContinueButton": { - "description": "Button label to proceed to confirmation screen" - }, - "pinButtonChange": "Изменение PIN", - "@pinButtonChange": { - "description": "Button label when PIN already exists" - }, - "sendErrorInsufficientFundsForPayment": "Недостаточно средств для оплаты.", - "@sendErrorInsufficientFundsForPayment": { - "description": "Error when insufficient funds available" - }, - "arkAboutShow": "Показать", - "@arkAboutShow": { - "description": "Button text to show hidden secret key" - }, - "fundExchangeETransferTitle": "E-Transfer details", - "@fundExchangeETransferTitle": { - "description": "Screen title for E-Transfer payment details" - }, - "verifyButton": "Проверка", - "@verifyButton": { - "description": "Button label to verify recovery phrase" - }, - "autoswapWarningOkButton": "ХОРОШО", - "@autoswapWarningOkButton": { - "description": "OK button label in the autoswap warning bottom sheet" - }, - "swapTitle": "Внутренний перевод", - "@swapTitle": { - "description": "AppBar title for swap/internal transfer screen" - }, - "sendOutputTooSmall": "Выход за пределы пыли", - "@sendOutputTooSmall": { - "description": "Error for tiny output amount" - }, - "copiedToClipboardMessage": "Копируется в буфер обмена", - "@copiedToClipboardMessage": { - "description": "Snackbar confirmation message after copying to clipboard" - }, - "torSettingsStatusConnected": "Соединение", - "@torSettingsStatusConnected": { - "description": "Status title when Tor is connected" - }, - "arkCopiedToClipboard": "{label}", - "@arkCopiedToClipboard": { - "description": "SnackBar message when field is copied", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "arkRecipientAddress": "Адрес получателя", - "@arkRecipientAddress": { - "description": "Label for recipient address input field" - }, - "payLightningNetwork": "Сеть освещения", - "@payLightningNetwork": { - "description": "Option for Lightning Network payment" - }, - "shareLogsLabel": "Журналы", - "@shareLogsLabel": { - "description": "List tile label to share application logs" - }, - "ledgerSuccessVerifyTitle": "Проверяющий адрес на Ledger...", - "@ledgerSuccessVerifyTitle": { - "description": "Success message title for address verification on Ledger" - }, - "payCorporateNameHint": "Введите фирменное имя", - "@payCorporateNameHint": { - "description": "Hint for corporate name input" - }, - "sellExternalWallet": "Внешний кошелек", - "@sellExternalWallet": { - "description": "Option for external wallet" - }, - "backupSettingsFailedToDeriveKey": "Не удалось вывести резервный ключ", - "@backupSettingsFailedToDeriveKey": { - "description": "Error message when backup key derivation fails" - }, - "googleDriveProvider": "Google Drive", - "@googleDriveProvider": { - "description": "Name of Google Drive provider" - }, - "sellAccountName": "Имя пользователя", - "@sellAccountName": { - "description": "Label for bank account holder name" - }, - "statusCheckUnknown": "Неизвестный", - "@statusCheckUnknown": { - "description": "Status text when service status is unknown" - }, - "howToDecideVaultLocationText2": "Настраиваемое местоположение может быть гораздо более безопасным, в зависимости от того, какое место вы выберете. Вы также должны убедиться, что не потеряете резервный файл или потеряете устройство, на котором хранится ваш резервный файл.", - "@howToDecideVaultLocationText2": { - "description": "Second paragraph explaining custom location benefits" - }, - "logSettingsLogsTitle": "Журналы", - "@logSettingsLogsTitle": { - "description": "Title for the logs section in settings" - }, - "fundExchangeOnlineBillPaymentHelpAccountNumber": "Этот уникальный номер аккаунта создан только для вас", - "@fundExchangeOnlineBillPaymentHelpAccountNumber": { - "description": "Help text for account number field" - }, - "psbtFlowReadyToBroadcast": "Теперь он готов к трансляции! Как только вы нажмете трансляцию, транзакция будет опубликована в сети Bitcoin и средства будут отправлены.", - "@psbtFlowReadyToBroadcast": { - "description": "Final message that transaction is ready to broadcast" - }, - "sendErrorLiquidWalletRequired": "Жидкий кошелек должен использоваться для замены жидкости молнии", - "@sendErrorLiquidWalletRequired": { - "description": "Error when wrong wallet type used for Liquid to Lightning swap" - }, - "arkDurationMinutes": "{minutes}", - "@arkDurationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "dcaSetupInsufficientBalance": "Недостаточный баланс", - "@dcaSetupInsufficientBalance": { - "description": "Insufficient balance error title" - }, - "swapTransferRefundedMessage": "Перевод был успешно возвращен.", - "@swapTransferRefundedMessage": { - "description": "Refund completion message" - }, - "payInvalidState": "Неверное государство", - "@payInvalidState": { - "description": "Error message for invalid state" - }, - "receiveWaitForPayjoin": "Ожидайте, что отправитель завершит сделку payjoin", - "@receiveWaitForPayjoin": { - "description": "Instructions to wait for the sender during a payjoin transaction" - }, - "seedsignerStep5": " - Увеличить яркость экрана на вашем устройстве", - "@seedsignerStep5": { - "description": "SeedSigner troubleshooting tip 1" - }, - "transactionSwapDescLnReceiveExpired": "Этот обмен истек. Любые отправленные средства будут автоматически возвращены отправителю.", - "@transactionSwapDescLnReceiveExpired": { - "description": "Description for expired Lightning receive swap" - }, - "sellKYCApproved": "KYC одобрен", - "@sellKYCApproved": { - "description": "Status when verification complete" - }, - "arkTransaction": "сделка", - "@arkTransaction": { - "description": "Singular form for transaction count" - }, - "dcaFrequencyMonthly": "месяц", - "@dcaFrequencyMonthly": { - "description": "Monthly DCA frequency" - }, - "buyKYCLevel": "KYC Уровень", - "@buyKYCLevel": { - "description": "Label for verification tier" - }, - "passportInstructionsTitle": "Паспортные инструкции Фонда", - "@passportInstructionsTitle": { - "description": "Title for Passport signing instructions modal" - }, - "ledgerSuccessImportTitle": "Кошелек импортируется успешно", - "@ledgerSuccessImportTitle": { - "description": "Success message title after importing Ledger wallet" - }, - "physicalBackupTitle": "Физическая резервная копия", - "@physicalBackupTitle": { - "description": "Title for physical backup option" - }, - "exchangeReferralsMissionLink": "bullbitcoin.com/mission", - "@exchangeReferralsMissionLink": { - "description": "Link to the Bull Bitcoin mission page" - }, - "swapTransferPendingMessage": "Перенос продолжается. Биткойн-транзакции могут занять некоторое время, чтобы подтвердить. Вы можете вернуться домой и подождать.", - "@swapTransferPendingMessage": { - "description": "Message shown during pending swap" - }, - "transactionSwapLiquidToBitcoin": "L-BTC → BTC", - "@transactionSwapLiquidToBitcoin": { - "description": "Label for Liquid to Bitcoin swap" - }, - "testBackupDecryptVault": "Зашифрованное хранилище", - "@testBackupDecryptVault": { - "description": "Button text to decrypt the vault" - }, - "transactionDetailBumpFees": "Плата за бамбы", - "@transactionDetailBumpFees": { - "description": "Button label to increase transaction fees via RBF" - }, - "psbtFlowNoPartsToDisplay": "Нет частей для отображения", - "@psbtFlowNoPartsToDisplay": { - "description": "Message when there are no QR code parts to show" - }, - "addressCardCopiedMessage": "Адрес, скопированный в буфер обмена", - "@addressCardCopiedMessage": { - "description": "Success message when an address is copied to clipboard" - }, - "totalFeeLabel": "Итого", - "@totalFeeLabel": { - "description": "Label for expandable total fee breakdown in swap" - }, - "mempoolCustomServerBottomSheetDescription": "Введите URL-адрес вашего пользовательского сервера mempool. Сервер будет проверен до сохранения.", - "@mempoolCustomServerBottomSheetDescription": { - "description": "Description in bottom sheet for adding/editing custom server" - }, - "sellBelowMinAmountError": "Вы пытаетесь продать ниже минимальной суммы, которую можно продать с этим кошельком.", - "@sellBelowMinAmountError": { - "description": "Error message for amount below minimum" - }, - "buyAwaitingConfirmation": "Пробуждение подтверждения ", - "@buyAwaitingConfirmation": { - "description": "Text shown while waiting for order confirmation" - }, - "payExpired": "Заключено", - "@payExpired": { - "description": "Status label for expired invoice" - }, - "recoverbullBalance": "Остаток: {balance}", - "@recoverbullBalance": { - "description": "Label showing wallet balance during vault recovery", - "placeholders": { - "balance": { - "type": "String" - } - } - }, - "exchangeSecurityAccessSettingsButton": "Параметры доступа", - "@exchangeSecurityAccessSettingsButton": { - "description": "Button label for accessing security settings in exchange" - }, - "payPaymentSuccessful": "Оплата успешно", - "@payPaymentSuccessful": { - "description": "Success message after payment completes" - }, - "exchangeHomeWithdraw": "Выделить", - "@exchangeHomeWithdraw": { - "description": "Withdraw button label" - }, - "importMnemonicSegwit": "Segwit", - "@importMnemonicSegwit": { - "description": "Label for Segwit (BIP84) wallet type" - }, - "importQrDeviceJadeStep6": "Выберите \"Export Xpub\" из меню кошелька", - "@importQrDeviceJadeStep6": { - "description": "Jade instruction step 6" - }, - "buyContinue": "Продолжить", - "@buyContinue": { - "description": "Button to continue to next step" - }, - "recoverbullEnterToDecrypt": "Пожалуйста, введите свой {inputType}, чтобы расшифровать ваше хранилище.", - "@recoverbullEnterToDecrypt": { - "description": "Instruction to enter PIN or password for vault decryption", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "swapTransferTitle": "Перевод", - "@swapTransferTitle": { - "description": "AppBar title on the main swap page" - }, - "testBackupSuccessTitle": "Тест завершен успешно!", - "@testBackupSuccessTitle": { - "description": "Success screen title after completing backup verification" - }, - "recoverbullSelectTakeYourTime": "Возьми время", - "@recoverbullSelectTakeYourTime": { - "description": "Description tag for custom location provider option" - }, - "sendConfirmCustomFee": "Подтвердить пользовательский сбор", - "@sendConfirmCustomFee": { - "description": "Button label for confirming a custom fee" - }, - "coreScreensTotalFeesLabel": "Итого, сборы", - "@coreScreensTotalFeesLabel": { - "description": "Label for total fees field" - }, - "mempoolSettingsDescription": "Настроить пользовательские серверы mempool для различных сетей. Каждая сеть может использовать свой собственный сервер для исследования блоков и оценки сборов.", - "@mempoolSettingsDescription": { - "description": "Description text for mempool settings screen" - }, - "transactionSwapProgressClaim": "Claim", - "@transactionSwapProgressClaim": { - "description": "Swap progress step: claim" - }, - "exchangeHomeDeposit": "Депозит", - "@exchangeHomeDeposit": { - "description": "Deposit button label" - }, - "sendFrom": "Из", - "@sendFrom": { - "description": "Label for the sender/source in a transaction" - }, - "sendTransactionBuilt": "Готово", - "@sendTransactionBuilt": { - "description": "Success after transaction constructed" - }, - "bitboxErrorOperationCancelled": "Операция была отменена. Попробуй еще раз.", - "@bitboxErrorOperationCancelled": { - "description": "Error when BitBox operation is cancelled" - }, - "dcaOrderTypeLabel": "Тип заказа", - "@dcaOrderTypeLabel": { - "description": "Label for order type detail row" - }, - "withdrawConfirmCard": "Карта", - "@withdrawConfirmCard": { - "description": "Field label for debit card" - }, - "dcaSuccessMessageHourly": "Вы будете покупать {amount} каждый час", - "@dcaSuccessMessageHourly": { - "description": "Success message for hourly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "loginButton": "LOGIN", - "@loginButton": { - "description": "Button to navigate to login screen" - }, - "revealingVaultKeyButton": "Откровение...", - "@revealingVaultKeyButton": { - "description": "Button label shown while revealing vault key" - }, - "arkAboutNetwork": "Сеть", - "@arkAboutNetwork": { - "description": "Field label for network" - }, - "payLastName": "Имя", - "@payLastName": { - "description": "Label for last name field" - }, - "transactionPayjoinStatusExpired": "Заключено", - "@transactionPayjoinStatusExpired": { - "description": "Payjoin status: expired" - }, - "fundExchangeMethodBankTransferWire": "Банковский перевод (Wire or EFT)", - "@fundExchangeMethodBankTransferWire": { - "description": "Payment method: Bank Transfer Wire or EFT (Canada)" - }, - "psbtFlowLoginToDevice": "Войти в устройство {device}", - "@psbtFlowLoginToDevice": { - "description": "Instruction to login to hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "fundExchangeJurisdictionCostaRica": "🇨🇷 Коста-Рика 1998 год", - "@fundExchangeJurisdictionCostaRica": { - "description": "Dropdown option for Costa Rica jurisdiction" - }, - "payCalculating": "Расчет...", - "@payCalculating": { - "description": "Text shown while calculating fees" - }, - "transactionDetailLabelTransferId": "ID передачи", - "@transactionDetailLabelTransferId": { - "description": "Label for transfer ID" - }, - "fundExchangeContinueButton": "Продолжить", - "@fundExchangeContinueButton": { - "description": "Button label to continue from warning screen to payment method details" - }, - "currencySettingsDefaultFiatCurrencyLabel": "По умолчанию фиатная валюта", - "@currencySettingsDefaultFiatCurrencyLabel": { - "description": "Label for the default fiat currency setting" - }, - "payRecipient": "Получатель", - "@payRecipient": { - "description": "Label for recipient" - }, - "fundExchangeCrIbanUsdRecipientNameHelp": "Используйте наше официальное фирменное имя. Не используйте «Bull Bitcoin».", - "@fundExchangeCrIbanUsdRecipientNameHelp": { - "description": "Help text for recipient name field explaining to use corporate name" - }, - "sendUnfreezeCoin": "Unfreeze Coin", - "@sendUnfreezeCoin": { - "description": "Action to allow spending frozen UTXO" - }, - "sellEurBalance": "EUR Баланс", - "@sellEurBalance": { - "description": "Display text for EUR balance payout method" - }, - "jadeInstructionsTitle": "Blockstream Jade PSBT Инструкции", - "@jadeInstructionsTitle": { - "description": "Title for Jade signing instructions modal" - }, - "scanNfcButton": "Scan NFC", - "@scanNfcButton": { - "description": "Button label to initiate NFC scanning" - }, - "testBackupChooseVaultLocation": "Выберите местоположение хранилища", - "@testBackupChooseVaultLocation": { - "description": "AppBar title for encrypted vault provider selection screen" - }, - "torSettingsInfoDescription": "• Прокси Tor применяется только к Bitcoin (не ликвидный)\n• Порт Default Orbot - 9050\n• Убедитесь, что Орбот работает, прежде чем включить\n• Подключение может быть медленнее через Tor", - "@torSettingsInfoDescription": { - "description": "Information about Tor proxy usage" - }, - "dcaAddressBitcoin": "Bitcoin адрес", - "@dcaAddressBitcoin": { - "description": "Bitcoin address label" - }, - "sendErrorAmountBelowMinimum": "Сумма ниже минимального предела свопа: {minLimit}", - "@sendErrorAmountBelowMinimum": { - "description": "Error with specific minimum swap amount", - "placeholders": { - "minLimit": { - "type": "String" - } - } - }, - "recoverbullGoogleDriveErrorFetchFailed": "Не удалось получить своды из Google Drive", - "@recoverbullGoogleDriveErrorFetchFailed": { - "description": "Error message when fetching drive backups fails" - }, - "systemLabelExchangeBuy": "Купить", - "@systemLabelExchangeBuy": { - "description": "System label for exchange buy transactions" - }, - "sendRecipientAddress": "Адрес получателя", - "@sendRecipientAddress": { - "description": "Label for the recipient address field" - }, - "arkTxTypeBoarding": "Расписание", - "@arkTxTypeBoarding": { - "description": "Transaction type label for boarding transactions" - }, - "exchangeAmountInputValidationInsufficient": "Недостаточный баланс", - "@exchangeAmountInputValidationInsufficient": { - "description": "Validation message when amount exceeds available balance" - }, - "psbtFlowReviewTransaction": "После того, как транзакция импортируется в ваш {device}, рассмотрите адрес назначения и сумму.", - "@psbtFlowReviewTransaction": { - "description": "Instruction to review transaction details on device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "arkTransactions": "операции", - "@arkTransactions": { - "description": "Plural form for transaction count" - }, - "broadcastSignedTxCameraButton": "Камера", - "@broadcastSignedTxCameraButton": { - "description": "Button to open camera QR scanner" - }, - "importQrDeviceJadeName": "Жадный блок", - "@importQrDeviceJadeName": { - "description": "Name of Blockstream Jade device" - }, - "importWalletImportMnemonic": "Импорт Mnemonic", - "@importWalletImportMnemonic": { - "description": "Button to import wallet from seed phrase" - }, - "bip85NextMnemonic": "Следующий Mnemonic", - "@bip85NextMnemonic": { - "description": "Button to derive next mnemonic entropy" - }, - "bitboxErrorNoActiveConnection": "Нет активного подключения к устройству BitBox.", - "@bitboxErrorNoActiveConnection": { - "description": "Error when there is no active connection to BitBox" - }, - "dcaFundAccountButton": "Фонд вашего счета", - "@dcaFundAccountButton": { - "description": "Button label to navigate to funding screen" - }, - "transactionFilterAll": "Все", - "@transactionFilterAll": { - "description": "Filter option to show all transactions" - }, - "arkSendTitle": "Отправить", - "@arkSendTitle": { - "description": "AppBar title for Ark send screen" - }, - "recoverbullVaultRecovery": "Восстановление хранилища", - "@recoverbullVaultRecovery": { - "description": "Screen title for vault recovery process" - }, - "transactionDetailLabelAmountReceived": "Полученная сумма", - "@transactionDetailLabelAmountReceived": { - "description": "Label for amount received" - }, - "bitboxCubitOperationTimeout": "Операция была отложена. Попробуй еще раз.", - "@bitboxCubitOperationTimeout": { - "description": "Error interpretation for timeout" - }, - "receivePaymentReceived": "Получена оплата!", - "@receivePaymentReceived": { - "description": "Success message after receiving payment" - }, - "backupWalletHowToDecideVaultCloudSecurity": "Поставщики облачного хранилища, такие как Google или Apple, не будут иметь доступа к вашему биткойну, потому что пароль шифрования слишком силен. Они могут получить доступ к вашему биткойну только в маловероятном случае, если они столкнутся с ключевым сервером (интернет-сервис, который хранит ваш пароль шифрования). Если ключевой сервер когда-либо взломан, ваш биткойн может быть под угрозой с облаком Google или Apple.", - "@backupWalletHowToDecideVaultCloudSecurity": { - "description": "Explanation of cloud storage security in vault location decision help modal" - }, - "howToDecideBackupText1": "Один из самых распространенных способов, которыми люди теряют свой биткойн, заключается в том, что они теряют физическую резервную копию. Любой, кто найдет вашу физическую поддержку, сможет взять весь ваш биткойн. Если вы очень уверены, что можете хорошо спрятать его и никогда его не потерять, это хороший вариант.", - "@howToDecideBackupText1": { - "description": "First paragraph explaining backup method decision" - }, - "payOrderNotFound": "Заказ на оплату не был найден. Попробуй еще раз.", - "@payOrderNotFound": { - "description": "Error message when pay order is not found" - }, - "coldcardStep13": "Кошелек Bull Bitcoin попросит вас сканировать QR-код на Coldcard. Сканируйте.", - "@coldcardStep13": { - "description": "Coldcard instruction for scanning signed PSBT" - }, - "psbtFlowIncreaseBrightness": "Увеличить яркость экрана на вашем устройстве", - "@psbtFlowIncreaseBrightness": { - "description": "Troubleshooting tip to increase brightness" - }, - "payCoinjoinCompleted": "CoinJoin завершен", - "@payCoinjoinCompleted": { - "description": "Success message after CoinJoin" - }, - "electrumAddCustomServer": "Добавить пользовательский сервер", - "@electrumAddCustomServer": { - "description": "Add custom server bottom sheet title" - }, - "psbtFlowClickSign": "Нажмите кнопку", - "@psbtFlowClickSign": { - "description": "Instruction to click sign button on device" - }, - "rbfSatsPerVbyte": "sats/vB", - "@rbfSatsPerVbyte": { - "description": "Unit label for fee rate input" - }, - "broadcastSignedTxDoneButton": "Дон", - "@broadcastSignedTxDoneButton": { - "description": "Button to finish after successful broadcast" - }, - "sendRecommendedFee": "Рекомендуемые: {rate}", - "@sendRecommendedFee": { - "description": "Suggested fee rate", - "placeholders": { - "rate": { - "type": "String" - } - } - }, - "mempoolCustomServerUrl": "Адрес сервера", - "@mempoolCustomServerUrl": { - "description": "Label for custom mempool server URL input field" - }, - "buyOrderAlreadyConfirmedError": "Этот заказ уже подтвержден.", - "@buyOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed buy order" - }, - "fundExchangeArsBankTransferTitle": "Банковский перевод", - "@fundExchangeArsBankTransferTitle": { - "description": "Screen title for Argentina bank transfer" - }, - "transactionLabelReceiveAmount": "Получить сумму", - "@transactionLabelReceiveAmount": { - "description": "Label for receive amount in swap details" - }, - "sendServerNetworkFees": "Фейсы сети сервера", - "@sendServerNetworkFees": { - "description": "Label for Boltz server fees" - }, - "importWatchOnlyImport": "Импорт", - "@importWatchOnlyImport": { - "description": "Button label to import watch-only wallet" - }, - "backupWalletBackupButton": "Назад", - "@backupWalletBackupButton": { - "description": "Button text to proceed with physical backup" - }, - "mempoolSettingsTitle": "Mempool Server", - "@mempoolSettingsTitle": { - "description": "Title for mempool settings screen" - }, - "recoverbullErrorVaultCreationFailed": "Создание хранилища не удалось, это может быть файл или ключ", - "@recoverbullErrorVaultCreationFailed": { - "description": "Error message when overall vault creation fails" - }, - "sellSendPaymentFeePriority": "Очередность", - "@sellSendPaymentFeePriority": { - "description": "Field label for fee priority" - }, - "bitboxActionSignTransactionProcessing": "Подписание транзакции", - "@bitboxActionSignTransactionProcessing": { - "description": "Processing text for sign transaction" - }, - "sellWalletBalance": "Остаток: {amount}", - "@sellWalletBalance": { - "description": "Shows available balance", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "recoverbullGoogleDriveNoBackupsFound": "Никаких резервных копий не найдено", - "@recoverbullGoogleDriveNoBackupsFound": { - "description": "Message displayed when no backups are found in Google Drive" - }, - "sellSelectNetwork": "Выберите сеть", - "@sellSelectNetwork": { - "description": "Screen title for network selection" - }, - "sellSendPaymentOrderNumber": "Номер заказа", - "@sellSendPaymentOrderNumber": { - "description": "Field label for order number" - }, - "arkDust": "Dust", - "@arkDust": { - "description": "Label for dust amount field" - }, - "dcaConfirmPaymentMethod": "Метод оплаты", - "@dcaConfirmPaymentMethod": { - "description": "Field label for payment method" - }, - "sellSendPaymentAdvanced": "Дополнительные настройки", - "@sellSendPaymentAdvanced": { - "description": "Advanced settings button" - }, - "bitcoinSettingsImportWalletTitle": "Импорт Wallet", - "@bitcoinSettingsImportWalletTitle": { - "description": "Title for the import wallet option in Bitcoin settings" - }, - "backupWalletErrorGoogleDriveConnection": "Не удалось подключиться к Google Drive", - "@backupWalletErrorGoogleDriveConnection": { - "description": "Error when Google Drive connection fails" - }, - "payEnterInvoice": "Введите счет-фактуру", - "@payEnterInvoice": { - "description": "Placeholder text for invoice input field" - }, - "broadcastSignedTxPasteHint": "Вставить PSBT или транзакции HEX", - "@broadcastSignedTxPasteHint": { - "description": "Hint text for paste input field" - }, - "transactionLabelAmountSent": "Высланная сумма", - "@transactionLabelAmountSent": { - "description": "Label for sent amount" - }, - "testBackupPassphrase": "Passphrase", - "@testBackupPassphrase": { - "description": "Label for optional passphrase field" - }, - "arkSetupEnable": "Включить Арк", - "@arkSetupEnable": { - "description": "Button to enable Ark" - }, - "walletDeletionErrorDefaultWallet": "Невозможно удалить кошелек по умолчанию.", - "@walletDeletionErrorDefaultWallet": { - "description": "Error message when attempting to delete a default wallet" - }, - "confirmTransferTitle": "Подтверждение передачи", - "@confirmTransferTitle": { - "description": "Title for confirmation screen when transferring between wallets" - }, - "payFeeBreakdown": "Разрыв", - "@payFeeBreakdown": { - "description": "Section header for detailed fee information" - }, - "coreSwapsLnSendPaid": "Счет-фактура будет оплачен после получения подтверждения.", - "@coreSwapsLnSendPaid": { - "description": "Status message for paid Lightning send swap" - }, - "fundExchangeCrBankTransferDescription2": "... Средства будут добавлены в ваш баланс.", - "@fundExchangeCrBankTransferDescription2": { - "description": "Second part of Costa Rica bank transfer description" - }, - "sellAmount": "Сумма Продажи", - "@sellAmount": { - "description": "Label for Bitcoin amount input" - }, - "transactionLabelSwapStatus": "Статус шва", - "@transactionLabelSwapStatus": { - "description": "Label for swap status" - }, - "walletDeletionConfirmationCancelButton": "Отмена", - "@walletDeletionConfirmationCancelButton": { - "description": "Cancel button label in wallet deletion confirmation dialog" - }, - "ledgerErrorDeviceLocked": "Устройство Ledger заблокировано. Пожалуйста, откройте устройство и попробуйте еще раз.", - "@ledgerErrorDeviceLocked": { - "description": "Error message when Ledger device is locked (error code 5515)" - }, - "importQrDeviceSeedsignerStep5": "Выберите «Single Sig», затем выберите предпочтительный тип скрипта (выбирайте Native Segwit, если не уверены).", - "@importQrDeviceSeedsignerStep5": { - "description": "SeedSigner instruction step 5" - }, - "recoverbullRecoveryErrorWalletMismatch": "Уже существует другой кошелек по умолчанию. Вы можете иметь только один кошелек по умолчанию.", - "@recoverbullRecoveryErrorWalletMismatch": { - "description": "Error when different default wallet already exists" - }, - "payNoRecipientsFound": "Ни один получатель не смог заплатить.", - "@payNoRecipientsFound": { - "description": "Message when no recipients found" - }, - "payNoInvoiceData": "Данные счетов отсутствуют", - "@payNoInvoiceData": { - "description": "Message when no invoice data available" - }, - "recoverbullErrorInvalidCredentials": "Неверный пароль для этого архивного файла", - "@recoverbullErrorInvalidCredentials": { - "description": "Error message when wrong password is entered for vault" - }, - "paySinpeMonto": "Сумма", - "@paySinpeMonto": { - "description": "Label for amount in SINPE order details" - }, - "arkDurationSeconds": "{seconds} секунд", - "@arkDurationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "String" - } - } - }, - "receiveCopyOrScanAddressOnly": "Скопировать или сканировать только", - "@receiveCopyOrScanAddressOnly": { - "description": "Option to copy or scan only the address without amount or other details" - }, - "transactionDetailAccelerate": "Ускорение", - "@transactionDetailAccelerate": { - "description": "Button label for accelerating (RBF) an unconfirmed transaction" - }, - "importQrDevicePassportStep11": "Введите этикетку для вашего паспортного кошелька и нажмите «Import»", - "@importQrDevicePassportStep11": { - "description": "Passport instruction step 11" - }, - "fundExchangeJurisdictionCanada": "🇨🇦 Канада", - "@fundExchangeJurisdictionCanada": { - "description": "Dropdown option for Canada jurisdiction" - }, - "withdrawBelowMinAmountError": "Вы пытаетесь уйти ниже минимальной суммы.", - "@withdrawBelowMinAmountError": { - "description": "Error message for amount below minimum during withdraw" - }, - "recoverbullTransactions": "Транзакции: {count}", - "@recoverbullTransactions": { - "description": "Label showing transaction count during vault recovery", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "swapYouPay": "Вы платите", - "@swapYouPay": { - "description": "Label in swap card for payment amount" - }, - "encryptedVaultTitle": "Зашифрованное хранилище", - "@encryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, - "fundExchangeCrIbanUsdLabelIban": "Номер счета IBAN (только доллары США)", - "@fundExchangeCrIbanUsdLabelIban": { - "description": "Label for IBAN number field for USD only" - }, - "chooseAccessPinTitle": "Выберите доступ {pinOrPassword}", - "@chooseAccessPinTitle": { - "description": "Title for choosing access PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "importWalletSeedSigner": "SeedSigner", - "@importWalletSeedSigner": { - "description": "Button label for SeedSigner hardware wallet" - }, - "featureComingSoonTitle": "Особенность Скоро", - "@featureComingSoonTitle": { - "description": "Title for coming soon bottom sheet" - }, - "swapProgressRefundInProgress": "Перенос средств", - "@swapProgressRefundInProgress": { - "description": "Refund in progress status" - }, - "transactionDetailLabelPayjoinExpired": "Заключено", - "@transactionDetailLabelPayjoinExpired": { - "description": "Payjoin expired status" - }, - "payBillerName": "Имя", - "@payBillerName": { - "description": "Label for biller name field" - }, - "transactionSwapProgressCompleted": "Завершено", - "@transactionSwapProgressCompleted": { - "description": "Swap progress step: completed" - }, - "sendErrorBitcoinWalletRequired": "Биткойн-кошелек должен использоваться для обмена биткойнами", - "@sendErrorBitcoinWalletRequired": { - "description": "Error when wrong wallet type used for Bitcoin to Lightning swap" - }, - "pinCodeManageTitle": "Управляйте своей безопасностью PIN", - "@pinCodeManageTitle": { - "description": "Header title for PIN management section" - }, - "buyConfirmBitcoinPrice": "Bitcoin Цена", - "@buyConfirmBitcoinPrice": { - "description": "Field label for Bitcoin price" - }, - "arkUnifiedAddressCopied": "Единый адрес", - "@arkUnifiedAddressCopied": { - "description": "SnackBar message when unified address is copied to clipboard" - }, - "transactionSwapDescLnSendCompleted": "Освещение было отправлено успешно! Теперь твой обмен завершен.", - "@transactionSwapDescLnSendCompleted": { - "description": "Description for completed Lightning send swap" - }, - "exchangeDcaCancelDialogCancelButton": "Отмена", - "@exchangeDcaCancelDialogCancelButton": { - "description": "Button label to cancel the DCA cancellation dialog" - }, - "sellOrderAlreadyConfirmedError": "Этот ордер на продажу уже подтвержден.", - "@sellOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed order" - }, - "paySinpeEnviado": "СИНПЕ ЭНВИАДО!", - "@paySinpeEnviado": { - "description": "Success message for SINPE payment (Spanish, kept as is)" - }, - "withdrawConfirmPhone": "Телефон", - "@withdrawConfirmPhone": { - "description": "Field label for phone number" - }, - "payNoDetailsAvailable": "Подробности отсутствуют", - "@payNoDetailsAvailable": { - "description": "Message when recipient details not available" - }, - "allSeedViewOldWallets": "Old Wallets ({count})", - "@allSeedViewOldWallets": { - "description": "Section header for old wallets with count", - "placeholders": { - "count": { - "type": "int", - "format": "decimalPattern" - } - } - }, - "sellOrderPlaced": "Заказ выполнен успешно", - "@sellOrderPlaced": { - "description": "Success message after order submission" - }, - "buyInsufficientFundsError": "Недостаточные средства на вашем счете Bull Bitcoin для завершения этого заказа покупки.", - "@buyInsufficientFundsError": { - "description": "Error message for insufficient funds during buy" - }, - "ledgerHelpStep4": "Убедитесь, что вы установили последнюю версию приложения Bitcoin от Ledger Live.", - "@ledgerHelpStep4": { - "description": "Fourth troubleshooting step for Ledger connection issues" - }, - "recoverbullPleaseWait": "Подождите, пока мы установим безопасное соединение...", - "@recoverbullPleaseWait": { - "description": "Message shown during connection establishment" - }, - "broadcastSignedTxBroadcast": "Broadcast", - "@broadcastSignedTxBroadcast": { - "description": "Button to broadcast signed transaction" - }, - "lastKnownEncryptedVault": "Last Known Encrypted {date}", - "@lastKnownEncryptedVault": { - "description": "Label showing last known encrypted vault date", - "placeholders": { - "date": { - "type": "String", - "example": "2025-01-20 15:30:45" - } - } - }, - "fundExchangeInfoTransferCode": "Вы должны добавить код передачи как «сообщение» или «разум» при совершении платежа.", - "@fundExchangeInfoTransferCode": { - "description": "Info card message about transfer code importance" - }, - "hwChooseDevice": "Выберите аппаратный кошелек, который вы хотели бы подключить", - "@hwChooseDevice": { - "description": "Instruction text for hardware wallet selection" - }, - "transactionListNoTransactions": "Пока никаких сделок.", - "@transactionListNoTransactions": { - "description": "Message displayed when there are no transactions" - }, - "torSettingsConnectionStatus": "Состояние подключения", - "@torSettingsConnectionStatus": { - "description": "Title for connection status card" - }, - "backupInstruction1": "Если вы потеряете резервное копирование на 12 слов, вы не сможете восстановить доступ к Bitcoin Wallet.", - "@backupInstruction1": { - "description": "First backup instruction warning about losing 12 word backup" - }, - "sendErrorInvalidAddressOrInvoice": "Неверный адрес оплаты Bitcoin или счет", - "@sendErrorInvalidAddressOrInvoice": { - "description": "Error when payment request is invalid" - }, - "transactionLabelAmountReceived": "Полученная сумма", - "@transactionLabelAmountReceived": { - "description": "Label for received amount" - }, - "recoverbullRecoveryTitle": "Восстановление хранилища", - "@recoverbullRecoveryTitle": { - "description": "AppBar title for vault recovery screen" - }, - "broadcastSignedTxScanQR": "Сканировать QR-код из вашего аппаратного кошелька", - "@broadcastSignedTxScanQR": { - "description": "Instruction to scan signed PSBT QR code" - }, - "transactionStatusTransferInProgress": "Перенос в прогресс", - "@transactionStatusTransferInProgress": { - "description": "Status label for transfers in progress" - }, - "ledgerSuccessSignDescription": "Ваша сделка была успешно подписана.", - "@ledgerSuccessSignDescription": { - "description": "Success message description after signing transaction with Ledger" - }, - "exchangeSupportChatMessageRequired": "Требуется сообщение", - "@exchangeSupportChatMessageRequired": { - "description": "Placeholder text when attachments are present but no message text" - }, - "buyEstimatedFeeValue": "Предполагаемая стоимость сбора", - "@buyEstimatedFeeValue": { - "description": "Label for estimated fee value in fiat" - }, - "payName": "Имя", - "@payName": { - "description": "Label for name field" - }, - "sendSignWithBitBox": "Знак с BitBox", - "@sendSignWithBitBox": { - "description": "Button to sign transaction with BitBox hardware wallet" - }, - "sendSwapRefundInProgress": "Возвращение смыва в прогресс", - "@sendSwapRefundInProgress": { - "description": "Title when swap failed and refund is processing" - }, - "exchangeKycLimited": "Limited", - "@exchangeKycLimited": { - "description": "Limited KYC level label" - }, - "backupWalletHowToDecideVaultCustomRecommendationText": "вы уверены, что не потеряете файл хранилища, и он все равно будет доступен, если вы потеряете свой телефон.", - "@backupWalletHowToDecideVaultCustomRecommendationText": { - "description": "Recommendation text for when to use custom location" - }, - "swapErrorAmountBelowMinimum": "Сумма ниже минимальной суммы свопа: {min}", - "@swapErrorAmountBelowMinimum": { - "description": "Error shown when amount is below minimum", - "placeholders": { - "min": { - "type": "String" - } - } - }, - "settingsGithubLabel": "Github", - "@settingsGithubLabel": { - "description": "Label for the Github link in settings" - }, - "sellTransactionFee": "Плата за операции", - "@sellTransactionFee": { - "description": "Label for Bitcoin network fee" - }, - "coldcardStep5": "Если у вас есть проблемы с сканированием:", - "@coldcardStep5": { - "description": "Coldcard troubleshooting header" - }, - "buyExpressWithdrawal": "Экспресс-вывод", - "@buyExpressWithdrawal": { - "description": "Fast withdrawal option" - }, - "payPaymentConfirmed": "Оплата подтверждена", - "@payPaymentConfirmed": { - "description": "Status message for confirmed payment" - }, - "transactionOrderLabelOrderNumber": "Номер заказа", - "@transactionOrderLabelOrderNumber": { - "description": "Label for order number" - }, - "buyEnterAmount": "Введите сумму", - "@buyEnterAmount": { - "description": "Label for amount input field in buy flow" - }, - "sellShowQrCode": "Показать код QR", - "@sellShowQrCode": { - "description": "Button to show QR code" - }, - "receiveConfirmed": "Подтверждено", - "@receiveConfirmed": { - "description": "Status when fully confirmed" - }, - "walletOptionsWalletDetailsTitle": "Wallet Подробности", - "@walletOptionsWalletDetailsTitle": { - "description": "Title for the wallet details screen" - }, - "sellSecureBitcoinWallet": "Безопасный биткойн-кошелек", - "@sellSecureBitcoinWallet": { - "description": "Display text for secure Bitcoin wallet" - }, - "ledgerWalletTypeLegacy": "Legacy (BIP44)", - "@ledgerWalletTypeLegacy": { - "description": "Display name for Legacy wallet type (BIP44)" - }, - "transactionDetailTransferProgress": "Прогресс в области передачи", - "@transactionDetailTransferProgress": { - "description": "Title for ongoing transfer details" - }, - "sendNormalFee": "Нормальный", - "@sendNormalFee": { - "description": "Standard fee tier" - }, - "importWalletConnectHardware": "Соедините аппаратное обеспечение", - "@importWalletConnectHardware": { - "description": "Button to connect hardware wallet" - }, - "importWatchOnlyType": "Тип", - "@importWatchOnlyType": { - "description": "Label for wallet script type field" - }, - "transactionDetailLabelPayinAmount": "Сумма выплат", - "@transactionDetailLabelPayinAmount": { - "description": "Label for payin amount" - }, - "importWalletSectionHardware": "Аппаратные кошельки", - "@importWalletSectionHardware": { - "description": "Section header for hardware wallet types" - }, - "connectHardwareWalletDescription": "Выберите аппаратный кошелек, который вы хотели бы подключить", - "@connectHardwareWalletDescription": { - "description": "Description text on connect hardware wallet page" - }, - "sendEstimatedDelivery10Minutes": "10 минут", - "@sendEstimatedDelivery10Minutes": { - "description": "Estimated delivery time of approximately 10 minutes" - }, - "enterPinToContinueMessage": "Введите {pinOrPassword}", - "@enterPinToContinueMessage": { - "description": "Message prompting user to enter PIN/password to continue", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "swapTransferFrom": "Перевод", - "@swapTransferFrom": { - "description": "Label for source wallet dropdown" - }, - "errorSharingLogsMessage": "{error}", - "@errorSharingLogsMessage": { - "description": "Error message when log sharing fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payShowQrCode": "Показать код QR", - "@payShowQrCode": { - "description": "Button to show QR code" - }, - "onboardingRecoverWalletButtonLabel": "Восстановление кошелька", - "@onboardingRecoverWalletButtonLabel": { - "description": "The label for the button to recover a wallet from the onboarding screen" - }, - "torSettingsPortValidationEmpty": "Пожалуйста, введите номер порта", - "@torSettingsPortValidationEmpty": { - "description": "Validation error when port is empty" - }, - "ledgerHelpStep1": "Перезапустите устройство Ledger.", - "@ledgerHelpStep1": { - "description": "First troubleshooting step for Ledger connection issues" - }, - "swapAvailableBalance": "Имеющийся остаток", - "@swapAvailableBalance": { - "description": "Available balance label" - }, - "fundExchangeCrIbanCrcLabelPaymentDescription": "Описание оплаты", - "@fundExchangeCrIbanCrcLabelPaymentDescription": { - "description": "Label for payment description field in CR IBAN transfer" - }, - "walletTypeWatchSigner": "Watch-Signer", - "@walletTypeWatchSigner": { - "description": "Wallet type label for watch-signer wallets" - }, - "settingsWalletBackupTitle": "Wallet Backup", - "@settingsWalletBackupTitle": { - "description": "Title for the wallet backup section in the settings menu" - }, - "ledgerConnectingSubtext": "Установление безопасного соединения...", - "@ledgerConnectingSubtext": { - "description": "Subtext shown while connecting to Ledger" - }, - "transactionError": "Ошибка - {error}", - "@transactionError": { - "description": "Error message displayed when transaction loading fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "electrumPrivacyNoticeCancel": "Отмена", - "@electrumPrivacyNoticeCancel": { - "description": "Cancel button in privacy notice dialog" - }, - "coreSwapsLnSendPending": "Свап еще не инициализирован.", - "@coreSwapsLnSendPending": { - "description": "Status message for pending Lightning send swap" - }, - "recoverbullVaultCreatedSuccess": "Создание хранилища успешно", - "@recoverbullVaultCreatedSuccess": { - "description": "Success message after vault creation" - }, - "payAmount": "Сумма", - "@payAmount": { - "description": "Label for amount" - }, - "sellMaximumAmount": "Максимальная сумма продажи: {amount}", - "@sellMaximumAmount": { - "description": "Error for amount above maximum", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellViewDetailsButton": "Дополнительные сведения", - "@sellViewDetailsButton": { - "description": "Button text to view order details" - }, - "receiveGenerateInvoice": "Составление счета-фактуры", - "@receiveGenerateInvoice": { - "description": "Button to create Lightning invoice" - }, - "kruxStep8": " - Переместить красный лазер вверх и вниз по QR-коду", - "@kruxStep8": { - "description": "Krux troubleshooting tip 2" - }, - "coreScreensFeeDeductionExplanation": "Это общая плата, вычтенная из суммы, отправленной", - "@coreScreensFeeDeductionExplanation": { - "description": "Explanation text for fee deduction" - }, - "transactionSwapProgressInitiated": "Начало", - "@transactionSwapProgressInitiated": { - "description": "Swap progress step: initiated" - }, - "fundExchangeTitle": "Финансирование", - "@fundExchangeTitle": { - "description": "AppBar title for funding screen" - }, - "dcaNetworkValidationError": "Выберите сеть", - "@dcaNetworkValidationError": { - "description": "Form validation error when no network is selected" - }, - "coldcardStep12": "Нажмите «I'm done» в кошельке Bull Bitcoin.", - "@coldcardStep12": { - "description": "Coldcard instruction to return to app" - }, - "autoswapAlwaysBlockDisabledInfo": "При отключении вам будет предоставлена возможность разрешить автотрансфер, который заблокирован из-за высоких сборов", - "@autoswapAlwaysBlockDisabledInfo": { - "description": "Info text when always block is disabled" - }, - "bip85Index": "Индекс: {index}", - "@bip85Index": { - "description": "Shows derivation index", - "placeholders": { - "index": { - "type": "int" - } - } - }, - "broadcastSignedTxPageTitle": "Трансляция подписанная сделка", - "@broadcastSignedTxPageTitle": { - "description": "Page title for broadcast signed transaction screen" - }, - "sendInsufficientBalance": "Недостаточный баланс", - "@sendInsufficientBalance": { - "description": "Error message when the wallet has insufficient balance to send" - }, - "paySecurityAnswer": "Ответ", - "@paySecurityAnswer": { - "description": "Label for security answer field" - }, - "walletArkInstantPayments": "Арк Мгновенные платежи", - "@walletArkInstantPayments": { - "description": "Title for Ark wallet card" - }, - "passwordLabel": "Пароль", - "@passwordLabel": { - "description": "Label for password input field" - }, - "importQrDeviceError": "Не удалось импортировать кошелек", - "@importQrDeviceError": { - "description": "Error message when import fails" - }, - "onboardingSplashDescription": "Суверенная самоопека Bitcoin бумажник и сервис обмена только Bitcoin.", - "@onboardingSplashDescription": { - "description": "Description of the app displayed in onboarding splash screen" - }, - "statusCheckOffline": "Оффлайн", - "@statusCheckOffline": { - "description": "Status text when a service is offline" - }, - "fundExchangeCrIbanCrcDescriptionEnd": "... Средства будут добавлены в ваш баланс.", - "@fundExchangeCrIbanCrcDescriptionEnd": { - "description": "End of description for CR IBAN CRC transfer" - }, - "payAccount": "Счет", - "@payAccount": { - "description": "Label for account details" - }, - "testBackupGoogleDrivePrivacyPart2": "не будет ", - "@testBackupGoogleDrivePrivacyPart2": { - "description": "Second part (emphasized) of privacy message" - }, - "buyCompleteKyc": "Полный KYC", - "@buyCompleteKyc": { - "description": "Button to complete KYC verification" - }, - "vaultSuccessfullyImported": "Ваше хранилище было успешно импортировано", - "@vaultSuccessfullyImported": { - "description": "Message shown when vault is imported successfully" - }, - "payAccountNumberHint": "Номер счета", - "@payAccountNumberHint": { - "description": "Hint for account number input" - }, - "buyOrderNotFoundError": "Заказ на покупку не был найден. Попробуй еще раз.", - "@buyOrderNotFoundError": { - "description": "Error message for order not found during buy" - }, - "backupWalletGoogleDrivePrivacyMessage2": "не будет ", - "@backupWalletGoogleDrivePrivacyMessage2": { - "description": "Second part of privacy message (bold)" - }, - "payAddressRequired": "Требуется адрес", - "@payAddressRequired": { - "description": "Validation error for empty address field" - }, - "arkTransactionDetails": "Детали транзакций", - "@arkTransactionDetails": { - "description": "AppBar title for transaction details page" - }, - "payTotalAmount": "Общая сумма", - "@payTotalAmount": { - "description": "Label for sum of all payment amounts" - }, - "exchangeLegacyTransactionsTitle": "Наследственные транзакции", - "@exchangeLegacyTransactionsTitle": { - "description": "Title for the legacy transactions section in exchange" - }, - "autoswapWarningDontShowAgain": "Не повторяйте это предупреждение снова.", - "@autoswapWarningDontShowAgain": { - "description": "Checkbox label for dismissing the autoswap warning" - }, - "sellInsufficientBalance": "Недостаточный баланс кошелька", - "@sellInsufficientBalance": { - "description": "Error when wallet lacks funds" - }, - "recoverWalletButton": "Recover Wallet", - "@recoverWalletButton": { - "description": "Button label to recover wallet" - }, - "mempoolCustomServerDeleteMessage": "Вы уверены, что хотите удалить этот пользовательский сервер mempool? Вместо этого будет использоваться сервер по умолчанию.", - "@mempoolCustomServerDeleteMessage": { - "description": "Message for delete custom server confirmation dialog" - }, - "coldcardStep6": " - Увеличить яркость экрана на вашем устройстве", - "@coldcardStep6": { - "description": "Coldcard troubleshooting tip 1" - }, - "exchangeAppSettingsValidationWarning": "Пожалуйста, установите как языковые, так и валютные предпочтения перед сохранением.", - "@exchangeAppSettingsValidationWarning": { - "description": "Warning message when language and currency preferences are not both set" - }, - "sellCashPickup": "Наличный пик", - "@sellCashPickup": { - "description": "Option for in-person cash" - }, - "coreSwapsLnReceivePaid": "Отправитель заплатил счет.", - "@coreSwapsLnReceivePaid": { - "description": "Status message for paid Lightning receive swap" - }, - "payInProgress": "Payment In Progress!", - "@payInProgress": { - "description": "Title for payment in progress screen" - }, - "recoverbullRecoveryErrorKeyDerivationFailed": "Вывод ключа из локального резервного копирования провалился.", - "@recoverbullRecoveryErrorKeyDerivationFailed": { - "description": "Error when app fails to derive backup encryption key" - }, - "swapValidationInsufficientBalance": "Недостаточный баланс", - "@swapValidationInsufficientBalance": { - "description": "Validation error when amount exceeds wallet balance" - }, - "transactionLabelFromWallet": "Из кошелька", - "@transactionLabelFromWallet": { - "description": "Label for source wallet" - }, - "recoverbullErrorRateLimited": "Ставка ограничена. Пожалуйста, попробуйте еще раз в {retryIn}", - "@recoverbullErrorRateLimited": { - "description": "Error message when rate limited by the server", - "placeholders": { - "retryIn": { - "type": "String" - } - } - }, - "importWatchOnlyExtendedPublicKey": "Расширенная общественность Ключ", - "@importWatchOnlyExtendedPublicKey": { - "description": "Label for extended public key (xpub/ypub/zpub) display" - }, - "autoswapAlwaysBlock": "Всегда блокируйте высокие тарифы", - "@autoswapAlwaysBlock": { - "description": "Toggle label for always block high fees" - }, - "walletDeletionConfirmationTitle": "Удалить Wallet", - "@walletDeletionConfirmationTitle": { - "description": "Title for the wallet deletion confirmation dialog" - }, - "sendNetworkFees": "Сетевые сборы", - "@sendNetworkFees": { - "description": "Label for network transaction fees" - }, - "mempoolNetworkBitcoinMainnet": "Bitcoin Mainnet", - "@mempoolNetworkBitcoinMainnet": { - "description": "Label for Bitcoin Mainnet network" - }, - "paySinpeOrigen": "Происхождение", - "@paySinpeOrigen": { - "description": "Label for origin in SINPE details" - }, - "networkFeeLabel": "Network Fee", - "@networkFeeLabel": { - "description": "Breakdown component showing network fee portion" - }, - "recoverbullMemorizeWarning": "Вы должны запомнить это {inputType}, чтобы восстановить доступ к своему кошельку. Должно быть не менее 6 цифр. Если вы потеряете это {inputType}, вы не можете восстановить свое резервное копирование.", - "@recoverbullMemorizeWarning": { - "description": "Warning message about memorizing PIN or password", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "kruxStep15": "Сделка будет импортирована в кошельке Bull Bitcoin.", - "@kruxStep15": { - "description": "Krux instruction about import completion" - }, - "fundExchangeETransferLabelSecretQuestion": "Секретный вопрос", - "@fundExchangeETransferLabelSecretQuestion": { - "description": "Label for E-transfer security question" - }, - "importColdcardButtonPurchase": "Устройство покупки", - "@importColdcardButtonPurchase": { - "description": "ImportColdcardQ: Button to navigate to Coinkite store" - }, - "jadeStep15": "Теперь он готов к трансляции! Как только вы нажмете трансляцию, транзакция будет опубликована в сети Bitcoin и средства будут отправлены.", - "@jadeStep15": { - "description": "Jade final instruction about broadcasting" - }, - "confirmButton": "Подтверждение", - "@confirmButton": { - "description": "Button label to confirm action" - }, - "transactionSwapInfoClaimableTransfer": "Перенос будет завершен автоматически в течение нескольких секунд. Если нет, вы можете попробовать ручное утверждение, нажав на кнопку \"Заявка на перенос\".", - "@transactionSwapInfoClaimableTransfer": { - "description": "Additional info for claimable transfers" - }, - "payActualFee": "Фактические расходы", - "@payActualFee": { - "description": "Label for actual fee paid after transaction" - }, - "electrumValidateDomain": "Проверка домена", - "@electrumValidateDomain": { - "description": "Validate Domain switch label in advanced options" - }, - "importQrDeviceJadeFirmwareWarning": "Убедитесь, что ваше устройство обновляется до последней прошивки", - "@importQrDeviceJadeFirmwareWarning": { - "description": "Warning message to update Jade firmware" - }, - "arkPreconfirmed": "Подтверждено", - "@arkPreconfirmed": { - "description": "Label for preconfirmed balance in Ark balance breakdown" - }, - "recoverbullSelectFileNotSelectedError": "Не выбран", - "@recoverbullSelectFileNotSelectedError": { - "description": "Error when user cancels file selection" - }, - "arkDurationDay": "{days} день", - "@arkDurationDay": { - "description": "Duration format for singular day", - "placeholders": { - "days": { - "type": "String" - } - } - }, - "arkSendButton": "Отправить", - "@arkSendButton": { - "description": "Bottom button to navigate to send page" - }, - "buyInputContinue": "Продолжить", - "@buyInputContinue": { - "description": "Continue button on buy input" - }, - "fundExchangeMethodSpeiTransferSubtitle": "Перенос средств с помощью вашего CLABE", - "@fundExchangeMethodSpeiTransferSubtitle": { - "description": "Subtitle for SPEI transfer payment method" - }, - "importQrDeviceJadeStep3": "Следуйте инструкциям устройства, чтобы разблокировать Jade", - "@importQrDeviceJadeStep3": { - "description": "Jade instruction step 3" - }, - "paySecurityQuestionLengthError": "Должно быть 10-40 символов", - "@paySecurityQuestionLengthError": { - "description": "Error for invalid security question length" - }, - "sendSigningFailed": "Подписание не удалось", - "@sendSigningFailed": { - "description": "Error during hardware wallet signing" - }, - "bitboxErrorDeviceNotPaired": "Устройство не в паре. Пожалуйста, сначала завершите процесс спаривания.", - "@bitboxErrorDeviceNotPaired": { - "description": "Error when BitBox device is not paired" - }, - "transferIdLabel": "ID передачи", - "@transferIdLabel": { - "description": "Label for swap transfer ID" - }, - "paySelectActiveWallet": "Выберите кошелек", - "@paySelectActiveWallet": { - "description": "Prompt to choose a wallet" - }, - "arkDurationHours": "{hours}", - "@arkDurationHours": { - "description": "Duration format for plural hours", - "placeholders": { - "hours": { - "type": "String" - } - } - }, - "transcribeLabel": "Transcribe", - "@transcribeLabel": { - "description": "Label indicating user should transcribe the words" - }, - "pinCodeProcessing": "Обработка", - "@pinCodeProcessing": { - "description": "Status screen title while processing PIN changes" - }, - "transactionDetailLabelRefunded": "Рефинансирование", - "@transactionDetailLabelRefunded": { - "description": "Label for refunded status" - }, - "dcaFrequencyHourly": "час", - "@dcaFrequencyHourly": { - "description": "Hourly DCA frequency" - }, - "swapValidationSelectFromWallet": "Пожалуйста, выберите кошелек для перевода из", - "@swapValidationSelectFromWallet": { - "description": "Validation error when no source wallet selected" - }, - "sendSwapInitiated": "Свап Инициированный", - "@sendSwapInitiated": { - "description": "Title when chain swap begins" - }, - "backupSettingsKeyWarningMessage": "Крайне важно, чтобы вы не сохранили резервный ключ в том же месте, где вы сохраняете резервный файл. Всегда храните их на отдельных устройствах или отдельных облачных провайдерах.", - "@backupSettingsKeyWarningMessage": { - "description": "Detailed warning about storing backup key separately" - }, - "recoverbullEnterToTest": "Пожалуйста, введите свой {inputType}, чтобы проверить ваше хранилище.", - "@recoverbullEnterToTest": { - "description": "Instruction to enter PIN or password to test vault recovery", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "fundExchangeCrBankTransferDescription1": "Отправка банковского перевода с вашего банковского счета с использованием данных ниже ", - "@fundExchangeCrBankTransferDescription1": { - "description": "First part of Costa Rica bank transfer description" - }, - "transactionNoteSaveButton": "Сохранить", - "@transactionNoteSaveButton": { - "description": "Button label to save a note" - }, - "fundExchangeHelpBeneficiaryName": "Используйте наше официальное фирменное имя. Не используйте «Bull Bitcoin».", - "@fundExchangeHelpBeneficiaryName": { - "description": "Help text for beneficiary name field" - }, - "payRecipientType": "Тип рецепта", - "@payRecipientType": { - "description": "Label for recipient type" - }, - "sellOrderCompleted": "Заказ завершен!", - "@sellOrderCompleted": { - "description": "Success message for completed order" - }, - "importQrDeviceSpecterStep10": "Введите этикетку для вашего кошелька Specter и импорт крана", - "@importQrDeviceSpecterStep10": { - "description": "Specter instruction step 10" - }, - "recoverbullSelectVaultSelected": "Выбранное хранилище", - "@recoverbullSelectVaultSelected": { - "description": "AppBar title shown after vault has been selected" - }, - "dcaWalletTypeBitcoin": "Bitcoin (BTC)", - "@dcaWalletTypeBitcoin": { - "description": "Radio button option for Bitcoin wallet" - }, - "payNoPayments": "Пока нет платежей", - "@payNoPayments": { - "description": "Empty state message" - }, - "onboardingEncryptedVault": "Зашифрованное хранилище", - "@onboardingEncryptedVault": { - "description": "Title for the encrypted vault recovery option in onboarding" - }, - "exchangeAccountInfoTitle": "Информация об учетной записи", - "@exchangeAccountInfoTitle": { - "description": "Title for the account information section" - }, - "exchangeDcaActivateTitle": "Активировать покупку", - "@exchangeDcaActivateTitle": { - "description": "Title shown when DCA is inactive and can be activated" - }, - "buyConfirmationTime": "Время подтверждения", - "@buyConfirmationTime": { - "description": "Label for estimated confirmation time" - }, - "encryptedVaultRecommendation": "Зашифрованное хранилище: ", - "@encryptedVaultRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, - "payLightningInvoice": "Осветительный счет", - "@payLightningInvoice": { - "description": "Label indicating invoice type is Lightning Network" - }, - "transactionOrderLabelPayoutAmount": "Сумма выплат", - "@transactionOrderLabelPayoutAmount": { - "description": "Label for order payout amount" - }, - "recoverbullSelectEnterBackupKeyManually": "Введите ключ резервного копирования вручную >>", - "@recoverbullSelectEnterBackupKeyManually": { - "description": "Button text to manually enter backup key" - }, - "exportingVaultButton": "Экспорт...", - "@exportingVaultButton": { - "description": "Button label shown while exporting vault" - }, - "payCoinjoinInProgress": "CoinJoin в процессе...", - "@payCoinjoinInProgress": { - "description": "Status during CoinJoin process" - }, - "testBackupAllWordsSelected": "Вы выбрали все слова", - "@testBackupAllWordsSelected": { - "description": "Message shown when user has selected all 12 words" - }, - "ledgerProcessingImportSubtext": "Настройка кошелька только для часов...", - "@ledgerProcessingImportSubtext": { - "description": "Processing subtext shown while importing Ledger wallet" - }, - "digitalCopyLabel": "Цифровая копия", - "@digitalCopyLabel": { - "description": "Label for digital copy (with X mark)" - }, - "receiveNewAddress": "Новый адрес", - "@receiveNewAddress": { - "description": "Button label for generating a new receive address" - }, - "arkAmount": "Сумма", - "@arkAmount": { - "description": "Label for transaction amount field in details table" - }, - "fundExchangeWarningTactic7": "Они говорят вам не беспокоиться об этом предупреждении", - "@fundExchangeWarningTactic7": { - "description": "Seventh scammer tactic warning" - }, - "importQrDeviceSpecterStep1": "Включите устройство Specter", - "@importQrDeviceSpecterStep1": { - "description": "Specter instruction step 1" - }, - "transactionNoteAddTitle": "Добавление", - "@transactionNoteAddTitle": { - "description": "Title for add note dialog" - }, - "paySecurityAnswerHint": "Введите ответ безопасности", - "@paySecurityAnswerHint": { - "description": "Hint for security answer input" - }, - "bitboxActionImportWalletTitle": "Импорт кошелька BitBox", - "@bitboxActionImportWalletTitle": { - "description": "Title for import wallet action" - }, - "backupSettingsError": "Ошибка", - "@backupSettingsError": { - "description": "Header text for error message display" - }, - "exchangeFeatureCustomerSupport": "• Чат с поддержкой клиентов", - "@exchangeFeatureCustomerSupport": { - "description": "Feature bullet point describing customer support chat feature" - }, - "sellPleasePayInvoice": "Пожалуйста, заплатите этот счет", - "@sellPleasePayInvoice": { - "description": "Title for receive payment screen" - }, - "fundExchangeMethodCanadaPost": "Наличные деньги или дебет в Canada Post", - "@fundExchangeMethodCanadaPost": { - "description": "Payment method: In-person at Canada Post" - }, - "payInvoiceDecoded": "Счет-фактура успешно декодируется", - "@payInvoiceDecoded": { - "description": "Success message after decoding" - }, - "coreScreensAmountLabel": "Сумма", - "@coreScreensAmountLabel": { - "description": "Label for amount field" - }, - "receiveSwapId": "Идентификатор швапа", - "@receiveSwapId": { - "description": "Label for the swap identifier in a receive transaction" - }, - "transactionLabelCompletedAt": "Завершено", - "@transactionLabelCompletedAt": { - "description": "Label for completion timestamp" - }, - "pinCodeCreateTitle": "Создать новый значок", - "@pinCodeCreateTitle": { - "description": "Title for creating a new PIN code" - }, - "swapTransferRefundInProgressTitle": "Перенос средств", - "@swapTransferRefundInProgressTitle": { - "description": "Title when swap is being refunded" - }, - "swapYouReceive": "Вы получите", - "@swapYouReceive": { - "description": "Label in swap card for receiving amount" - }, - "recoverbullSelectCustomLocationProvider": "Пользовательское местоположение", - "@recoverbullSelectCustomLocationProvider": { - "description": "Name label for custom location backup provider option" - }, - "electrumInvalidRetryError": "Invalid Retry Значение: {value}", - "@electrumInvalidRetryError": { - "description": "Error message for invalid Retry Count value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "paySelectNetwork": "Выберите сеть", - "@paySelectNetwork": { - "description": "Screen title for network selection" - }, - "informationWillNotLeave": "Эта информация ", - "@informationWillNotLeave": { - "description": "First part of privacy assurance message" - }, - "backupWalletInstructionSecurityRisk": "Любой, кто имеет доступ к вашей 12-ти словах резервного копирования, может украсть ваши биткойны. Спрячься.", - "@backupWalletInstructionSecurityRisk": { - "description": "Security warning about protecting backup from theft" - }, - "sellCadBalance": "CAD Баланс", - "@sellCadBalance": { - "description": "Display text for CAD balance payout method" - }, - "doNotShareWarning": "НЕ С КЕМ БЫ ТО НИ БЫЛО", - "@doNotShareWarning": { - "description": "Warning to not share recovery phrase with anyone" - }, - "torSettingsPortNumber": "Номер порта", - "@torSettingsPortNumber": { - "description": "Label for port number input field" - }, - "payNameHint": "Имя получателя", - "@payNameHint": { - "description": "Hint for name input" - }, - "autoswapWarningTriggerAmount": "Сумма 0,02 BTC", - "@autoswapWarningTriggerAmount": { - "description": "Trigger amount text shown in the autoswap warning bottom sheet" - }, - "legacySeedViewScreenTitle": "Наследные семена", - "@legacySeedViewScreenTitle": { - "description": "AppBar title for legacy seeds screen" - }, - "recoverbullErrorCheckStatusFailed": "Не удалось проверить состояние хранилища", - "@recoverbullErrorCheckStatusFailed": { - "description": "Error message when vault status check fails" - }, - "pleaseWaitFetching": "Подождите, пока мы заберем ваш архив.", - "@pleaseWaitFetching": { - "description": "Message asking user to wait while fetching backup" - }, - "backupWalletPhysicalBackupTag": "Неверный (примите свое время)", - "@backupWalletPhysicalBackupTag": { - "description": "Tag indicating difficulty and trust model for physical backup" - }, - "electrumReset": "Перезагрузка", - "@electrumReset": { - "description": "Reset button label in advanced options" - }, - "payInsufficientBalanceError": "Недостаточный баланс в выбранном кошельке для выполнения этого платежного поручения.", - "@payInsufficientBalanceError": { - "description": "Error message for insufficient balance" - }, - "backupCompletedTitle": "Закрытие завершено!", - "@backupCompletedTitle": { - "description": "Title shown when backup is completed successfully" - }, - "arkDate": "Дата", - "@arkDate": { - "description": "Label for transaction date field in details table" - }, - "psbtFlowInstructions": "Инструкции", - "@psbtFlowInstructions": { - "description": "Instructions section header in psbt flow" - }, - "systemLabelExchangeSell": "Печать", - "@systemLabelExchangeSell": { - "description": "System label for exchange sell transactions" - }, - "sendHighFeeWarning": "Предупреждение", - "@sendHighFeeWarning": { - "description": "Warning title for high transaction fees" - }, - "electrumStopGapNegativeError": "Stop Gap не может быть отрицательным", - "@electrumStopGapNegativeError": { - "description": "Validation error for negative Stop Gap value" - }, - "walletButtonSend": "Отправить", - "@walletButtonSend": { - "description": "Button label to send funds" - }, - "importColdcardInstructionsStep9": "Введите «Label» для вашего кошелька Coldcard Q и нажмите «Import»", - "@importColdcardInstructionsStep9": { - "description": "ImportColdcardQ: Ninth instruction step" - }, - "bitboxScreenTroubleshootingStep1": "Убедитесь, что на вашем BitBox установлена последняя прошивка.", - "@bitboxScreenTroubleshootingStep1": { - "description": "Troubleshooting step 1" - }, - "backupSettingsExportVault": "Экспортное хранилище", - "@backupSettingsExportVault": { - "description": "Button text to export encrypted vault file" - }, - "bitboxActionUnlockDeviceTitle": "Устройство BitBox", - "@bitboxActionUnlockDeviceTitle": { - "description": "Title for unlock device action" - }, - "withdrawRecipientsNewTab": "Новый получатель", - "@withdrawRecipientsNewTab": { - "description": "Tab label for new recipient" - }, - "autoswapRecipientRequired": "*", - "@autoswapRecipientRequired": { - "description": "Required field indicator" - }, - "exchangeLandingFeature4": "Отправить банковские переводы и оплатить счета", - "@exchangeLandingFeature4": { - "description": "Fourth feature bullet point" - }, - "sellSendPaymentPayFromWallet": "Платить за кошелек", - "@sellSendPaymentPayFromWallet": { - "description": "Field label for source wallet" - }, - "settingsServicesStatusTitle": "Статус", - "@settingsServicesStatusTitle": { - "description": "Title for the services status section in the settings menu" - }, - "sellPriceWillRefreshIn": "Цена освежится ", - "@sellPriceWillRefreshIn": { - "description": "Text before countdown timer for price refresh" - }, - "labelDeleteFailed": "Невозможно удалить \"{label}. Попробуй еще раз.", - "@labelDeleteFailed": { - "description": "Error message when label deletion fails", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "kruxStep16": "Теперь он готов к трансляции! Как только вы нажмете трансляцию, транзакция будет опубликована в сети Bitcoin и средства будут отправлены.", - "@kruxStep16": { - "description": "Krux final instruction about broadcasting" - }, - "recoverbullRecoveryErrorVaultCorrupted": "Выбранный резервный файл поврежден.", - "@recoverbullRecoveryErrorVaultCorrupted": { - "description": "Error when vault backup file cannot be decrypted or is invalid" - }, - "buyVerifyIdentity": "Верификация", - "@buyVerifyIdentity": { - "description": "Button to start KYC process" - }, - "exchangeDcaCancelDialogConfirmButton": "Да, деактивация", - "@exchangeDcaCancelDialogConfirmButton": { - "description": "Button label to confirm DCA deactivation" - }, - "electrumServerUrlHint": "{network} {environment}", - "@electrumServerUrlHint": { - "description": "Hint text for server URL input", - "placeholders": { - "network": { - "type": "String" - }, - "environment": { - "type": "String" - } - } - }, - "payEmailHint": "Адрес электронной почты", - "@payEmailHint": { - "description": "Hint for email input" - }, - "backupWalletGoogleDrivePermissionWarning": "Google попросит вас поделиться личной информацией с этим приложением.", - "@backupWalletGoogleDrivePermissionWarning": { - "description": "Warning message about Google Drive permission request" - }, - "bitboxScreenVerifyAddressSubtext": "Сравните этот адрес с вашим экраном BitBox02", - "@bitboxScreenVerifyAddressSubtext": { - "description": "Subtext when showing address verification" - }, - "importQrDeviceSeedsignerStep9": "Введите этикетку для вашего кошелька SeedSigner и импорт крана", - "@importQrDeviceSeedsignerStep9": { - "description": "SeedSigner instruction step 9" - }, - "testCompletedSuccessMessage": "Вы можете восстановить доступ к потерянному кошельку Bitcoin", - "@testCompletedSuccessMessage": { - "description": "Message shown when backup test is successful" - }, - "importWatchOnlyScanQR": "Scan QR", - "@importWatchOnlyScanQR": { - "description": "Button to scan QR code for watch-only import" - }, - "walletBalanceUnconfirmedIncoming": "Прогресс", - "@walletBalanceUnconfirmedIncoming": { - "description": "Label for unconfirmed incoming balance" - }, - "selectAmountTitle": "Выберите сумму", - "@selectAmountTitle": { - "description": "Title for manual coin selection bottom sheet" - }, - "buyYouBought": "Вы купили {amount}", - "@buyYouBought": { - "description": "Success message with amount bought", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "routeErrorMessage": "Страница не найдена", - "@routeErrorMessage": { - "description": "Error message displayed when user navigates to non-existent route" - }, - "connectHardwareWalletPassport": "Паспорт", - "@connectHardwareWalletPassport": { - "description": "Foundation Passport hardware wallet option" - }, - "autoswapTriggerBalanceError": "Треггерный баланс должен быть не менее 2x базового баланса", - "@autoswapTriggerBalanceError": { - "description": "Validation error shown when trigger balance is less than 2x the base balance" - }, - "receiveEnterHere": "Входите сюда...", - "@receiveEnterHere": { - "description": "Placeholder text for input fields in receive" - }, - "receiveNetworkFee": "Network Fee", - "@receiveNetworkFee": { - "description": "Label for the network fee in a receive transaction" - }, - "payLiquidFee": "Жидкий корм", - "@payLiquidFee": { - "description": "Label for Liquid Network transaction fee" - }, - "fundExchangeSepaTitle": "SEPA transfer", - "@fundExchangeSepaTitle": { - "description": "Screen title for SEPA transfer payment details" - }, - "autoswapLoadSettingsError": "Не удалось загрузить настройки автоматического обмена", - "@autoswapLoadSettingsError": { - "description": "Error message when loading settings fails" - }, - "durationSeconds": "{seconds} секунд", - "@durationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "String" - } - } - }, - "broadcastSignedTxReviewTransaction": "Обзорная сделка", - "@broadcastSignedTxReviewTransaction": { - "description": "Section header for transaction review" - }, - "walletArkExperimental": "Экспериментальный", - "@walletArkExperimental": { - "description": "Description for Ark wallet indicating experimental status" - }, - "importQrDeviceKeystoneStep5": "Выберите вариант кошелька BULL", - "@importQrDeviceKeystoneStep5": { - "description": "Keystone instruction step 5" - }, - "electrumLoadFailedError": "Не удалось загрузить серверы {reason}", - "@electrumLoadFailedError": { - "description": "Error message when loading servers fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "ledgerVerifyAddressLabel": "Адрес для проверки:", - "@ledgerVerifyAddressLabel": { - "description": "Label for the address being verified on Ledger" - }, - "buyAccelerateTransaction": "Ускорение связи", - "@buyAccelerateTransaction": { - "description": "Title for transaction acceleration option" - }, - "backupSettingsTested": "Испытываемые", - "@backupSettingsTested": { - "description": "Status text shown when backup has been tested" - }, - "receiveLiquidConfirmationMessage": "Это будет подтверждено через несколько секунд", - "@receiveLiquidConfirmationMessage": { - "description": "Message indicating quick confirmation time for Liquid transactions" - }, - "jadeStep1": "Вход на устройство Jade", - "@jadeStep1": { - "description": "Jade instruction step 1" - }, - "recoverbullSelectDriveBackups": "Привод", - "@recoverbullSelectDriveBackups": { - "description": "AppBar title for screen showing list of Google Drive backups" - }, - "exchangeAuthOk": "ХОРОШО", - "@exchangeAuthOk": { - "description": "OK button in error dialog" - }, - "settingsSecurityPinTitle": "Блок безопасности", - "@settingsSecurityPinTitle": { - "description": "Title for the security PIN section in the settings menu" - }, - "testBackupErrorFailedToFetch": "{error}", - "@testBackupErrorFailedToFetch": { - "description": "Error when backup fetch fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "arkDurationMinute": "{minutes}", - "@arkDurationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "psbtFlowTroubleScanningTitle": "Если у вас есть проблемы с сканированием:", - "@psbtFlowTroubleScanningTitle": { - "description": "Header for troubleshooting scanning issues" - }, - "arkReceiveUnifiedCopied": "Единый адрес", - "@arkReceiveUnifiedCopied": { - "description": "Snackbar message when unified address copied" - }, - "importQrDeviceJadeStep9": "Сканируйте QR-код, который вы видите на своем устройстве.", - "@importQrDeviceJadeStep9": { - "description": "Jade instruction step 9" - }, - "transactionDetailLabelPayjoinCompleted": "Завершено", - "@transactionDetailLabelPayjoinCompleted": { - "description": "Payjoin completed status" - }, - "sellArsBalance": "Баланс ARS", - "@sellArsBalance": { - "description": "Display text for ARS balance payout method" - }, - "fundExchangeCanadaPostStep1": "1. Перейти в любую точку Канады", - "@fundExchangeCanadaPostStep1": { - "description": "Step 1 for Canada Post payment process" - }, - "exchangeKycLight": "Свет", - "@exchangeKycLight": { - "description": "Light KYC level label" - }, - "seedsignerInstructionsTitle": "Инструкции для SeedSigner", - "@seedsignerInstructionsTitle": { - "description": "Title for SeedSigner signing instructions modal" - }, - "exchangeAmountInputValidationEmpty": "Пожалуйста, введите сумму", - "@exchangeAmountInputValidationEmpty": { - "description": "Validation message when amount field is empty" - }, - "bitboxActionPairDeviceProcessingSubtext": "Пожалуйста, проверьте код парирования на вашем устройстве BitBox...", - "@bitboxActionPairDeviceProcessingSubtext": { - "description": "Processing subtext for pair device" - }, - "recoverbullKeyServer": "Ключевой сервер ", - "@recoverbullKeyServer": { - "description": "Label for key server connection status" - }, - "recoverbullPasswordTooCommon": "Этот пароль слишком распространен. Выберите другой", - "@recoverbullPasswordTooCommon": { - "description": "Validation error for commonly used passwords" - }, - "backupInstruction3": "Любой, кто имеет доступ к вашей 12-ти словах резервного копирования, может украсть ваши биткойны. Спрячься.", - "@backupInstruction3": { - "description": "Third backup instruction warning about backup security" - }, - "arkRedeemButton": "Redeem", - "@arkRedeemButton": { - "description": "Confirm button to execute collaborative redeem" - }, - "fundExchangeLabelBeneficiaryAddress": "Адрес бенефициаров", - "@fundExchangeLabelBeneficiaryAddress": { - "description": "Label for beneficiary address field" - }, - "testBackupVerify": "Проверка", - "@testBackupVerify": { - "description": "Button text to verify the selected word order" - }, - "transactionDetailLabelCreatedAt": "Создано", - "@transactionDetailLabelCreatedAt": { - "description": "Label for creation time" - }, - "fundExchangeJurisdictionArgentina": "🇦🇷 Аргентина", - "@fundExchangeJurisdictionArgentina": { - "description": "Dropdown option for Argentina jurisdiction" - }, - "walletNetworkBitcoin": "Bitcoin Network", - "@walletNetworkBitcoin": { - "description": "Network label for Bitcoin mainnet" - }, - "electrumAdvancedOptions": "Дополнительные параметры", - "@electrumAdvancedOptions": { - "description": "Advanced options button label" - }, - "autoswapWarningCardSubtitle": "Свопа будет срабатывать, если ваш баланс Instant Payments превысит 0,02 BTC.", - "@autoswapWarningCardSubtitle": { - "description": "Subtitle text shown on the autoswap warning card on home screen" - }, - "transactionStatusConfirmed": "Подтверждено", - "@transactionStatusConfirmed": { - "description": "Status label for confirmed transactions" - }, - "dcaFrequencyDaily": "день", - "@dcaFrequencyDaily": { - "description": "Daily DCA frequency" - }, - "transactionLabelSendAmount": "Отправить", - "@transactionLabelSendAmount": { - "description": "Label for send amount in swap details" - }, - "testedStatus": "Испытываемые", - "@testedStatus": { - "description": "Status text indicating backup has been tested" - }, - "fundExchangeWarningTactic6": "Они хотят, чтобы вы делились своим экраном", - "@fundExchangeWarningTactic6": { - "description": "Sixth scammer tactic warning" - }, - "buyYouReceive": "Вы получите", - "@buyYouReceive": { - "description": "Label for amount user receives" - }, - "payFilterPayments": "Фильтровые платежи", - "@payFilterPayments": { - "description": "Button to filter payment list" - }, - "electrumCancel": "Отмена", - "@electrumCancel": { - "description": "Cancel button label in delete dialog" - }, - "exchangeFileUploadButton": "Загрузка", - "@exchangeFileUploadButton": { - "description": "Button label for uploading files in exchange" - }, - "payCopied": "Копировал!", - "@payCopied": { - "description": "Success message after copying" - }, - "transactionLabelReceiveNetworkFee": "Получение сетевой платы", - "@transactionLabelReceiveNetworkFee": { - "description": "Label for receive network fee in swap details" - }, - "bitboxScreenTroubleshootingTitle": "BitBox02", - "@bitboxScreenTroubleshootingTitle": { - "description": "Title for troubleshooting instructions" - }, - "broadcastSignedTxPushTxButton": "PushTx", - "@broadcastSignedTxPushTxButton": { - "description": "Button to use PushTx NFC device" - }, - "fundExchangeCrIbanUsdDescriptionBold": "точно", - "@fundExchangeCrIbanUsdDescriptionBold": { - "description": "Bold emphasis word for CR IBAN USD transfer instructions" - }, - "fundExchangeSelectCountry": "Выберите свою страну и способ оплаты", - "@fundExchangeSelectCountry": { - "description": "Instruction text" - }, - "fundExchangeCostaRicaMethodSinpeSubtitle": "Трансфер Колонны с помощью SINPE", - "@fundExchangeCostaRicaMethodSinpeSubtitle": { - "description": "Subtitle description for SINPE Móvil payment method" - }, - "kruxStep2": "Нажмите кнопку", - "@kruxStep2": { - "description": "Krux instruction step 2" - }, - "fundExchangeArsBankTransferDescription": "Отправьте банковский перевод с вашего банковского счета, используя точные банковские данные Аргентины ниже.", - "@fundExchangeArsBankTransferDescription": { - "description": "Description for Argentina bank transfer method" - }, - "importWatchOnlyFingerprint": "Fingerprint", - "@importWatchOnlyFingerprint": { - "description": "Label for wallet fingerprint field" - }, - "exchangeBitcoinWalletsEnterAddressHint": "Введите адрес", - "@exchangeBitcoinWalletsEnterAddressHint": { - "description": "Hint text for entering an address in exchange Bitcoin wallets" - }, - "dcaViewSettings": "Параметры просмотра", - "@dcaViewSettings": { - "description": "Link to view DCA settings" - }, - "withdrawAmountContinue": "Продолжить", - "@withdrawAmountContinue": { - "description": "Continue button on amount screen" - }, - "allSeedViewSecurityWarningMessage": "Отображение семенных фраз - это риск безопасности. Любой, кто видит вашу семенную фразу, может получить доступ к вашим средствам. Убедитесь, что вы находитесь в частном месте и что никто не может увидеть ваш экран.", - "@allSeedViewSecurityWarningMessage": { - "description": "Security warning message about displaying seed phrases" - }, - "walletNetworkBitcoinTestnet": "Bitcoin Testnet", - "@walletNetworkBitcoinTestnet": { - "description": "Network label for Bitcoin testnet" - }, - "recoverbullSeeMoreVaults": "Смотрите больше сводов", - "@recoverbullSeeMoreVaults": { - "description": "Button text to view additional vault options" - }, - "sellPayFromWallet": "Платить за кошелек", - "@sellPayFromWallet": { - "description": "Label for wallet used for payment" - }, - "pinProtectionDescription": "Ваш PIN защищает доступ к вашему кошельку и настройкам. Не забывай об этом.", - "@pinProtectionDescription": { - "description": "Informational text explaining PIN purpose" - }, - "kruxStep5": "Сканировать код QR, показанный в кошельке Bull", - "@kruxStep5": { - "description": "Krux instruction step 5" - }, - "backupSettingsLabelsButton": "Этикетки", - "@backupSettingsLabelsButton": { - "description": "Button text to manage transaction labels" - }, - "payMediumPriority": "Средний", - "@payMediumPriority": { - "description": "Medium fee priority option" - }, - "payWhichWalletQuestion": "От какого кошелька вы хотите заплатить?", - "@payWhichWalletQuestion": { - "description": "Question prompting user to select wallet" - }, - "dcaHideSettings": "Настройки вызова", - "@dcaHideSettings": { - "description": "Link to hide DCA settings" - }, - "exchangeDcaCancelDialogMessage": "Ваш повторяющийся план покупки Bitcoin прекратится, и запланированные покупки закончатся. Чтобы перезапустить, вам нужно будет настроить новый план.", - "@exchangeDcaCancelDialogMessage": { - "description": "Message explaining the consequences of canceling DCA" - }, - "transactionSwapDescChainExpired": "Этот перевод истек. Ваши средства будут автоматически возвращены в ваш кошелек.", - "@transactionSwapDescChainExpired": { - "description": "Description for expired chain swap" - }, - "payValidating": "Доказательство...", - "@payValidating": { - "description": "Text shown while validating SINPE" - }, - "sendDone": "Дон", - "@sendDone": { - "description": "Button label for completing the send flow" - }, - "exchangeBitcoinWalletsTitle": "По умолчанию Bitcoin Wallets", - "@exchangeBitcoinWalletsTitle": { - "description": "Title for the default Bitcoin wallets section in exchange" - }, - "importColdcardInstructionsStep1": "Войдите в устройство Coldcard Q", - "@importColdcardInstructionsStep1": { - "description": "ImportColdcardQ: First instruction step" - }, - "transactionLabelSwapStatusRefunded": "Рефинансирование", - "@transactionLabelSwapStatusRefunded": { - "description": "Status label for refunded swaps" - }, - "receiveLightningInvoice": "Счет-фактура", - "@receiveLightningInvoice": { - "description": "Label for a Lightning Network invoice" - }, - "pinCodeContinue": "Продолжить", - "@pinCodeContinue": { - "description": "Button label to continue with PIN entry" - }, - "payInvoiceTitle": "Платные счета", - "@payInvoiceTitle": { - "description": "AppBar title for the pay invoice screen" - }, - "swapProgressGoHome": "Иди домой", - "@swapProgressGoHome": { - "description": "Go home button on progress screen" - }, - "replaceByFeeSatsVbUnit": "sats/vB", - "@replaceByFeeSatsVbUnit": { - "description": "Unit label for satoshis per virtual byte" - }, - "fundExchangeCrIbanUsdDescription": "Отправка банковского перевода с вашего банковского счета с использованием данных ниже ", - "@fundExchangeCrIbanUsdDescription": { - "description": "First part of description for CR IBAN USD transfer" - }, - "coreScreensSendAmountLabel": "Отправить", - "@coreScreensSendAmountLabel": { - "description": "Label for send amount field" - }, - "backupSettingsRecoverBullSettings": "Recoverbull", - "@backupSettingsRecoverBullSettings": { - "description": "Button text for Recoverbull" - }, - "fundExchangeLabelBankAddress": "Адрес нашего банка", - "@fundExchangeLabelBankAddress": { - "description": "Label for bank address field" - }, - "exchangeDcaAddressLabelLiquid": "Жидкий адрес", - "@exchangeDcaAddressLabelLiquid": { - "description": "Label for Liquid address in DCA settings" - }, - "backupWalletGoogleDrivePrivacyMessage5": "поделился с Bull Bitcoin.", - "@backupWalletGoogleDrivePrivacyMessage5": { - "description": "Fifth part of privacy message" - }, - "settingsDevModeUnderstandButton": "Я понимаю", - "@settingsDevModeUnderstandButton": { - "description": "Button label to acknowledge developer mode warning" - }, - "recoverbullSelectQuickAndEasy": "Quick & easy", - "@recoverbullSelectQuickAndEasy": { - "description": "Description tag for Google Drive and iCloud provider options" - }, - "exchangeFileUploadTitle": "Загрузка файла", - "@exchangeFileUploadTitle": { - "description": "Title for the secure file upload section in exchange" - }, - "backupWalletHowToDecideBackupPhysicalRecommendationText": "Вы уверены в своих собственных возможностях операционной безопасности, чтобы скрыть и сохранить ваши семенные слова Bitcoin.", - "@backupWalletHowToDecideBackupPhysicalRecommendationText": { - "description": "Recommendation text for when to use physical backup" - }, - "bitboxCubitHandshakeFailed": "Не удалось установить безопасное соединение. Попробуй еще раз.", - "@bitboxCubitHandshakeFailed": { - "description": "Error interpretation for handshake failure" - }, - "sendErrorAmountAboveSwapLimits": "Сумма выше лимитов на свопы", - "@sendErrorAmountAboveSwapLimits": { - "description": "Error when amount exceeds maximum swap limit" - }, - "backupWalletHowToDecideBackupEncryptedVault": "Зашифрованное хранилище предотвращает вас от воров, стремящихся украсть вашу резервную копию. Это также мешает вам случайно потерять резервную копию, поскольку она будет храниться в вашем облаке. Поставщики облачного хранилища, такие как Google или Apple, не будут иметь доступа к вашему биткойну, потому что пароль шифрования слишком силен. Существует небольшая вероятность того, что веб-сервер, который хранит ключ шифрования вашего резервного копирования, может быть скомпрометирован. В этом случае безопасность резервного копирования в вашем облачном аккаунте может быть под угрозой.", - "@backupWalletHowToDecideBackupEncryptedVault": { - "description": "Explanation of encrypted vault benefits and risks in decision help modal" - }, - "coreSwapsChainCompletedRefunded": "Перевод был возвращен.", - "@coreSwapsChainCompletedRefunded": { - "description": "Status message for chain swap completed via refund" - }, - "payClabeHint": "Введите номер CLABE", - "@payClabeHint": { - "description": "Hint for CLABE input" - }, - "fundExchangeLabelBankCountry": "Страна", - "@fundExchangeLabelBankCountry": { - "description": "Label for bank country field" - }, - "seedsignerStep11": "Нажмите «I'm done» в кошельке Bull Bitcoin.", - "@seedsignerStep11": { - "description": "SeedSigner instruction to return to app" - }, - "transactionDetailLabelPayjoinStatus": "Статус Payjoin", - "@transactionDetailLabelPayjoinStatus": { - "description": "Label for payjoin status" - }, - "fundExchangeBankTransferSubtitle": "Отправить банковский перевод с вашего банковского счета", - "@fundExchangeBankTransferSubtitle": { - "description": "Bank transfer subtitle" - }, - "recoverbullErrorInvalidVaultFile": "Неверный файл хранилища.", - "@recoverbullErrorInvalidVaultFile": { - "description": "Error message when vault file format is invalid" - }, - "sellProcessingOrder": "Порядок обработки...", - "@sellProcessingOrder": { - "description": "Loading message during order submission" - }, - "sellUpdatingRate": "Повышение обменного курса...", - "@sellUpdatingRate": { - "description": "Loading message while fetching new rate" - }, - "importQrDeviceKeystoneStep6": "На вашем мобильном устройстве нажмите Open Camera", - "@importQrDeviceKeystoneStep6": { - "description": "Keystone instruction step 6" - }, - "bip85Hex": "HEX", - "@bip85Hex": { - "description": "Label for hex type entropy" - }, - "testYourWalletTitle": "Проверьте свой кошелек", - "@testYourWalletTitle": { - "description": "Title for test your wallet screen" - }, - "storeItSafelyMessage": "Храни его где-нибудь в безопасности.", - "@storeItSafelyMessage": { - "description": "Instruction to store recovery phrase safely" - }, - "receiveLightningNetwork": "Освещение", - "@receiveLightningNetwork": { - "description": "Lightning Network option" - }, - "receiveVerifyAddressError": "Невозможно проверить адрес: Пропущенный кошелек или адресная информация", - "@receiveVerifyAddressError": { - "description": "Error message when address verification is not possible" - }, - "arkForfeitAddress": "Forfeit address", - "@arkForfeitAddress": { - "description": "Label for forfeit address field" - }, - "swapTransferRefundedTitle": "Перевод", - "@swapTransferRefundedTitle": { - "description": "Title when swap has been refunded" - }, - "bitboxErrorConnectionFailed": "Не удалось подключиться к устройству BitBox. Пожалуйста, проверьте ваше соединение.", - "@bitboxErrorConnectionFailed": { - "description": "Error when connection to BitBox device fails" - }, - "exchangeFileUploadDocumentTitle": "Загрузить любой документ", - "@exchangeFileUploadDocumentTitle": { - "description": "Title for uploading documents in exchange" - }, - "dcaInsufficientBalanceDescription": "У вас нет достаточного баланса для создания этого порядка.", - "@dcaInsufficientBalanceDescription": { - "description": "InfoCard description explaining insufficient balance error" - }, - "pinButtonContinue": "Продолжить", - "@pinButtonContinue": { - "description": "Button label to proceed after entering new PIN" - }, - "importColdcardSuccess": "Холодный бумажник импортный", - "@importColdcardSuccess": { - "description": "Success message" - }, - "withdrawUnauthenticatedError": "Вы не проверены. Пожалуйста, зайдите, чтобы продолжить.", - "@withdrawUnauthenticatedError": { - "description": "Error message for unauthenticated user during withdraw" - }, - "sellBitcoinAmount": "Bitcoin сумма", - "@sellBitcoinAmount": { - "description": "Label for Bitcoin amount" - }, - "recoverbullTestCompletedTitle": "Тест завершен успешно!", - "@recoverbullTestCompletedTitle": { - "description": "Success title after completing backup test" - }, - "arkBtcAddress": "Адрес BTC", - "@arkBtcAddress": { - "description": "Label for the Bitcoin address field" - }, - "transactionFilterReceive": "Получить", - "@transactionFilterReceive": { - "description": "Filter option to show only received transactions" - }, - "recoverbullErrorInvalidFlow": "Неверный поток", - "@recoverbullErrorInvalidFlow": { - "description": "Error message for invalid operation flow" - }, - "exchangeDcaFrequencyDay": "день", - "@exchangeDcaFrequencyDay": { - "description": "DCA frequency unit: day" - }, - "payBumpFee": "Bump Fee", - "@payBumpFee": { - "description": "Button to increase fee of pending transaction" - }, - "arkCancelButton": "Отмена", - "@arkCancelButton": { - "description": "Cancel button label in settle bottom sheet" - }, - "bitboxActionImportWalletProcessingSubtext": "Настройка кошелька только для часов...", - "@bitboxActionImportWalletProcessingSubtext": { - "description": "Processing subtext for import wallet" - }, - "psbtFlowDone": "Я закончил", - "@psbtFlowDone": { - "description": "Button to complete psbt flow signing process" - }, - "exchangeHomeDepositButton": "Депозит", - "@exchangeHomeDepositButton": { - "description": "Button label for depositing funds to the exchange" - }, - "testBackupRecoverWallet": "Recover Wallet", - "@testBackupRecoverWallet": { - "description": "AppBar title for fetched backup info screen" - }, - "fundExchangeMethodSinpeTransferSubtitle": "Трансфер Колонны с помощью SINPE", - "@fundExchangeMethodSinpeTransferSubtitle": { - "description": "Subtitle for SINPE Transfer payment method" - }, - "arkInstantPayments": "Ark Instant Payments", - "@arkInstantPayments": { - "description": "Main page title in top bar" - }, - "sendEstimatedDelivery": "Предполагаемая доставка ~ ", - "@sendEstimatedDelivery": { - "description": "Label prefix for estimated delivery time" - }, - "fundExchangeMethodOnlineBillPayment": "Оплата онлайн-билей", - "@fundExchangeMethodOnlineBillPayment": { - "description": "Payment method: Online Bill Payment (Canada)" - }, - "coreScreensTransferIdLabel": "ID передачи", - "@coreScreensTransferIdLabel": { - "description": "Label for transfer ID field" - }, - "anErrorOccurred": "Произошла ошибка", - "@anErrorOccurred": { - "description": "Generic error message" - }, - "howToDecideBackupText2": "Зашифрованное хранилище предотвращает вас от воров, стремящихся украсть вашу резервную копию. Это также мешает вам случайно потерять резервную копию, поскольку она будет храниться в вашем облаке. Поставщики облачного хранилища, такие как Google или Apple, не будут иметь доступа к вашему биткойну, потому что пароль шифрования слишком силен. Существует небольшая вероятность того, что веб-сервер, который хранит ключ шифрования вашего резервного копирования, может быть скомпрометирован. В этом случае безопасность резервного копирования в вашем облачном аккаунте может быть под угрозой.", - "@howToDecideBackupText2": { - "description": "Second paragraph explaining encrypted vault benefits and risks" - }, - "sellIBAN": "IBAN", - "@sellIBAN": { - "description": "Label for International Bank Account Number" - }, - "allSeedViewPassphraseLabel": "Пасфаза:", - "@allSeedViewPassphraseLabel": { - "description": "Label for passphrase display" - }, - "dcaBuyingMessage": "Вы покупаете {amount} каждый {frequency} через {network}, если на вашем счете есть средства.", - "@dcaBuyingMessage": { - "description": "DCA status message", - "placeholders": { - "amount": { - "type": "String" - }, - "frequency": { - "type": "String" - }, - "network": { - "type": "String" - } - } - }, - "exchangeCurrencyDropdownValidation": "Пожалуйста, выберите валюту", - "@exchangeCurrencyDropdownValidation": { - "description": "Validation message when no currency is selected" - }, - "withdrawConfirmTitle": "Подтвердить вывод", - "@withdrawConfirmTitle": { - "description": "Title on confirmation screen" - }, - "importQrDeviceSpecterStep3": "Введите свое семя / ключ (коше, что когда-либо подходит вам вариант)", - "@importQrDeviceSpecterStep3": { - "description": "Specter instruction step 3" - }, - "payPayeeAccountNumber": "Номер счета", - "@payPayeeAccountNumber": { - "description": "Label for payee account number" - }, - "importMnemonicBalanceLabel": "Остаток: {amount}", - "@importMnemonicBalanceLabel": { - "description": "ImportMnemonic: Balance label with amount in wallet type card", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "transactionSwapProgressInProgress": "Прогресс", - "@transactionSwapProgressInProgress": { - "description": "Generic swap progress step: in progress" - }, - "fundExchangeWarningConfirmation": "Я подтверждаю, что меня не просят купить биткойн кем-то еще.", - "@fundExchangeWarningConfirmation": { - "description": "Confirmation checkbox text that user is not being coerced to buy Bitcoin" - }, - "recoverbullSelectCustomLocationError": "Не удалось выбрать файл из пользовательского местоположения", - "@recoverbullSelectCustomLocationError": { - "description": "Error when file selection from custom location fails" - }, - "mempoolCustomServerDeleteTitle": "Удалить пользовательский сервер?", - "@mempoolCustomServerDeleteTitle": { - "description": "Title for delete custom server confirmation dialog" - }, - "confirmSendTitle": "Добавить", - "@confirmSendTitle": { - "description": "Title for send confirmation screen when sending bitcoin" - }, - "buyKYCLevel1": "Уровень 1 - базовый", - "@buyKYCLevel1": { - "description": "Basic verification tier" - }, - "sendErrorAmountAboveMaximum": "Сумма выше максимального предела свопа: {maxLimit}", - "@sendErrorAmountAboveMaximum": { - "description": "Error with specific maximum swap amount", - "placeholders": { - "maxLimit": { - "type": "String" - } - } - }, - "coreSwapsLnSendCompletedSuccess": "Свап успешно завершен.", - "@coreSwapsLnSendCompletedSuccess": { - "description": "Status message for successfully completed Lightning send swap" - }, - "importColdcardScanning": "Сканирование...", - "@importColdcardScanning": { - "description": "Status while scanning" - }, - "transactionLabelTransferFee": "Перенос", - "@transactionLabelTransferFee": { - "description": "Label for transfer fee component" - }, - "visitRecoverBullMessage": "Посетите Recoverybull.com для получения дополнительной информации.", - "@visitRecoverBullMessage": { - "description": "Message with link to more information" - }, - "payMyFiatRecipients": "Мои получатели фиат", - "@payMyFiatRecipients": { - "description": "Tab label for saved recipients" - }, - "exchangeLandingFeature1": "Купить биткойн прямо к самообладанию", - "@exchangeLandingFeature1": { - "description": "First feature bullet point" - }, - "bitboxCubitPermissionDenied": "Разрешение USB отрицается. Пожалуйста, дайте разрешение на доступ к вашему устройству BitBox.", - "@bitboxCubitPermissionDenied": { - "description": "Error interpretation for permission denied" - }, - "swapTransferTo": "Перевод на", - "@swapTransferTo": { - "description": "Label for destination wallet dropdown" - }, - "testBackupPinMessage": "Тест, чтобы убедиться, что вы помните свою резервную копию {pinOrPassword}", - "@testBackupPinMessage": { - "description": "Message prompting user to test backup PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "bitcoinSettingsMempoolServerTitle": "Параметры сервера Mempool", - "@bitcoinSettingsMempoolServerTitle": { - "description": "Title for the Mempool server settings section in Bitcoin settings" - }, - "transactionSwapDescLnReceiveDefault": "Ваш обмен идет. Этот процесс автоматизирован и может занять некоторое время для завершения.", - "@transactionSwapDescLnReceiveDefault": { - "description": "Default description for Lightning receive swap" - }, - "selectCoinsManuallyLabel": "Выбрать монеты вручную", - "@selectCoinsManuallyLabel": { - "description": "List tile option to manually select UTXOs" - }, - "psbtFlowSeedSignerTitle": "Инструкции для SeedSigner", - "@psbtFlowSeedSignerTitle": { - "description": "Title for SeedSigner device signing instructions" - }, - "appUnlockAttemptSingular": "неудачная попытка", - "@appUnlockAttemptSingular": { - "description": "Singular form of 'attempt' for failed unlock attempts" - }, - "importQrDevicePassportStep2": "Введите PIN", - "@importQrDevicePassportStep2": { - "description": "Passport instruction step 2" - }, - "transactionOrderLabelPayoutMethod": "Метод выплаты", - "@transactionOrderLabelPayoutMethod": { - "description": "Label for order payout method" - }, - "buyShouldBuyAtLeast": "Вы должны купить хотя бы", - "@buyShouldBuyAtLeast": { - "description": "Error message for amount below minimum" - }, - "pinCodeCreateDescription": "Ваш PIN защищает доступ к вашему кошельку и настройкам. Не забывай об этом.", - "@pinCodeCreateDescription": { - "description": "Description explaining the purpose of the PIN code" - }, - "payCorporate": "Корпоративный", - "@payCorporate": { - "description": "Label for corporate checkbox" - }, - "recoverbullErrorRecoveryFailed": "Не удалось восстановить хранилище", - "@recoverbullErrorRecoveryFailed": { - "description": "Error message when vault recovery fails" - }, - "buyMax": "Макс", - "@buyMax": { - "description": "Button to fill maximum amount" - }, - "onboardingCreateNewWallet": "Создать новый кошелек", - "@onboardingCreateNewWallet": { - "description": "Button label for creating a new wallet in onboarding" - }, - "buyExpressWithdrawalDesc": "Получить биткойн сразу после оплаты", - "@buyExpressWithdrawalDesc": { - "description": "Explanation of express withdrawal feature" - }, - "backupIdLabel": "ИД:", - "@backupIdLabel": { - "description": "Label for backup ID" - }, - "sellBalanceWillBeCredited": "Ваш баланс счета будет зачислен после того, как ваша транзакция получит 1 подтверждение onchain.", - "@sellBalanceWillBeCredited": { - "description": "Information about balance crediting" - }, - "payExchangeRate": "Обменный курс", - "@payExchangeRate": { - "description": "Label for exchange rate" - }, - "startBackupButton": "Запуск", - "@startBackupButton": { - "description": "Button label to start backup process" - }, - "buyInputTitle": "Купить Bitcoin", - "@buyInputTitle": { - "description": "AppBar title for buy input screen" - }, - "arkSendRecipientTitle": "Отправить на прием", - "@arkSendRecipientTitle": { - "description": "Title for the ark send recipient page" - }, - "importMnemonicImport": "Импорт", - "@importMnemonicImport": { - "description": "Button to import selected wallet type" - }, - "recoverbullPasswordTooShort": "Пароль должен быть как минимум 6 символов длиной", - "@recoverbullPasswordTooShort": { - "description": "Validation error for passwords under minimum length" - }, - "arkAddressPlaceholder": "ark1qp9wsjfpsj5v5ex022v6..", - "@arkAddressPlaceholder": { - "description": "Placeholder text for recipient address input" - }, - "payNetwork": "Сеть", - "@payNetwork": { - "description": "Label for network" - }, - "sendBuildFailed": "Не удалось построить сделку", - "@sendBuildFailed": { - "description": "Error during transaction construction" - }, - "paySwapFee": "Свап-фут", - "@paySwapFee": { - "description": "Label for submarine swap fee" - }, - "exchangeAccountSettingsTitle": "Параметры валютного счета", - "@exchangeAccountSettingsTitle": { - "description": "Title for the exchange account settings screen" - }, - "arkBoardingConfirmed": "Подтверждено", - "@arkBoardingConfirmed": { - "description": "Label for confirmed boarding balance in Ark balance breakdown" - }, - "broadcastSignedTxTitle": "Трансляция", - "@broadcastSignedTxTitle": { - "description": "AppBar title for broadcast signed transaction screen" - }, - "backupWalletVaultProviderTakeYourTime": "Возьми время", - "@backupWalletVaultProviderTakeYourTime": { - "description": "Tag for custom location provider" - }, - "arkSettleIncludeRecoverable": "Включить восстановленные vtxos", - "@arkSettleIncludeRecoverable": { - "description": "Toggle label for including recoverable vtxos" - }, - "ledgerWalletTypeSegwitDescription": "Native SegWit - рекомендуемый", - "@ledgerWalletTypeSegwitDescription": { - "description": "Description for Segwit wallet type" - }, - "exchangeAccountInfoFirstNameLabel": "Имя", - "@exchangeAccountInfoFirstNameLabel": { - "description": "Label for first name field in account information" - }, - "payPaymentFailed": "Неуплата", - "@payPaymentFailed": { - "description": "Error message when payment fails" - }, - "sendRefundProcessed": "Ваш возврат был обработан.", - "@sendRefundProcessed": { - "description": "Message confirming refund completion" - }, - "exchangeKycCardSubtitle": "Удаление лимитов транзакций", - "@exchangeKycCardSubtitle": { - "description": "Subtitle explaining why to complete KYC" - }, - "importColdcardInvalidQR": "Неверный код Coldcard QR", - "@importColdcardInvalidQR": { - "description": "Error for invalid QR format" - }, - "testBackupTranscribe": "Transcribe", - "@testBackupTranscribe": { - "description": "Label with checkmark indicating users should transcribe the phrase" - }, - "sendUnconfirmed": "Неподтвержденные", - "@sendUnconfirmed": { - "description": "Status for 0-conf UTXO" - }, - "testBackupRetrieveVaultDescription": "Тест, чтобы убедиться, что вы можете получить зашифрованное хранилище.", - "@testBackupRetrieveVaultDescription": { - "description": "Description explaining purpose of vault location selection" - }, - "fundExchangeLabelCvu": "CVU", - "@fundExchangeLabelCvu": { - "description": "Label for CVU (Clave Virtual Uniforme) number in Argentina" - }, - "electrumStopGap": "Остановите Гэп", - "@electrumStopGap": { - "description": "Stop Gap field label and hint in advanced options" - }, - "payBroadcastingTransaction": "Трансляция...", - "@payBroadcastingTransaction": { - "description": "Status message while broadcasting to network" - }, - "bip329LabelsImportButton": "Импорт этикеток", - "@bip329LabelsImportButton": { - "description": "Button text to import labels" - }, - "fiatCurrencySettingsLabel": "Fiat валюта", - "@fiatCurrencySettingsLabel": { - "description": "The label for the button to access the fiat currency settings" - }, - "arkStatusConfirmed": "Подтверждено", - "@arkStatusConfirmed": { - "description": "Status label for confirmed boarding transactions" - }, - "withdrawConfirmAmount": "Сумма", - "@withdrawConfirmAmount": { - "description": "Field label for withdrawal amount" - }, - "transactionSwapDoNotUninstall": "Не удаляйте приложение до завершения обмена.", - "@transactionSwapDoNotUninstall": { - "description": "Warning message to not uninstall app during swap" - }, - "payDefaultCommentHint": "Введите комментарий по умолчанию", - "@payDefaultCommentHint": { - "description": "Hint for default comment input" - }, - "labelErrorSystemCannotDelete": "Системные этикетки нельзя удалить.", - "@labelErrorSystemCannotDelete": { - "description": "Error message when trying to delete a system label" - }, - "copyDialogButton": "Копировать", - "@copyDialogButton": { - "description": "Button in modal dialog to copy value to clipboard" - }, - "bitboxActionImportWalletProcessing": "Импорт кошелька", - "@bitboxActionImportWalletProcessing": { - "description": "Processing text for import wallet" - }, - "swapConfirmTransferTitle": "Подтверждение передачи", - "@swapConfirmTransferTitle": { - "description": "AppBar title on the confirmation page" - }, - "payTransitNumberHint": "Введите номер транзита", - "@payTransitNumberHint": { - "description": "Hint for transit number input" - }, - "recoverbullSwitchToPIN": "Выберите PIN вместо", - "@recoverbullSwitchToPIN": { - "description": "Button text to switch from password to PIN input" - }, - "payQrCode": "Код QR", - "@payQrCode": { - "description": "Title for QR code bottom sheet" - }, - "exchangeAccountInfoVerificationLevelLabel": "Уровень проверки", - "@exchangeAccountInfoVerificationLevelLabel": { - "description": "Label for verification level field in account information" - }, - "walletDetailsDerivationPathLabel": "Путь вывода", - "@walletDetailsDerivationPathLabel": { - "description": "Label for the derivation path field in wallet details" - }, - "exchangeBitcoinWalletsBitcoinAddressLabel": "Bitcoin Адрес", - "@exchangeBitcoinWalletsBitcoinAddressLabel": { - "description": "Label for Bitcoin address field in exchange Bitcoin wallets" - }, - "transactionDetailLabelExchangeRate": "Обменный курс", - "@transactionDetailLabelExchangeRate": { - "description": "Label for exchange rate" - }, - "electrumServerOffline": "Оффлайн", - "@electrumServerOffline": { - "description": "Status text for offline servers" - }, - "sendTransferFee": "Перенос", - "@sendTransferFee": { - "description": "Label for total swap transfer fee" - }, - "fundExchangeLabelIbanCrcOnly": "Номер счета IBAN (только для Колонцев)", - "@fundExchangeLabelIbanCrcOnly": { - "description": "Label for IBAN field - Colones only" - }, - "arkServerPubkey": "Server pubkey", - "@arkServerPubkey": { - "description": "Label for server public key field" - }, - "testBackupPhysicalBackupDescription": "Запишите 12 слов на бумаге. Держите их в безопасности и убедитесь, что не потерять их.", - "@testBackupPhysicalBackupDescription": { - "description": "Description for physical backup option" - }, - "sendInitiatingSwap": "Начало обмена...", - "@sendInitiatingSwap": { - "description": "Loading message during swap setup" - }, - "sellLightningNetwork": "Сеть освещения", - "@sellLightningNetwork": { - "description": "Option for Lightning Network payment" - }, - "buySelectWallet": "Выберите кошелек", - "@buySelectWallet": { - "description": "Label for wallet selection dropdown" - }, - "testBackupErrorIncorrectOrder": "Неправильный порядок слов. Попробуй еще раз.", - "@testBackupErrorIncorrectOrder": { - "description": "Error when words are selected in wrong order" - }, - "importColdcardInstructionsStep6": "Выберите «Bull Bitcoin» в качестве варианта экспорта", - "@importColdcardInstructionsStep6": { - "description": "ImportColdcardQ: Sixth instruction step" - }, - "swapValidationSelectToWallet": "Пожалуйста, выберите кошелек для перевода", - "@swapValidationSelectToWallet": { - "description": "Validation error when no destination wallet selected" - }, - "receiveWaitForSenderToFinish": "Ожидайте, что отправитель завершит сделку payjoin", - "@receiveWaitForSenderToFinish": { - "description": "Instructions to wait for the sender during a payjoin transaction" - }, - "arkSetupTitle": "Настройка ковчега", - "@arkSetupTitle": { - "description": "AppBar title for Ark setup screen" - }, - "seedsignerStep3": "Сканировать код QR, показанный в кошельке Bull", - "@seedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, - "sellErrorLoadUtxos": "Не удалось загрузить UTXO: {error}", - "@sellErrorLoadUtxos": { - "description": "Error message when loading UTXOs fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "payDecodingInvoice": "Удаление счета-фактуры...", - "@payDecodingInvoice": { - "description": "Loading message while parsing invoice" - }, - "importColdcardInstructionsStep5": "Выберите \"Export Wallet\"", - "@importColdcardInstructionsStep5": { - "description": "ImportColdcardQ: Fifth instruction step" - }, - "electrumStopGapTooHighError": "Стоп Гэп кажется слишком высоким. {maxStopGap}", - "@electrumStopGapTooHighError": { - "description": "Validation error for Stop Gap exceeding maximum", - "placeholders": { - "maxStopGap": { - "type": "String" - } - } - }, - "electrumTimeoutTooHighError": "Таймаут кажется слишком высоким. (Макс: {maxTimeout} секунд)", - "@electrumTimeoutTooHighError": { - "description": "Validation error for Timeout exceeding maximum", - "placeholders": { - "maxTimeout": { - "type": "String" - } - } - }, - "sellInstantPayments": "Мгновенные платежи", - "@sellInstantPayments": { - "description": "Display text for instant payment wallet" - }, - "priceChartFetchingHistory": "Получение истории цен...", - "@priceChartFetchingHistory": { - "description": "Message shown while fetching price history when no local data is available" - }, - "sellDone": "Дон", - "@sellDone": { - "description": "Button to close bottom sheet" - }, - "payFromWallet": "От Wallet", - "@payFromWallet": { - "description": "Label showing source wallet" - }, - "dcaConfirmRecurringBuyTitle": "Подтверждение Купить", - "@dcaConfirmRecurringBuyTitle": { - "description": "AppBar title for confirmation screen" - }, - "transactionSwapBitcoinToLiquid": "BTC → L-BTC", - "@transactionSwapBitcoinToLiquid": { - "description": "Label for Bitcoin to Liquid swap" - }, - "sellBankDetails": "Банковские данные", - "@sellBankDetails": { - "description": "Section header for bank account info" - }, - "pinStatusCheckingDescription": "Проверка состояния PIN", - "@pinStatusCheckingDescription": { - "description": "Status screen description during initialization" - }, - "coreScreensConfirmButton": "Подтверждение", - "@coreScreensConfirmButton": { - "description": "Text for confirm button" - }, - "passportStep6": " - Переместить красный лазер вверх и вниз по QR-коду", - "@passportStep6": { - "description": "Passport troubleshooting tip 2" - }, - "importQrDeviceSpecterStep8": "На вашем мобильном устройстве нажмите Open Camera", - "@importQrDeviceSpecterStep8": { - "description": "Specter instruction step 8" - }, - "sellSendPaymentContinue": "Продолжить", - "@sellSendPaymentContinue": { - "description": "Continue button on sell payment" - }, - "coreSwapsStatusPending": "Завершение", - "@coreSwapsStatusPending": { - "description": "Display name for pending swap status" - }, - "electrumDragToReorder": "(Долгая пресса, чтобы перетащить и изменить приоритет)", - "@electrumDragToReorder": { - "description": "Instruction text for reordering servers" - }, - "keystoneStep4": "Если у вас есть проблемы с сканированием:", - "@keystoneStep4": { - "description": "Keystone troubleshooting header" - }, - "autoswapTriggerAtBalanceInfoText": "Autoswap запускает, когда ваш баланс будет выше этой суммы.", - "@autoswapTriggerAtBalanceInfoText": { - "description": "Info text explaining when autoswap will trigger" - }, - "exchangeLandingDisclaimerNotAvailable": "Услуги по обмену криптовалютами недоступны в мобильном приложении Bull Bitcoin.", - "@exchangeLandingDisclaimerNotAvailable": { - "description": "Disclaimer informing users that exchange services are not available in the mobile app" - }, - "sendCustomFeeRate": "Пользовательские ставки", - "@sendCustomFeeRate": { - "description": "Option to manually set fee" - }, - "ledgerHelpTitle": "Устранение неполадок", - "@ledgerHelpTitle": { - "description": "Title for Ledger troubleshooting help modal" - }, - "swapErrorAmountExceedsMaximum": "Сумма превышает максимальную сумму свопа", - "@swapErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum swap limit" - }, - "transactionLabelTotalSwapFees": "Итого, сборы за суспение", - "@transactionLabelTotalSwapFees": { - "description": "Label for total swap fees" - }, - "errorLabel": "Ошибка", - "@errorLabel": { - "description": "Label for error messages" - }, - "receiveInsufficientInboundLiquidity": "Недостаточная пропускная способность", - "@receiveInsufficientInboundLiquidity": { - "description": "Error when Lightning channels lack inbound capacity" - }, - "withdrawRecipientsMyTab": "Мои получатели фиат", - "@withdrawRecipientsMyTab": { - "description": "Tab label for existing recipients" - }, - "sendFeeRateTooLow": "Слишком низкий уровень", - "@sendFeeRateTooLow": { - "description": "Error for insufficient fee" - }, - "payLastNameHint": "Введите имя", - "@payLastNameHint": { - "description": "Hint for last name input" - }, - "exchangeLandingRestriction": "Доступ к услугам обмена будет ограничен странами, где Bull Bitcoin может легально работать и может потребовать KYC.", - "@exchangeLandingRestriction": { - "description": "Legal restriction notice" - }, - "payFailedPayments": "Не удалось", - "@payFailedPayments": { - "description": "Filter for failed payments" - }, - "transactionDetailLabelToWallet": "Кошелек", - "@transactionDetailLabelToWallet": { - "description": "Label for destination wallet" - }, - "fundExchangeLabelRecipientName": "Имя получателя", - "@fundExchangeLabelRecipientName": { - "description": "Label for recipient name field (alternative to beneficiary name)" - }, - "arkToday": "Сегодня", - "@arkToday": { - "description": "Date label for transactions from today" - }, - "importQrDeviceJadeStep2": "Выберите «QR Mode» из основного меню", - "@importQrDeviceJadeStep2": { - "description": "Jade instruction step 2" - }, - "rbfErrorAlreadyConfirmed": "Первоначальная сделка подтверждена", - "@rbfErrorAlreadyConfirmed": { - "description": "Error when trying to RBF a confirmed transaction" - }, - "psbtFlowMoveBack": "Попробуйте переместить устройство назад немного", - "@psbtFlowMoveBack": { - "description": "Troubleshooting tip to adjust scanning distance" - }, - "exchangeReferralsContactSupportMessage": "Контактная поддержка, чтобы узнать о нашей реферальной программе", - "@exchangeReferralsContactSupportMessage": { - "description": "Message prompting users to contact support about the referral program" - }, - "sellSendPaymentEurBalance": "EUR Баланс", - "@sellSendPaymentEurBalance": { - "description": "EUR balance payout method" - }, - "exchangeAccountTitle": "Обменный счет", - "@exchangeAccountTitle": { - "description": "Title for the exchange account section" - }, - "swapProgressCompleted": "Завершение перевода", - "@swapProgressCompleted": { - "description": "Completed transfer status" - }, - "keystoneStep2": "Нажмите кнопку Сканировать", - "@keystoneStep2": { - "description": "Keystone instruction step 2" - }, - "sendContinue": "Продолжить", - "@sendContinue": { - "description": "Button label for continuing in the send flow" - }, - "transactionDetailRetrySwap": "Retry Swap {action}", - "@transactionDetailRetrySwap": { - "description": "Button label to retry a failed swap action", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "sendErrorSwapCreationFailed": "Не удалось создать свопы.", - "@sendErrorSwapCreationFailed": { - "description": "Error when swap creation fails" - }, - "arkNoBalanceData": "Данные о балансе отсутствуют", - "@arkNoBalanceData": { - "description": "Message shown when Ark balance data is not available" - }, - "autoswapWarningCardTitle": "Autoswap включен.", - "@autoswapWarningCardTitle": { - "description": "Title text shown on the autoswap warning card on home screen" - }, - "coreSwapsChainCompletedSuccess": "Передача завершена успешно.", - "@coreSwapsChainCompletedSuccess": { - "description": "Status message for successfully completed chain swap" - }, - "physicalBackupRecommendation": "Физическая поддержка: ", - "@physicalBackupRecommendation": { - "description": "Bold label for physical backup recommendation" - }, - "autoswapMaxBalance": "Макс Мгновенный баланс", - "@autoswapMaxBalance": { - "description": "Field label for max balance threshold" - }, - "importQrDeviceImport": "Импорт", - "@importQrDeviceImport": { - "description": "Button to confirm import from QR device" - }, - "importQrDeviceScanPrompt": "Сканировать QR-код из вашего {deviceName}", - "@importQrDeviceScanPrompt": { - "description": "Instruction to scan QR from device", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "fundExchangeCostaRicaMethodSinpeTitle": "SINPE Móvil", - "@fundExchangeCostaRicaMethodSinpeTitle": { - "description": "Payment method title for SINPE Móvil in method list" - }, - "sellBitcoinOnChain": "Bitcoin на цепочке", - "@sellBitcoinOnChain": { - "description": "Option for Bitcoin on-chain payment" - }, - "fundExchangeLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (Costa Rica business ID number)" - }, - "exchangeRecipientsComingSoon": "Реципиенты - Скоро", - "@exchangeRecipientsComingSoon": { - "description": "Message indicating that the recipients feature is coming soon" - }, - "ledgerWalletTypeLabel": "Тип кошелька:", - "@ledgerWalletTypeLabel": { - "description": "Label for wallet type/script type selection" - }, - "bip85ExperimentalWarning": "Экспериментальный\nЗаверните свои пути вывода вручную", - "@bip85ExperimentalWarning": { - "description": "Warning message about experimental feature" - }, - "addressViewBalance": "Баланс", - "@addressViewBalance": { - "description": "Label for address balance" - }, - "recoverbullLookingForBalance": "Поиск баланса и сделок..", - "@recoverbullLookingForBalance": { - "description": "Loading message while scanning wallet" - }, - "recoverbullSelectNoBackupsFound": "Никаких резервных копий не найдено", - "@recoverbullSelectNoBackupsFound": { - "description": "Empty state message when no backup files found in Google Drive" - }, - "importMnemonicNestedSegwit": "Nested Segwit", - "@importMnemonicNestedSegwit": { - "description": "Label for Nested Segwit (BIP49) wallet type" - }, - "sendReplaceByFeeActivated": "Замена по фе активирована", - "@sendReplaceByFeeActivated": { - "description": "Message indicating that replace-by-fee (RBF) is activated" - }, - "psbtFlowScanQrOption": "Выберите опцию \"Scan QR\"", - "@psbtFlowScanQrOption": { - "description": "Instruction to select scan QR menu option" - }, - "coreSwapsLnReceiveFailed": "Неудачно.", - "@coreSwapsLnReceiveFailed": { - "description": "Status message for failed Lightning receive swap" - }, - "fundExchangeCostaRicaMethodIbanUsdSubtitle": "Перевод средств в долларах США (USD)", - "@fundExchangeCostaRicaMethodIbanUsdSubtitle": { - "description": "Subtitle description for IBAN USD payment method" - }, - "transactionDetailLabelPayinStatus": "Статус оплаты", - "@transactionDetailLabelPayinStatus": { - "description": "Label for payin status" - }, - "importQrDeviceSpecterStep9": "Сканировать QR-код, отображаемый на вашем Specter", - "@importQrDeviceSpecterStep9": { - "description": "Specter instruction step 9" - }, - "settingsRecoverbullTitle": "Recoverbull", - "@settingsRecoverbullTitle": { - "description": "Title for the Recoverbull backup section in app settings" - }, - "buyInputKycPending": "Проверка идентификации KYC", - "@buyInputKycPending": { - "description": "KYC pending info card title" - }, - "importWatchOnlySelectDerivation": "Выбрать", - "@importWatchOnlySelectDerivation": { - "description": "Title for bottom sheet to select wallet derivation type" - }, - "walletAddressTypeLegacy": "Наследие", - "@walletAddressTypeLegacy": { - "description": "Address type for BIP44 wallets" - }, - "hwPassport": "Паспорт", - "@hwPassport": { - "description": "Name of Foundation Passport hardware wallet" - }, - "electrumInvalidStopGapError": "Неверный стоп Значение разрыва: {value}", - "@electrumInvalidStopGapError": { - "description": "Error message for invalid Stop Gap value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "dcaFrequencyWeekly": "неделя", - "@dcaFrequencyWeekly": { - "description": "Weekly DCA frequency" - }, - "fundExchangeMethodRegularSepaSubtitle": "Только для более крупных транзакций выше €20,000", - "@fundExchangeMethodRegularSepaSubtitle": { - "description": "Subtitle for Regular SEPA payment method" - }, - "settingsTelegramLabel": "Telegram", - "@settingsTelegramLabel": { - "description": "Label for the Telegram link in settings" - }, - "walletDetailsSignerDeviceNotSupported": "Не поддерживается", - "@walletDetailsSignerDeviceNotSupported": { - "description": "Message displayed when a signer device is not supported" - }, - "exchangeLandingDisclaimerLegal": "Доступ к услугам обмена будет ограничен странами, где Bull Bitcoin может легально работать и может потребовать KYC.", - "@exchangeLandingDisclaimerLegal": { - "description": "Legal disclaimer about exchange service availability and KYC requirements" - }, - "backupWalletEncryptedVaultTitle": "Зашифрованное хранилище", - "@backupWalletEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, - "mempoolNetworkLiquidMainnet": "Жидкий Mainnet", - "@mempoolNetworkLiquidMainnet": { - "description": "Label for Liquid Mainnet network" - }, - "sellFromAnotherWallet": "Продавать еще один биткойн-кошелек", - "@sellFromAnotherWallet": { - "description": "Subtitle for external wallet option" - }, - "automaticallyFetchKeyButton": ">>", - "@automaticallyFetchKeyButton": { - "description": "Button label to automatically fetch key" - }, - "importColdcardButtonOpenCamera": "Откройте камеру", - "@importColdcardButtonOpenCamera": { - "description": "ImportColdcardQ: Button to open camera for QR scanning" - }, - "recoverbullReenterRequired": "(X14X)", - "@recoverbullReenterRequired": { - "description": "Label for confirmation input field", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "payFeePriority": "Очередность", - "@payFeePriority": { - "description": "Label for fee priority selection" - }, - "buyInsufficientBalanceDescription": "У вас нет достаточного баланса для создания этого порядка.", - "@buyInsufficientBalanceDescription": { - "description": "Description for insufficient balance error" - }, - "sendSelectNetworkFee": "Выберите сетевой сбор", - "@sendSelectNetworkFee": { - "description": "Label for selecting the network fee in the send flow" - }, - "exchangeDcaFrequencyWeek": "неделя", - "@exchangeDcaFrequencyWeek": { - "description": "DCA frequency unit: week" - }, - "keystoneStep6": " - Переместить красный лазер вверх и вниз по QR-коду", - "@keystoneStep6": { - "description": "Keystone troubleshooting tip 2" - }, - "walletDeletionErrorGeneric": "Не удалось удалить кошелек, попробуйте еще раз.", - "@walletDeletionErrorGeneric": { - "description": "Generic error message when wallet deletion fails" - }, - "fundExchangeLabelTransferCode": "Код передачи (добавьте это как описание оплаты)", - "@fundExchangeLabelTransferCode": { - "description": "Label for transfer code field" - }, - "sellNoInvoiceData": "Данные счетов отсутствуют", - "@sellNoInvoiceData": { - "description": "Message when no invoice data available" - }, - "ledgerInstructionsIos": "Убедитесь, что ваш Ledger разблокирован с открытым приложением Bitcoin и включенным Bluetooth.", - "@ledgerInstructionsIos": { - "description": "Connection instructions for iOS devices (Bluetooth only)" - }, - "replaceByFeeScreenTitle": "Заменить:", - "@replaceByFeeScreenTitle": { - "description": "Screen title for replace by fee feature" - }, - "arkReceiveCopyAddress": "Копировать адрес", - "@arkReceiveCopyAddress": { - "description": "Copy address button label" - }, - "testBackupErrorWriteFailed": "Написать на хранение не удалось: {error}", - "@testBackupErrorWriteFailed": { - "description": "Error when writing verification status to storage fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "exchangeDcaNetworkLightning": "Сеть освещения", - "@exchangeDcaNetworkLightning": { - "description": "DCA network option: Lightning" - }, - "sendType": "Тип: ", - "@sendType": { - "description": "Label prefix for transaction type field" - }, - "buyBitcoinAddressHint": "BC1QYL7J673H...6Y6ALV70M0", - "@buyBitcoinAddressHint": { - "description": "Placeholder hint for bitcoin address input" - }, - "exchangeHomeWithdrawButton": "Выделить", - "@exchangeHomeWithdrawButton": { - "description": "Button label for withdrawing funds from the exchange" - }, - "transactionListOngoingTransfersTitle": "Текущие переводы", - "@transactionListOngoingTransfersTitle": { - "description": "Title for ongoing transfers section" - }, - "arkSendAmountTitle": "Введите сумму", - "@arkSendAmountTitle": { - "description": "Title for the ark send amount page" - }, - "addressViewAddress": "Адрес", - "@addressViewAddress": { - "description": "Label for address field" - }, - "payOnChainFee": "On-Chain Fee", - "@payOnChainFee": { - "description": "Label for Bitcoin on-chain transaction fee" - }, - "arkReceiveUnifiedAddress": "Единый адрес (BIP21)", - "@arkReceiveUnifiedAddress": { - "description": "Label for unified BIP21 address" - }, - "sellHowToPayInvoice": "Как вы хотите заплатить этот счет?", - "@sellHowToPayInvoice": { - "description": "Question for payment method selection" - }, - "payUseCoinjoin": "Использовать CoinJoin", - "@payUseCoinjoin": { - "description": "Option to use CoinJoin for privacy" - }, - "autoswapWarningExplanation": "Когда ваш баланс превышает количество триггера, своп будет срабатывать. Базовая сумма будет храниться в вашем кошельке Instant Payments, а оставшаяся сумма будет заменена на ваш безопасный Bitcoin Wallet.", - "@autoswapWarningExplanation": { - "description": "Explanation text in the autoswap warning bottom sheet" - }, - "recoverbullVaultRecoveryTitle": "Восстановление хранилища", - "@recoverbullVaultRecoveryTitle": { - "description": "Title for recoverbull vault recovery screen" - }, - "passportStep14": "Теперь он готов к трансляции! Как только вы нажмете трансляцию, транзакция будет опубликована в сети Bitcoin и средства будут отправлены.", - "@passportStep14": { - "description": "Passport final instruction about broadcasting" - }, - "settingsCurrencyTitle": "Валюта", - "@settingsCurrencyTitle": { - "description": "Title for the currency settings section in the settings menu" - }, - "transactionSwapDescChainClaimable": "Сделка блокировки подтверждена. Теперь вы претендуете на средства для завершения вашего перевода.", - "@transactionSwapDescChainClaimable": { - "description": "Description for claimable chain swap" - }, - "sendSwapDetails": "Скачайте детали", - "@sendSwapDetails": { - "description": "Section header for swap information" - }, - "onboardingPhysicalBackupDescription": "Восстановите свой кошелек через 12 слов.", - "@onboardingPhysicalBackupDescription": { - "description": "Description for the physical backup recovery option in onboarding" - }, - "psbtFlowSelectSeed": "Как только транзакция импортируется в ваш {device}, вы должны выбрать семя, с которым вы хотите подписать.", - "@psbtFlowSelectSeed": { - "description": "Instruction to select seed on device for signing", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "pinStatusLoading": "Загрузка", - "@pinStatusLoading": { - "description": "Status screen title during initialization" - }, - "payTitle": "Оплата", - "@payTitle": { - "description": "Screen title for pay feature" - }, - "buyInputKycMessage": "Вы должны сначала завершить проверку личности", - "@buyInputKycMessage": { - "description": "KYC pending info card message" - }, - "ledgerSuccessAddressVerified": "Адрес проверен успешно!", - "@ledgerSuccessAddressVerified": { - "description": "Success snackbar message after address verification" - }, - "fundExchangeCrIbanUsdLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanUsdLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (legal ID number in Costa Rica) for USD" - }, - "arkSettleDescription": "Завершение незавершенных операций и включение в них в случае необходимости восстановимых vtxo", - "@arkSettleDescription": { - "description": "Description explaining what settling transactions does" - }, - "backupWalletHowToDecideVaultCustomRecommendation": "Настраиваемое расположение: ", - "@backupWalletHowToDecideVaultCustomRecommendation": { - "description": "Bold label for custom location recommendation" - }, - "arkSendSuccessMessage": "Ваша сделка с Ковчеком была успешной!", - "@arkSendSuccessMessage": { - "description": "Success message shown after Ark send transaction completes" - }, - "sendSats": "сидение", - "@sendSats": { - "description": "Unit label for satoshis" - }, - "electrumInvalidTimeoutError": "Невероятная величина Timeout: {value}", - "@electrumInvalidTimeoutError": { - "description": "Error message for invalid Timeout value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "exchangeKycLevelLimited": "Limited", - "@exchangeKycLevelLimited": { - "description": "KYC verification level: Limited" - }, - "withdrawConfirmEmail": "Email", - "@withdrawConfirmEmail": { - "description": "Field label for email (Interac)" - }, - "buyNetworkFees": "Сетевые сборы", - "@buyNetworkFees": { - "description": "Label for network fees amount" - }, - "coldcardStep7": " - Переместить красный лазер вверх и вниз по QR-коду", - "@coldcardStep7": { - "description": "Coldcard troubleshooting tip 2" - }, - "transactionSwapDescChainRefundable": "Перевод будет возвращен. Ваши средства будут возвращены в ваш кошелек автоматически.", - "@transactionSwapDescChainRefundable": { - "description": "Description for refundable chain swap" - }, - "sendPaymentWillTakeTime": "Оплата займет время", - "@sendPaymentWillTakeTime": { - "description": "Title warning of delayed payment" - }, - "fundExchangeSpeiTitle": "Перевод SPEI", - "@fundExchangeSpeiTitle": { - "description": "Screen title for SPEI transfer (Mexico)" - }, - "receivePaymentNormally": "Получение платежа обычно", - "@receivePaymentNormally": { - "description": "Option to receive payment without payjoin if it fails" - }, - "kruxStep10": "Как только транзакция будет импортирована в вашем Krux, рассмотрите адрес назначения и сумму.", - "@kruxStep10": { - "description": "Krux instruction for reviewing transaction" - }, - "bitboxErrorHandshakeFailed": "Не удалось установить безопасное соединение. Попробуй еще раз.", - "@bitboxErrorHandshakeFailed": { - "description": "Error when handshake with BitBox device fails" - }, - "sellKYCRequired": "Требуется проверка КИК", - "@sellKYCRequired": { - "description": "Error when identity verification needed" - }, - "coldcardStep8": " - Попробуйте переместить устройство назад", - "@coldcardStep8": { - "description": "Coldcard troubleshooting tip 3" - }, - "bitboxScreenDefaultWalletLabel": "BitBox Wallet", - "@bitboxScreenDefaultWalletLabel": { - "description": "Default label for imported BitBox wallet" - }, - "replaceByFeeBroadcastButton": "Broadcast", - "@replaceByFeeBroadcastButton": { - "description": "Button to broadcast the replacement transaction" - }, - "swapExternalTransferLabel": "Внешняя передача", - "@swapExternalTransferLabel": { - "description": "Label for external transfer toggle" - }, - "transactionPayjoinNoProposal": "Не получив предложение от получателя?", - "@transactionPayjoinNoProposal": { - "description": "Message displayed when payjoin proposal is not received" - }, - "importQrDevicePassportStep4": "Выберите \"Connect Wallet\"", - "@importQrDevicePassportStep4": { - "description": "Passport instruction step 4" - }, - "payAddRecipient": "Добавить получателя", - "@payAddRecipient": { - "description": "Button to add another payment recipient" - }, - "recoverbullVaultImportedSuccess": "Ваше хранилище было успешно импортировано", - "@recoverbullVaultImportedSuccess": { - "description": "Success message after vault import" - }, - "backupKeySeparationWarning": "Крайне важно, чтобы вы не сохранили резервный ключ в том же месте, где вы сохраняете резервный файл. Всегда храните их на отдельных устройствах или отдельных облачных провайдерах.", - "@backupKeySeparationWarning": { - "description": "Warning about storing backup key and file separately" - }, - "coreSwapsStatusInProgress": "Прогресс", - "@coreSwapsStatusInProgress": { - "description": "Display name for in-progress swap status (paid, claimable, refundable, canCoop)" - }, - "confirmAccessPinTitle": "Подтвердить доступ {pinOrPassword}", - "@confirmAccessPinTitle": { - "description": "Title for confirming access PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "sellErrorUnexpectedOrderType": "Ожидаемый SellOrder, но получил другой тип заказа", - "@sellErrorUnexpectedOrderType": { - "description": "Error message when wrong order type is received" - }, - "pinCreateHeadline": "Создать новый значок", - "@pinCreateHeadline": { - "description": "Headline text on PIN creation screen" - }, - "transactionSwapProgressConfirmed": "Подтверждено", - "@transactionSwapProgressConfirmed": { - "description": "Swap progress step: confirmed" - }, - "sellRoutingNumber": "Номер маршрутизации", - "@sellRoutingNumber": { - "description": "Label for bank routing/transit number" - }, - "sellDailyLimitReached": "Ежедневный лимит продаж", - "@sellDailyLimitReached": { - "description": "Error when hitting daily maximum" - }, - "requiredHint": "Требуемые", - "@requiredHint": { - "description": "Placeholder hint for required label field" - }, - "arkUnilateralExitDelay": "Односторонняя задержка выхода", - "@arkUnilateralExitDelay": { - "description": "Label for unilateral exit delay field" - }, - "arkStatusPending": "Завершение", - "@arkStatusPending": { - "description": "Status label for pending transactions" - }, - "importWatchOnlyXpub": "xpub", - "@importWatchOnlyXpub": { - "description": "Label for xpub import method" - }, - "dcaInsufficientBalanceTitle": "Недостаточный баланс", - "@dcaInsufficientBalanceTitle": { - "description": "InfoCard title when user has insufficient funds" - }, - "arkType": "Тип", - "@arkType": { - "description": "Label for transaction type field in details table" - }, - "backupImportanceMessage": "Без резервного копирования вы в конечном итоге потеряете доступ к своим деньгам. Крайне важно сделать резервную копию.", - "@backupImportanceMessage": { - "description": "Critical warning message about the importance of backing up the wallet" - }, - "testBackupGoogleDrivePermission": "Google попросит вас поделиться личной информацией с этим приложением.", - "@testBackupGoogleDrivePermission": { - "description": "Progress screen description explaining Google Drive permission request" - }, - "testnetModeSettingsLabel": "Режим работы", - "@testnetModeSettingsLabel": { - "description": "The label for the testnet mode settings" - }, - "testBackupErrorUnexpectedSuccess": "Неожиданный успех: резервное копирование должно соответствовать существующему кошельку", - "@testBackupErrorUnexpectedSuccess": { - "description": "Error for unexpected successful vault restoration" - }, - "coreScreensReceiveAmountLabel": "Получить сумму", - "@coreScreensReceiveAmountLabel": { - "description": "Label for receive amount field" - }, - "payAllTypes": "Все типы", - "@payAllTypes": { - "description": "Option for all types filter" - }, - "systemLabelPayjoin": "Payjoin", - "@systemLabelPayjoin": { - "description": "System label for payjoin transactions" - }, - "onboardingScreenTitle": "Добро пожаловать", - "@onboardingScreenTitle": { - "description": "The title of the onboarding screen" - }, - "pinCodeConfirmTitle": "Подтвердить новый значок", - "@pinCodeConfirmTitle": { - "description": "Title for confirming the new PIN code" - }, - "arkSetupExperimentalWarning": "Ковчег все еще экспериментальный.\n\nВаш кошелек Арк происходит от семенной фразы вашего основного кошелька. Никакой дополнительной резервной копии не требуется, ваша существующая резервная копия кошелька также восстанавливает ваши средства Ark.\n\nПродолжая, вы признаете экспериментальный характер Ковчега и риск потери средств.\n\nЗаметка разработчика: Секрет Арка происходит от основного семени кошелька с использованием произвольного выведения BIP-85 (индекс 11811).", - "@arkSetupExperimentalWarning": { - "description": "Ark experimental warning text" - }, - "keyServerLabel": "Ключевой сервер ", - "@keyServerLabel": { - "description": "Label for key server status" - }, - "recoverbullEnterToView": "Пожалуйста, введите свой {inputType} для просмотра ключа хранилища.", - "@recoverbullEnterToView": { - "description": "Instruction to enter PIN or password to view vault key", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "payReviewPayment": "Оплата", - "@payReviewPayment": { - "description": "Title for payment review screen" - }, - "electrumBitcoinSslInfo": "Если протокол не указан, ssl будет использоваться по умолчанию.", - "@electrumBitcoinSslInfo": { - "description": "Info text for Bitcoin server protocol" - }, - "transactionTitle": "Операции", - "@transactionTitle": { - "description": "Title for the transactions screen" - }, - "sellQrCode": "Код QR", - "@sellQrCode": { - "description": "Title for QR code bottom sheet" - }, - "walletOptionsUnnamedWalletFallback": "Неназванный кошелек", - "@walletOptionsUnnamedWalletFallback": { - "description": "Fallback name displayed for wallets without a specified name" - }, - "fundExchangeRegularSepaInfo": "Использовать только для транзакций выше €20 000. Для небольших транзакций используйте опцию Instant SEPA.", - "@fundExchangeRegularSepaInfo": { - "description": "Info message for Regular SEPA transaction limits" - }, - "fundExchangeDoneButton": "Дон", - "@fundExchangeDoneButton": { - "description": "Button label to finish and exit the funding flow" - }, - "buyKYCLevel3": "Уровень 3 - полный", - "@buyKYCLevel3": { - "description": "Full verification tier" - }, - "appStartupErrorMessageNoBackup": "На v5.4.0 был обнаружен критический жучок в одной из наших зависимостей, которые влияют на личное хранилище ключей. Это повлияло на ваше приложение. Свяжитесь с нашей группой поддержки.", - "@appStartupErrorMessageNoBackup": { - "description": "Error message shown when app startup fails due to seed storage issue and user has no backup" - }, - "sellGoHome": "Иди домой", - "@sellGoHome": { - "description": "Button to go to home screen" - }, - "keystoneStep8": "После того, как транзакция импортируется в ваш Keystone, проверьте адрес назначения и сумму.", - "@keystoneStep8": { - "description": "Keystone instruction for reviewing transaction" - }, - "psbtFlowSpecterTitle": "Инструкции по спектру", - "@psbtFlowSpecterTitle": { - "description": "Title for Specter device signing instructions" - }, - "importMnemonicChecking": "Проверка...", - "@importMnemonicChecking": { - "description": "Status while checking wallet type" - }, - "sendConnectDevice": "Устройство подключения", - "@sendConnectDevice": { - "description": "Prompt to plug in hardware wallet" - }, - "connectHardwareWalletSeedSigner": "SeedSigner", - "@connectHardwareWalletSeedSigner": { - "description": "SeedSigner hardware wallet option" - }, - "importQrDevicePassportStep7": "Выберите \"QR-код\"", - "@importQrDevicePassportStep7": { - "description": "Passport instruction step 7" - }, - "delete": "Удалить", - "@delete": { - "description": "Generic delete button label" - }, - "connectingToKeyServer": "Подключение к Key Server через Tor.\nЭто может занять до минуты.", - "@connectingToKeyServer": { - "description": "Message shown while connecting to key server via Tor" - }, - "bitboxErrorDeviceNotFound": "Устройство BitBox не найдено.", - "@bitboxErrorDeviceNotFound": { - "description": "Error when BitBox device cannot be found" - }, - "ledgerScanningMessage": "Поиск устройств Ledger поблизости...", - "@ledgerScanningMessage": { - "description": "Message shown while scanning for Ledger devices" - }, - "sellInsufficientBalanceError": "Недостаток баланса в выбранном кошельке для завершения этого ордера на продажу.", - "@sellInsufficientBalanceError": { - "description": "Error message for insufficient balance" - }, - "transactionSwapDescLnReceivePending": "Ваш обмен был инициирован. Мы ожидаем, что платеж будет получен в Lightning Network.", - "@transactionSwapDescLnReceivePending": { - "description": "Description for pending Lightning receive swap" - }, - "tryAgainButton": "Попробуйте снова", - "@tryAgainButton": { - "description": "Default button text for error state" - }, - "psbtFlowHoldSteady": "Держите QR-код устойчивым и сосредоточенным", - "@psbtFlowHoldSteady": { - "description": "Troubleshooting tip to hold QR code still" - }, - "swapConfirmTitle": "Подтверждение передачи", - "@swapConfirmTitle": { - "description": "AppBar title for swap confirmation screen" - }, - "testBackupGoogleDrivePrivacyPart1": "Эта информация ", - "@testBackupGoogleDrivePrivacyPart1": { - "description": "First part of privacy message" - }, - "connectHardwareWalletKeystone": "Keystone", - "@connectHardwareWalletKeystone": { - "description": "Keystone hardware wallet option" - }, - "importWalletTitle": "Добавить новый кошелек", - "@importWalletTitle": { - "description": "AppBar title for wallet import selection screen" - }, - "mempoolSettingsDefaultServer": "По умолчанию", - "@mempoolSettingsDefaultServer": { - "description": "Label for default mempool server section" - }, - "sendPasteAddressOrInvoice": "Вставить адрес платежа или счет-фактуру", - "@sendPasteAddressOrInvoice": { - "description": "Placeholder text for the payment address or invoice input field" - }, - "swapToLabel": "В", - "@swapToLabel": { - "description": "Label for destination wallet dropdown or address input" - }, - "payLoadingRecipients": "Загрузка получателей...", - "@payLoadingRecipients": { - "description": "Message while loading recipients" - }, - "sendSignatureReceived": "Подписание получено", - "@sendSignatureReceived": { - "description": "Success after hardware wallet signs" - }, - "failedToDeriveBackupKey": "Не удалось вывести резервный ключ", - "@failedToDeriveBackupKey": { - "description": "Error message when backup key derivation fails" - }, - "recoverbullGoogleDriveErrorExportFailed": "Не удалось экспортировать хранилище из Google Drive", - "@recoverbullGoogleDriveErrorExportFailed": { - "description": "Error message when exporting a drive backup fails" - }, - "exchangeKycLevelLight": "Свет", - "@exchangeKycLevelLight": { - "description": "KYC verification level: Light" - }, - "transactionLabelCreatedAt": "Создано", - "@transactionLabelCreatedAt": { - "description": "Label for creation timestamp" - }, - "bip329LabelsExportSuccess": "{count, plural, =1{1 этикетка экспортирована} other{{count} этикеток экспортировано}}", - "@bip329LabelsExportSuccess": { - "description": "Success message after exporting labels", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "fundExchangeMethodOnlineBillPaymentSubtitle": "Самый простой вариант, но его можно сделать с помощью онлайн-банкинга (3-4 рабочих дня)", - "@fundExchangeMethodOnlineBillPaymentSubtitle": { - "description": "Subtitle for Online Bill Payment method" - }, - "walletDeletionErrorWalletNotFound": "Кошелек, который вы пытаетесь удалить, не существует.", - "@walletDeletionErrorWalletNotFound": { - "description": "Error message when the wallet to delete cannot be found" - }, - "payEnableRBF": "Включить RBF", - "@payEnableRBF": { - "description": "Checkbox to enable Replace-By-Fee" - }, - "transactionDetailLabelFromWallet": "Из кошелька", - "@transactionDetailLabelFromWallet": { - "description": "Label for source wallet" - }, - "settingsLanguageTitle": "Язык", - "@settingsLanguageTitle": { - "description": "Title for the language selection in app settings" - }, - "importQrDeviceInvalidQR": "Неверный QR-код", - "@importQrDeviceInvalidQR": { - "description": "Error for invalid QR code format" - }, - "exchangeAppSettingsSaveSuccessMessage": "Настройки сохранены успешно", - "@exchangeAppSettingsSaveSuccessMessage": { - "description": "Success message displayed when exchange app settings are saved" - }, - "addressViewShowQR": "Показать QR-код", - "@addressViewShowQR": { - "description": "Button to display address as QR code" - }, - "testBackupVaultSuccessMessage": "Ваше хранилище было успешно импортировано", - "@testBackupVaultSuccessMessage": { - "description": "Success message after vault is imported" - }, - "exchangeSupportChatInputHint": "Введите сообщение...", - "@exchangeSupportChatInputHint": { - "description": "Placeholder text for the message input field" - }, - "electrumTestnet": "Testnet", - "@electrumTestnet": { - "description": "Testnet environment label" - }, - "sellSelectWallet": "Выберите Wallet", - "@sellSelectWallet": { - "description": "Dropdown to choose source wallet" - }, - "mempoolCustomServerAdd": "Добавить пользовательский сервер", - "@mempoolCustomServerAdd": { - "description": "Button text to add custom mempool server" - }, - "sendHighFeeWarningDescription": "Общая плата {feePercent}% от суммы, которую вы отправляете", - "@sendHighFeeWarningDescription": { - "description": "Warning message showing fee as percentage of send amount", - "placeholders": { - "feePercent": { - "type": "String" - } - } - }, - "withdrawConfirmButton": "Подтвердить вывод", - "@withdrawConfirmButton": { - "description": "Button to confirm withdrawal" - }, - "fundExchangeLabelBankAccountDetails": "Детали банковского счета", - "@fundExchangeLabelBankAccountDetails": { - "description": "Label for bank account details field" - }, - "payLiquidAddress": "Жидкий адрес", - "@payLiquidAddress": { - "description": "Label indicating payment destination is Liquid address" - }, - "sellTotalFees": "Итого", - "@sellTotalFees": { - "description": "Label for sum of all fees" - }, - "importWatchOnlyUnknown": "Неизвестный", - "@importWatchOnlyUnknown": { - "description": "Default value when signing device is unknown" - }, - "bitboxScreenNestedSegwitBip49": "Nested Segwit (BIP49)", - "@bitboxScreenNestedSegwitBip49": { - "description": "Script type display name for BIP49" - }, - "payContinue": "Продолжить", - "@payContinue": { - "description": "Button to continue to next step" - }, - "importColdcardInstructionsStep8": "Сканируйте QR-код, отображаемый на вашем Coldcard Q", - "@importColdcardInstructionsStep8": { - "description": "ImportColdcardQ: Eighth instruction step" - }, - "dcaSuccessMessageMonthly": "Вы будете покупать {amount} каждый месяц", - "@dcaSuccessMessageMonthly": { - "description": "Success message for monthly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sendSelectedCoins": "{count} монеты выбраны", - "@sendSelectedCoins": { - "description": "Label showing number of UTXOs selected", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "rbfErrorNoFeeRate": "Пожалуйста, выберите ставку сбора", - "@rbfErrorNoFeeRate": { - "description": "Error when no fee rate is selected" - }, - "backupWalletGoogleDrivePrivacyMessage1": "Эта информация ", - "@backupWalletGoogleDrivePrivacyMessage1": { - "description": "First part of privacy message about Google Drive data" - }, - "labelErrorUnsupportedType": "Этот тип {type} не поддерживается", - "@labelErrorUnsupportedType": { - "description": "Error message when label type is not supported", - "placeholders": { - "type": { - "type": "String" - } - } - }, - "paySatsPerByte": "{sats} sat/vB", - "@paySatsPerByte": { - "description": "Fee rate format", - "placeholders": { - "sats": { - "type": "String" - } - } - }, - "payRbfActivated": "Замена по фе активирована", - "@payRbfActivated": { - "description": "Label for RBF toggle" - }, - "dcaConfirmNetworkLightning": "Освещение", - "@dcaConfirmNetworkLightning": { - "description": "Lightning network label" - }, - "ledgerDefaultWalletLabel": "Ledger Wallet", - "@ledgerDefaultWalletLabel": { - "description": "Default label for imported Ledger wallet" - }, - "importWalletSpecter": "Specter", - "@importWalletSpecter": { - "description": "Button label for Specter hardware wallet" - }, - "customLocationProvider": "Пользовательское местоположение", - "@customLocationProvider": { - "description": "Name of custom location provider" - }, - "dcaSelectFrequencyLabel": "Выбор частоты", - "@dcaSelectFrequencyLabel": { - "description": "Label above frequency selection radio buttons" - }, - "transactionSwapDescChainCompleted": "Ваш перевод был успешно завершен! Средства теперь должны быть доступны в вашем кошельке.", - "@transactionSwapDescChainCompleted": { - "description": "Description for completed chain swap" - }, - "coreSwapsLnSendRefundable": "Свап готов к возврату.", - "@coreSwapsLnSendRefundable": { - "description": "Status message for refundable Lightning send swap" - }, - "backupInstruction2": "Без резервного копирования, если вы потеряете или сломаете свой телефон, или если вы удалите приложение Bull Bitcoin, ваши биткойны будут потеряны навсегда.", - "@backupInstruction2": { - "description": "Second backup instruction warning about losing phone or app" - }, - "autoswapSave": "Сохранить", - "@autoswapSave": { - "description": "Save button label" - }, - "swapGoHomeButton": "Иди домой", - "@swapGoHomeButton": { - "description": "Button to return home from progress page" - }, - "sendFeeRateTooHigh": "Уровень белья кажется очень высоким", - "@sendFeeRateTooHigh": { - "description": "Warning for excessive fee" - }, - "ledgerHelpStep2": "Убедитесь, что ваш телефон включен и разрешен.", - "@ledgerHelpStep2": { - "description": "Second troubleshooting step for Ledger connection issues" - }, - "fundExchangeCrIbanUsdPaymentDescriptionHelp": "Ваш код передачи.", - "@fundExchangeCrIbanUsdPaymentDescriptionHelp": { - "description": "Help text explaining payment description is the transfer code" - }, - "recoverVia12WordsDescription": "Восстановите свой кошелек через 12 слов.", - "@recoverVia12WordsDescription": { - "description": "Description for recovering via 12 words" - }, - "fundExchangeFundAccount": "Фонд вашего счета", - "@fundExchangeFundAccount": { - "description": "Main heading on funding screen" - }, - "electrumServerSettingsLabel": "Electrum Server (Bitcoin node)", - "@electrumServerSettingsLabel": { - "description": "The label for the button to access the electrum server settings" - }, - "dcaEnterLightningAddressLabel": "Адрес освещения", - "@dcaEnterLightningAddressLabel": { - "description": "Label for Lightning address text input field" - }, - "statusCheckOnline": "Онлайн", - "@statusCheckOnline": { - "description": "Status text when a service is online" - }, - "buyPayoutMethod": "Метод выплаты", - "@buyPayoutMethod": { - "description": "Label for payout method" - }, - "exchangeAmountInputTitle": "Введите сумму", - "@exchangeAmountInputTitle": { - "description": "Title for the amount input field" - }, - "electrumCloseTooltip": "Закрыть", - "@electrumCloseTooltip": { - "description": "Close button tooltip" - }, - "payIbanHint": "Введите IBAN", - "@payIbanHint": { - "description": "Hint for IBAN input" - }, - "sendCoinConfirmations": "{count}", - "@sendCoinConfirmations": { - "description": "Label for UTXO confirmation count", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "fundExchangeLabelRecipientNameArs": "Имя получателя", - "@fundExchangeLabelRecipientNameArs": { - "description": "Label for recipient name in Argentina transfer" - }, - "sendTo": "В", - "@sendTo": { - "description": "Label for the recipient/destination in a transaction" - }, - "gotItButton": "Понял", - "@gotItButton": { - "description": "Button label to acknowledge successful test" - }, - "walletTypeLiquidLightningNetwork": "Жидкая и осветительная сеть", - "@walletTypeLiquidLightningNetwork": { - "description": "Wallet type label for Liquid and Lightning network" - }, - "sendFeePriority": "Очередность", - "@sendFeePriority": { - "description": "Label for selecting fee priority level" - }, - "transactionPayjoinSendWithout": "Отправить без оплаты", - "@transactionPayjoinSendWithout": { - "description": "Button label to send transaction without payjoin" - }, - "paySelectCountry": "Выбор страны", - "@paySelectCountry": { - "description": "Hint for country dropdown" - }, - "importMnemonicTransactionsLabel": "Транзакции: {count}", - "@importMnemonicTransactionsLabel": { - "description": "ImportMnemonic: Transactions label with count in wallet type card", - "placeholders": { - "count": { - "type": "String" - } - } - }, - "exchangeSettingsReferralsTitle": "Рефералы", - "@exchangeSettingsReferralsTitle": { - "description": "Title for the referrals section in exchange settings" - }, - "autoswapAlwaysBlockInfoEnabled": "При включении автопередачи с тарифами выше установленного лимита всегда будут заблокированы", - "@autoswapAlwaysBlockInfoEnabled": { - "description": "Help text when always block is enabled" - }, - "importMnemonicSelectScriptType": "Импорт Mnemonic", - "@importMnemonicSelectScriptType": { - "description": "AppBar title for script type selection" - }, - "sellSendPaymentCadBalance": "CAD Баланс", - "@sellSendPaymentCadBalance": { - "description": "CAD balance payout method" - }, - "recoverbullConnectingTor": "Подключение к Key Server через Tor.\nЭто может занять до минуты.", - "@recoverbullConnectingTor": { - "description": "Message shown while establishing Tor connection" - }, - "fundExchangeCanadaPostStep2": "2. Попросите кассира отсканировать код QR «Loadhub»", - "@fundExchangeCanadaPostStep2": { - "description": "Step 2 for Canada Post payment process" - }, - "recoverbullEnterVaultKeyInstead": "Вместо этого введите ключ хранилища", - "@recoverbullEnterVaultKeyInstead": { - "description": "Button text to switch to manual vault key entry" - }, - "exchangeAccountInfoEmailLabel": "Email", - "@exchangeAccountInfoEmailLabel": { - "description": "Label for email field in account information" - }, - "legacySeedViewNoSeedsMessage": "Не найдено никаких наследственных семян.", - "@legacySeedViewNoSeedsMessage": { - "description": "Message shown when no legacy seeds are found" - }, - "arkAboutDustValue": "{dust} SATS", - "@arkAboutDustValue": { - "description": "Dust value format", - "placeholders": { - "dust": { - "type": "int" - } - } - }, - "keystoneStep5": " - Увеличить яркость экрана на вашем устройстве", - "@keystoneStep5": { - "description": "Keystone troubleshooting tip 1" - }, - "sendSelectCoinsManually": "Выбрать монеты вручную", - "@sendSelectCoinsManually": { - "description": "Label for manually selecting coins (UTXOs) in the send flow" - }, - "importMnemonicEmpty": "Пустые", - "@importMnemonicEmpty": { - "description": "Status for wallet type with no transactions" - }, - "electrumBitcoinServerInfo": "Введите адрес сервера в формате: host:port (например, example.com:50001)", - "@electrumBitcoinServerInfo": { - "description": "Info text for Bitcoin server URL format" - }, - "recoverbullErrorServiceUnavailable": "Сервис недоступен. Пожалуйста, проверьте ваше соединение.", - "@recoverbullErrorServiceUnavailable": { - "description": "Error message when key server service is unavailable" - }, - "arkSettleTitle": "Установочные транзакции", - "@arkSettleTitle": { - "description": "Settle bottom sheet title" - }, - "sendErrorInsufficientBalanceForSwap": "Недостаточно баланса, чтобы оплатить этот своп через Жидкий и не в пределах свопов, чтобы заплатить через Bitcoin.", - "@sendErrorInsufficientBalanceForSwap": { - "description": "Error when balance insufficient for swap through either network" - }, - "psbtFlowJadeTitle": "Blockstream Jade PSBT Инструкции", - "@psbtFlowJadeTitle": { - "description": "Title for Blockstream Jade PSBT signing instructions" - }, - "torSettingsDescUnknown": "Невозможно определить Статус Тора. Убедитесь, что Orbot установлен и работает.", - "@torSettingsDescUnknown": { - "description": "Description when Tor status is unknown" - }, - "transactionFilterPayjoin": "Payjoin", - "@transactionFilterPayjoin": { - "description": "Filter option to show only payjoin transactions" - }, - "importQrDeviceKeystoneStep8": "Введите этикетку для вашего кошелька Keystone и импорт крана", - "@importQrDeviceKeystoneStep8": { - "description": "Keystone instruction step 8" - }, - "dcaContinueButton": "Продолжить", - "@dcaContinueButton": { - "description": "Button label to proceed to next step in DCA flow" - }, - "fundExchangeCrIbanUsdTitle": "Bank Transfer (USD)", - "@fundExchangeCrIbanUsdTitle": { - "description": "Screen title for Costa Rica bank transfer in US Dollars" - }, - "buyStandardWithdrawalDesc": "Получить биткойн после расчистки оплаты (1-3 дня)", - "@buyStandardWithdrawalDesc": { - "description": "Explanation of standard withdrawal timing" - }, - "psbtFlowColdcardTitle": "Инструкции Coldcard Q", - "@psbtFlowColdcardTitle": { - "description": "Title for Coldcard Q device signing instructions" - }, - "sendRelativeFees": "Относительные сборы", - "@sendRelativeFees": { - "description": "Label for relative fee display mode (sats per vByte)" - }, - "payToAddress": "Адрес", - "@payToAddress": { - "description": "Label showing destination address" - }, - "sellCopyInvoice": "Счет-фактура", - "@sellCopyInvoice": { - "description": "Button to copy invoice" - }, - "cancelButton": "Отмена", - "@cancelButton": { - "description": "Button to cancel logout action" - }, - "coreScreensNetworkFeesLabel": "Сетевые сборы", - "@coreScreensNetworkFeesLabel": { - "description": "Label for network fees field" - }, - "kruxStep9": " - Попробуйте переместить устройство назад", - "@kruxStep9": { - "description": "Krux troubleshooting tip 3" - }, - "sendReceiveNetworkFee": "Получение сетевой платы", - "@sendReceiveNetworkFee": { - "description": "Label for network fee on receive side" - }, - "arkTxPayment": "Оплата", - "@arkTxPayment": { - "description": "Transaction type label for Ark payment transactions" - }, - "importQrDeviceSeedsignerStep6": "Выберите «Спарроу» в качестве варианта экспорта", - "@importQrDeviceSeedsignerStep6": { - "description": "SeedSigner instruction step 6" - }, - "swapValidationMaximumAmount": "Максимальная сумма {amount} {currency}", - "@swapValidationMaximumAmount": { - "description": "Validation error when amount exceeds maximum", - "placeholders": { - "amount": { - "type": "String" - }, - "currency": { - "type": "String" - } - } - }, - "fundExchangeETransferLabelBeneficiaryName": "Используйте это как имя бенефициара E-transfer", - "@fundExchangeETransferLabelBeneficiaryName": { - "description": "Label for E-transfer beneficiary name" - }, - "backupWalletErrorFileSystemPath": "Не удалось выбрать путь файловой системы", - "@backupWalletErrorFileSystemPath": { - "description": "Error when file system path selection fails" - }, - "coreSwapsLnSendCanCoop": "Свап завершится мгновенно.", - "@coreSwapsLnSendCanCoop": { - "description": "Status message for Lightning send swap that can complete cooperatively" - }, - "electrumServerNotUsed": "Не используется", - "@electrumServerNotUsed": { - "description": "Status text for disabled servers" - }, - "backupWalletHowToDecideBackupPhysicalRecommendation": "Физическая поддержка: ", - "@backupWalletHowToDecideBackupPhysicalRecommendation": { - "description": "Bold label for physical backup recommendation" - }, - "payDebitCardNumber": "Номер карты", - "@payDebitCardNumber": { - "description": "Label for debit card number field" - }, - "receiveRequestInboundLiquidity": "Получение запроса", - "@receiveRequestInboundLiquidity": { - "description": "Button to open channel for receiving" - }, - "backupWalletHowToDecideBackupMoreInfo": "Посетите Recoverybull.com для получения дополнительной информации.", - "@backupWalletHowToDecideBackupMoreInfo": { - "description": "Link text to external resource" - }, - "walletAutoTransferBlockedMessage": "Попытка передачи {amount} BTC. Текущий сбор составляет {currentFee}% от суммы перевода, и порог платы установлен на {thresholdFee}%", - "@walletAutoTransferBlockedMessage": { - "description": "Message explaining why auto-transfer was blocked", - "placeholders": { - "amount": { - "type": "String" - }, - "currentFee": { - "type": "String" - }, - "thresholdFee": { - "type": "String" - } - } - }, - "kruxStep11": "Нажмите на кнопки, чтобы подписать транзакцию на Krux.", - "@kruxStep11": { - "description": "Krux instruction for signing" - }, - "exchangeSupportChatEmptyState": "Пока никаких сообщений. Начинайте разговор!", - "@exchangeSupportChatEmptyState": { - "description": "Message shown when there are no chat messages" - }, - "payExternalWalletDescription": "Оплата за другой биткойн-кошелек", - "@payExternalWalletDescription": { - "description": "Description for external wallet option" - }, - "electrumRetryCountEmptyError": "Ретри Граф не может быть пустым", - "@electrumRetryCountEmptyError": { - "description": "Validation error for empty Retry Count field" - }, - "ledgerErrorBitcoinAppNotOpen": "Пожалуйста, откройте приложение Bitcoin на вашем устройстве Ledger и попробуйте снова.", - "@ledgerErrorBitcoinAppNotOpen": { - "description": "Error message when Bitcoin app is not open on Ledger (error codes 6e01, 6a87, 6d02, 6511, 6e00)" - }, - "physicalBackupTag": "Неверный (примите свое время)", - "@physicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes time" - }, - "arkIncludeRecoverableVtxos": "Включить восстановленные vtxos", - "@arkIncludeRecoverableVtxos": { - "description": "Label for toggle switch to include recoverable vtxos when settling" - }, - "payCompletedDescription": "Ваш платеж был завершен, и получатель получил средства.", - "@payCompletedDescription": { - "description": "Description for payment completed" - }, - "recoverbullConnecting": "Соединение", - "@recoverbullConnecting": { - "description": "Status label indicating connection in progress" - }, - "swapExternalAddressHint": "Введите адрес внешнего кошелька", - "@swapExternalAddressHint": { - "description": "Hint text for external address input" - }, - "torSettingsDescConnecting": "Создание Соединение", - "@torSettingsDescConnecting": { - "description": "Description when Tor is connecting" - }, - "ledgerWalletTypeLegacyDescription": "P2PKH - Старый формат", - "@ledgerWalletTypeLegacyDescription": { - "description": "Description for Legacy wallet type" - }, - "dcaConfirmationDescription": "Заказы на покупку будут размещены автоматически в этих настройках. Вы можете отключить их в любое время.", - "@dcaConfirmationDescription": { - "description": "Explanation text at the top of confirmation screen" - }, - "appleICloudProvider": "Apple iCloud", - "@appleICloudProvider": { - "description": "Name of Apple iCloud provider" - }, - "exchangeAccountInfoVerificationNotVerified": "Не подтверждена", - "@exchangeAccountInfoVerificationNotVerified": { - "description": "Status label for not verified verification level" - }, - "fundExchangeWarningDescription": "Если кто-то просит вас купить биткойн или «помочь вам», будьте осторожны, они могут попытаться обмануть вас!", - "@fundExchangeWarningDescription": { - "description": "Warning message about potential scammers when funding account" - }, - "transactionDetailLabelTransactionId": "ID транзакции", - "@transactionDetailLabelTransactionId": { - "description": "Label for transaction ID in details" - }, - "arkReceiveTitle": "Арк Получить", - "@arkReceiveTitle": { - "description": "AppBar title for Ark receive screen" - }, - "payDebitCardNumberHint": "Введите номер дебетовой карты", - "@payDebitCardNumberHint": { - "description": "Hint for debit card number input" - }, - "backupWalletHowToDecideBackupEncryptedRecommendation": "Зашифрованное хранилище: ", - "@backupWalletHowToDecideBackupEncryptedRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, - "seedsignerStep9": "Проверьте адрес назначения и сумму и подтвердите подписание на вашем SeedSigner.", - "@seedsignerStep9": { - "description": "SeedSigner instruction for reviewing and signing" - }, - "logoutButton": "Выход", - "@logoutButton": { - "description": "Button to confirm logout action" - }, - "payReplaceByFee": "Заменить-By-Fee (RBF)", - "@payReplaceByFee": { - "description": "Label for RBF feature" - }, - "coreSwapsLnReceiveClaimable": "Свап готов к претензии.", - "@coreSwapsLnReceiveClaimable": { - "description": "Status message for claimable Lightning receive swap" - }, - "pinButtonCreate": "Создать PIN", - "@pinButtonCreate": { - "description": "Button label when no PIN exists" - }, - "fundExchangeJurisdictionEurope": "🇪🇺 Европа (SEPA)", - "@fundExchangeJurisdictionEurope": { - "description": "Dropdown option for Europe SEPA jurisdiction" - }, - "settingsExchangeSettingsTitle": "Параметры обмена", - "@settingsExchangeSettingsTitle": { - "description": "Title for the exchange settings section in the settings menu" - }, - "sellFeePriority": "Очередность", - "@sellFeePriority": { - "description": "Label for fee priority selection" - }, - "exchangeFeatureSelfCustody": "Купить Bitcoin прямо к самообладанию", - "@exchangeFeatureSelfCustody": { - "description": "Feature bullet point describing self-custody Bitcoin purchases" - }, - "arkBoardingUnconfirmed": "Неподтвержденный", - "@arkBoardingUnconfirmed": { - "description": "Label for unconfirmed boarding balance in Ark balance breakdown" - }, - "fundExchangeLabelPaymentDescription": "Описание оплаты", - "@fundExchangeLabelPaymentDescription": { - "description": "Label for payment description field" - }, - "payAmountTooHigh": "Сумма превышает максимальный", - "@payAmountTooHigh": { - "description": "Error when payment amount exceeds maximum allowed" - }, - "dcaConfirmPaymentBalance": "{currency}", - "@dcaConfirmPaymentBalance": { - "description": "Payment method balance format", - "placeholders": { - "currency": { - "type": "String" - } - } - }, - "torSettingsPortValidationInvalid": "Пожалуйста, введите действительный номер", - "@torSettingsPortValidationInvalid": { - "description": "Validation error when port is not a valid number" - }, - "sellBankTransfer": "Банковский перевод", - "@sellBankTransfer": { - "description": "Option for bank deposit" - }, - "importQrDeviceSeedsignerStep3": "Сканировать SeedQR или ввести 12- или 24-слововую семенную фразу", - "@importQrDeviceSeedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, - "replaceByFeeFastestTitle": "Самый быстрый", - "@replaceByFeeFastestTitle": { - "description": "Title for fastest fee option" - }, - "transactionLabelBitcoinTransactionId": "Bitcoin транзакции", - "@transactionLabelBitcoinTransactionId": { - "description": "Label for Bitcoin network transaction ID" - }, - "sellPayinAmount": "Сумма выплат", - "@sellPayinAmount": { - "description": "Label for amount user pays in" - }, - "exchangeKycRemoveLimits": "Удаление лимитов транзакций", - "@exchangeKycRemoveLimits": { - "description": "KYC card subtitle" - }, - "autoswapMaxBalanceInfoText": "Когда баланс кошелька превышает двойную эту сумму, автотрансфер вызовет снижение баланса до этого уровня", - "@autoswapMaxBalanceInfoText": { - "description": "Help text explaining how the max balance threshold works" - }, - "sellSendPaymentBelowMin": "Вы пытаетесь продать ниже минимальной суммы, которую можно продать с этим кошельком.", - "@sellSendPaymentBelowMin": { - "description": "Below min amount error" - }, - "dcaWalletSelectionDescription": "Покупки Bitcoin будут размещены автоматически в соответствии с этим графиком.", - "@dcaWalletSelectionDescription": { - "description": "Explanation text at the top of wallet selection screen" - }, - "sendTypeSend": "Отправить", - "@sendTypeSend": { - "description": "Send type name for Bitcoin/Liquid transactions" - }, - "payFeeBumpSuccessful": "Успешный", - "@payFeeBumpSuccessful": { - "description": "Success message after fee bump" - }, - "importQrDeviceKruxStep1": "Включите устройство Krux", - "@importQrDeviceKruxStep1": { - "description": "Krux instruction step 1" - }, - "transactionSwapProgressFundsClaimed": "Фонды\nПретензия", - "@transactionSwapProgressFundsClaimed": { - "description": "Swap progress step: funds claimed" - }, - "recoverbullSelectAppleIcloud": "Apple iCloud", - "@recoverbullSelectAppleIcloud": { - "description": "Name label for Apple iCloud backup provider option" - }, - "dcaAddressLightning": "Адрес освещения", - "@dcaAddressLightning": { - "description": "Lightning address label" - }, - "keystoneStep13": "Сделка будет импортирована в кошельке Bull Bitcoin.", - "@keystoneStep13": { - "description": "Keystone instruction about import completion" - }, - "receiveGenerationFailed": "Не удалось создать {type}", - "@receiveGenerationFailed": { - "description": "Error when address/invoice generation fails", - "placeholders": { - "type": { - "type": "String" - } - } - }, - "coreSwapsLnReceiveCanCoop": "Свап завершится мгновенно.", - "@coreSwapsLnReceiveCanCoop": { - "description": "Status message for Lightning receive swap that can complete cooperatively" - }, - "addressViewAddressesTitle": "Адреса", - "@addressViewAddressesTitle": { - "description": "Title for the addresses section in wallet options" - }, - "withdrawRecipientsNoRecipients": "Ни один из получателей не нашел выхода.", - "@withdrawRecipientsNoRecipients": { - "description": "Empty state message" - }, - "transactionSwapProgressPaymentMade": "Оплата\nСделано", - "@transactionSwapProgressPaymentMade": { - "description": "Swap progress step: payment made" - }, - "importQrDeviceSpecterStep4": "Следуйте подсказкам в соответствии с выбранным вами методом", - "@importQrDeviceSpecterStep4": { - "description": "Specter instruction step 4" - }, - "coreSwapsChainPending": "Передача еще не инициализирована.", - "@coreSwapsChainPending": { - "description": "Status message for pending chain swap" - }, - "importWalletImportWatchOnly": "Импорт только часов", - "@importWalletImportWatchOnly": { - "description": "Button to import watch-only wallet" - }, - "coldcardStep9": "После того, как транзакция будет импортирована в вашем Coldcard, рассмотрите адрес назначения и сумму.", - "@coldcardStep9": { - "description": "Coldcard instruction for reviewing transaction" - }, - "sendErrorArkExperimentalOnly": "Запросы на оплату ARK доступны только из экспериментальной функции Ark.", - "@sendErrorArkExperimentalOnly": { - "description": "Error when ARK payment is attempted without experimental feature enabled" - }, - "exchangeKycComplete": "Заполните KYC", - "@exchangeKycComplete": { - "description": "KYC card title" - }, - "enterBackupKeyManuallyDescription": "Если вы экспортировали резервный ключ и сохранили его в отрывном месте самостоятельно, вы можете ввести его здесь вручную. В противном случае, возвращайтесь на предыдущий экран.", - "@enterBackupKeyManuallyDescription": { - "description": "Description for entering backup key manually" - }, - "sellBitcoinPriceLabel": "Bitcoin Цена", - "@sellBitcoinPriceLabel": { - "description": "Label for Bitcoin price display" - }, - "receiveCopyAddress": "Копировать адрес", - "@receiveCopyAddress": { - "description": "Button to copy address to clipboard" - }, - "receiveSave": "Сохранить", - "@receiveSave": { - "description": "Button label for saving receive details" - }, - "mempoolNetworkBitcoinTestnet": "Bitcoin Testnet", - "@mempoolNetworkBitcoinTestnet": { - "description": "Label for Bitcoin Testnet network" - }, - "transactionLabelPayjoinStatus": "Статус Payjoin", - "@transactionLabelPayjoinStatus": { - "description": "Label for payjoin status" - }, - "passportStep2": "Подписаться с QR-кодом", - "@passportStep2": { - "description": "Passport instruction step 2" - }, - "pinCodeRemoveButton": "Удалить PIN", - "@pinCodeRemoveButton": { - "description": "Button label to remove the security PIN" - }, - "withdrawOwnershipMyAccount": "Это мой счет", - "@withdrawOwnershipMyAccount": { - "description": "Option indicating the account belongs to the user" - }, - "payAddMemo": "Добавить записку (факультативно)", - "@payAddMemo": { - "description": "Placeholder for memo input field" - }, - "transactionNetworkBitcoin": "Bitcoin", - "@transactionNetworkBitcoin": { - "description": "Label for Bitcoin network transactions" - }, - "recoverbullSelectVaultProvider": "Выберите провайдер", - "@recoverbullSelectVaultProvider": { - "description": "Screen title for vault provider selection" - }, - "replaceByFeeOriginalTransactionTitle": "Первоначальная сделка", - "@replaceByFeeOriginalTransactionTitle": { - "description": "Title for original transaction section" - }, - "testBackupPhysicalBackupTag": "Неверный (примите свое время)", - "@testBackupPhysicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes longer" - }, - "testBackupTitle": "Проверьте резервную копию кошелька", - "@testBackupTitle": { - "description": "AppBar title for main backup options screen" - }, - "coreSwapsLnSendFailed": "Неудачно.", - "@coreSwapsLnSendFailed": { - "description": "Status message for failed Lightning send swap" - }, - "recoverbullErrorDecryptFailed": "Не удалось расшифровать хранилище", - "@recoverbullErrorDecryptFailed": { - "description": "Error message when vault decryption fails" - }, - "keystoneStep9": "Нажмите на кнопки, чтобы подписать транзакцию на вашем Keystone.", - "@keystoneStep9": { - "description": "Keystone instruction for signing" - }, - "totalFeesLabel": "Итого, сборы", - "@totalFeesLabel": { - "description": "Label for total fees in lightning swap" - }, - "payInProgressDescription": "Ваш платеж был инициирован, и получатель получит средства после того, как ваша транзакция получит 1 подтверждение onchain.", - "@payInProgressDescription": { - "description": "Description for payment in progress" - }, - "importQrDevicePassportStep10": "В приложении кошелька BULL выберите «Segwit (BIP84)» в качестве опции выведения", - "@importQrDevicePassportStep10": { - "description": "Passport instruction step 10" - }, - "payHighPriority": "Высокий", - "@payHighPriority": { - "description": "High fee priority option" - }, - "buyBitcoinPrice": "Bitcoin Цена", - "@buyBitcoinPrice": { - "description": "Label for Bitcoin exchange rate" - }, - "sendFrozenCoin": "Замороженное", - "@sendFrozenCoin": { - "description": "Status for manually frozen UTXO" - }, - "importColdcardInstructionsStep4": "Убедитесь, что ваша прошивка обновляется до версии 1.3.4Q", - "@importColdcardInstructionsStep4": { - "description": "ImportColdcardQ: Fourth instruction step" - }, - "lastBackupTestLabel": "Последний тест резервного копирования: {date}", - "@lastBackupTestLabel": { - "description": "Label showing the date of the last backup test", - "placeholders": { - "date": { - "type": "String", - "example": "2025-01-20 15:30:45" - } - } - }, - "sendBroadcastTransaction": "Трансляция", - "@sendBroadcastTransaction": { - "description": "Button label for broadcasting a transaction to the network" - }, - "receiveBitcoinConfirmationMessage": "Биткоин-транзакция займет некоторое время, чтобы подтвердить.", - "@receiveBitcoinConfirmationMessage": { - "description": "Information message about Bitcoin transaction confirmation time" - }, - "walletTypeWatchOnly": "Смотреть онлайн", - "@walletTypeWatchOnly": { - "description": "Wallet type label for watch-only wallets" - }, - "psbtFlowKruxTitle": "Инструкции Krux", - "@psbtFlowKruxTitle": { - "description": "Title for Krux device signing instructions" - }, - "recoverbullDecryptVault": "Зашифрованное хранилище", - "@recoverbullDecryptVault": { - "description": "Button text to decrypt the selected vault" - }, - "connectHardwareWalletJade": "Жадный блок", - "@connectHardwareWalletJade": { - "description": "Blockstream Jade hardware wallet option" - }, - "coreSwapsChainRefundable": "Перевод готов к возврату.", - "@coreSwapsChainRefundable": { - "description": "Status message for refundable chain swap" - }, - "buyInputCompleteKyc": "Полный KYC", - "@buyInputCompleteKyc": { - "description": "Button to complete KYC" - }, - "transactionFeesTotalDeducted": "Это общая плата, вычтенная из суммы, отправленной", - "@transactionFeesTotalDeducted": { - "description": "Fee deduction explanation for sending swaps" - }, - "autoswapMaxFee": "Max Transfer Fee", - "@autoswapMaxFee": { - "description": "Field label for max fee threshold" - }, - "sellReviewOrder": "Заказ на продажу", - "@sellReviewOrder": { - "description": "Title for order confirmation screen" - }, - "payDescription": "Описание", - "@payDescription": { - "description": "Label for payment description/memo field" - }, - "buySecureBitcoinWallet": "Безопасный Bitcoin Wallet", - "@buySecureBitcoinWallet": { - "description": "Label for secure Bitcoin wallet" - }, - "sendEnterRelativeFee": "Введите относительную плату в sats/vB", - "@sendEnterRelativeFee": { - "description": "Placeholder for relative fee rate input field" - }, - "importQrDevicePassportStep1": "Мощность на вашем паспортном устройстве", - "@importQrDevicePassportStep1": { - "description": "Passport instruction step 1" - }, - "fundExchangeMethodArsBankTransferSubtitle": "Отправить банковский перевод с вашего банковского счета", - "@fundExchangeMethodArsBankTransferSubtitle": { - "description": "Subtitle for Argentina bank transfer payment method" - }, - "transactionOrderLabelExchangeRate": "Обменный курс", - "@transactionOrderLabelExchangeRate": { - "description": "Label for order exchange rate" - }, - "backupSettingsScreenTitle": "Параметры резервного копирования", - "@backupSettingsScreenTitle": { - "description": "AppBar title for backup settings screen" - }, - "fundExchangeBankTransferWireDescription": "Отправьте телеграфный перевод с вашего банковского счета, используя банковские данные Bull Bitcoin ниже. Ваш банк может потребовать только некоторых частей этих деталей.", - "@fundExchangeBankTransferWireDescription": { - "description": "Description of how to use bank transfer wire method" - }, - "importQrDeviceKeystoneStep7": "Сканировать QR-код, отображаемый на вашем Keystone", - "@importQrDeviceKeystoneStep7": { - "description": "Keystone instruction step 7" - }, - "coldcardStep3": "Выберите опцию \"Сканировать любой QR-код\"", - "@coldcardStep3": { - "description": "Coldcard instruction step 3" - }, - "coldcardStep14": "Сделка будет импортирована в кошельке Bull Bitcoin.", - "@coldcardStep14": { - "description": "Coldcard instruction about import completion" - }, - "pinCodeSettingsLabel": "Код PIN", - "@pinCodeSettingsLabel": { - "description": "The label for the button to access the PIN code settings" - }, - "buyExternalBitcoinWallet": "Внешний биткойн-кошелек", - "@buyExternalBitcoinWallet": { - "description": "Label for external wallet option" - }, - "passwordTooCommonError": "Это {pinOrPassword} слишком распространено. Выберите другой.", - "@passwordTooCommonError": { - "description": "Error message for common password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "importWalletJade": "Жадный блок", - "@importWalletJade": { - "description": "Button label for Blockstream Jade hardware wallet" - }, - "payInvalidInvoice": "Неверные счета-фактуры", - "@payInvalidInvoice": { - "description": "Error message when invoice format is invalid" - }, - "receiveTotalFee": "Итого", - "@receiveTotalFee": { - "description": "Label for the total fee in a receive transaction" - }, - "importQrDeviceButtonOpenCamera": "Откройте камеру", - "@importQrDeviceButtonOpenCamera": { - "description": "ImportQrDevice: Button to open camera for QR scanning" - }, - "recoverbullFetchingVaultKey": "Попадание в хранилище Ключ", - "@recoverbullFetchingVaultKey": { - "description": "Screen title while fetching vault key from server" - }, - "dcaConfirmFrequency": "Частота", - "@dcaConfirmFrequency": { - "description": "Field label for frequency" - }, - "recoverbullGoogleDriveDeleteVaultTitle": "Удалить хранилище", - "@recoverbullGoogleDriveDeleteVaultTitle": { - "description": "Title for delete vault confirmation dialog" - }, - "advancedOptionsTitle": "Дополнительные варианты", - "@advancedOptionsTitle": { - "description": "Bottom sheet header/title for advanced sending options" - }, - "dcaConfirmOrderType": "Тип заказа", - "@dcaConfirmOrderType": { - "description": "Field label for order type" - }, - "payPriceWillRefreshIn": "Цена освежится ", - "@payPriceWillRefreshIn": { - "description": "Text before countdown timer for price refresh" - }, - "recoverbullGoogleDriveErrorDeleteFailed": "Не удалось удалить хранилище из Google Drive", - "@recoverbullGoogleDriveErrorDeleteFailed": { - "description": "Error message when deleting a drive backup fails" - }, - "broadcastSignedTxTo": "В", - "@broadcastSignedTxTo": { - "description": "Label for destination address" - }, - "arkAboutDurationDays": "{days} дней", - "@arkAboutDurationDays": { - "description": "Duration format for plural days", - "placeholders": { - "days": { - "type": "int" - } - } - }, - "payPaymentDetails": "Детали оплаты", - "@payPaymentDetails": { - "description": "Section header for payment information" - }, - "bitboxActionVerifyAddressTitle": "Проверить адрес BitBox", - "@bitboxActionVerifyAddressTitle": { - "description": "Title for verify address action" - }, - "psbtSignTransaction": "Подписание сделки", - "@psbtSignTransaction": { - "description": "AppBar title for PSBT signing screen" - }, - "sellRemainingLimit": "Остается сегодня: {amount}", - "@sellRemainingLimit": { - "description": "Shows remaining daily limit", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "bitboxActionImportWalletSuccess": "Кошелек импортируется успешно", - "@bitboxActionImportWalletSuccess": { - "description": "Success text for import wallet" - }, - "nextButton": "Следующий", - "@nextButton": { - "description": "Button label to go to next step" - }, - "ledgerSignButton": "Зарегистрироваться", - "@ledgerSignButton": { - "description": "Button label to start signing transaction with Ledger" - }, - "recoverbullPassword": "Пароль", - "@recoverbullPassword": { - "description": "Label for password input type" - }, - "dcaNetworkLiquid": "Жидкая сеть", - "@dcaNetworkLiquid": { - "description": "Liquid network label for DCA" - }, - "fundExchangeMethodSinpeTransfer": "SINPE Transfer", - "@fundExchangeMethodSinpeTransfer": { - "description": "Payment method: SINPE Transfer (Costa Rica)" - }, - "dcaCancelTitle": "Отменить покупку Bitcoin?", - "@dcaCancelTitle": { - "description": "Dialog title for DCA cancellation" - }, - "payFromAnotherWallet": "Оплата за другой биткойн-кошелек", - "@payFromAnotherWallet": { - "description": "Subtitle for external wallet option" - }, - "importMnemonicHasBalance": "Имеет баланс", - "@importMnemonicHasBalance": { - "description": "Status for wallet type with balance" - }, - "dcaLightningAddressEmptyError": "Пожалуйста, введите адрес Lightning", - "@dcaLightningAddressEmptyError": { - "description": "Validation error when Lightning address field is empty" - }, - "googleAppleCloudRecommendationText": "вы хотите убедиться, что вы никогда не потеряете доступ к файлу хранилища, даже если вы потеряете свои устройства.", - "@googleAppleCloudRecommendationText": { - "description": "Text explaining when to use Google/Apple cloud" - }, - "closeDialogButton": "Закрыть", - "@closeDialogButton": { - "description": "Button to close the value display modal dialog" - }, - "jadeStep14": "Сделка будет импортирована в кошельке Bull Bitcoin.", - "@jadeStep14": { - "description": "Jade instruction about import completion" - }, - "payCorporateName": "Название компании", - "@payCorporateName": { - "description": "Label for corporate name field" - }, - "importColdcardError": "Не удалось импортировать Coldcard", - "@importColdcardError": { - "description": "Error message" - }, - "transactionStatusPayjoinRequested": "Запрошена оплата", - "@transactionStatusPayjoinRequested": { - "description": "Status label for payjoin transaction requests" - }, - "payOwnerNameHint": "Имя владельца", - "@payOwnerNameHint": { - "description": "Hint for owner name input" - }, - "customLocationRecommendationText": "вы уверены, что не потеряете файл хранилища, и он все равно будет доступен, если вы потеряете свой телефон.", - "@customLocationRecommendationText": { - "description": "Text explaining when to use custom location" - }, - "arkAboutForfeitAddress": "Forfeit address", - "@arkAboutForfeitAddress": { - "description": "Field label for forfeit address" - }, - "kruxStep13": "Нажмите «I'm done» в кошельке Bull Bitcoin.", - "@kruxStep13": { - "description": "Krux instruction to return to app" - }, - "transactionSwapInfoRefundableTransfer": "Этот перевод будет возвращен автоматически в течение нескольких секунд. Если нет, вы можете попробовать ручное возмещение, нажав на кнопку \"Retry Transfer Refund\".", - "@transactionSwapInfoRefundableTransfer": { - "description": "Additional info for refundable transfers" - }, - "payBitcoinPrice": "Bitcoin Цена", - "@payBitcoinPrice": { - "description": "Label for Bitcoin exchange rate" - }, - "confirmLogoutMessage": "Вы уверены, что хотите выйти из своей учетной записи Bull Bitcoin? Вам нужно будет войти снова, чтобы получить доступ к функциям обмена.", - "@confirmLogoutMessage": { - "description": "Confirmation message explaining logout consequences" - }, - "receivePaymentInProgress": "Выплаты", - "@receivePaymentInProgress": { - "description": "Status message when a payment is being processed" - }, - "dcaSuccessMessageDaily": "Вы будете покупать {amount} каждый день", - "@dcaSuccessMessageDaily": { - "description": "Success message for daily frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "walletNetworkLiquidTestnet": "Жидкий Тестет", - "@walletNetworkLiquidTestnet": { - "description": "Network label for Liquid testnet" - }, - "electrumDeleteFailedError": "Не удалось удалить пользовательский сервер {reason}", - "@electrumDeleteFailedError": { - "description": "Error message when deleting custom server fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "receiveBoltzSwapFee": "Болц Свап Фе", - "@receiveBoltzSwapFee": { - "description": "Label for the Boltz swap service fee in a receive transaction" - }, - "swapInfoBanner": "Передайте Bitcoin плавно между вашими кошельками. Только хранить средства в мгновенном платежном кошельке для повседневных расходов.", - "@swapInfoBanner": { - "description": "Info banner on swap amount screen" - }, - "payRBFEnabled": "RBF включен", - "@payRBFEnabled": { - "description": "Status when RBF is enabled" - }, - "takeYourTimeTag": "Возьми время", - "@takeYourTimeTag": { - "description": "Tag for options requiring more time" - }, - "arkAboutDust": "Dust", - "@arkAboutDust": { - "description": "Field label for dust amount" - }, - "ledgerSuccessVerifyDescription": "Адрес был проверен на вашем устройстве Ledger.", - "@ledgerSuccessVerifyDescription": { - "description": "Success message description after verifying address on Ledger" - }, - "bip85Title": "BIP85 Deterministic Entropies", - "@bip85Title": { - "description": "AppBar title for BIP85 entropy derivation screen" - }, - "sendSwapTimeout": "Время от времени", - "@sendSwapTimeout": { - "description": "Error when swap expires" - }, - "networkFeesLabel": "Сетевые сборы", - "@networkFeesLabel": { - "description": "Label for network transaction fees in onchain send" - }, - "backupWalletPhysicalBackupDescription": "Запишите 12 слов на бумаге. Держите их в безопасности и убедитесь, что не потерять их.", - "@backupWalletPhysicalBackupDescription": { - "description": "Description of physical backup method" - }, - "sendSwapInProgressBitcoin": "Свопа продолжается. Биткойн-транзакции могут занять некоторое время, чтобы подтвердить. Вы можете вернуться домой и подождать.", - "@sendSwapInProgressBitcoin": { - "description": "Message for Bitcoin swap in progress" - }, - "electrumDeleteServerTitle": "Удалить пользовательский сервер", - "@electrumDeleteServerTitle": { - "description": "Delete server dialog title" - }, - "buySelfie": "Селфи с ID", - "@buySelfie": { - "description": "Type of document required" - }, - "arkAboutSecretKey": "Секретный ключ", - "@arkAboutSecretKey": { - "description": "Label for secret key field in about page" - }, - "sellMxnBalance": "MXN Баланс", - "@sellMxnBalance": { - "description": "Display text for MXN balance payout method" - }, - "fundExchangeWarningTactic4": "Они просят отправить биткойн на их адрес", - "@fundExchangeWarningTactic4": { - "description": "Fourth scammer tactic warning" - }, - "fundExchangeSinpeDescription": "Трансфер Колонны с помощью SINPE", - "@fundExchangeSinpeDescription": { - "description": "Description for SINPE transfer method" - }, - "wordsDropdownSuffix": " слова", - "@wordsDropdownSuffix": { - "description": "Suffix for mnemonic length dropdown" - }, - "arkTxTypeRedeem": "Redeem", - "@arkTxTypeRedeem": { - "description": "Transaction type label for redeem transactions" - }, - "receiveVerifyAddressOnLedger": "Проверка Адреса на Ledger", - "@receiveVerifyAddressOnLedger": { - "description": "Button label for verifying an address on a Ledger hardware wallet" - }, - "buyWaitForFreeWithdrawal": "Ожидание свободного вывода", - "@buyWaitForFreeWithdrawal": { - "description": "Button to wait for free (slower) withdrawal" - }, - "sellSendPaymentCrcBalance": "CRC Баланс", - "@sellSendPaymentCrcBalance": { - "description": "CRC balance payout method" - }, - "backupSettingsKeyWarningBold": "Предупреждение: Будьте осторожны, где вы сохраняете резервный ключ.", - "@backupSettingsKeyWarningBold": { - "description": "Bold warning message in backup key warning modal" - }, - "settingsArkTitle": "Ковчег", - "@settingsArkTitle": { - "description": "Title for the Ark protocol section in Bitcoin settings" - }, - "exchangeLandingConnectAccount": "Подключите счет обмена Bull Bitcoin", - "@exchangeLandingConnectAccount": { - "description": "Subtitle text on the exchange landing screen encouraging users to connect" - }, - "recoverYourWalletTitle": "Восстановление кошелька", - "@recoverYourWalletTitle": { - "description": "Title for recover wallet screen" - }, - "importWatchOnlyLabel": "Этикетки", - "@importWatchOnlyLabel": { - "description": "Label for wallet name/label input field" - }, - "settingsAppSettingsTitle": "Параметры приложения", - "@settingsAppSettingsTitle": { - "description": "Title for the app settings section in the settings menu" - }, - "dcaWalletLightningSubtitle": "Требует совместимого кошелька, максимум 0,25 BTC", - "@dcaWalletLightningSubtitle": { - "description": "Subtitle/description for Lightning wallet option" - }, - "dcaNetworkBitcoin": "Bitcoin Network", - "@dcaNetworkBitcoin": { - "description": "Bitcoin network label for DCA" - }, - "swapTransferRefundInProgressMessage": "С переводом произошла ошибка. Ваш возврат идет.", - "@swapTransferRefundInProgressMessage": { - "description": "Message during refund process" - }, - "importQrDevicePassportName": "Паспорт", - "@importQrDevicePassportName": { - "description": "Name of Foundation Passport device" - }, - "fundExchangeMethodCanadaPostSubtitle": "Лучшее для тех, кто предпочитает платить лично", - "@fundExchangeMethodCanadaPostSubtitle": { - "description": "Subtitle for Canada Post payment method" - }, - "importColdcardMultisigPrompt": "Для многосиговых кошельков сканируйте дескриптор QR-код кошелька", - "@importColdcardMultisigPrompt": { - "description": "Additional instruction for multisig" - }, - "passphraseLabel": "Passphrase", - "@passphraseLabel": { - "description": "Label for optional passphrase input field" - }, - "recoverbullConfirmInput": "Подтвердить {inputType}", - "@recoverbullConfirmInput": { - "description": "Label to confirm input (PIN or password)", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "transactionSwapDescLnReceiveCompleted": "Ваш обмен был успешно завершен! Средства теперь должны быть доступны в вашем кошельке.", - "@transactionSwapDescLnReceiveCompleted": { - "description": "Description for completed Lightning receive swap" - }, - "psbtFlowSignTransaction": "Подписание сделки", - "@psbtFlowSignTransaction": { - "description": "Title for psbt flow signing screen" - }, - "payAllPayments": "Все платежи", - "@payAllPayments": { - "description": "Filter option to show all" - }, - "fundExchangeSinpeDescriptionBold": "он будет отвергнут.", - "@fundExchangeSinpeDescriptionBold": { - "description": "Bold text warning that payment from wrong number will be rejected" - }, - "transactionDetailLabelPayoutStatus": "Состояние выплат", - "@transactionDetailLabelPayoutStatus": { - "description": "Label for payout status" - }, - "buyInputFundAccount": "Фонд вашего счета", - "@buyInputFundAccount": { - "description": "Button to fund account" - }, - "importWatchOnlyZpub": "zpub", - "@importWatchOnlyZpub": { - "description": "Label for zpub import method" - }, - "testBackupNext": "Следующий", - "@testBackupNext": { - "description": "Button to proceed to verification quiz" - }, - "payBillerSearchHint": "Введите первые 3 буквы имени биллера", - "@payBillerSearchHint": { - "description": "Hint for biller search field" - }, - "coreSwapsLnSendCompletedRefunded": "Свап был возвращен.", - "@coreSwapsLnSendCompletedRefunded": { - "description": "Status message for Lightning send swap completed via refund" - }, - "transactionSwapInfoClaimableSwap": "Свопа будет завершена автоматически в течение нескольких секунд. Если нет, вы можете попробовать ручное утверждение, нажав на кнопку \"Retry Swap Claim\".", - "@transactionSwapInfoClaimableSwap": { - "description": "Additional info for claimable swaps" - }, - "mempoolCustomServerLabel": "CUSTOM", - "@mempoolCustomServerLabel": { - "description": "Label badge for custom server" - }, - "arkAboutSessionDuration": "Продолжительность сессии", - "@arkAboutSessionDuration": { - "description": "Field label for session duration" - }, - "transferFeeLabel": "Перенос", - "@transferFeeLabel": { - "description": "Breakdown component showing Boltz transfer fee portion" - }, - "pinValidationError": "PIN должен быть как минимум X21X", - "@pinValidationError": { - "description": "Error message when PIN is too short", - "placeholders": { - "minLength": { - "type": "String" - } - } - }, - "buyConfirmationTimeValue": "10 минут", - "@buyConfirmationTimeValue": { - "description": "Value for estimated confirmation time" - }, - "dcaOrderTypeValue": "Приобретение", - "@dcaOrderTypeValue": { - "description": "Value for order type" - }, - "ledgerConnectingMessage": "Подключение к {deviceName}", - "@ledgerConnectingMessage": { - "description": "Message shown while connecting to a specific Ledger device", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "buyConfirmAwaitingConfirmation": "Пробуждение подтверждения ", - "@buyConfirmAwaitingConfirmation": { - "description": "Awaiting confirmation label" - }, - "torSettingsSaveButton": "Сохранить", - "@torSettingsSaveButton": { - "description": "Save button label for Tor port settings" - }, - "allSeedViewShowSeedsButton": "Показать семена", - "@allSeedViewShowSeedsButton": { - "description": "Button label to show seed phrases" - }, - "fundExchangeMethodBankTransferWireSubtitle": "Лучший и самый надежный вариант для больших сумм (как и на следующий день)", - "@fundExchangeMethodBankTransferWireSubtitle": { - "description": "Subtitle for Bank Transfer Wire payment method" - }, - "fundExchangeCanadaPostStep4": "4. Кассир попросит увидеть часть выданного правительством ID и убедиться, что имя на вашем ID соответствует вашей учетной записи Bull Bitcoin", - "@fundExchangeCanadaPostStep4": { - "description": "Step 4 for Canada Post payment process - ID verification" - }, - "fundExchangeCrIbanCrcLabelIban": "Номер счета IBAN (только Колонны)", - "@fundExchangeCrIbanCrcLabelIban": { - "description": "Label for IBAN number field for CRC (Colones) only" - }, - "importQrDeviceSpecterInstructionsTitle": "Инструкции по спектру", - "@importQrDeviceSpecterInstructionsTitle": { - "description": "Title for Specter setup instructions" - }, - "testBackupScreenshot": "Скриншот", - "@testBackupScreenshot": { - "description": "Label with X mark warning against taking screenshots" - }, - "transactionListLoadingTransactions": "Загрузка транзакций...", - "@transactionListLoadingTransactions": { - "description": "Message displayed while loading transactions" - }, - "dcaSuccessTitle": "Приобретение Активно!", - "@dcaSuccessTitle": { - "description": "Success screen title after DCA is activated" - }, - "fundExchangeOnlineBillPaymentDescription": "Любая сумма, которую вы отправляете через функцию онлайн-платежей вашего банка, используя информацию ниже, будет зачислена на ваш баланс счета Bull Bitcoin в течение 3-4 рабочих дней.", - "@fundExchangeOnlineBillPaymentDescription": { - "description": "Description of how online bill payment works and timeframe" - }, - "receiveAwaitingPayment": "Пробуждение оплаты...", - "@receiveAwaitingPayment": { - "description": "Status while waiting for payment" - }, - "onboardingRecover": "Восстановление", - "@onboardingRecover": { - "description": "Button label for recovering a wallet in onboarding" - }, - "recoverbullGoogleDriveScreenTitle": "Google Drive Vaults", - "@recoverbullGoogleDriveScreenTitle": { - "description": "Screen title for Google Drive vaults management" - }, - "receiveQRCode": "Код QR", - "@receiveQRCode": { - "description": "Section header for QR code display" - }, - "appSettingsDevModeTitle": "Режим Дев", - "@appSettingsDevModeTitle": { - "description": "Title for the developer mode toggle in app settings" - }, - "payDecodeFailed": "Не удалось расшифровать счет", - "@payDecodeFailed": { - "description": "Error when invoice parsing fails" - }, - "sendAbsoluteFees": "Абсолютные сборы", - "@sendAbsoluteFees": { - "description": "Label for absolute fee display mode (total sats)" - }, - "arkSendConfirm": "Подтверждение", - "@arkSendConfirm": { - "description": "Confirm button on send screen" - }, - "replaceByFeeErrorTransactionConfirmed": "Первоначальная сделка подтверждена", - "@replaceByFeeErrorTransactionConfirmed": { - "description": "Error message when original transaction is already confirmed" - }, - "rbfErrorFeeTooLow": "Вы должны увеличить ставку сбора как минимум на 1 атт/вбайт по сравнению с первоначальной транзакцией", - "@rbfErrorFeeTooLow": { - "description": "Error when new fee rate is not high enough" - }, - "ledgerErrorMissingDerivationPathSign": "Путь заезда требуется для подписания", - "@ledgerErrorMissingDerivationPathSign": { - "description": "Error message when derivation path is missing for signing" - }, - "backupWalletTitle": "Назад ваш кошелек", - "@backupWalletTitle": { - "description": "AppBar title for main backup options screen" - }, - "jadeStep10": "Нажмите на кнопки, чтобы подписать транзакцию на вашем Джейде.", - "@jadeStep10": { - "description": "Jade instruction for signing" - }, - "arkAboutDurationHour": "{hours} час", - "@arkAboutDurationHour": { - "description": "Duration format for singular hour", - "placeholders": { - "hours": { - "type": "int" - } - } - }, - "bitboxScreenUnknownError": "Неизвестная ошибка", - "@bitboxScreenUnknownError": { - "description": "Fallback error message" - }, - "electrumPrivacyNoticeTitle": "Уведомление о конфиденциальности", - "@electrumPrivacyNoticeTitle": { - "description": "Title for privacy notice bottom sheet" - }, - "receiveLiquid": "Жидкость", - "@receiveLiquid": { - "description": "Label for receiving Bitcoin via Liquid Network" - }, - "payOpenChannelRequired": "Открытие канала требуется для этой оплаты", - "@payOpenChannelRequired": { - "description": "Message indicating a new Lightning channel is needed" - }, - "coldcardStep1": "Войти в устройство Coldcard Q", - "@coldcardStep1": { - "description": "Coldcard instruction step 1" - }, - "transactionDetailLabelBitcoinTxId": "Bitcoin транзакции", - "@transactionDetailLabelBitcoinTxId": { - "description": "Label for Bitcoin transaction ID" - }, - "arkSendRecipientHint": "ark1qp9wsjfpsj5v5ex022v6..", - "@arkSendRecipientHint": { - "description": "Hint text for recipient address field" - }, - "sellSendPaymentCalculating": "Расчет...", - "@sellSendPaymentCalculating": { - "description": "Calculating fees message" - }, - "arkRecoverableVtxos": "Recoverable Vtxos", - "@arkRecoverableVtxos": { - "description": "Label for switch to include recoverable vtxos in redeem" - }, - "psbtFlowTransactionImported": "Сделка будет импортирована в кошельке Bull Bitcoin.", - "@psbtFlowTransactionImported": { - "description": "Confirmation that transaction was imported successfully" - }, - "testBackupGoogleDriveSignIn": "Вам нужно будет войти в Google Drive", - "@testBackupGoogleDriveSignIn": { - "description": "Progress screen title when fetching from Google Drive" - }, - "sendTransactionSignedLedger": "Сделка успешно подписана с Ledger", - "@sendTransactionSignedLedger": { - "description": "Success message after Ledger signing" - }, - "recoverbullRecoveryContinueButton": "Продолжить", - "@recoverbullRecoveryContinueButton": { - "description": "Button text to proceed with importing the wallet" - }, - "payTimeoutError": "Время оплаты. Пожалуйста, проверьте статус", - "@payTimeoutError": { - "description": "Error when payment takes too long to complete" - }, - "kruxStep4": "Нажмите кнопку Загрузка с камеры", - "@kruxStep4": { - "description": "Krux instruction step 4" - }, - "bitboxErrorInvalidMagicBytes": "Выявлен неверный формат PSBT.", - "@bitboxErrorInvalidMagicBytes": { - "description": "Error when PSBT has invalid magic bytes" - }, - "sellErrorRecalculateFees": "Не удалось пересчитать сборы: {error}", - "@sellErrorRecalculateFees": { - "description": "Error message when fee recalculation fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "dcaSetupFrequencyError": "Выберите частоту", - "@dcaSetupFrequencyError": { - "description": "Frequency validation error" - }, - "testBackupErrorNoMnemonic": "No mnemonic Load", - "@testBackupErrorNoMnemonic": { - "description": "Error when mnemonic is not loaded" - }, - "payInvoiceExpired": "Срок действия счета-фактуры", - "@payInvoiceExpired": { - "description": "Error message when Lightning invoice has expired" - }, - "payWhoAreYouPaying": "Кому ты платишь?", - "@payWhoAreYouPaying": { - "description": "Question prompting user to select recipient" - }, - "confirmButtonLabel": "Подтверждение", - "@confirmButtonLabel": { - "description": "Button label to confirm and execute the transaction" - }, - "autoswapMaxFeeInfo": "Если общий трансферный сбор превышает установленный процент, автотрансфер будет заблокирован", - "@autoswapMaxFeeInfo": { - "description": "Info tooltip for max fee field" - }, - "importQrDevicePassportStep9": "Сканировать QR-код, отображаемый на вашем паспорте", - "@importQrDevicePassportStep9": { - "description": "Passport instruction step 9" - }, - "swapProgressRefundedMessage": "Перевод был успешно возвращен.", - "@swapProgressRefundedMessage": { - "description": "Refunded transfer message" - }, - "sendEconomyFee": "Экономика", - "@sendEconomyFee": { - "description": "Lowest fee tier" - }, - "coreSwapsChainFailed": "Перенос провалился.", - "@coreSwapsChainFailed": { - "description": "Status message for failed chain swap" - }, - "transactionDetailAddNote": "Добавление", - "@transactionDetailAddNote": { - "description": "Button label to add a note to a transaction" - }, - "addressCardUsedLabel": "Использовано", - "@addressCardUsedLabel": { - "description": "Label indicating an address has been used" - }, - "buyConfirmTitle": "Купить Bitcoin", - "@buyConfirmTitle": { - "description": "AppBar title for buy confirmation screen" - }, - "exchangeLandingFeature5": "Чат с поддержкой клиентов", - "@exchangeLandingFeature5": { - "description": "Fifth feature bullet point" - }, - "electrumMainnet": "Mainnet", - "@electrumMainnet": { - "description": "Mainnet environment label" - }, - "buyThatWasFast": "Это было быстро, не так ли?", - "@buyThatWasFast": { - "description": "Additional success message for accelerated transaction" - }, - "importWalletPassport": "Паспорт", - "@importWalletPassport": { - "description": "Button label for Foundation Passport hardware wallet" - }, - "buyExpressWithdrawalFee": "Экспресс-заказ: {amount}", - "@buyExpressWithdrawalFee": { - "description": "Additional fee for instant withdrawal", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellDailyLimit": "Ежедневный лимит: {amount}", - "@sellDailyLimit": { - "description": "Shows maximum daily sell amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "recoverbullConnectionFailed": "Сбой подключения", - "@recoverbullConnectionFailed": { - "description": "Status label indicating connection failure" - }, - "transactionDetailLabelPayinMethod": "Метод оплаты", - "@transactionDetailLabelPayinMethod": { - "description": "Label for payin method" - }, - "sellCurrentRate": "Текущие показатели", - "@sellCurrentRate": { - "description": "Label for BTC/fiat exchange rate" - }, - "payAmountTooLow": "Сумма ниже минимального", - "@payAmountTooLow": { - "description": "Error when payment amount is below minimum allowed" - }, - "onboardingCreateWalletButtonLabel": "Создать бумажник", - "@onboardingCreateWalletButtonLabel": { - "description": "The label for the button to create a wallet from the onboarding screen" - }, - "bitboxScreenVerifyOnDevice": "Пожалуйста, проверьте этот адрес на вашем устройстве BitBox", - "@bitboxScreenVerifyOnDevice": { - "description": "Instruction to verify address on device" - }, - "ledgerConnectTitle": "Подключите устройство Ledger", - "@ledgerConnectTitle": { - "description": "Title for initial Ledger connection screen" - }, - "withdrawAmountTitle": "Цикл:", - "@withdrawAmountTitle": { - "description": "AppBar title for withdraw amount screen" - }, - "coreScreensServerNetworkFeesLabel": "Фейсы сети сервера", - "@coreScreensServerNetworkFeesLabel": { - "description": "Label for server network fees field" - }, - "dcaFrequencyValidationError": "Выберите частоту", - "@dcaFrequencyValidationError": { - "description": "Form validation error when no frequency is selected" - }, - "walletsListTitle": "Подробности Wallet", - "@walletsListTitle": { - "description": "Title for the wallet details list screen" - }, - "payAllCountries": "Все страны", - "@payAllCountries": { - "description": "Option for all countries filter" - }, - "sellCopBalance": "КС Баланс", - "@sellCopBalance": { - "description": "Display text for COP balance payout method" - }, - "recoverbullVaultSelected": "Выбранное хранилище", - "@recoverbullVaultSelected": { - "description": "Screen title after vault has been selected" - }, - "receiveTransferFee": "Перенос", - "@receiveTransferFee": { - "description": "Label for the transfer fee in a receive transaction" - }, - "fundExchangeInfoTransferCodeRequired": "Вы должны добавить код передачи как «сообщение» или «разум» или «описание» при совершении платежа. Если вы забыли поставить этот код, ваш платеж может быть отклонен.", - "@fundExchangeInfoTransferCodeRequired": { - "description": "Important info about transfer code requirement for Costa Rica transfers" - }, - "arkBoardingExitDelay": "Задержка с выходом", - "@arkBoardingExitDelay": { - "description": "Label for boarding exit delay field" - }, - "exchangeDcaFrequencyHour": "час", - "@exchangeDcaFrequencyHour": { - "description": "DCA frequency unit: hour" - }, - "transactionLabelPayjoinCreationTime": "Время создания Payjoin", - "@transactionLabelPayjoinCreationTime": { - "description": "Label for payjoin creation timestamp" - }, - "payRBFDisabled": "RBF disabled", - "@payRBFDisabled": { - "description": "Status when RBF is disabled" - }, - "exchangeAuthLoginFailedOkButton": "ХОРОШО", - "@exchangeAuthLoginFailedOkButton": { - "description": "OK button label in the login failed dialog" - }, - "exchangeKycCardTitle": "Заполните KYC", - "@exchangeKycCardTitle": { - "description": "Title of the KYC completion card" - }, - "importQrDeviceSuccess": "Валюта импортируется успешно", - "@importQrDeviceSuccess": { - "description": "Success message after import" - }, - "arkTxSettlement": "Урегулирование", - "@arkTxSettlement": { - "description": "Transaction type label for Ark settlement transactions" - }, - "autoswapEnable": "Включить автоперенос", - "@autoswapEnable": { - "description": "Toggle label to enable auto transfer" - }, - "transactionStatusTransferCompleted": "Перевод завершен", - "@transactionStatusTransferCompleted": { - "description": "Status label for completed transfers" - }, - "payInvalidSinpe": "Invalid Sinpe", - "@payInvalidSinpe": { - "description": "Error message for invalid SINPE" - }, - "coreScreensFromLabel": "Из", - "@coreScreensFromLabel": { - "description": "Label for source/sender field" - }, - "backupWalletGoogleDriveSignInTitle": "Вам нужно будет войти в Google Drive", - "@backupWalletGoogleDriveSignInTitle": { - "description": "Loading screen title when initiating Google Drive backup" - }, - "sendEstimatedDelivery10to30Minutes": "10-30 минут", - "@sendEstimatedDelivery10to30Minutes": { - "description": "Estimated delivery time of 10 to 30 minutes" - }, - "transactionDetailLabelLiquidTxId": "ID транзакции", - "@transactionDetailLabelLiquidTxId": { - "description": "Label for Liquid transaction ID" - }, - "testBackupBackupId": "ИД:", - "@testBackupBackupId": { - "description": "Label for backup ID field" - }, - "walletDeletionErrorOngoingSwaps": "Вы не можете удалить кошелек с текущими свопами.", - "@walletDeletionErrorOngoingSwaps": { - "description": "Error message when attempting to delete a wallet with ongoing swaps" - }, - "bitboxScreenConnecting": "Подключение к BitBox", - "@bitboxScreenConnecting": { - "description": "Main text when connecting to device" - }, - "psbtFlowScanAnyQr": "Выберите опцию \"Сканировать любой QR-код\"", - "@psbtFlowScanAnyQr": { - "description": "Instruction to select scan any QR code option" - }, - "transactionLabelServerNetworkFees": "Фейсы сети сервера", - "@transactionLabelServerNetworkFees": { - "description": "Label for server network fees in swap details" - }, - "importQrDeviceSeedsignerStep10": "Завершение установки", - "@importQrDeviceSeedsignerStep10": { - "description": "SeedSigner instruction step 10" - }, - "sendReceive": "Получить", - "@sendReceive": { - "description": "Label for receive transaction type" - }, - "sellKycPendingDescription": "Вы должны сначала завершить проверку личности", - "@sellKycPendingDescription": { - "description": "Description explaining user must complete KYC before proceeding" - }, - "fundExchangeETransferDescription": "Любая сумма, которую вы отправляете из своего банка через Email E-Transfer, используя нижеприведенную информацию, будет зачислена на баланс вашего счета Bull Bitcoin в течение нескольких минут.", - "@fundExchangeETransferDescription": { - "description": "Description of how E-Transfer works and timeframe" - }, - "sendClearSelection": "Чистый выбор", - "@sendClearSelection": { - "description": "Button to deselect all UTXOs" - }, - "fundExchangeLabelClabe": "CLABE", - "@fundExchangeLabelClabe": { - "description": "Label for CLABE number field (Mexico)" - }, - "statusCheckLastChecked": "{time}", - "@statusCheckLastChecked": { - "description": "Label showing when services were last checked", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "backupWalletVaultProviderQuickEasy": "Quick & easy", - "@backupWalletVaultProviderQuickEasy": { - "description": "Tag for Google Drive and iCloud providers" - }, - "sellPayoutAmount": "Сумма выплат", - "@sellPayoutAmount": { - "description": "Label for amount user receives" - }, - "dcaConfirmFrequencyDaily": "Каждый день", - "@dcaConfirmFrequencyDaily": { - "description": "Daily frequency label" - }, - "buyConfirmPurchase": "Подтвердить покупку", - "@buyConfirmPurchase": { - "description": "Button to confirm purchase" - }, - "transactionLabelNetworkFee": "Network Fee", - "@transactionLabelNetworkFee": { - "description": "Label for network fee component" - }, - "importQrDeviceKeystoneStep9": "Настройка завершена", - "@importQrDeviceKeystoneStep9": { - "description": "Keystone instruction step 9" - }, - "tapWordsInOrderTitle": "Переместите слова восстановления в\nправильный заказ", - "@tapWordsInOrderTitle": { - "description": "Title instructing user to tap words in order" - }, - "payEnterAmountTitle": "Введите сумму", - "@payEnterAmountTitle": { - "description": "Title for amount entry screen in payment flow" - }, - "transactionOrderLabelPayinMethod": "Метод оплаты", - "@transactionOrderLabelPayinMethod": { - "description": "Label for order payin method" - }, - "buyInputMaxAmountError": "Вы не можете купить больше, чем", - "@buyInputMaxAmountError": { - "description": "Maximum amount error message" - }, - "walletDetailsDeletingMessage": "Удаление кошелька...", - "@walletDetailsDeletingMessage": { - "description": "Message displayed while a wallet is being deleted" - }, - "receiveUnableToVerifyAddress": "Невозможно проверить адрес: Пропущенный кошелек или адресная информация", - "@receiveUnableToVerifyAddress": { - "description": "Error message when address verification is not possible" - }, - "payInvalidAddress": "Неверный адрес", - "@payInvalidAddress": { - "description": "Error for malformed address" - }, - "appUnlockAttemptPlural": "неудачные попытки", - "@appUnlockAttemptPlural": { - "description": "Plural form of 'attempts' for failed unlock attempts" - }, - "exportVaultButton": "Экспортное хранилище", - "@exportVaultButton": { - "description": "Button label to export vault" - }, - "coreSwapsChainPaid": "Ожидание платежа провайдера трансфера для получения подтверждения. Это может занять некоторое время, чтобы закончить.", - "@coreSwapsChainPaid": { - "description": "Status message for paid chain swap" - }, - "arkConfirmed": "Подтверждено", - "@arkConfirmed": { - "description": "Label for confirmed balance in breakdown" - }, - "importQrDevicePassportStep6": "Выберите \"Single-sig\"", - "@importQrDevicePassportStep6": { - "description": "Passport instruction step 6" - }, - "sendSatsPerVB": "sats/vB", - "@sendSatsPerVB": { - "description": "Unit label for satoshis per virtual byte" - }, - "withdrawRecipientsContinue": "Продолжить", - "@withdrawRecipientsContinue": { - "description": "Continue button on recipients screen" - }, - "enterPinAgainMessage": "Введите свой {pinOrPassword} снова, чтобы продолжить.", - "@enterPinAgainMessage": { - "description": "Message asking to re-enter PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "importColdcardButtonInstructions": "Инструкции", - "@importColdcardButtonInstructions": { - "description": "ImportColdcardQ: Button to show setup instructions" - }, - "bitboxActionUnlockDeviceProcessingSubtext": "Пожалуйста, введите свой пароль на устройстве BitBox...", - "@bitboxActionUnlockDeviceProcessingSubtext": { - "description": "Processing subtext for unlock device" - }, - "sellWhichWalletQuestion": "Из какого кошелька вы хотите продать?", - "@sellWhichWalletQuestion": { - "description": "Question prompting user to select wallet" - }, - "buyNetworkFeeRate": "Сетевая ставка", - "@buyNetworkFeeRate": { - "description": "Label for network fee rate" - }, - "autoswapAlwaysBlockLabel": "Всегда блокируйте высокие тарифы", - "@autoswapAlwaysBlockLabel": { - "description": "Label for toggle to always block high fee transfers" - }, - "receiveFixedAmount": "Сумма", - "@receiveFixedAmount": { - "description": "Required amount field" - }, - "bitboxActionVerifyAddressSuccessSubtext": "Адрес был проверен на вашем устройстве BitBox.", - "@bitboxActionVerifyAddressSuccessSubtext": { - "description": "Success subtext for verify address" - }, - "transactionSwapDescLnSendPaid": "Ваша транзакция на цепочке была передана. После 1 подтверждения будет отправлен платеж Lightning.", - "@transactionSwapDescLnSendPaid": { - "description": "Description for paid Lightning send swap" - }, - "transactionSwapDescChainDefault": "Ваш перевод идет. Этот процесс автоматизирован и может занять некоторое время для завершения.", - "@transactionSwapDescChainDefault": { - "description": "Default description for chain swap" - }, - "onboardingBullBitcoin": "Bitcoin", - "@onboardingBullBitcoin": { - "description": "Brand name displayed in onboarding" - }, - "coreSwapsChainClaimable": "Перенос готов к утверждению.", - "@coreSwapsChainClaimable": { - "description": "Status message for claimable chain swap" - }, - "dcaNetworkLightning": "Сеть освещения", - "@dcaNetworkLightning": { - "description": "Lightning network label for DCA" - }, - "backupWalletHowToDecideVaultCloudRecommendationText": "вы хотите убедиться, что вы никогда не потеряете доступ к файлу хранилища, даже если вы потеряете свои устройства.", - "@backupWalletHowToDecideVaultCloudRecommendationText": { - "description": "Recommendation text for when to use cloud storage" - }, - "arkAboutEsploraUrl": "URL", - "@arkAboutEsploraUrl": { - "description": "Field label for Esplora URL" - }, - "backupKeyExampleWarning": "Например, если вы использовали Google Drive для резервного файла, не используйте Google Drive для резервного ключа.", - "@backupKeyExampleWarning": { - "description": "Example warning about not using same cloud provider" - }, - "importColdcardInstructionsStep3": "Навигация к «Advanced/Tools»", - "@importColdcardInstructionsStep3": { - "description": "ImportColdcardQ: Third instruction step" - }, - "buyPhotoID": "Фото ID", - "@buyPhotoID": { - "description": "Type of document required" - }, - "exchangeSettingsAccountInformationTitle": "Информация", - "@exchangeSettingsAccountInformationTitle": { - "description": "Title for the account information section in exchange settings" - }, - "appStartupErrorTitle": "Ошибка запуска", - "@appStartupErrorTitle": { - "description": "Title shown when the app fails to start up properly" - }, - "transactionLabelTransferId": "ID передачи", - "@transactionLabelTransferId": { - "description": "Label for transfer/swap ID" - }, - "sendTitle": "Отправить", - "@sendTitle": { - "description": "Title for the send screen" - }, - "withdrawOrderNotFoundError": "Приказ о снятии не был найден. Попробуй еще раз.", - "@withdrawOrderNotFoundError": { - "description": "Error message for order not found during withdraw" - }, - "importQrDeviceSeedsignerStep4": "Выберите \"Export Xpub\"", - "@importQrDeviceSeedsignerStep4": { - "description": "SeedSigner instruction step 4" - }, - "seedsignerStep6": " - Переместить красный лазер вверх и вниз по QR-коду", - "@seedsignerStep6": { - "description": "SeedSigner troubleshooting tip 2" - }, - "ledgerHelpStep5": "Убедитесь, что вы Устройство Ledger использует новейшую прошивку, вы можете обновить прошивку с помощью настольного приложения Ledger Live.", - "@ledgerHelpStep5": { - "description": "Fifth troubleshooting step for Ledger connection issues" - }, - "torSettingsPortDisplay": "Порт: {port}", - "@torSettingsPortDisplay": { - "description": "Display text showing current port number", - "placeholders": { - "port": { - "type": "int" - } - } - }, - "payTransitNumber": "Транзитный номер", - "@payTransitNumber": { - "description": "Label for transit number" - }, - "importQrDeviceSpecterStep5": "Выберите \"Мастерские публичные ключи\"", - "@importQrDeviceSpecterStep5": { - "description": "Specter instruction step 5" - }, - "fundExchangeCostaRicaMethodIbanUsdTitle": "IBAN Costa Rica (USD)", - "@fundExchangeCostaRicaMethodIbanUsdTitle": { - "description": "Payment method title for IBAN USD in method list" - }, - "allSeedViewDeleteWarningTitle": "УХОДИ!", - "@allSeedViewDeleteWarningTitle": { - "description": "Title for delete seed warning dialog" - }, - "backupSettingsBackupKey": "Ключ резервного копирования", - "@backupSettingsBackupKey": { - "description": "AppBar title for view backup key screen" - }, - "arkTransactionId": "ID транзакции", - "@arkTransactionId": { - "description": "Label for transaction ID field in details table" - }, - "payInvoiceCopied": "Счет-фактура скопирован в буфер обмена", - "@payInvoiceCopied": { - "description": "Toast message after copying invoice" - }, - "recoverbullEncryptedVaultCreated": "Зашифрованное хранилище создано!", - "@recoverbullEncryptedVaultCreated": { - "description": "Success message title after vault creation" - }, - "addressViewChangeAddressesComingSoon": "Изменение адресов скоро", - "@addressViewChangeAddressesComingSoon": { - "description": "Empty state message for change addresses feature that is coming soon" - }, - "psbtFlowScanQrShown": "Сканировать код QR, показанный в кошельке Bull", - "@psbtFlowScanQrShown": { - "description": "Instruction to scan QR code displayed in app" - }, - "testBackupErrorInvalidFile": "Неверный контент файла", - "@testBackupErrorInvalidFile": { - "description": "Error when selected file has invalid content" - }, - "payHowToPayInvoice": "Как вы хотите заплатить этот счет?", - "@payHowToPayInvoice": { - "description": "Question for payment method selection" - }, - "transactionDetailLabelSendNetworkFee": "Отправить Сеть", - "@transactionDetailLabelSendNetworkFee": { - "description": "Label for send network fee" - }, - "sendSlowPaymentWarningDescription": "Биткойн обмены потребуют времени, чтобы подтвердить.", - "@sendSlowPaymentWarningDescription": { - "description": "Description for slow payment warning" - }, - "bitboxActionVerifyAddressProcessingSubtext": "Пожалуйста, подтвердите адрес вашего устройства BitBox.", - "@bitboxActionVerifyAddressProcessingSubtext": { - "description": "Processing subtext for verify address" - }, - "pinConfirmHeadline": "Подтвердить новый значок", - "@pinConfirmHeadline": { - "description": "Headline text on PIN confirmation screen" - }, - "fundExchangeCanadaPostQrCodeLabel": "Код QR", - "@fundExchangeCanadaPostQrCodeLabel": { - "description": "Label for the Loadhub QR code display" - }, - "payConfirmationRequired": "Требуется подтверждение", - "@payConfirmationRequired": { - "description": "Message when user confirmation is needed" - }, - "bip85NextHex": "Следующий HEX", - "@bip85NextHex": { - "description": "Button to derive next hex entropy" - }, - "physicalBackupStatusLabel": "Физическая поддержка", - "@physicalBackupStatusLabel": { - "description": "Status label for physical backup" - }, - "exchangeSettingsLogOutTitle": "Выход", - "@exchangeSettingsLogOutTitle": { - "description": "Title for the log out option in exchange settings" - }, - "addressCardBalanceLabel": "Остаток: ", - "@addressCardBalanceLabel": { - "description": "Label for the balance field in address card" - }, - "transactionStatusInProgress": "Прогресс", - "@transactionStatusInProgress": { - "description": "Status label for transactions in progress" - }, - "recoverWalletScreenTitle": "Recover Wallet", - "@recoverWalletScreenTitle": { - "description": "Title for recover wallet screen" - }, - "rbfEstimatedDelivery": "Предполагаемая доставка ~ 10 минут", - "@rbfEstimatedDelivery": { - "description": "Estimated confirmation time for fastest fee" - }, - "sendSwapCancelled": "Отменено", - "@sendSwapCancelled": { - "description": "Message when user cancels swap" - }, - "backupWalletGoogleDrivePrivacyMessage4": "никогда ", - "@backupWalletGoogleDrivePrivacyMessage4": { - "description": "Fourth part of privacy message (bold)" - }, - "dcaPaymentMethodValue": "{currency}", - "@dcaPaymentMethodValue": { - "description": "Value for payment method with currency code placeholder", - "placeholders": { - "currency": { - "type": "String" - } - } - }, - "swapTransferCompletedTitle": "Завершение перевода", - "@swapTransferCompletedTitle": { - "description": "Title when swap completes successfully" - }, - "torSettingsStatusDisconnected": "Отключение", - "@torSettingsStatusDisconnected": { - "description": "Status title when Tor is disconnected" - }, - "exchangeDcaCancelDialogTitle": "Отменить покупку Bitcoin?", - "@exchangeDcaCancelDialogTitle": { - "description": "Title of the dialog confirming DCA cancellation" - }, - "sellSendPaymentMxnBalance": "MXN Баланс", - "@sellSendPaymentMxnBalance": { - "description": "MXN balance payout method" - }, - "fundExchangeSinpeLabelRecipientName": "Имя получателя", - "@fundExchangeSinpeLabelRecipientName": { - "description": "Label for recipient name in SINPE transfer" - }, - "dcaScheduleDescription": "Покупки Bitcoin будут размещены автоматически в соответствии с этим графиком.", - "@dcaScheduleDescription": { - "description": "Explanation text at the top of DCA setup form" - }, - "keystoneInstructionsTitle": "Инструкции по кистоне", - "@keystoneInstructionsTitle": { - "description": "Title for Keystone signing instructions modal" - }, - "hwLedger": "Ledger", - "@hwLedger": { - "description": "Name of Ledger hardware wallet" - }, - "physicalBackupDescription": "Запишите 12 слов на бумаге. Держите их в безопасности и убедитесь, что не потерять их.", - "@physicalBackupDescription": { - "description": "Description of physical backup method" - }, - "dcaConfirmButton": "Продолжить", - "@dcaConfirmButton": { - "description": "Button label to confirm and activate DCA" - }, - "dcaBackToHomeButton": "Назад домой", - "@dcaBackToHomeButton": { - "description": "Button label to return to exchange home screen" - }, - "importQrDeviceKruxInstructionsTitle": "Инструкции Krux", - "@importQrDeviceKruxInstructionsTitle": { - "description": "Title for Krux setup instructions" - }, - "transactionOrderLabelOriginName": "Название происхождения", - "@transactionOrderLabelOriginName": { - "description": "Label for origin name in fiat payment order" - }, - "importQrDeviceKeystoneInstructionsTitle": "Инструкции по кистоне", - "@importQrDeviceKeystoneInstructionsTitle": { - "description": "Title for Keystone setup instructions" - }, - "electrumSavePriorityFailedError": "Не удалось сохранить приоритет сервера {reason}", - "@electrumSavePriorityFailedError": { - "description": "Error message when saving server priority fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "globalDefaultLiquidWalletLabel": "Мгновенные платежи", - "@globalDefaultLiquidWalletLabel": { - "description": "Default label for Liquid/instant payments wallets when used as the default wallet" - }, - "bitboxActionVerifyAddressProcessing": "Показать адрес на BitBox...", - "@bitboxActionVerifyAddressProcessing": { - "description": "Processing text for verify address" - }, - "sendTypeSwap": "Купить", - "@sendTypeSwap": { - "description": "Send type name for Lightning swap transactions" - }, - "sendErrorAmountExceedsMaximum": "Сумма превышает максимальную сумму свопа", - "@sendErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum allowed for swap" - }, - "bitboxActionSignTransactionSuccess": "Сделка успешно подписана", - "@bitboxActionSignTransactionSuccess": { - "description": "Success text for sign transaction" - }, - "fundExchangeMethodInstantSepa": "Instant SEPA", - "@fundExchangeMethodInstantSepa": { - "description": "Payment method: Instant SEPA (Europe)" - }, - "buyVerificationFailed": "Проверка провалилась: {reason}", - "@buyVerificationFailed": { - "description": "Error message with failure reason", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "importWatchOnlyBuyDevice": "Купить устройство", - "@importWatchOnlyBuyDevice": { - "description": "Button label to purchase a hardware wallet device" - }, - "sellMinimumAmount": "Минимальная сумма продажи: {amount}", - "@sellMinimumAmount": { - "description": "Error for amount below minimum", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "importColdcardTitle": "Соединение с Coldcard Q", - "@importColdcardTitle": { - "description": "AppBar title for Coldcard Q import" - }, - "ledgerSuccessImportDescription": "Ваш кошелек Ledger был успешно импортирован.", - "@ledgerSuccessImportDescription": { - "description": "Success message description after importing Ledger wallet" - }, - "pinStatusProcessing": "Обработка", - "@pinStatusProcessing": { - "description": "Status screen title during PIN save/delete operations" - }, - "dcaCancelMessage": "Ваш повторяющийся план покупки Bitcoin прекратится, и запланированные покупки закончатся. Чтобы перезапустить, вам нужно будет настроить новый план.", - "@dcaCancelMessage": { - "description": "Dialog message for DCA cancellation" - }, - "fundExchangeHelpPaymentDescription": "Ваш код передачи.", - "@fundExchangeHelpPaymentDescription": { - "description": "Help text for payment description field" - }, - "sellSendPaymentFastest": "Самый быстрый", - "@sellSendPaymentFastest": { - "description": "Fastest fee priority option" - }, - "dcaConfirmNetwork": "Сеть", - "@dcaConfirmNetwork": { - "description": "Field label for network" - }, - "allSeedViewDeleteWarningMessage": "Удаление семян является необратимым действием. Только сделайте это, если у вас есть безопасное резервное копирование этого семени или связанных с ним кошельков были полностью истощены.", - "@allSeedViewDeleteWarningMessage": { - "description": "Warning message about deleting a seed" - }, - "bip329LabelsTitle": "BIP329", - "@bip329LabelsTitle": { - "description": "Title for BIP329 labels page" - }, - "walletAutoTransferAllowButton": "Разрешить", - "@walletAutoTransferAllowButton": { - "description": "Button to allow auto-transfer despite high fees" - }, - "autoswapSelectWalletRequired": "Выберите биткойн-кошелек*", - "@autoswapSelectWalletRequired": { - "description": "Placeholder for wallet dropdown when required" - }, - "exchangeFeatureSellBitcoin": "• Продавайте биткойн, получите оплату с Bitcoin", - "@exchangeFeatureSellBitcoin": { - "description": "Feature bullet point describing selling Bitcoin functionality" - }, - "hwSeedSigner": "SeedSigner", - "@hwSeedSigner": { - "description": "Name of SeedSigner hardware wallet" - }, - "bitboxActionUnlockDeviceButton": "Устройство блокировки", - "@bitboxActionUnlockDeviceButton": { - "description": "Button text for unlock device" - }, - "payNetworkError": "Сетевая ошибка. Пожалуйста, попробуйте еще раз", - "@payNetworkError": { - "description": "Error message for network connectivity issues during payment" - }, - "sendNetworkFeesLabel": "Отправить сетевые сборы", - "@sendNetworkFeesLabel": { - "description": "Label for sending network fees in chain swap" - }, - "electrumUnknownError": "Произошла ошибка", - "@electrumUnknownError": { - "description": "Generic error message for unknown errors" - }, - "payWhichWallet": "От какого кошелька вы хотите заплатить?", - "@payWhichWallet": { - "description": "Question prompt for wallet selection" - }, - "autoswapBaseBalanceInfoText": "Ваш баланс платежного кошелька вернется к этому балансу после автосвапа.", - "@autoswapBaseBalanceInfoText": { - "description": "Info text explaining what happens to the balance after an autoswap" - }, - "recoverbullSelectDecryptVault": "Зашифрованное хранилище", - "@recoverbullSelectDecryptVault": { - "description": "Primary button text to proceed with vault decryption" - }, - "buyUpgradeKYC": "Улучшенный KYC Уровень", - "@buyUpgradeKYC": { - "description": "Button to increase verification tier" - }, - "transactionOrderLabelOrderType": "Тип заказа", - "@transactionOrderLabelOrderType": { - "description": "Label for order type" - }, - "autoswapEnableToggleLabel": "Включить автоперенос", - "@autoswapEnableToggleLabel": { - "description": "Label for the main toggle switch to enable/disable auto transfer feature" - }, - "sendDustAmount": "Слишком мало (пыль)", - "@sendDustAmount": { - "description": "Error for uneconomical amount" - }, - "allSeedViewExistingWallets": "Существующие кошельки ({count}", - "@allSeedViewExistingWallets": { - "description": "Section header for existing wallets with count", - "placeholders": { - "count": { - "type": "int", - "format": "decimalPattern" - } - } - }, - "arkSendConfirmedBalance": "Подтвержденный баланс", - "@arkSendConfirmedBalance": { - "description": "Confirmed balance label" - }, - "sellFastest": "Самый быстрый", - "@sellFastest": { - "description": "Display text for fastest fee option" - }, - "receiveTitle": "Получить", - "@receiveTitle": { - "description": "Main screen title for receive feature" - }, - "transactionSwapInfoRefundableSwap": "Этот обмен будет возвращен автоматически в течение нескольких секунд. Если нет, вы можете попробовать ручной возврат, нажав на кнопку \"Retry Swap Refund\".", - "@transactionSwapInfoRefundableSwap": { - "description": "Additional info for refundable swaps" - }, - "payCancelPayment": "Отменить платеж", - "@payCancelPayment": { - "description": "Button text to cancel payment flow" - }, - "ledgerInstructionsAndroidUsb": "Убедитесь, что вы Ledger открывается с помощью приложения Bitcoin и подключает его через USB.", - "@ledgerInstructionsAndroidUsb": { - "description": "Connection instructions for Android devices (USB only)" - }, - "onboardingOwnYourMoney": "Иметь свои деньги", - "@onboardingOwnYourMoney": { - "description": "Tagline displayed in onboarding splash screen" - }, - "allSeedViewTitle": "Вид", - "@allSeedViewTitle": { - "description": "Title for the seed viewer screen" - }, - "connectHardwareWalletLedger": "Ledger", - "@connectHardwareWalletLedger": { - "description": "Ledger hardware wallet option" - }, - "importQrDevicePassportInstructionsTitle": "Паспортные инструкции Фонда", - "@importQrDevicePassportInstructionsTitle": { - "description": "Title for Passport setup instructions" - }, - "rbfFeeRate": "Ставка: {rate}", - "@rbfFeeRate": { - "description": "Label showing fee rate", - "placeholders": { - "rate": { - "type": "String" - } - } - }, - "leaveYourPhone": "оставьте свой телефон и ", - "@leaveYourPhone": { - "description": "Middle part of privacy assurance message" - }, - "sendFastFee": "Быстро", - "@sendFastFee": { - "description": "Highest fee tier" - }, - "exchangeBrandName": "BULL BITCOIN", - "@exchangeBrandName": { - "description": "The Bull Bitcoin brand name displayed on exchange screens" - }, - "torSettingsPortHelper": "Порт по умолчанию: 9050", - "@torSettingsPortHelper": { - "description": "Helper text explaining default Orbot port" - }, - "submitButton": "Submit", - "@submitButton": { - "description": "Default button label to submit mnemonic" - }, - "bitboxScreenTryAgainButton": "Попробуйте снова", - "@bitboxScreenTryAgainButton": { - "description": "Button to retry failed action" - }, - "dcaConfirmTitle": "Подтверждение Купить", - "@dcaConfirmTitle": { - "description": "AppBar title for DCA confirmation screen" - }, - "viewVaultKeyButton": "Посмотреть хранилище Ключ", - "@viewVaultKeyButton": { - "description": "Button label to view vault key" - }, - "recoverbullPasswordMismatch": "Пароли не совпадают", - "@recoverbullPasswordMismatch": { - "description": "Validation error when passwords don't match" - }, - "fundExchangeCrIbanUsdTransferCodeWarning": "Вы должны добавить код передачи как «сообщение» или «разум» или «описание» при совершении платежа. Если вы забыли включить этот код, ваш платеж может быть отклонен.", - "@fundExchangeCrIbanUsdTransferCodeWarning": { - "description": "Warning about including transfer code in payment for USD transfers" - }, - "sendAdvancedSettings": "Дополнительные настройки", - "@sendAdvancedSettings": { - "description": "Title for advanced settings in the send flow" - }, - "backupSettingsPhysicalBackup": "Физическая поддержка", - "@backupSettingsPhysicalBackup": { - "description": "Label for physical backup status row" - }, - "importColdcardDescription": "Импорт дескриптора QR-кода кошелька из вашего Coldcard Q", - "@importColdcardDescription": { - "description": "ImportColdcardQ: Main instruction text on import page" - }, - "backupSettingsSecurityWarning": "Предупреждение", - "@backupSettingsSecurityWarning": { - "description": "Title for backup key security warning modal" - }, - "arkCopyAddress": "Копировать адрес", - "@arkCopyAddress": { - "description": "Button label to expand and show address details for copying" - }, - "sendScheduleFor": "График {date}", - "@sendScheduleFor": { - "description": "Label for scheduled date", - "placeholders": { - "date": { - "type": "String" - } - } - }, - "psbtFlowClickDone": "Нажмите «I'm done» в кошельке Bull Bitcoin.", - "@psbtFlowClickDone": { - "description": "Instruction to click done button in app" - }, - "addressCardUnusedLabel": "Неиспользуемый", - "@addressCardUnusedLabel": { - "description": "Label indicating an address has not been used" - }, - "bitboxActionUnlockDeviceSuccess": "Устройство разблокировано Успешно", - "@bitboxActionUnlockDeviceSuccess": { - "description": "Success text for unlock device" - }, - "receivePayjoinInProgress": "Заработная плата", - "@receivePayjoinInProgress": { - "description": "Status message when a payjoin transaction is in progress" - }, - "payFor": "Для", - "@payFor": { - "description": "Label for recipient information section" - }, - "payEnterValidAmount": "Пожалуйста, введите действительный размер", - "@payEnterValidAmount": { - "description": "Validation error for invalid amount format" - }, - "pinButtonRemove": "Удалить PIN", - "@pinButtonRemove": { - "description": "Button label to delete existing PIN" - }, - "urProgressLabel": "UR Progress: {parts} parts", - "@urProgressLabel": { - "description": "Progress message showing parts processed for multi-part UR codes", - "placeholders": { - "parts": { - "type": "String" - } - } - }, - "transactionDetailLabelAddressNotes": "Адресные записки", - "@transactionDetailLabelAddressNotes": { - "description": "Label for address notes" - }, - "coldcardInstructionsTitle": "Инструкции Coldcard Q", - "@coldcardInstructionsTitle": { - "description": "Title for Coldcard Q signing instructions modal" - }, - "electrumDefaultServers": "По умолчанию", - "@electrumDefaultServers": { - "description": "Section header for default servers list" - }, - "onboardingRecoverWallet": "Recover Wallet", - "@onboardingRecoverWallet": { - "description": "Title for the recover wallet screen in onboarding" - }, - "scanningProgressLabel": "Сканирование: {percent}%", - "@scanningProgressLabel": { - "description": "Progress indicator for UR QR code scanning", - "placeholders": { - "percent": { - "type": "String" - } - } - }, - "transactionOrderLabelReferenceNumber": "Номер", - "@transactionOrderLabelReferenceNumber": { - "description": "Label for reference number in order details" - }, - "backupWalletHowToDecide": "Как решить?", - "@backupWalletHowToDecide": { - "description": "Link text to open modal explaining how to choose backup method" - }, - "recoverbullTestBackupDescription": "Теперь давайте проверим вашу резервную копию, чтобы убедиться, что все было сделано правильно.", - "@recoverbullTestBackupDescription": { - "description": "Description message before testing backup" - }, - "fundExchangeSpeiInfo": "Сделайте депозит с помощью SPEI-передачи (instant).", - "@fundExchangeSpeiInfo": { - "description": "Info message about SPEI transfer being instant" - }, - "screenshotLabel": "Скриншот", - "@screenshotLabel": { - "description": "Label for screenshot (with X mark)" - }, - "bitboxErrorOperationTimeout": "Операция была отложена. Попробуй еще раз.", - "@bitboxErrorOperationTimeout": { - "description": "Error when BitBox operation times out" - }, - "receiveLightning": "Освещение", - "@receiveLightning": { - "description": "Label for receiving Bitcoin via Lightning Network" - }, - "sendRecipientAddressOrInvoice": "Адрес или счет-фактура получателя", - "@sendRecipientAddressOrInvoice": { - "description": "Label for the recipient address or invoice input field" - }, - "mempoolCustomServerUrlEmpty": "Введите URL-адрес сервера", - "@mempoolCustomServerUrlEmpty": { - "description": "Error message when server URL is empty" - }, - "importQrDeviceKeystoneName": "Keystone", - "@importQrDeviceKeystoneName": { - "description": "Name of Keystone device" - }, - "payBitcoinAddress": "Bitcoin Адрес", - "@payBitcoinAddress": { - "description": "Label indicating payment destination is on-chain address" - }, - "buyInsufficientBalanceTitle": "Недостаточный баланс", - "@buyInsufficientBalanceTitle": { - "description": "Title for insufficient balance error" - }, - "swapProgressPending": "Перевод", - "@swapProgressPending": { - "description": "Pending transfer status" - }, - "exchangeDcaAddressLabelBitcoin": "Bitcoin адрес", - "@exchangeDcaAddressLabelBitcoin": { - "description": "Label for Bitcoin address in DCA settings" - }, - "loadingBackupFile": "Загрузка архива...", - "@loadingBackupFile": { - "description": "Message shown while loading backup file" - }, - "legacySeedViewPassphrasesLabel": "Пасфразы:", - "@legacySeedViewPassphrasesLabel": { - "description": "Label for passphrases section" - }, - "recoverbullContinue": "Продолжить", - "@recoverbullContinue": { - "description": "Button text to proceed to next step" - }, - "receiveAddressCopied": "Адрес, скопированный в буфер обмена", - "@receiveAddressCopied": { - "description": "Toast message after copying address" - }, - "transactionDetailLabelStatus": "Статус", - "@transactionDetailLabelStatus": { - "description": "Label for status" - }, - "sellSendPaymentPayinAmount": "Сумма выплат", - "@sellSendPaymentPayinAmount": { - "description": "Field label for payin amount" - }, - "psbtFlowTurnOnDevice": "Включите устройство {device}", - "@psbtFlowTurnOnDevice": { - "description": "Instruction to power on hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "backupSettingsKeyServer": "Ключевой сервер ", - "@backupSettingsKeyServer": { - "description": "Label for key server connection status indicator" - }, - "connectHardwareWalletColdcardQ": "Coldcard Q", - "@connectHardwareWalletColdcardQ": { - "description": "Coldcard Q hardware wallet option" - }, - "seedsignerStep2": "Нажмите кнопку Сканировать", - "@seedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, - "addressCardIndexLabel": "Индекс: ", - "@addressCardIndexLabel": { - "description": "Label for the address index field in address card" - }, - "ledgerErrorMissingDerivationPathVerify": "Пропускной путь требуется для проверки", - "@ledgerErrorMissingDerivationPathVerify": { - "description": "Error message when derivation path is missing for verification" - }, - "recoverbullErrorVaultNotSet": "Не установлен", - "@recoverbullErrorVaultNotSet": { - "description": "Error when attempting operation without selected vault" - }, - "ledgerErrorMissingScriptTypeSign": "Тип скрипта требуется для подписания", - "@ledgerErrorMissingScriptTypeSign": { - "description": "Error message when script type is missing for signing" - }, - "dcaSetupContinue": "Продолжить", - "@dcaSetupContinue": { - "description": "Continue button on DCA setup" - }, - "electrumFormatError": "Использовать хост:порт формат (например, example.com:50001)", - "@electrumFormatError": { - "description": "Validation error for incorrect server URL format" - }, - "arkAboutDurationDay": "{days} день", - "@arkAboutDurationDay": { - "description": "Duration format for singular day", - "placeholders": { - "days": { - "type": "int" - } - } - }, - "arkDurationHour": "{hours} час", - "@arkDurationHour": { - "description": "Duration format for singular hour", - "placeholders": { - "hours": { - "type": "String" - } - } - }, - "transactionFeesDeductedFrom": "Эти сборы будут вычтены из суммы, отправленной", - "@transactionFeesDeductedFrom": { - "description": "Fee deduction explanation for receiving swaps" - }, - "buyConfirmYouPay": "Ты платишь", - "@buyConfirmYouPay": { - "description": "Field label for payment amount" - }, - "importWatchOnlyTitle": "Импорт только часов", - "@importWatchOnlyTitle": { - "description": "AppBar title for watch-only import screen" - }, - "cancel": "Отмена", - "@cancel": { - "description": "Generic cancel button label" - }, - "walletDetailsWalletFingerprintLabel": "Фотография", - "@walletDetailsWalletFingerprintLabel": { - "description": "Label for the wallet fingerprint field in wallet details" - }, - "logsViewerTitle": "Журналы", - "@logsViewerTitle": { - "description": "AppBar title for logs viewer screen" - }, - "recoverbullTorNotStarted": "Tor не запущен", - "@recoverbullTorNotStarted": { - "description": "Error message when Tor is not started" - }, - "arkPending": "Завершение", - "@arkPending": { - "description": "Label for pending balance in breakdown" - }, - "transactionOrderLabelOrderStatus": "Статус заказа", - "@transactionOrderLabelOrderStatus": { - "description": "Label for order status" - }, - "testBackupCreatedAt": "Создано:", - "@testBackupCreatedAt": { - "description": "Label for vault creation timestamp field" - }, - "dcaSetRecurringBuyTitle": "Купить", - "@dcaSetRecurringBuyTitle": { - "description": "AppBar title for the main DCA setup screen" - }, - "psbtFlowSignTransactionOnDevice": "Нажмите на кнопки, чтобы подписать транзакцию на вашем {device}.", - "@psbtFlowSignTransactionOnDevice": { - "description": "Instruction to sign transaction on hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "transactionStatusPending": "Завершение", - "@transactionStatusPending": { - "description": "Status label for pending transactions" - }, - "settingsSuperuserModeDisabledMessage": "Режим Superuser отключен.", - "@settingsSuperuserModeDisabledMessage": { - "description": "Message shown when superuser mode is disabled" - }, - "bitboxCubitConnectionFailed": "Не удалось подключиться к устройству BitBox. Пожалуйста, проверьте ваше соединение.", - "@bitboxCubitConnectionFailed": { - "description": "Error interpretation for connection failure" - }, - "settingsTermsOfServiceTitle": "Условия службы", - "@settingsTermsOfServiceTitle": { - "description": "Title for the terms of service section in the settings menu" - }, - "importQrDeviceScanning": "Сканирование...", - "@importQrDeviceScanning": { - "description": "Status while scanning QR code" - }, - "importWalletKeystone": "Keystone", - "@importWalletKeystone": { - "description": "Button label for Keystone hardware wallet" - }, - "payNewRecipients": "Новые получатели", - "@payNewRecipients": { - "description": "Tab label for new recipients" - }, - "transactionLabelSendNetworkFees": "Отправить сетевые сборы", - "@transactionLabelSendNetworkFees": { - "description": "Label for send network fees in swap details" - }, - "transactionLabelAddress": "Адрес", - "@transactionLabelAddress": { - "description": "Label for transaction address" - }, - "testBackupConfirm": "Подтверждение", - "@testBackupConfirm": { - "description": "Button text to confirm wallet selection" - }, - "urProcessingFailedMessage": "UR-обработка потерпела неудачу", - "@urProcessingFailedMessage": { - "description": "Error message when UR processing encounters an exception" - }, - "backupWalletChooseVaultLocationTitle": "Выберите местоположение хранилища", - "@backupWalletChooseVaultLocationTitle": { - "description": "AppBar title for choosing encrypted vault provider screen" - }, - "receiveCopyAddressOnly": "Скопировать или сканировать только", - "@receiveCopyAddressOnly": { - "description": "Option to copy or scan only the address without amount or other details" - }, - "testBackupErrorTestFailed": "{error}", - "@testBackupErrorTestFailed": { - "description": "Generic error message for backup test failure", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payLightningFee": "Молния", - "@payLightningFee": { - "description": "Label for Lightning Network routing fee" - }, - "payLabelOptional": "Маркировка (факультативно)", - "@payLabelOptional": { - "description": "Label for optional label field" - }, - "recoverbullGoogleDriveDeleteButton": "Удалить", - "@recoverbullGoogleDriveDeleteButton": { - "description": "Delete button text for vault backup" - }, - "arkBalanceBreakdownTooltip": "Сводная ведомость", - "@arkBalanceBreakdownTooltip": { - "description": "Tooltip for info button that opens balance breakdown" - }, - "exchangeDcaDeactivateTitle": "Отключение покупки", - "@exchangeDcaDeactivateTitle": { - "description": "Title shown when DCA is active and can be deactivated" - }, - "exchangeSettingsSecuritySettingsTitle": "Параметры безопасности", - "@exchangeSettingsSecuritySettingsTitle": { - "description": "Title for the security settings section in exchange settings" - }, - "fundExchangeMethodEmailETransferSubtitle": "Самый простой и быстрый метод (мгновенный)", - "@fundExchangeMethodEmailETransferSubtitle": { - "description": "Subtitle for Email E-Transfer payment method" - }, - "testBackupLastBackupTest": "Последний тест резервного копирования: {timestamp}", - "@testBackupLastBackupTest": { - "description": "Shows timestamp of last physical backup test", - "placeholders": { - "timestamp": { - "type": "String" - } - } - }, - "payAmountRequired": "Требуется сумма", - "@payAmountRequired": { - "description": "Validation error for empty amount field" - }, - "keystoneStep7": " - Попробуйте переместить устройство назад", - "@keystoneStep7": { - "description": "Keystone troubleshooting tip 3" - }, - "coreSwapsChainExpired": "Перенос истек", - "@coreSwapsChainExpired": { - "description": "Status message for expired chain swap" - }, - "payDefaultCommentOptional": "Комментарий по умолчанию (факультативно)", - "@payDefaultCommentOptional": { - "description": "Label for default comment field" - }, - "payCopyInvoice": "Счет-фактура", - "@payCopyInvoice": { - "description": "Button text to copy invoice to clipboard" - }, - "transactionListYesterday": "Вчера", - "@transactionListYesterday": { - "description": "Date label for yesterday's transactions" - }, - "walletButtonReceive": "Получить", - "@walletButtonReceive": { - "description": "Button label to receive funds" - }, - "buyLevel2Limit": "Предел уровня 2: {amount}", - "@buyLevel2Limit": { - "description": "Purchase limit for enhanced KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "bitboxCubitDeviceNotPaired": "Устройство не в паре. Пожалуйста, сначала завершите процесс спаривания.", - "@bitboxCubitDeviceNotPaired": { - "description": "Error interpretation for device not paired" - }, - "sellCrcBalance": "CRC Баланс", - "@sellCrcBalance": { - "description": "Display text for CRC balance payout method" - }, - "paySelectCoinsManually": "Выбрать монеты вручную", - "@paySelectCoinsManually": { - "description": "Option to manually select UTXOs" - }, - "replaceByFeeActivatedLabel": "Замена по фе активирована", - "@replaceByFeeActivatedLabel": { - "description": "Label for RBF toggle switch" - }, - "sendPaymentProcessing": "Платежи обрабатываются. Это может занять до минуты", - "@sendPaymentProcessing": { - "description": "Message while payment processes" - }, - "electrumDefaultServersInfo": "Для защиты вашей конфиденциальности серверы по умолчанию не используются, когда настроены пользовательские серверы.", - "@electrumDefaultServersInfo": { - "description": "Info message explaining default servers behavior" - }, - "transactionDetailLabelPayoutMethod": "Метод выплаты", - "@transactionDetailLabelPayoutMethod": { - "description": "Label for payout method" - }, - "testBackupErrorLoadMnemonic": "{error}", - "@testBackupErrorLoadMnemonic": { - "description": "Error when loading mnemonic fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payPriceRefreshIn": "Цена освежится ", - "@payPriceRefreshIn": { - "description": "Text before countdown timer" - }, - "bitboxCubitOperationCancelled": "Операция была отменена. Попробуй еще раз.", - "@bitboxCubitOperationCancelled": { - "description": "Error interpretation for cancelled operation" - }, - "passportStep3": "Сканировать код QR, показанный в кошельке Bull", - "@passportStep3": { - "description": "Passport instruction step 3" - }, - "jadeStep5": "Если у вас есть проблемы с сканированием:", - "@jadeStep5": { - "description": "Jade troubleshooting header" - }, - "electrumProtocolError": "Не включайте протокол (ssl: или tcp://).", - "@electrumProtocolError": { - "description": "Validation error when protocol is included in server URL" - }, - "receivePayjoinFailQuestion": "Нет времени ждать, или джоин провалился на стороне отправителя?", - "@receivePayjoinFailQuestion": { - "description": "Question prompting user if they want to proceed without payjoin" - }, - "arkSendConfirmTitle": "Добавить", - "@arkSendConfirmTitle": { - "description": "Title for the ark send confirmation page" - }, - "importQrDeviceSeedsignerStep1": "Мощность на устройстве SeedSigner", - "@importQrDeviceSeedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, - "exchangeRecipientsTitle": "Получатели", - "@exchangeRecipientsTitle": { - "description": "Title for the recipients section in exchange" - }, - "legacySeedViewEmptyPassphrase": "(пустая)", - "@legacySeedViewEmptyPassphrase": { - "description": "Text shown for empty passphrase" - }, - "importWatchOnlyDerivationPath": "Путь вывода", - "@importWatchOnlyDerivationPath": { - "description": "Label for derivation path field" - }, - "sendErrorBroadcastFailed": "Не удалось транслировать сделку. Проверьте подключение к сети и попробуйте еще раз.", - "@sendErrorBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, - "paySecurityQuestion": "Вопрос безопасности", - "@paySecurityQuestion": { - "description": "Label for security question field" - }, - "dcaSelectWalletTypeLabel": "Выберите тип Bitcoin Wallet", - "@dcaSelectWalletTypeLabel": { - "description": "Label above wallet type selection radio buttons" - }, - "backupWalletHowToDecideVaultModalTitle": "Как решить", - "@backupWalletHowToDecideVaultModalTitle": { - "description": "Modal title for vault location comparison help" - }, - "importQrDeviceJadeStep1": "Включите устройство Jade", - "@importQrDeviceJadeStep1": { - "description": "Jade instruction step 1" - }, - "payNotLoggedInDescription": "Вы не вошли. Пожалуйста, зайдите, чтобы продолжить использование функции оплаты.", - "@payNotLoggedInDescription": { - "description": "Description for not logged in state" - }, - "testBackupEncryptedVaultTag": "Легко и просто (1 минута)", - "@testBackupEncryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, - "transactionLabelAddressNotes": "Адресные записки", - "@transactionLabelAddressNotes": { - "description": "Label for address notes/labels" - }, - "bitboxScreenTroubleshootingStep3": "Перезапустите устройство BitBox02, отменив его и повторно подключив.", - "@bitboxScreenTroubleshootingStep3": { - "description": "Troubleshooting step 3" - }, - "torSettingsProxyPort": "Tor Proxy Port", - "@torSettingsProxyPort": { - "description": "Title for Tor proxy port settings" - }, - "fundExchangeErrorLoadingDetails": "Детали оплаты не могут быть загружены в данный момент. Пожалуйста, возвращайтесь и попробуйте снова, выберите другой способ оплаты или вернемся позже.", - "@fundExchangeErrorLoadingDetails": { - "description": "Error message when funding details fail to load" - }, - "testCompletedSuccessTitle": "Тест завершен успешно!", - "@testCompletedSuccessTitle": { - "description": "Title shown when backup test is successful" - }, - "payBitcoinAmount": "Bitcoin сумма", - "@payBitcoinAmount": { - "description": "Label for Bitcoin amount" - }, - "fundExchangeSpeiTransfer": "Перевод SPEI", - "@fundExchangeSpeiTransfer": { - "description": "SPEI transfer method title (Mexico)" - }, - "recoverbullUnexpectedError": "Неожиданная ошибка", - "@recoverbullUnexpectedError": { - "description": "Short unexpected error message" - }, - "coreSwapsStatusFailed": "Не удалось", - "@coreSwapsStatusFailed": { - "description": "Display name for failed swap status" - }, - "transactionFilterSell": "Печать", - "@transactionFilterSell": { - "description": "Filter option to show only sell orders" - }, - "fundExchangeMethodSpeiTransfer": "Перевод SPEI", - "@fundExchangeMethodSpeiTransfer": { - "description": "Payment method: SPEI transfer (Mexico)" - }, - "fundExchangeSinpeWarningNoBitcoinDescription": " слово «Bitcoin» или «Crypto» в описании оплаты. Это блокирует вашу оплату.", - "@fundExchangeSinpeWarningNoBitcoinDescription": { - "description": "Warning that including Bitcoin or Crypto in description will block payment" - }, - "electrumAddServer": "Добавить сервер", - "@electrumAddServer": { - "description": "Add server button label" - }, - "addressViewCopyAddress": "Копировать адрес", - "@addressViewCopyAddress": { - "description": "Button to copy address to clipboard" - }, - "receiveBitcoin": "Bitcoin", - "@receiveBitcoin": { - "description": "Label for receiving Bitcoin on the base layer" - }, - "pinAuthenticationTitle": "Аутентификация", - "@pinAuthenticationTitle": { - "description": "AppBar title for create/confirm PIN screens" - }, - "sellErrorNoWalletSelected": "Нет кошелька, выбранного для отправки платежа", - "@sellErrorNoWalletSelected": { - "description": "Error message when no wallet is selected for payment" - }, - "fundExchangeCrIbanCrcRecipientNameHelp": "Используйте наше официальное фирменное имя. Не используйте «Bull Bitcoin».", - "@fundExchangeCrIbanCrcRecipientNameHelp": { - "description": "Help text for recipient name field explaining to use corporate name" - }, - "receiveVerifyAddressLedger": "Проверка Адреса на Ledger", - "@receiveVerifyAddressLedger": { - "description": "Button label for verifying an address on a Ledger hardware wallet" - }, - "howToDecideButton": "Как решить?", - "@howToDecideButton": { - "description": "Button label to show information about choosing backup methods" - }, - "testBackupFetchingFromDevice": "Принесите с вашего устройства.", - "@testBackupFetchingFromDevice": { - "description": "Progress screen title when fetching from local device" - }, - "backupWalletHowToDecideVaultCustomLocation": "Настраиваемое местоположение может быть гораздо более безопасным, в зависимости от того, какое место вы выберете. Вы также должны убедиться, что не потеряете резервный файл или потеряете устройство, на котором хранится ваш резервный файл.", - "@backupWalletHowToDecideVaultCustomLocation": { - "description": "Explanation of custom location benefits and risks" - }, - "exchangeLegacyTransactionsComingSoon": "Наследственные транзакции - Скоро", - "@exchangeLegacyTransactionsComingSoon": { - "description": "Message indicating that the legacy transactions feature is coming soon" - }, - "buyProofOfAddress": "Доказательство адреса", - "@buyProofOfAddress": { - "description": "Type of document required" - }, - "backupWalletInstructionNoDigitalCopies": "Не делайте цифровые копии вашей резервной копии. Запишите его на бумаге или выгравированы в металле.", - "@backupWalletInstructionNoDigitalCopies": { - "description": "Instruction to avoid digital copies and use physical medium" - }, - "psbtFlowError": "Ошибка:", - "@psbtFlowError": { - "description": "Error message in psbt flow", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "replaceByFeeFastestDescription": "Предполагаемая доставка ~ 10 минут", - "@replaceByFeeFastestDescription": { - "description": "Description for fastest fee option" - }, - "backupKeyHint": "acc8b7b12daf06412f45a90b7fd2..", - "@backupKeyHint": { - "description": "Hint text for backup key input" - }, - "importQrDeviceSeedsignerStep2": "Откройте меню \"Семена\"", - "@importQrDeviceSeedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, - "exchangeAmountInputValidationZero": "Сумма должна быть больше нуля", - "@exchangeAmountInputValidationZero": { - "description": "Validation message when amount is zero or negative" - }, - "transactionLabelTransactionFee": "Плата за операции", - "@transactionLabelTransactionFee": { - "description": "Label for transaction fee" - }, - "importWatchOnlyRequired": "Требуемые", - "@importWatchOnlyRequired": { - "description": "Placeholder hint for required input fields" - }, - "payWalletNotSynced": "Кошелек не синхронизируется. Подождите", - "@payWalletNotSynced": { - "description": "Error when wallet sync is incomplete" - }, - "recoverbullRecoveryLoadingMessage": "Поиск баланса и сделок..", - "@recoverbullRecoveryLoadingMessage": { - "description": "Loading message while checking wallet balance and transactions" - }, - "transactionSwapInfoChainDelay": "Трансферы на цепи могут занять некоторое время, чтобы завершить из-за времени подтверждения блокчейна.", - "@transactionSwapInfoChainDelay": { - "description": "Additional info about chain transfer delays" - }, - "sellExchangeRate": "Обменный курс", - "@sellExchangeRate": { - "description": "Label for exchange rate" - }, - "walletOptionsNotFoundMessage": "Wallet не найден", - "@walletOptionsNotFoundMessage": { - "description": "Error message displayed when a wallet cannot be found" - }, - "importMnemonicLegacy": "Наследие", - "@importMnemonicLegacy": { - "description": "Label for Legacy (BIP44) wallet type" - }, - "settingsDevModeWarningMessage": "Этот режим рискованный. Позволяя это, вы признаете, что можете потерять деньги", - "@settingsDevModeWarningMessage": { - "description": "Warning message displayed when enabling developer mode" - }, - "sellTitle": "Продать биткойн", - "@sellTitle": { - "description": "AppBar title for sell screen" - }, - "recoverbullVaultKey": "Ключ хранилища", - "@recoverbullVaultKey": { - "description": "Screen title and label for vault key" - }, - "transactionListToday": "Сегодня", - "@transactionListToday": { - "description": "Date label for today's transactions" - }, - "keystoneStep12": "Кошелек Bull Bitcoin попросит вас сканировать QR-код на Keystone. Сканируйте.", - "@keystoneStep12": { - "description": "Keystone instruction for scanning signed PSBT" - }, - "ledgerErrorRejectedByUser": "Сделка была отклонена пользователем на устройстве Ledger.", - "@ledgerErrorRejectedByUser": { - "description": "Error message when user rejects transaction on Ledger (error code 6985)" - }, - "payFeeRate": "Fee Rate", - "@payFeeRate": { - "description": "Label for fee rate (sat/vB)" - }, - "autoswapWarningDescription": "Autoswap гарантирует, что хороший баланс поддерживается между вашими Instant Payments и Secure Bitcoin Wallet.", - "@autoswapWarningDescription": { - "description": "Description text at the top of the autoswap warning bottom sheet" - }, - "fundExchangeSinpeAddedToBalance": "Как только платеж будет отправлен, он будет добавлен к балансу вашего счета.", - "@fundExchangeSinpeAddedToBalance": { - "description": "Message explaining that payment will be added to account balance" - }, - "durationMinute": "{minutes}", - "@durationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "recoverbullErrorDecryptedVaultNotSet": "Зашифрованное хранилище не установлено", - "@recoverbullErrorDecryptedVaultNotSet": { - "description": "Error when attempting operation without decrypted vault" - }, - "pinCodeMismatchError": "PIN не совпадает", - "@pinCodeMismatchError": { - "description": "Error message when PIN confirmation doesn't match" - }, - "autoswapRecipientWalletPlaceholderRequired": "Выберите биткойн-кошелек*", - "@autoswapRecipientWalletPlaceholderRequired": { - "description": "Dropdown placeholder with required indicator when auto transfer is enabled" - }, - "recoverbullGoogleDriveErrorGeneric": "Произошла ошибка. Попробуй еще раз.", - "@recoverbullGoogleDriveErrorGeneric": { - "description": "Generic error message for unknown errors" - }, - "sellUnauthenticatedError": "Вы не проверены. Пожалуйста, зайдите, чтобы продолжить.", - "@sellUnauthenticatedError": { - "description": "Error message for unauthenticated user" - }, - "coreScreensConfirmSend": "Добавить", - "@coreScreensConfirmSend": { - "description": "Title for confirm send action" - }, - "transactionDetailLabelSwapStatus": "Статус шва", - "@transactionDetailLabelSwapStatus": { - "description": "Label for swap status" - }, - "passportStep10": "Паспорт покажет вам свой собственный QR-код.", - "@passportStep10": { - "description": "Passport instruction about signed PSBT QR" - }, - "transactionDetailLabelAmountSent": "Высланная сумма", - "@transactionDetailLabelAmountSent": { - "description": "Label for amount sent" - }, - "electrumStopGapEmptyError": "Стоп Гэп не может быть пустым", - "@electrumStopGapEmptyError": { - "description": "Validation error for empty Stop Gap field" - }, - "typeLabel": "Тип: ", - "@typeLabel": { - "description": "Label for address type (Receive/Change)" - }, - "buyInputInsufficientBalance": "Недостаточный баланс", - "@buyInputInsufficientBalance": { - "description": "Insufficient balance info card title" - }, - "ledgerProcessingSignSubtext": "Пожалуйста, подтвердите транзакцию на устройстве Ledger...", - "@ledgerProcessingSignSubtext": { - "description": "Processing subtext shown while signing transaction" - }, - "withdrawConfirmClabe": "CLABE", - "@withdrawConfirmClabe": { - "description": "Field label for CLABE (Mexico)" - }, - "amountLabel": "Сумма", - "@amountLabel": { - "description": "Label for transaction amount display" - }, - "sellUsdBalance": "USD Баланс", - "@sellUsdBalance": { - "description": "Display text for USD balance payout method" - }, - "payScanQRCode": "Scan QR Код", - "@payScanQRCode": { - "description": "Button text to open QR code scanner for payment" - }, - "seedsignerStep10": "Затем SeedSigner покажет вам свой QR-код.", - "@seedsignerStep10": { - "description": "SeedSigner instruction about signed PSBT QR" - }, - "psbtInstructions": "Инструкции", - "@psbtInstructions": { - "description": "Button text to show device-specific signing instructions" - }, - "swapProgressCompletedMessage": "Вау, ты ждал! Перенос завершился успешно.", - "@swapProgressCompletedMessage": { - "description": "Completed transfer message" - }, - "sellCalculating": "Расчет...", - "@sellCalculating": { - "description": "Text shown while calculating fees" - }, - "recoverbullPIN": "PIN", - "@recoverbullPIN": { - "description": "Label for PIN input type" - }, - "swapInternalTransferTitle": "Внутренний перевод", - "@swapInternalTransferTitle": { - "description": "AppBar title on the amount entry page" - }, - "withdrawConfirmPayee": "Payee", - "@withdrawConfirmPayee": { - "description": "Field label for payee (Bill Payment)" - }, - "importQrDeviceJadeStep8": "Нажмите кнопку «открытая камера»", - "@importQrDeviceJadeStep8": { - "description": "Jade instruction step 8" - }, - "payPhoneNumberHint": "Номер телефона", - "@payPhoneNumberHint": { - "description": "Hint for phone number input" - }, - "exchangeTransactionsComingSoon": "Операции - Скоро", - "@exchangeTransactionsComingSoon": { - "description": "Message indicating that the transactions feature is coming soon" - }, - "navigationTabExchange": "Обмен", - "@navigationTabExchange": { - "description": "Label for the Exchange tab in bottom navigation" - }, - "dcaSuccessMessageWeekly": "Вы будете покупать {amount} каждую неделю", - "@dcaSuccessMessageWeekly": { - "description": "Success message for weekly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "withdrawConfirmRecipientName": "Имя получателя", - "@withdrawConfirmRecipientName": { - "description": "Field label for recipient name" - }, - "autoswapRecipientWalletPlaceholder": "Выберите биткойн-кошелек", - "@autoswapRecipientWalletPlaceholder": { - "description": "Dropdown placeholder text when no wallet is selected" - }, - "enterYourBackupPinTitle": "Введите резервное копирование {pinOrPassword}", - "@enterYourBackupPinTitle": { - "description": "Title for entering backup PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "backupSettingsExporting": "Экспорт...", - "@backupSettingsExporting": { - "description": "Button text while vault export is in progress" - }, - "receiveDetails": "Подробности", - "@receiveDetails": { - "description": "Label for viewing transaction details" - }, - "importQrDeviceSpecterStep11": "Настройка завершена", - "@importQrDeviceSpecterStep11": { - "description": "Specter instruction step 11" - }, - "mempoolSettingsUseForFeeEstimationDescription": "При включении этот сервер будет использоваться для оценки платы. При отключении, вместо этого будет использоваться мемпул-сервер Bull Bitcoin.", - "@mempoolSettingsUseForFeeEstimationDescription": { - "description": "Description for use for fee estimation toggle" - }, - "sendCustomFee": "Пользовательские феи", - "@sendCustomFee": { - "description": "Label for setting a custom transaction fee" - }, - "seedsignerStep7": " - Попробуйте переместить устройство назад", - "@seedsignerStep7": { - "description": "SeedSigner troubleshooting tip 3" - }, - "sendAmount": "Сумма", - "@sendAmount": { - "description": "Label for the transaction amount" - }, - "buyInputInsufficientBalanceMessage": "У вас нет достаточного баланса для создания этого порядка.", - "@buyInputInsufficientBalanceMessage": { - "description": "Insufficient balance message" - }, - "recoverbullSelectBackupFileNotValidError": "Резервный файл Recoverbull не действует", - "@recoverbullSelectBackupFileNotValidError": { - "description": "Error when selected file is not a valid RecoverBull backup format" - }, - "swapErrorInsufficientFunds": "Невозможно построить транзакцию. Вероятно, из-за нехватки средств для покрытия сборов и суммы.", - "@swapErrorInsufficientFunds": { - "description": "Error when transaction cannot be built due to insufficient funds" - }, - "dcaConfirmAmount": "Сумма", - "@dcaConfirmAmount": { - "description": "Field label for amount" - }, - "arkBalanceBreakdown": "Перерыв баланса", - "@arkBalanceBreakdown": { - "description": "Title of bottom sheet showing balance breakdown" - }, - "seedsignerStep8": "Как только транзакция импортируется в вашем SeedSigner, вы должны выбрать семя, с которым вы хотите подписать.", - "@seedsignerStep8": { - "description": "SeedSigner instruction for seed selection" - }, - "sellSendPaymentPriceRefresh": "Цена освежится ", - "@sellSendPaymentPriceRefresh": { - "description": "Price refresh countdown prefix" - }, - "arkAboutCopy": "Копировать", - "@arkAboutCopy": { - "description": "Copy button label" - }, - "recoverbullPasswordRequired": "Требуется пароль", - "@recoverbullPasswordRequired": { - "description": "Validation error when password field is empty" - }, - "payFirstName": "Имя", - "@payFirstName": { - "description": "Label for first name field" - }, - "arkNoTransactionsYet": "Пока никаких сделок.", - "@arkNoTransactionsYet": { - "description": "Empty state message shown when user has no transaction history" - }, - "recoverViaCloudDescription": "Восстановите резервное копирование через облако с помощью PIN.", - "@recoverViaCloudDescription": { - "description": "Description for recovering via cloud" - }, - "importWatchOnlySigningDevice": "Устройство сигнализации", - "@importWatchOnlySigningDevice": { - "description": "Label for signing device selection field" - }, - "receiveInvoiceExpired": "Срок действия счета-фактуры", - "@receiveInvoiceExpired": { - "description": "Status when invoice is no longer valid" - }, - "ledgerButtonManagePermissions": "Разрешения на использование", - "@ledgerButtonManagePermissions": { - "description": "Button label to open app permissions settings" - }, - "autoswapMinimumThresholdErrorSats": "Минимальный порог баланса - {amount}", - "@autoswapMinimumThresholdErrorSats": { - "description": "Validation error shown when amount threshold is below minimum (sats display)", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyKycPendingTitle": "Проверка идентификации KYC", - "@buyKycPendingTitle": { - "description": "Title for KYC verification required card" - }, - "transactionOrderLabelPayinStatus": "Статус оплаты", - "@transactionOrderLabelPayinStatus": { - "description": "Label for order payin status" - }, - "sellSendPaymentSecureWallet": "Безопасный биткойн-кошелек", - "@sellSendPaymentSecureWallet": { - "description": "Secure wallet label" - }, - "coreSwapsLnReceiveRefundable": "Свап готов к возврату.", - "@coreSwapsLnReceiveRefundable": { - "description": "Status message for refundable Lightning receive swap" - }, - "bitcoinSettingsElectrumServerTitle": "Параметры сервера Electrum", - "@bitcoinSettingsElectrumServerTitle": { - "description": "Title for the Electrum server settings section in Bitcoin settings" - }, - "payRemoveRecipient": "Удалить получателя", - "@payRemoveRecipient": { - "description": "Button to remove a recipient from batch" - }, - "pasteInputDefaultHint": "Вставить адрес платежа или счет-фактуру", - "@pasteInputDefaultHint": { - "description": "Default placeholder hint for paste input field" - }, - "sellKycPendingTitle": "Проверка идентификации KYC", - "@sellKycPendingTitle": { - "description": "Title shown when KYC verification is pending" - }, - "withdrawRecipientsFilterAll": "Все типы", - "@withdrawRecipientsFilterAll": { - "description": "Filter option for all recipient types" - }, - "bitboxScreenSegwitBip84Subtitle": "Native SegWit - рекомендуемый", - "@bitboxScreenSegwitBip84Subtitle": { - "description": "Subtitle for BIP84 option" - }, - "fundExchangeSpeiSubtitle": "Перенос средств с помощью вашего CLABE", - "@fundExchangeSpeiSubtitle": { - "description": "SPEI transfer subtitle" - }, - "encryptedVaultRecommendationText": "Вы не уверены, и вам нужно больше времени, чтобы узнать о практике резервного копирования безопасности.", - "@encryptedVaultRecommendationText": { - "description": "Text explaining when to use encrypted vault" - }, - "urDecodingFailedMessage": "UR decoding failed", - "@urDecodingFailedMessage": { - "description": "Error message when UR decoding fails" - }, - "fundExchangeAccountSubtitle": "Выберите свою страну и способ оплаты", - "@fundExchangeAccountSubtitle": { - "description": "Subtitle on fund exchange account screen prompting user to select country and payment method" - }, - "appStartupContactSupportButton": "Контактная поддержка", - "@appStartupContactSupportButton": { - "description": "Button label to contact support when app startup fails" - }, - "bitboxScreenWaitingConfirmation": "Ожидание подтверждения на BitBox02...", - "@bitboxScreenWaitingConfirmation": { - "description": "Message shown while waiting for device confirmation" - }, - "howToDecideVaultLocationText1": "Поставщики облачного хранилища, такие как Google или Apple, не будут иметь доступа к вашему биткойну, потому что пароль шифрования слишком силен. Они могут получить доступ к вашему биткойну только в маловероятном случае, если они столкнутся с ключевым сервером (интернет-сервис, который хранит ваш пароль шифрования). Если ключевой сервер когда-либо взломан, ваш биткойн может быть под угрозой с облаком Google или Apple.", - "@howToDecideVaultLocationText1": { - "description": "First paragraph explaining vault location decision" - }, - "receiveFeeExplanation": "Эта плата будет вычтена из суммы, отправленной", - "@receiveFeeExplanation": { - "description": "Explanation that fees are deducted from the sent amount" - }, - "payCannotBumpFee": "Невозможно нажать плату за эту сделку", - "@payCannotBumpFee": { - "description": "Error when RBF is not available" - }, - "payAccountNumber": "Номер счета", - "@payAccountNumber": { - "description": "Label for account number" - }, - "arkSatsUnit": "сидение", - "@arkSatsUnit": { - "description": "Unit label for satoshis in Ark transaction details" - }, - "payMinimumAmount": "Минимум: {amount}", - "@payMinimumAmount": { - "description": "Label showing minimum payment amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sendSwapRefundCompleted": "Завершение возврата", - "@sendSwapRefundCompleted": { - "description": "Title when refund has completed" - }, - "torSettingsStatusUnknown": "Статус Неизвестный", - "@torSettingsStatusUnknown": { - "description": "Status title when Tor status is unknown" - }, - "sendConfirmSwap": "Подтвердить", - "@sendConfirmSwap": { - "description": "Button to proceed with swap" - }, - "exchangeLogoutComingSoon": "Выход - Скоро", - "@exchangeLogoutComingSoon": { - "description": "Message indicating that the log out feature is coming soon" - }, - "sendSending": "Отправка", - "@sendSending": { - "description": "Title shown while transaction is being sent" - }, - "withdrawConfirmAccount": "Счет", - "@withdrawConfirmAccount": { - "description": "Field label for bank account" - }, - "backupButton": "Назад", - "@backupButton": { - "description": "Button label to start backup process" - }, - "sellSendPaymentPayoutAmount": "Сумма выплат", - "@sellSendPaymentPayoutAmount": { - "description": "Field label for payout amount" - }, - "payOrderNumber": "Номер заказа", - "@payOrderNumber": { - "description": "Label for order number" - }, - "sendErrorConfirmationFailed": "Подтверждение не удалось", - "@sendErrorConfirmationFailed": { - "description": "Error title when transaction confirmation fails" - }, - "recoverbullWaiting": "Ожидание", - "@recoverbullWaiting": { - "description": "Status label indicating waiting state" - }, - "notTestedStatus": "Not Tested", - "@notTestedStatus": { - "description": "Status text indicating backup has not been tested" - }, - "paySinpeNumeroOrden": "Номер заказа", - "@paySinpeNumeroOrden": { - "description": "Label for order number in SINPE details" - }, - "backupBestPracticesTitle": "Наилучшая практика", - "@backupBestPracticesTitle": { - "description": "Title for backup best practices screen" - }, - "transactionLabelRecipientAddress": "Адрес получателя", - "@transactionLabelRecipientAddress": { - "description": "Label for recipient address" - }, - "backupWalletVaultProviderGoogleDrive": "Google Drive", - "@backupWalletVaultProviderGoogleDrive": { - "description": "Name of Google Drive vault provider option" - }, - "bitboxCubitDeviceNotFound": "Устройство BitBox не найдено. Пожалуйста, подключите ваше устройство и попробуйте снова.", - "@bitboxCubitDeviceNotFound": { - "description": "Error interpretation for device not found" - }, - "autoswapSaveError": "Невозможно сохранить настройки: {error}", - "@autoswapSaveError": { - "description": "Error message when save fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "buyStandardWithdrawal": "Стандартный вывод", - "@buyStandardWithdrawal": { - "description": "Regular withdrawal option" - }, - "swapContinue": "Продолжить", - "@swapContinue": { - "description": "Continue button on swap amount screen" - }, - "arkSettleButton": "Настройка", - "@arkSettleButton": { - "description": "Settle button label" - }, - "electrumAddFailedError": "Не удалось добавить пользовательский сервер {reason}", - "@electrumAddFailedError": { - "description": "Error message when adding custom server fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "transactionDetailLabelTransferFees": "Плата за перевод", - "@transactionDetailLabelTransferFees": { - "description": "Label for transfer fees" - }, - "arkAboutDurationHours": "{hours}", - "@arkAboutDurationHours": { - "description": "Duration format for plural hours", - "placeholders": { - "hours": { - "type": "int" - } - } - }, - "importWalletSectionGeneric": "Генерические кошельки", - "@importWalletSectionGeneric": { - "description": "Section header for generic wallet types" - }, - "arkEsploraUrl": "URL", - "@arkEsploraUrl": { - "description": "Label for Esplora URL field" - }, - "backupSettingsNotTested": "Not Tested", - "@backupSettingsNotTested": { - "description": "Status text shown when backup has not been tested" - }, - "googleDrivePrivacyMessage": "Google попросит вас поделиться личной информацией с этим приложением.", - "@googleDrivePrivacyMessage": { - "description": "Message about Google requesting personal information" - }, - "errorGenericTitle": "Упс! Что-то не так", - "@errorGenericTitle": { - "description": "Generic error title when hasError is true" - }, - "bitboxActionPairDeviceSuccess": "Устройство успешно срабатывает", - "@bitboxActionPairDeviceSuccess": { - "description": "Success text for pair device" - }, - "bitboxErrorNoDevicesFound": "Никаких устройств BitBox не найдено. Убедитесь, что ваше устройство работает и подключено через USB.", - "@bitboxErrorNoDevicesFound": { - "description": "Error when no BitBox devices are detected" - }, - "torSettingsStatusConnecting": "Подключение...", - "@torSettingsStatusConnecting": { - "description": "Status title when Tor is connecting" - }, - "receiveSwapID": "Идентификатор швапа", - "@receiveSwapID": { - "description": "Label for the swap identifier in a receive transaction" - }, - "settingsBitcoinSettingsTitle": "Bitcoin Настройки", - "@settingsBitcoinSettingsTitle": { - "description": "Title for the Bitcoin settings section in the settings menu" - }, - "backupWalletHowToDecideBackupModalTitle": "Как решить", - "@backupWalletHowToDecideBackupModalTitle": { - "description": "Modal title for backup method comparison help" - }, - "backupSettingsLabel": "Резервная копия", - "@backupSettingsLabel": { - "description": "The label for the button to access the backup settings" - }, - "ledgerWalletTypeNestedSegwit": "Nested Segwit (BIP49)", - "@ledgerWalletTypeNestedSegwit": { - "description": "Display name for Nested Segwit wallet type (BIP49)" - }, - "fundExchangeJurisdictionMexico": "🇲🇽 Мексика", - "@fundExchangeJurisdictionMexico": { - "description": "Dropdown option for Mexico jurisdiction" - }, - "sellInteracEmail": "Interac Email", - "@sellInteracEmail": { - "description": "Label for email to receive Interac payment" - }, - "coreSwapsActionClose": "Закрыть", - "@coreSwapsActionClose": { - "description": "Action label for closing a swap cooperatively" - }, - "kruxStep6": "Если у вас есть проблемы с сканированием:", - "@kruxStep6": { - "description": "Krux troubleshooting header" - }, - "autoswapMaximumFeeError": "Максимальный порог платы {threshold}%", - "@autoswapMaximumFeeError": { - "description": "Validation error shown when fee threshold exceeds maximum", - "placeholders": { - "threshold": { - "type": "String" - } - } - }, - "swapValidationEnterAmount": "Пожалуйста, введите сумму", - "@swapValidationEnterAmount": { - "description": "Validation error when amount is empty" - }, - "recoverbullErrorVaultCreatedKeyNotStored": "Не удалось: файл Vault создан, но ключ не хранится на сервере", - "@recoverbullErrorVaultCreatedKeyNotStored": { - "description": "Error when vault file created but server key storage failed" - }, - "exchangeSupportChatWalletIssuesInfo": "Этот чат предназначен только для обмена смежными вопросами в Funding/Buy/Sell/Withdraw/Pay.\nДля проблем, связанных с кошельком, присоединяйтесь к группе телеграмм, нажав здесь.", - "@exchangeSupportChatWalletIssuesInfo": { - "description": "Info message about wallet issues and telegram group link" - }, - "exchangeLoginButton": "Зарегистрироваться или зарегистрироваться", - "@exchangeLoginButton": { - "description": "Button label for logging in or signing up to the exchange" - }, - "arkAboutHide": "Скрыть", - "@arkAboutHide": { - "description": "Button text to hide visible secret key" - }, - "ledgerProcessingVerify": "Показать адрес на Ledger...", - "@ledgerProcessingVerify": { - "description": "Status message shown while verifying address on Ledger" - }, - "coreScreensFeePriorityLabel": "Очередность", - "@coreScreensFeePriorityLabel": { - "description": "Label for fee priority field" - }, - "arkSendPendingBalance": "Остаток ", - "@arkSendPendingBalance": { - "description": "Pending balance label" - }, - "coreScreensLogsTitle": "Журналы", - "@coreScreensLogsTitle": { - "description": "AppBar title for logs viewer screen" - }, - "recoverbullVaultKeyInput": "Ключ хранилища", - "@recoverbullVaultKeyInput": { - "description": "Input field label for vault key entry" - }, - "testBackupErrorWalletMismatch": "Резервное копирование не соответствует существующему кошельку", - "@testBackupErrorWalletMismatch": { - "description": "Error when backup doesn't match current wallet" - }, - "bip329LabelsHeading": "BIP329", - "@bip329LabelsHeading": { - "description": "Main heading on BIP329 labels page" - }, - "jadeStep2": "Добавить пароль, если у вас есть один (факультативно)", - "@jadeStep2": { - "description": "Jade instruction step 2" - }, - "coldcardStep4": "Сканировать код QR, показанный в кошельке Bull", - "@coldcardStep4": { - "description": "Coldcard instruction step 4" - }, - "importQrDevicePassportStep5": "Выберите опцию \"Sparrow\"", - "@importQrDevicePassportStep5": { - "description": "Passport instruction step 5" - }, - "psbtFlowClickPsbt": "Нажмите на PSBT", - "@psbtFlowClickPsbt": { - "description": "Instruction to click PSBT option on device" - }, - "sendInvoicePaid": "Оплата счетов-фактур", - "@sendInvoicePaid": { - "description": "Title when Lightning invoice payment succeeds" - }, - "buyKycPendingDescription": "Вы должны сначала завершить проверку личности", - "@buyKycPendingDescription": { - "description": "Description for KYC verification required" - }, - "payBelowMinAmountError": "Вы пытаетесь заплатить ниже минимальной суммы, которую можно заплатить этим кошельком.", - "@payBelowMinAmountError": { - "description": "Error message for amount below minimum" - }, - "arkReceiveSegmentArk": "Ковчег", - "@arkReceiveSegmentArk": { - "description": "Segment option for Ark address type" - }, - "autoswapRecipientWalletInfo": "Выберите, какой биткойн-кошелек получит переведенные средства (требуется)", - "@autoswapRecipientWalletInfo": { - "description": "Info tooltip for recipient wallet field" - }, - "importWalletKrux": "Krux", - "@importWalletKrux": { - "description": "Button label for Krux hardware wallet" - }, - "swapContinueButton": "Продолжить", - "@swapContinueButton": { - "description": "Button to proceed from amount page to confirmation" - }, - "bitcoinSettingsBroadcastTransactionTitle": "Трансляция", - "@bitcoinSettingsBroadcastTransactionTitle": { - "description": "Title for the broadcast transaction option in Bitcoin settings" - }, - "sendSignWithLedger": "Знак с Ledger", - "@sendSignWithLedger": { - "description": "Button to sign transaction with Ledger hardware wallet" - }, - "pinSecurityTitle": "Безопасность PIN", - "@pinSecurityTitle": { - "description": "AppBar title for PIN settings screen" - }, - "swapValidationPositiveAmount": "Введите положительное количество", - "@swapValidationPositiveAmount": { - "description": "Validation error when amount is not positive" - }, - "walletDetailsSignerLabel": "Signer", - "@walletDetailsSignerLabel": { - "description": "Label for the signer field in wallet details" - }, - "exchangeDcaSummaryMessage": "Вы покупаете {amount} каждый {frequency} через {network}, если на вашем счете есть средства.", - "@exchangeDcaSummaryMessage": { - "description": "Summary message describing the DCA configuration", - "placeholders": { - "amount": { - "type": "String", - "description": "The amount being purchased (e.g., '$100 CAD')" - }, - "frequency": { - "type": "String" - }, - "network": { - "type": "String" - } - } - }, - "addressLabel": "Адрес: ", - "@addressLabel": { - "description": "Label for UTXO address in coin selection tile" - }, - "testBackupWalletTitle": "Испытание {walletName}", - "@testBackupWalletTitle": { - "description": "Dynamic AppBar title showing which wallet is being tested", - "placeholders": { - "walletName": { - "type": "String" - } - } - }, - "withdrawRecipientsPrompt": "Где и как мы должны отправить деньги?", - "@withdrawRecipientsPrompt": { - "description": "Instructions on recipients screen" - }, - "withdrawRecipientsTitle": "Выберите получателя", - "@withdrawRecipientsTitle": { - "description": "AppBar title for recipients screen" - }, - "sellPayoutRecipient": "Получатель выплат", - "@sellPayoutRecipient": { - "description": "Label for payout recipient" - }, - "backupWalletLastBackupTest": "Последний тест резервного копирования: ", - "@backupWalletLastBackupTest": { - "description": "Label prefix for displaying timestamp of last physical backup test" - }, - "whatIsWordNumberPrompt": "Что такое число слов {number}?", - "@whatIsWordNumberPrompt": { - "description": "Prompt asking for specific word number", - "placeholders": { - "number": { - "type": "int", - "example": "5" - } - } - }, - "keystoneStep1": "Вход на устройство Keystone", - "@keystoneStep1": { - "description": "Keystone instruction step 1" - }, - "keystoneStep3": "Сканировать код QR, показанный в кошельке Bull", - "@keystoneStep3": { - "description": "Keystone instruction step 3" - }, - "backupKeyWarningMessage": "Предупреждение: Будьте осторожны, где вы сохраняете резервный ключ.", - "@backupKeyWarningMessage": { - "description": "Warning message about backup key storage" - }, - "arkSendSuccessTitle": "Отправить", - "@arkSendSuccessTitle": { - "description": "Title shown after successful Ark send transaction" - }, - "importQrDevicePassportStep3": "Выберите \"Управляющий счет\"", - "@importQrDevicePassportStep3": { - "description": "Passport instruction step 3" - }, - "exchangeAuthErrorMessage": "Произошла ошибка, пожалуйста, попробуйте снова войти.", - "@exchangeAuthErrorMessage": { - "description": "Login error message" - }, - "bitboxActionSignTransactionTitle": "Подписание", - "@bitboxActionSignTransactionTitle": { - "description": "Title for sign transaction action" - }, - "testBackupGoogleDrivePrivacyPart3": "оставьте свой телефон и ", - "@testBackupGoogleDrivePrivacyPart3": { - "description": "Third part of privacy message" - }, - "logSettingsErrorLoadingMessage": "Загрузка журналов: ", - "@logSettingsErrorLoadingMessage": { - "description": "Error message displayed when logs fail to load" - }, - "dcaAmountLabel": "Сумма", - "@dcaAmountLabel": { - "description": "Label for amount detail row" - }, - "walletNetworkLiquid": "Жидкая сеть", - "@walletNetworkLiquid": { - "description": "Network label for Liquid mainnet" - }, - "receiveArkNetwork": "Ковчег", - "@receiveArkNetwork": { - "description": "Ark Instant Payments option" - }, - "swapMaxButton": "MAX", - "@swapMaxButton": { - "description": "Button to use maximum available balance" - }, - "transactionSwapStatusTransferStatus": "Статус передачи", - "@transactionSwapStatusTransferStatus": { - "description": "Header for transfer status section" - }, - "importQrDeviceSeedsignerStep8": "Сканировать QR-код, отображаемый на вашем SeedSigner", - "@importQrDeviceSeedsignerStep8": { - "description": "SeedSigner instruction step 8" - }, - "backupKeyTitle": "Ключ резервного копирования", - "@backupKeyTitle": { - "description": "Title for backup key screen" - }, - "electrumDeletePrivacyNotice": "Уведомление о конфиденциальности:\n\nИспользование собственного узла гарантирует, что ни одна третья сторона не может связать ваш IP-адрес с вашими транзакциями. Удаляя свой последний пользовательский сервер, вы будете подключаться к серверу BullBitcoin.\n.\n", - "@electrumDeletePrivacyNotice": { - "description": "Privacy notice shown when deleting last custom server" - }, - "dcaConfirmFrequencyWeekly": "Каждую неделю", - "@dcaConfirmFrequencyWeekly": { - "description": "Weekly frequency label" - }, - "payInstitutionNumberHint": "Число учреждений", - "@payInstitutionNumberHint": { - "description": "Hint for institution number input" - }, - "sendSlowPaymentWarning": "Предупреждение о медленном платеже", - "@sendSlowPaymentWarning": { - "description": "Warning title for slow payment confirmation" - }, - "quickAndEasyTag": "Quick & easy", - "@quickAndEasyTag": { - "description": "Tag for quick and easy options" - }, - "settingsThemeTitle": "Тема", - "@settingsThemeTitle": { - "description": "Title for the theme selection in app settings" - }, - "exchangeSupportChatYesterday": "Вчера", - "@exchangeSupportChatYesterday": { - "description": "Label for yesterday in date formatting" - }, - "jadeStep3": "Выберите опцию \"Scan QR\"", - "@jadeStep3": { - "description": "Jade instruction step 3" - }, - "dcaSetupFundAccount": "Фонд вашего счета", - "@dcaSetupFundAccount": { - "description": "Button to fund account" - }, - "payEmail": "Email", - "@payEmail": { - "description": "Label for email field" - }, - "coldcardStep10": "Нажмите на кнопки, чтобы подписать транзакцию на вашем Coldcard.", - "@coldcardStep10": { - "description": "Coldcard instruction for signing" - }, - "sendErrorAmountBelowSwapLimits": "Сумма ниже лимитов на свопы", - "@sendErrorAmountBelowSwapLimits": { - "description": "Error when amount is below minimum swap limit" - }, - "labelErrorNotFound": "Лейбл «{label}» не найден.", - "@labelErrorNotFound": { - "description": "Error message when a label is not found", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "payPrivatePayment": "Частная оплата", - "@payPrivatePayment": { - "description": "Label for privacy-enhanced payment option" - }, - "autoswapDefaultWalletLabel": "Bitcoin Wallet", - "@autoswapDefaultWalletLabel": { - "description": "Default label for unnamed Bitcoin wallet" - }, - "recoverbullTestSuccessDescription": "Вы можете восстановить доступ к потерянному кошельку Bitcoin", - "@recoverbullTestSuccessDescription": { - "description": "Description shown after successful recovery test" - }, - "dcaDeactivate": "Отключение покупки", - "@dcaDeactivate": { - "description": "Label to deactivate DCA" - }, - "exchangeAuthLoginFailedTitle": "Не удалось", - "@exchangeAuthLoginFailedTitle": { - "description": "Title of the dialog shown when exchange login fails" - }, - "autoswapRecipientWallet": "Реципиент Bitcoin Wallet", - "@autoswapRecipientWallet": { - "description": "Field label for recipient wallet dropdown" - }, - "arkUnifiedAddressBip21": "Единый адрес (BIP21)", - "@arkUnifiedAddressBip21": { - "description": "Label for the BIP21 unified address field" - }, - "pickPasswordOrPinButton": "Вместо этого выберите {pinOrPassword} >>", - "@pickPasswordOrPinButton": { - "description": "Button to switch between PIN and password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "password" - } - } - }, - "transactionDetailLabelOrderType": "Тип заказа", - "@transactionDetailLabelOrderType": { - "description": "Label for order type" - }, - "autoswapWarningSettingsLink": "Отвезите меня в настройки автоволны", - "@autoswapWarningSettingsLink": { - "description": "Link text to navigate to autoswap settings from the warning bottom sheet" - }, - "payLiquidNetwork": "Жидкая сеть", - "@payLiquidNetwork": { - "description": "Option for Liquid Network payment" - }, - "backupSettingsKeyWarningExample": "Например, если вы использовали Google Drive для резервного файла, не используйте Google Drive для резервного ключа.", - "@backupSettingsKeyWarningExample": { - "description": "Example explaining backup key storage separation" - }, - "backupWalletHowToDecideVaultCloudRecommendation": "Google или Облако Apple: ", - "@backupWalletHowToDecideVaultCloudRecommendation": { - "description": "Bold label for cloud storage recommendation" - }, - "testBackupEncryptedVaultDescription": "Anonymousная резервная копия с сильным шифрованием с помощью вашего облака.", - "@testBackupEncryptedVaultDescription": { - "description": "Description for encrypted vault backup option" - }, - "payNetworkType": "Сеть", - "@payNetworkType": { - "description": "Label for network type (Lightning/Bitcoin/Liquid)" - }, - "addressViewChangeType": "Изменение", - "@addressViewChangeType": { - "description": "Address type label for internal/change addresses" - }, - "walletDeletionConfirmationDeleteButton": "Удалить", - "@walletDeletionConfirmationDeleteButton": { - "description": "Delete button label in wallet deletion confirmation dialog" - }, - "confirmLogoutTitle": "Подтверждение", - "@confirmLogoutTitle": { - "description": "Dialog title for logout confirmation" - }, - "ledgerWalletTypeSelectTitle": "Выберите Wallet Тип", - "@ledgerWalletTypeSelectTitle": { - "description": "Title for wallet type selection modal" - }, - "swapTransferCompletedMessage": "Вау, ты ждал! Перенос завершен успешно.", - "@swapTransferCompletedMessage": { - "description": "Success message after transfer completion" - }, - "encryptedVaultTag": "Легко и просто (1 минута)", - "@encryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, - "electrumDelete": "Удалить", - "@electrumDelete": { - "description": "Delete button label in delete dialog" - }, - "testBackupGoogleDrivePrivacyPart4": "никогда ", - "@testBackupGoogleDrivePrivacyPart4": { - "description": "Fourth part (emphasized) of privacy message" - }, - "arkConfirmButton": "Подтверждение", - "@arkConfirmButton": { - "description": "Confirm button to proceed with send transaction" - }, - "sendCoinControl": "Контроль", - "@sendCoinControl": { - "description": "Feature to manually select UTXOs" - }, - "withdrawSuccessOrderDetails": "Детали заказа", - "@withdrawSuccessOrderDetails": { - "description": "Button label to view order details after withdrawal" - }, - "exchangeLandingConnect": "Подключите счет обмена Bull Bitcoin", - "@exchangeLandingConnect": { - "description": "Subtitle on exchange landing screen" - }, - "payProcessingPayment": "Обработка оплаты...", - "@payProcessingPayment": { - "description": "Loading message while payment is being processed" - }, - "ledgerImportTitle": "Импорт Ledger Wall", - "@ledgerImportTitle": { - "description": "Title for importing a Ledger hardware wallet" - }, - "exchangeDcaFrequencyMonth": "месяц", - "@exchangeDcaFrequencyMonth": { - "description": "DCA frequency unit: month" - }, - "paySuccessfulPayments": "Успех", - "@paySuccessfulPayments": { - "description": "Filter for successful payments" - }, - "navigationTabWallet": "Wallet", - "@navigationTabWallet": { - "description": "Label for the Wallet tab in bottom navigation" - }, - "bitboxScreenScanning": "Сканирование устройств", - "@bitboxScreenScanning": { - "description": "Main text when scanning for devices" - }, - "howToDecideBackupTitle": "Как решить", - "@howToDecideBackupTitle": { - "description": "Title for how to decide backup method modal" - }, - "statusCheckTitle": "Статус службы", - "@statusCheckTitle": { - "description": "Title for the service status screen" - }, - "ledgerHelpSubtitle": "Во-первых, убедитесь, что ваше устройство Ledger разблокировано и приложение Bitcoin открыто. Если ваше устройство все еще не подключено к приложению, попробуйте следующее:", - "@ledgerHelpSubtitle": { - "description": "Subtitle/introduction for Ledger troubleshooting help" - }, - "savingToDevice": "Сбережение к вашему устройству.", - "@savingToDevice": { - "description": "Message shown when saving to device" - }, - "bitboxActionImportWalletButton": "Начало", - "@bitboxActionImportWalletButton": { - "description": "Button text for import wallet" - }, - "fundExchangeLabelSwiftCode": "Код SWIFT", - "@fundExchangeLabelSwiftCode": { - "description": "Label for SWIFT code field" - }, - "buyEnterBitcoinAddress": "Введите адрес биткойна", - "@buyEnterBitcoinAddress": { - "description": "Label for bitcoin address input field" - }, - "autoswapWarningBaseBalance": "Базовый баланс 0,01 BTC", - "@autoswapWarningBaseBalance": { - "description": "Base balance text shown in the autoswap warning bottom sheet" - }, - "transactionDetailLabelPayoutAmount": "Сумма выплат", - "@transactionDetailLabelPayoutAmount": { - "description": "Label for payout amount" - }, - "importQrDeviceSpecterStep6": "Выберите \"Сингл ключ\"", - "@importQrDeviceSpecterStep6": { - "description": "Specter instruction step 6" - }, - "importQrDeviceJadeStep10": "Вот так!", - "@importQrDeviceJadeStep10": { - "description": "Jade instruction step 10" - }, - "payPayeeAccountNumberHint": "Номер счета", - "@payPayeeAccountNumberHint": { - "description": "Hint for account number input" - }, - "importQrDevicePassportStep8": "На вашем мобильном устройстве нажмите «открытая камера»", - "@importQrDevicePassportStep8": { - "description": "Passport instruction step 8" - }, - "dcaConfirmationError": "Что-то пошло не так:", - "@dcaConfirmationError": { - "description": "Error message displayed when confirmation fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "oopsSomethingWentWrong": "Упс! Что-то не так", - "@oopsSomethingWentWrong": { - "description": "Error title when something goes wrong" - }, - "pinStatusSettingUpDescription": "Настройка PIN-кода", - "@pinStatusSettingUpDescription": { - "description": "Status screen description during PIN save/delete operations" - }, - "enterYourPinTitle": "Введите {pinOrPassword}", - "@enterYourPinTitle": { - "description": "Title for entering PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "onboardingPhysicalBackup": "Физическая резервная копия", - "@onboardingPhysicalBackup": { - "description": "Title for the physical backup recovery option in onboarding" - }, - "swapFromLabel": "Из", - "@swapFromLabel": { - "description": "Label for source wallet dropdown" - }, - "fundExchangeCrIbanCrcDescription": "Отправка банковского перевода с вашего банковского счета с использованием данных ниже ", - "@fundExchangeCrIbanCrcDescription": { - "description": "First part of description for CR IBAN CRC transfer" - }, - "settingsDevModeWarningTitle": "Режим Дев", - "@settingsDevModeWarningTitle": { - "description": "Title for the developer mode warning dialog" - }, - "importQrDeviceKeystoneStep4": "Выберите Соединение программного обеспечения", - "@importQrDeviceKeystoneStep4": { - "description": "Keystone instruction step 4" - }, - "bitcoinSettingsAutoTransferTitle": "Параметры автопередачи", - "@bitcoinSettingsAutoTransferTitle": { - "description": "Title for the auto transfer settings section in Bitcoin settings" - }, - "rbfOriginalTransaction": "Первоначальная сделка", - "@rbfOriginalTransaction": { - "description": "Header label for original transaction details" - }, - "payViewRecipient": "Вид получателя", - "@payViewRecipient": { - "description": "Button to view recipient details" - }, - "exchangeAccountInfoUserNumberCopiedMessage": "Номер пользователя скопирован в буфер обмена", - "@exchangeAccountInfoUserNumberCopiedMessage": { - "description": "Success message when user number is copied to clipboard" - }, - "settingsAppVersionLabel": "Версия приложения: ", - "@settingsAppVersionLabel": { - "description": "Label displayed before the app version number in settings" - }, - "bip329LabelsExportButton": "Экспортные этикетки", - "@bip329LabelsExportButton": { - "description": "Button text to export labels" - }, - "jadeStep4": "Сканировать код QR, показанный в кошельке Bull", - "@jadeStep4": { - "description": "Jade instruction step 4" - }, - "recoverbullRecoveryErrorWalletExists": "Этот кошелек уже существует.", - "@recoverbullRecoveryErrorWalletExists": { - "description": "Error when attempting to restore vault that already exists" - }, - "payBillerNameValue": "Выбранное имя", - "@payBillerNameValue": { - "description": "Placeholder for biller name" - }, - "sendSelectCoins": "Выберите монеты", - "@sendSelectCoins": { - "description": "Button to open UTXO selector" - }, - "fundExchangeLabelRoutingNumber": "Номер маршрута", - "@fundExchangeLabelRoutingNumber": { - "description": "Label for routing number field" - }, - "enterBackupKeyManuallyButton": "Введите ключ резервного копирования вручную >>", - "@enterBackupKeyManuallyButton": { - "description": "Button label to enter backup key manually" - }, - "paySyncingWallet": "Синхронизация кошелька...", - "@paySyncingWallet": { - "description": "Status message during wallet sync" - }, - "allSeedViewLoadingMessage": "Это может занять некоторое время, если у вас есть много семян на этом устройстве.", - "@allSeedViewLoadingMessage": { - "description": "Loading message shown while fetching seeds" - }, - "paySelectWallet": "Выберите Wallet", - "@paySelectWallet": { - "description": "Label for wallet selection dropdown in payment" - }, - "pinCodeChangeButton": "Изменение PIN", - "@pinCodeChangeButton": { - "description": "Button label to change existing PIN" - }, - "paySecurityQuestionHint": "Введите вопрос безопасности (10-40 символов)", - "@paySecurityQuestionHint": { - "description": "Hint for security question input" - }, - "ledgerErrorMissingPsbt": "PSBT требуется для подписания", - "@ledgerErrorMissingPsbt": { - "description": "Error message when PSBT parameter is missing for signing" - }, - "importWatchOnlyPasteHint": "Paste xpub, ypub, zpub или дескриптор", - "@importWatchOnlyPasteHint": { - "description": "Placeholder hint for paste input field" - }, - "sellAccountNumber": "Номер счета", - "@sellAccountNumber": { - "description": "Label for bank account number" - }, - "backupWalletLastKnownEncryptedVault": "Last Known Encrypted Стоп: ", - "@backupWalletLastKnownEncryptedVault": { - "description": "Label prefix for displaying timestamp of last encrypted vault backup" - }, - "dcaSetupInsufficientBalanceMessage": "У вас нет достаточного баланса для создания этого порядка.", - "@dcaSetupInsufficientBalanceMessage": { - "description": "Insufficient balance error message" - }, - "recoverbullGotIt": "Понял", - "@recoverbullGotIt": { - "description": "Button text to acknowledge and dismiss message" - }, - "sendAdvancedOptions": "Дополнительные параметры", - "@sendAdvancedOptions": { - "description": "Section header for advanced sending features" - }, - "sellRateValidFor": "Ставки действительны для {seconds}", - "@sellRateValidFor": { - "description": "Shows rate expiration countdown", - "placeholders": { - "seconds": { - "type": "int" - } - } - }, - "autoswapAutoSaveError": "Не удалось сохранить настройки", - "@autoswapAutoSaveError": { - "description": "Error message when auto-save on disable fails" - }, - "exchangeAccountInfoVerificationLightVerification": "Легкая проверка", - "@exchangeAccountInfoVerificationLightVerification": { - "description": "Status label for light verification level" - }, - "exchangeFeatureBankTransfers": "• Отправить банковские переводы и оплатить счета", - "@exchangeFeatureBankTransfers": { - "description": "Feature bullet point describing bank transfer and bill payment features" - }, - "sellSendPaymentInstantPayments": "Мгновенные платежи", - "@sellSendPaymentInstantPayments": { - "description": "Instant payments wallet label" - }, - "onboardingRecoverWalletButton": "Recover Wallet", - "@onboardingRecoverWalletButton": { - "description": "Button label for recovering a wallet in onboarding" - }, - "dcaConfirmAutoMessage": "Заказы на покупку будут размещены автоматически в этих настройках. Вы можете отключить их в любое время.", - "@dcaConfirmAutoMessage": { - "description": "DCA auto-placement message" - }, - "arkCollaborativeRedeem": "Сотрудничающий редим", - "@arkCollaborativeRedeem": { - "description": "Bottom sheet title for collaborative redeem for BTC address sends" - }, - "pinCodeCheckingStatus": "Проверка состояния PIN", - "@pinCodeCheckingStatus": { - "description": "Status screen description while checking PIN status" - }, - "usePasswordInsteadButton": "Использовать {pinOrPassword} вместо >>", - "@usePasswordInsteadButton": { - "description": "Button to use password/PIN instead", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "password" - } - } - }, - "coreSwapsLnSendFailedRefunding": "Свап будет возвращен в ближайшее время.", - "@coreSwapsLnSendFailedRefunding": { - "description": "Status message for failed Lightning send swap that will be refunded" - }, - "dcaWalletTypeLightning": "Lightning Network (LN)", - "@dcaWalletTypeLightning": { - "description": "Radio button option for Lightning wallet" - }, - "transactionSwapProgressBroadcasted": "Трансляция", - "@transactionSwapProgressBroadcasted": { - "description": "Swap progress step: transaction broadcasted" - }, - "backupWalletVaultProviderAppleICloud": "Apple iCloud", - "@backupWalletVaultProviderAppleICloud": { - "description": "Name of Apple iCloud vault provider option" - }, - "swapValidationMinimumAmount": "Минимальная сумма {amount} {currency}", - "@swapValidationMinimumAmount": { - "description": "Validation error when amount is below minimum", - "placeholders": { - "amount": { - "type": "String" - }, - "currency": { - "type": "String" - } - } - }, - "importMnemonicTitle": "Импорт Mnemonic", - "@importMnemonicTitle": { - "description": "AppBar title for mnemonic import screen" - }, - "payReplaceByFeeActivated": "Замена по фе активирована", - "@payReplaceByFeeActivated": { - "description": "Label for RBF toggle" - }, - "testBackupDoNotShare": "НЕ С КЕМ БЫ ТО НИ БЫЛО", - "@testBackupDoNotShare": { - "description": "Warning header about keeping recovery phrase secret" - }, - "kruxInstructionsTitle": "Инструкции Krux", - "@kruxInstructionsTitle": { - "description": "Title for Krux signing instructions modal" - }, - "payNotAuthenticated": "Вы не проверены. Пожалуйста, зайдите, чтобы продолжить.", - "@payNotAuthenticated": { - "description": "Error message when user is not authenticated" - }, - "paySinpeNumeroComprobante": "Номер", - "@paySinpeNumeroComprobante": { - "description": "Label for reference number in SINPE details" - }, - "backupSettingsViewVaultKey": "Посмотреть хранилище Ключ", - "@backupSettingsViewVaultKey": { - "description": "Button text to view vault decryption key" - }, - "ledgerErrorNoConnection": "Доступно подключение Ledger", - "@ledgerErrorNoConnection": { - "description": "Error message when no Ledger connection is available" - }, - "testBackupSuccessButton": "Понял", - "@testBackupSuccessButton": { - "description": "Button to dismiss success screen" - }, - "transactionLabelTransactionId": "ID транзакции", - "@transactionLabelTransactionId": { - "description": "Label for transaction ID field" - }, - "buyNetworkFeeExplanation": "Стоимость сети Bitcoin будет вычтена из суммы, которую вы получите и собрали майнеры Bitcoin", - "@buyNetworkFeeExplanation": { - "description": "Explanation of network fees for express withdrawal" - }, - "transactionDetailLabelAddress": "Адрес", - "@transactionDetailLabelAddress": { - "description": "Label for address" - }, - "fundExchangeCrIbanUsdLabelPaymentDescription": "Описание оплаты", - "@fundExchangeCrIbanUsdLabelPaymentDescription": { - "description": "Label for payment description field in CR IBAN USD transfer" - }, - "fundExchangeInfoBeneficiaryNameLeonod": "Имя бенефициара должно быть LEONOD. Если вы положите что-нибудь еще, ваш платеж будет отклонен.", - "@fundExchangeInfoBeneficiaryNameLeonod": { - "description": "Critical info about beneficiary name being LEONOD" - }, - "importWalletLedger": "Ledger", - "@importWalletLedger": { - "description": "Button label for Ledger hardware wallet" - }, - "recoverbullCheckingConnection": "Проверка подключения для RecoverBull", - "@recoverbullCheckingConnection": { - "description": "Screen title while checking connection status" - }, - "exchangeLandingTitle": "BULL BITCOIN", - "@exchangeLandingTitle": { - "description": "Main title on exchange landing screen" - }, - "psbtFlowSignWithQr": "Подписаться с QR-кодом", - "@psbtFlowSignWithQr": { - "description": "Instruction to select QR code signing method" - }, - "doneButton": "Дон", - "@doneButton": { - "description": "Button to close advanced options bottom sheet" - }, - "withdrawSuccessTitle": "Вывод", - "@withdrawSuccessTitle": { - "description": "Title shown when withdrawal is successfully initiated" - }, - "paySendAll": "Отправить все", - "@paySendAll": { - "description": "Button to send entire wallet balance" - }, - "pinCodeAuthentication": "Аутентификация", - "@pinCodeAuthentication": { - "description": "AppBar title for PIN code authentication screens" - }, - "payLowPriority": "Низкий", - "@payLowPriority": { - "description": "Low fee priority option" - }, - "coreSwapsLnReceivePending": "Свап еще не инициализирован.", - "@coreSwapsLnReceivePending": { - "description": "Status message for pending Lightning receive swap" - }, - "arkSendConfirmMessage": "Пожалуйста, подтвердите детали вашей транзакции перед отправкой.", - "@arkSendConfirmMessage": { - "description": "Message displayed on send confirmation page" - }, - "bitcoinSettingsLegacySeedsTitle": "Наследные семена", - "@bitcoinSettingsLegacySeedsTitle": { - "description": "Title for the legacy seeds section in Bitcoin settings" - }, - "transactionDetailLabelPayjoinCreationTime": "Время создания Payjoin", - "@transactionDetailLabelPayjoinCreationTime": { - "description": "Label for payjoin creation time" - }, - "backupWalletBestPracticesTitle": "Наилучшая практика", - "@backupWalletBestPracticesTitle": { - "description": "AppBar title for physical backup checklist screen" - }, - "transactionSwapInfoFailedExpired": "Если у вас есть какие-либо вопросы или проблемы, пожалуйста, свяжитесь с поддержкой для помощи.", - "@transactionSwapInfoFailedExpired": { - "description": "Additional info for failed or expired swaps" - }, - "memorizePasswordWarning": "Вы должны запомнить это {pinOrPassword}, чтобы восстановить доступ к своему кошельку. Должно быть не менее 6 цифр. Если вы потеряете это {pinOrPassword}, вы не можете восстановить свое резервное копирование.", - "@memorizePasswordWarning": { - "description": "Warning about memorizing PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "googleAppleCloudRecommendation": "Google или Облако Apple: ", - "@googleAppleCloudRecommendation": { - "description": "Bold label for Google/Apple cloud recommendation" - }, - "exchangeGoToWebsiteButton": "Перейти на сайт биржи Bull Bitcoin", - "@exchangeGoToWebsiteButton": { - "description": "Button label for navigating to the Bull Bitcoin exchange website" - }, - "testWalletTitle": "Испытание {walletName}", - "@testWalletTitle": { - "description": "Title for testing wallet backup", - "placeholders": { - "walletName": { - "type": "String", - "example": "Default Wallets" - } - } - }, - "exchangeBitcoinWalletsLiquidAddressLabel": "Жидкий адрес", - "@exchangeBitcoinWalletsLiquidAddressLabel": { - "description": "Label for Liquid address field in exchange Bitcoin wallets" - }, - "backupWalletSuccessTestButton": "Проверка", - "@backupWalletSuccessTestButton": { - "description": "Button text to proceed to backup testing" - }, - "pinCodeSettingUp": "Настройка PIN-кода", - "@pinCodeSettingUp": { - "description": "Status screen description while setting up PIN" - }, - "replaceByFeeErrorFeeRateTooLow": "Вы должны увеличить ставку сбора как минимум на 1 атт/вбайт по сравнению с первоначальной транзакцией", - "@replaceByFeeErrorFeeRateTooLow": { - "description": "Error message when new fee rate is not high enough" - }, - "payPriority": "Приоритет", - "@payPriority": { - "description": "Label for transaction priority/fee level" - }, - "fundExchangeCostaRicaMethodIbanCrcSubtitle": "Перевод средств в Коста-Рике", - "@fundExchangeCostaRicaMethodIbanCrcSubtitle": { - "description": "Subtitle description for IBAN CRC payment method" - }, - "receiveNoTimeToWait": "Нет времени ждать, или джоин провалился на стороне отправителя?", - "@receiveNoTimeToWait": { - "description": "Question prompting user if they want to proceed without payjoin" - }, - "payChannelBalanceLow": "Баланс канала слишком низкий", - "@payChannelBalanceLow": { - "description": "Error when Lightning channel lacks sufficient outbound liquidity" - }, - "allSeedViewNoSeedsFound": "Семена не нашли.", - "@allSeedViewNoSeedsFound": { - "description": "Message shown when no seeds are found" - }, - "bitboxScreenActionFailed": "{action} Failed", - "@bitboxScreenActionFailed": { - "description": "Main text when action fails", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "dcaSetupScheduleMessage": "Покупки Bitcoin будут размещены автоматически в соответствии с этим графиком.", - "@dcaSetupScheduleMessage": { - "description": "DCA schedule explanation" - }, - "coreSwapsStatusExpired": "Заключено", - "@coreSwapsStatusExpired": { - "description": "Display name for expired swap status" - }, - "fundExchangeCanadaPostStep3": "3. Скажите кассиру сумму, которую вы хотите загрузить", - "@fundExchangeCanadaPostStep3": { - "description": "Step 3 for Canada Post payment process" - }, - "payFee": "Fee", - "@payFee": { - "description": "Label for fee" - }, - "systemLabelSelfSpend": "Самостоятельные расходы", - "@systemLabelSelfSpend": { - "description": "System label for self-spend transactions" - }, - "swapProgressRefundMessage": "С переводом произошла ошибка. Ваш возврат идет.", - "@swapProgressRefundMessage": { - "description": "Refund in progress message" - }, - "passportStep4": "Если у вас есть проблемы с сканированием:", - "@passportStep4": { - "description": "Passport troubleshooting header" - }, - "dcaConfirmContinue": "Продолжить", - "@dcaConfirmContinue": { - "description": "Continue button on DCA confirmation" - }, - "decryptVaultButton": "Зашифрованное хранилище", - "@decryptVaultButton": { - "description": "Button label to decrypt vault" - }, - "electrumNetworkBitcoin": "Bitcoin", - "@electrumNetworkBitcoin": { - "description": "Bitcoin network tab label" - }, - "paySecureBitcoinWallet": "Безопасный биткойн-кошелек", - "@paySecureBitcoinWallet": { - "description": "Display text for secure Bitcoin wallet" - }, - "exchangeAppSettingsDefaultCurrencyLabel": "По умолчанию", - "@exchangeAppSettingsDefaultCurrencyLabel": { - "description": "Label for default currency setting in exchange app settings" - }, - "arkSendRecipientError": "Пожалуйста, введите получателя", - "@arkSendRecipientError": { - "description": "Error message when recipient field is empty" - }, - "arkArkAddress": "Арктический адрес", - "@arkArkAddress": { - "description": "Label for the Ark address field" - }, - "payRecipientName": "Имя получателя", - "@payRecipientName": { - "description": "Label for recipient name" - }, - "exchangeBitcoinWalletsLightningAddressLabel": "Молния (LN-адрес)", - "@exchangeBitcoinWalletsLightningAddressLabel": { - "description": "Label for Lightning address field in exchange Bitcoin wallets" - }, - "bitboxActionVerifyAddressButton": "Верификация Адрес", - "@bitboxActionVerifyAddressButton": { - "description": "Button text for verify address" - }, - "torSettingsInfoTitle": "Важная информация", - "@torSettingsInfoTitle": { - "description": "Title for the Tor information card" - }, - "importColdcardInstructionsStep7": "На вашем мобильном устройстве нажмите «открытая камера»", - "@importColdcardInstructionsStep7": { - "description": "ImportColdcardQ: Seventh instruction step" - }, - "testBackupStoreItSafe": "Храни его где-нибудь в безопасности.", - "@testBackupStoreItSafe": { - "description": "Sub-instruction telling users to store recovery phrase safely" - }, - "enterBackupKeyLabel": "Введите резервный ключ", - "@enterBackupKeyLabel": { - "description": "Label for backup key input field" - }, - "bitboxScreenTroubleshootingSubtitle": "Во-первых, убедитесь, что устройство BitBox02 подключено к порту USB. Если ваше устройство все еще не подключено к приложению, попробуйте следующее:", - "@bitboxScreenTroubleshootingSubtitle": { - "description": "Subtitle for troubleshooting instructions" - }, - "securityWarningTitle": "Предупреждение", - "@securityWarningTitle": { - "description": "Title for security warning dialog" - }, - "never": "никогда ", - "@never": { - "description": "Bold part of privacy assurance (never)" - }, - "notLoggedInTitle": "Вы не вошли", - "@notLoggedInTitle": { - "description": "Title for not logged in state" - }, - "testBackupWhatIsWordNumber": "Что такое число слов {number}?", - "@testBackupWhatIsWordNumber": { - "description": "Quiz prompt asking for specific word number", - "placeholders": { - "number": { - "type": "int" - } - } - }, - "payInvoiceDetails": "Детали счетов-фактур", - "@payInvoiceDetails": { - "description": "Section header for invoice information" - }, - "exchangeLandingLoginButton": "Зарегистрироваться или зарегистрироваться", - "@exchangeLandingLoginButton": { - "description": "Button to proceed to login/signup" - }, - "torSettingsEnableProxy": "Включить Tor Proxy", - "@torSettingsEnableProxy": { - "description": "Label for the toggle to enable/disable Tor proxy" - }, - "bitboxScreenAddressToVerify": "Адрес для проверки:", - "@bitboxScreenAddressToVerify": { - "description": "Label for address verification" - }, - "payConfirmPayment": "Подтвердить оплату", - "@payConfirmPayment": { - "description": "Button text to confirm and execute payment" - }, - "bitboxErrorPermissionDenied": "Разрешения USB необходимы для подключения к устройствам BitBox.", - "@bitboxErrorPermissionDenied": { - "description": "Error when USB permissions are not granted for BitBox" - }, - "recoveryPhraseTitle": "Запишите свою фразу восстановления\nв правильном порядке", - "@recoveryPhraseTitle": { - "description": "Title instructing user to write down recovery phrase" - }, - "bitboxActionSignTransactionProcessingSubtext": "Пожалуйста, подтвердите транзакцию на вашем устройстве BitBox...", - "@bitboxActionSignTransactionProcessingSubtext": { - "description": "Processing subtext for sign transaction" - }, - "sellConfirmPayment": "Подтвердить оплату", - "@sellConfirmPayment": { - "description": "Screen title for payment confirmation" - }, - "sellSelectCoinsManually": "Выбрать монеты вручную", - "@sellSelectCoinsManually": { - "description": "Option to manually select UTXOs" - }, - "addressViewReceiveType": "Получить", - "@addressViewReceiveType": { - "description": "Address type label for external/receive addresses" - }, - "coldcardStep11": "The Coldcard Затем Q покажет вам свой собственный QR-код.", - "@coldcardStep11": { - "description": "Coldcard instruction about signed PSBT QR" - }, - "fundExchangeLabelIban": "Номер счета IBAN", - "@fundExchangeLabelIban": { - "description": "Label for IBAN account number field" - }, - "swapDoNotUninstallWarning": "Не удаляйте приложение до завершения передачи!", - "@swapDoNotUninstallWarning": { - "description": "Warning message during pending transfer" - }, - "testBackupErrorVerificationFailed": "Проверка провалилась: {error}", - "@testBackupErrorVerificationFailed": { - "description": "Generic error message for verification failure", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "sendViewDetails": "Просмотр деталей", - "@sendViewDetails": { - "description": "Button to view transaction details" - }, - "recoverbullErrorUnexpected": "Неожиданная ошибка, см. журналы", - "@recoverbullErrorUnexpected": { - "description": "Error message for unexpected errors" - }, - "sendSubmarineSwap": "Submarine Swap", - "@sendSubmarineSwap": { - "description": "Feature to swap on-chain to Lightning" - }, - "transactionLabelLiquidTransactionId": "ID транзакции", - "@transactionLabelLiquidTransactionId": { - "description": "Label for Liquid network transaction ID" - }, - "payNotAvailable": "N/A", - "@payNotAvailable": { - "description": "Placeholder for unavailable information" - }, - "payFastest": "Самый быстрый", - "@payFastest": { - "description": "Display text for fastest fee option" - }, - "allSeedViewSecurityWarningTitle": "Предупреждение", - "@allSeedViewSecurityWarningTitle": { - "description": "Title for security warning dialog" - }, - "sendSwapFeeEstimate": "Расчетный обменный сбор: {amount}", - "@sendSwapFeeEstimate": { - "description": "Estimated cost of swap", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "coreSwapsLnReceiveExpired": "Свап закончился.", - "@coreSwapsLnReceiveExpired": { - "description": "Status message for expired Lightning receive swap" - }, - "fundExchangeOnlineBillPaymentLabelBillerName": "Поиск списка билеров вашего банка на это имя", - "@fundExchangeOnlineBillPaymentLabelBillerName": { - "description": "Label for biller name in online bill payment" - }, - "recoverbullSelectFetchDriveFilesError": "Не удалось получить все накопители", - "@recoverbullSelectFetchDriveFilesError": { - "description": "Error when unable to retrieve backup list from Google Drive" - }, - "psbtFlowLoadFromCamera": "Нажмите кнопку Загрузка с камеры", - "@psbtFlowLoadFromCamera": { - "description": "Instruction to select camera load option on device" - }, - "exchangeAccountInfoVerificationLimitedVerification": "Ограниченная проверка", - "@exchangeAccountInfoVerificationLimitedVerification": { - "description": "Status label for limited verification level" - }, - "addressViewErrorLoadingMoreAddresses": "Ошибка загрузки больше адресов: {error}", - "@addressViewErrorLoadingMoreAddresses": { - "description": "Error message displayed when pagination of addresses fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "arkCopy": "Копировать", - "@arkCopy": { - "description": "Button label to copy field value to clipboard" - }, - "sendBuildingTransaction": "Строительная сделка...", - "@sendBuildingTransaction": { - "description": "Status while constructing transaction" - }, - "fundExchangeMethodEmailETransfer": "Email E-Transfer", - "@fundExchangeMethodEmailETransfer": { - "description": "Payment method: Email E-Transfer (Canada)" - }, - "electrumConfirm": "Подтверждение", - "@electrumConfirm": { - "description": "Confirm button label in advanced options" - }, - "transactionDetailLabelOrderNumber": "Номер заказа", - "@transactionDetailLabelOrderNumber": { - "description": "Label for order number" - }, - "bitboxActionPairDeviceSuccessSubtext": "Ваше устройство BitBox теперь в паре и готово к использованию.", - "@bitboxActionPairDeviceSuccessSubtext": { - "description": "Success subtext for pair device" - }, - "pickPasswordInsteadButton": "Выберите пароль вместо >>", - "@pickPasswordInsteadButton": { - "description": "Button label to switch to password input" - }, - "coreScreensSendNetworkFeeLabel": "Отправить Сеть", - "@coreScreensSendNetworkFeeLabel": { - "description": "Label for send network fee field" - }, - "bitboxScreenScanningSubtext": "Ищешь устройство BitBox...", - "@bitboxScreenScanningSubtext": { - "description": "Subtext when scanning" - }, - "sellOrderFailed": "Не удалось разместить заказ на продажу", - "@sellOrderFailed": { - "description": "Error message when order fails" - }, - "payInvalidAmount": "Неверная сумма", - "@payInvalidAmount": { - "description": "Error when entered amount is invalid" - }, - "fundExchangeLabelBankName": "Название банка", - "@fundExchangeLabelBankName": { - "description": "Label for bank name field" - }, - "ledgerErrorMissingScriptTypeVerify": "Тип скрипта требуется для проверки", - "@ledgerErrorMissingScriptTypeVerify": { - "description": "Error message when script type is missing for verification" - }, - "backupWalletEncryptedVaultDescription": "Anonymousная резервная копия с сильным шифрованием с помощью вашего облака.", - "@backupWalletEncryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, - "sellRateExpired": "Обменный курс истек. Размышляя...", - "@sellRateExpired": { - "description": "Message when rate quote times out" - }, - "payExternalWallet": "Внешний кошелек", - "@payExternalWallet": { - "description": "Option for external wallet" - }, - "recoverbullConfirm": "Подтверждение", - "@recoverbullConfirm": { - "description": "Button text to confirm an action" - }, - "arkPendingBalance": "Остаток", - "@arkPendingBalance": { - "description": "Label for pending balance row" - }, - "fundExchangeInfoBankCountryUk": "Наша страна - Великобритания.", - "@fundExchangeInfoBankCountryUk": { - "description": "Info message that bank country is United Kingdom" - }, - "dcaConfirmNetworkBitcoin": "Bitcoin", - "@dcaConfirmNetworkBitcoin": { - "description": "Bitcoin network label" - }, - "seedsignerStep14": "Теперь он готов к трансляции! Как только вы нажмете трансляцию, транзакция будет опубликована в сети Bitcoin и средства будут отправлены.", - "@seedsignerStep14": { - "description": "SeedSigner final instruction about broadcasting" - }, - "fundExchangeCostaRicaMethodIbanCrcTitle": "IBAN Costa Rica (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcTitle": { - "description": "Payment method title for IBAN CRC in method list" - }, - "payOrderDetails": "Детали заказа", - "@payOrderDetails": { - "description": "Title for SINPE order details screen" - }, - "importMnemonicTransactions": "{count}", - "@importMnemonicTransactions": { - "description": "Shows number of transactions for wallet type", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "exchangeAppSettingsPreferredLanguageLabel": "Предпочтительный язык", - "@exchangeAppSettingsPreferredLanguageLabel": { - "description": "Label for preferred language setting in exchange app settings" - }, - "walletDeletionConfirmationMessage": "Вы уверены, что хотите удалить этот кошелек?", - "@walletDeletionConfirmationMessage": { - "description": "Message in the wallet deletion confirmation dialog" - }, - "rbfTitle": "Заменить:", - "@rbfTitle": { - "description": "AppBar title for Replace-By-Fee screen" - }, - "sellAboveMaxAmountError": "Вы пытаетесь продать выше максимальной суммы, которая может быть продана с этим кошельком.", - "@sellAboveMaxAmountError": { - "description": "Error message for amount above maximum" - }, - "settingsSuperuserModeUnlockedMessage": "Режим Superuser разблокирован!", - "@settingsSuperuserModeUnlockedMessage": { - "description": "Message shown when superuser mode is enabled" - }, - "pickPinInsteadButton": "Выберите PIN вместо >>", - "@pickPinInsteadButton": { - "description": "Button label to switch to PIN input" - }, - "backupWalletVaultProviderCustomLocation": "Пользовательское местоположение", - "@backupWalletVaultProviderCustomLocation": { - "description": "Name of custom location vault provider option" - }, - "addressViewErrorLoadingAddresses": "Адреса загрузки ошибки: {error}", - "@addressViewErrorLoadingAddresses": { - "description": "Error message displayed when addresses fail to load", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "bitboxErrorConnectionTypeNotInitialized": "Тип подключения не инициализируется.", - "@bitboxErrorConnectionTypeNotInitialized": { - "description": "Error when connection type is not initialized" - }, - "transactionListOngoingTransfersDescription": "Эти переводы в настоящее время осуществляются. Ваши средства безопасны и будут доступны, когда передача завершится.", - "@transactionListOngoingTransfersDescription": { - "description": "Description for ongoing transfers section" - }, - "ledgerErrorUnknown": "Неизвестная ошибка", - "@ledgerErrorUnknown": { - "description": "Generic error message for unknown Ledger errors" - }, - "payBelowMinAmount": "Вы пытаетесь заплатить ниже минимальной суммы, которую можно заплатить этим кошельком.", - "@payBelowMinAmount": { - "description": "Error message when payment amount is below minimum" - }, - "ledgerProcessingVerifySubtext": "Пожалуйста, подтвердите адрес вашего устройства Ledger.", - "@ledgerProcessingVerifySubtext": { - "description": "Processing subtext shown while verifying address" - }, - "transactionOrderLabelOriginCedula": "Происхождение кедула", - "@transactionOrderLabelOriginCedula": { - "description": "Label for origin cedula in fiat payment order" - }, - "recoverbullRecoveryTransactionsLabel": "Транзакции: {count}", - "@recoverbullRecoveryTransactionsLabel": { - "description": "Label showing total number of transactions found", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "buyViewDetails": "Дополнительные сведения", - "@buyViewDetails": { - "description": "Button to view order details" - }, - "paySwapFailed": "Потерпел неудачу", - "@paySwapFailed": { - "description": "Error message when swap fails" - }, - "autoswapMaxFeeLabel": "Max Transfer Fee", - "@autoswapMaxFeeLabel": { - "description": "Label for fee threshold percentage input field" - }, - "importMnemonicBalance": "Остаток: {amount}", - "@importMnemonicBalance": { - "description": "Shows balance for wallet type", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "appUnlockScreenTitle": "Аутентификация", - "@appUnlockScreenTitle": { - "description": "Title of the app unlock screen" - }, - "importQrDeviceWalletName": "Название", - "@importQrDeviceWalletName": { - "description": "Label for wallet name field" - }, - "payNoRouteFound": "Ни один маршрут не найден для этой оплаты", - "@payNoRouteFound": { - "description": "Error when Lightning routing cannot find a path" - }, - "fundExchangeLabelBeneficiaryName": "Имя бенефициара", - "@fundExchangeLabelBeneficiaryName": { - "description": "Label for beneficiary name field" - }, - "exchangeSupportChatMessageEmptyError": "Сообщение не может быть пустым", - "@exchangeSupportChatMessageEmptyError": { - "description": "Error message when trying to send an empty message" - }, - "fundExchangeWarningTactic2": "Они предлагают вам кредит", - "@fundExchangeWarningTactic2": { - "description": "Second scammer tactic warning" - }, - "sellLiquidNetwork": "Жидкая сеть", - "@sellLiquidNetwork": { - "description": "Option for Liquid Network payment" - }, - "payViewTransaction": "Просмотр транзакции", - "@payViewTransaction": { - "description": "Button text to view transaction details" - }, - "transactionLabelToWallet": "Кошелек", - "@transactionLabelToWallet": { - "description": "Label for destination wallet" - }, - "exchangeFileUploadInstructions": "Если вам нужно отправить любые другие документы, загрузите их здесь.", - "@exchangeFileUploadInstructions": { - "description": "Instructions for uploading documents in exchange" - }, - "ledgerInstructionsAndroidDual": "Убедитесь, что вы Ledger разблокирован с открытым приложением Bitcoin и включен Bluetooth, или подключает устройство через USB.", - "@ledgerInstructionsAndroidDual": { - "description": "Connection instructions for Android devices (Bluetooth or USB)" - }, - "arkSendRecipientLabel": "Адрес получателя", - "@arkSendRecipientLabel": { - "description": "Label for recipient address field" - }, - "defaultWalletsLabel": "По умолчанию", - "@defaultWalletsLabel": { - "description": "Label for default wallets" - }, - "jadeStep9": "После того, как транзакция будет импортирована в ваш Джейд, рассмотрите адрес назначения и сумму.", - "@jadeStep9": { - "description": "Jade instruction for reviewing transaction" - }, - "receiveAddLabel": "Добавить этикетку", - "@receiveAddLabel": { - "description": "Button label for adding a label to a receive address" - }, - "ledgerWalletTypeNestedSegwitDescription": "P2WPKH-nested-in-P2SH", - "@ledgerWalletTypeNestedSegwitDescription": { - "description": "Technical description for Nested Segwit wallet type" - }, - "dcaConfirmFrequencyHourly": "Каждый час", - "@dcaConfirmFrequencyHourly": { - "description": "Hourly frequency label" - }, - "legacySeedViewMnemonicLabel": "Mnemonic", - "@legacySeedViewMnemonicLabel": { - "description": "Label for mnemonic words display" - }, - "sellSwiftCode": "Код SWIFT/BIC", - "@sellSwiftCode": { - "description": "Label for international bank code" - }, - "fundExchangeCanadaPostTitle": "Наличные деньги или дебет в Canada Post", - "@fundExchangeCanadaPostTitle": { - "description": "Screen title for Canada Post payment method" - }, - "receiveInvoiceExpiry": "Срок действия счета-фактуры в {time}", - "@receiveInvoiceExpiry": { - "description": "Shows expiration countdown", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "testBackupGoogleDrivePrivacyPart5": "поделился с Bull Bitcoin.", - "@testBackupGoogleDrivePrivacyPart5": { - "description": "Fifth part of privacy message" - }, - "arkTotal": "Итого", - "@arkTotal": { - "description": "Label for total balance in breakdown" - }, - "bitboxActionSignTransactionSuccessSubtext": "Ваша сделка была успешно подписана.", - "@bitboxActionSignTransactionSuccessSubtext": { - "description": "Success subtext for sign transaction" - }, - "transactionStatusTransferExpired": "Перенос истек", - "@transactionStatusTransferExpired": { - "description": "Status label for expired transfers" - }, - "backupWalletInstructionLosePhone": "Без резервного копирования, если вы потеряете или сломаете свой телефон, или если вы удалите приложение Bull Bitcoin, ваши биткойны будут потеряны навсегда.", - "@backupWalletInstructionLosePhone": { - "description": "Warning instruction about consequences without backup" - }, - "recoverbullConnected": "Соединение", - "@recoverbullConnected": { - "description": "Status label indicating successful connection" - }, - "dcaConfirmLightningAddress": "Адрес освещения", - "@dcaConfirmLightningAddress": { - "description": "Field label for Lightning address" - }, - "coreSwapsLnReceiveCompleted": "Завершение.", - "@coreSwapsLnReceiveCompleted": { - "description": "Status message for completed Lightning receive swap" - }, - "backupWalletErrorGoogleDriveSave": "Не удалось сохранить Google Drive", - "@backupWalletErrorGoogleDriveSave": { - "description": "Error when saving to Google Drive fails" - }, - "settingsTorSettingsTitle": "Параметры Tor", - "@settingsTorSettingsTitle": { - "description": "Title for the Tor settings section in app settings" - }, - "importQrDeviceKeystoneStep2": "Введите PIN", - "@importQrDeviceKeystoneStep2": { - "description": "Keystone instruction step 2" - }, - "receiveBitcoinTransactionWillTakeTime": "Биткоин-транзакция займет некоторое время, чтобы подтвердить.", - "@receiveBitcoinTransactionWillTakeTime": { - "description": "Information message about Bitcoin transaction confirmation time" - }, - "sellOrderNotFoundError": "Заказ на продажу не был найден. Попробуй еще раз.", - "@sellOrderNotFoundError": { - "description": "Error message for order not found" - }, - "sellErrorPrepareTransaction": "Не удалось подготовить сделку: {error}", - "@sellErrorPrepareTransaction": { - "description": "Error message when transaction preparation fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "fundExchangeOnlineBillPaymentTitle": "Оплата онлайн-билей", - "@fundExchangeOnlineBillPaymentTitle": { - "description": "Screen title for Online Bill Payment details" - }, - "importQrDeviceSeedsignerStep7": "На вашем мобильном устройстве нажмите Open Camera", - "@importQrDeviceSeedsignerStep7": { - "description": "SeedSigner instruction step 7" - }, - "addressViewChangeAddressesDescription": "Показать бумажник Изменение адресов", - "@addressViewChangeAddressesDescription": { - "description": "Description for the coming soon dialog when trying to view change addresses" - }, - "sellReceiveAmount": "Вы получите", - "@sellReceiveAmount": { - "description": "Label showing fiat amount to receive" - }, - "bitboxCubitInvalidResponse": "Неверный ответ от устройства BitBox. Попробуй еще раз.", - "@bitboxCubitInvalidResponse": { - "description": "Error interpretation for invalid response" - }, - "settingsScreenTitle": "Настройка", - "@settingsScreenTitle": { - "description": "The title of the settings screen" - }, - "transactionDetailLabelTransferFee": "Перенос", - "@transactionDetailLabelTransferFee": { - "description": "Label for transfer fee (Boltz fee)" - }, - "importQrDeviceKruxStep5": "Сканируйте QR-код, который вы видите на своем устройстве.", - "@importQrDeviceKruxStep5": { - "description": "Krux instruction step 5" - }, - "arkStatus": "Статус", - "@arkStatus": { - "description": "Label for transaction status field in details table" - }, - "fundExchangeHelpTransferCode": "Добавить это в качестве причины для передачи", - "@fundExchangeHelpTransferCode": { - "description": "Help text for transfer code field" - }, - "mempoolCustomServerEdit": "Редактировать", - "@mempoolCustomServerEdit": { - "description": "Button text to edit custom mempool server" - }, - "importQrDeviceKruxStep2": "Нажмите Расширенный публичный ключ", - "@importQrDeviceKruxStep2": { - "description": "Krux instruction step 2" - }, - "recoverButton": "Восстановление", - "@recoverButton": { - "description": "Button label to recover wallet" - }, - "passportStep5": " - Увеличить яркость экрана на вашем устройстве", - "@passportStep5": { - "description": "Passport troubleshooting tip 1" - }, - "bitboxScreenConnectSubtext": "Убедитесь, что ваш BitBox02 разблокирован и подключен через USB.", - "@bitboxScreenConnectSubtext": { - "description": "Subtext for initial state" - }, - "payOwnerName": "Имя владельца", - "@payOwnerName": { - "description": "Label for owner name field" - }, - "transactionNetworkLiquid": "Жидкость", - "@transactionNetworkLiquid": { - "description": "Label for Liquid network transactions" - }, - "payEstimatedConfirmation": "{time}", - "@payEstimatedConfirmation": { - "description": "Estimated time until confirmation", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "bitboxErrorInvalidResponse": "Неверный ответ от устройства BitBox. Попробуй еще раз.", - "@bitboxErrorInvalidResponse": { - "description": "Error when BitBox returns an invalid response" - }, - "psbtFlowAddPassphrase": "Добавить пароль, если у вас есть один (факультативно)", - "@psbtFlowAddPassphrase": { - "description": "Optional instruction to add BIP39 passphrase" - }, - "payAdvancedOptions": "Дополнительные варианты", - "@payAdvancedOptions": { - "description": "Title for advanced options bottom sheet" - }, - "sendSigningTransaction": "Подписание сделки...", - "@sendSigningTransaction": { - "description": "Status while hardware wallet signs" - }, - "sellErrorFeesNotCalculated": "Плата за операции не рассчитана. Попробуй еще раз.", - "@sellErrorFeesNotCalculated": { - "description": "Error message when transaction fees calculation failed" - }, - "dcaAddressLiquid": "Жидкий адрес", - "@dcaAddressLiquid": { - "description": "Liquid address label" - }, - "buyVerificationInProgress": "Проводится проверка...", - "@buyVerificationInProgress": { - "description": "Status during KYC review" - }, - "transactionSwapDescChainPaid": "Ваша сделка была передана. Сейчас мы ждем подтверждения транзакции блокировки.", - "@transactionSwapDescChainPaid": { - "description": "Description for paid chain swap" - }, - "mempoolSettingsUseForFeeEstimation": "Использование для оценки фея", - "@mempoolSettingsUseForFeeEstimation": { - "description": "Label for use for fee estimation toggle" - }, - "buyPaymentMethod": "Метод оплаты", - "@buyPaymentMethod": { - "description": "Label for payment method dropdown" - }, - "coreSwapsStatusCompleted": "Завершено", - "@coreSwapsStatusCompleted": { - "description": "Display name for completed swap status" - }, - "fundExchangeCrIbanUsdDescriptionEnd": "... Средства будут добавлены в ваш баланс.", - "@fundExchangeCrIbanUsdDescriptionEnd": { - "description": "End of description for CR IBAN USD transfer" - }, - "psbtFlowMoveCloserFurther": "Попробуйте переместить устройство ближе или дальше", - "@psbtFlowMoveCloserFurther": { - "description": "Troubleshooting tip to adjust distance" - }, - "arkAboutDurationMinutes": "{minutes}", - "@arkAboutDurationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "int" - } - } - }, - "swapProgressTitle": "Внутренний перевод", - "@swapProgressTitle": { - "description": "AppBar title for swap progress screen" - }, - "pinButtonConfirm": "Подтверждение", - "@pinButtonConfirm": { - "description": "Button label to submit confirmed PIN" - }, - "coldcardStep2": "Добавить пароль, если у вас есть один (факультативно)", - "@coldcardStep2": { - "description": "Coldcard instruction step 2" - }, - "electrumInvalidNumberError": "Введите действительный номер", - "@electrumInvalidNumberError": { - "description": "Validation error for non-numeric input" - }, - "coreWalletTransactionStatusConfirmed": "Подтверждено", - "@coreWalletTransactionStatusConfirmed": { - "description": "Display name for confirmed wallet transaction status" - }, - "recoverbullSelectGoogleDrive": "Google Drive", - "@recoverbullSelectGoogleDrive": { - "description": "Name label for Google Drive backup provider option" - }, - "recoverbullEnterInput": "Введите {inputType}", - "@recoverbullEnterInput": { - "description": "Input field label prompting for PIN or password", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "importQrDevicePassportStep12": "Настройка завершена.", - "@importQrDevicePassportStep12": { - "description": "Passport instruction step 12" - }, - "fundExchangeLabelIbanUsdOnly": "Номер счета IBAN (только в долларах США)", - "@fundExchangeLabelIbanUsdOnly": { - "description": "Label for IBAN field - US Dollars only" - }, - "payRecipientDetails": "Реквизиты", - "@payRecipientDetails": { - "description": "Label for recipient details" - }, - "fundExchangeWarningTitle": "Следите за мошенниками", - "@fundExchangeWarningTitle": { - "description": "Title of the scammer warning screen" - }, - "receiveError": "Ошибка:", - "@receiveError": { - "description": "Generic error message with error details", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "electrumRetryCount": "Retry Count", - "@electrumRetryCount": { - "description": "Retry Count field label and hint in advanced options" - }, - "walletDetailsDescriptorLabel": "Дескриптор", - "@walletDetailsDescriptorLabel": { - "description": "Label for the wallet descriptor field in wallet details" - }, - "importQrDeviceSeedsignerInstructionsTitle": "Инструкции для SeedSigner", - "@importQrDeviceSeedsignerInstructionsTitle": { - "description": "Title for SeedSigner setup instructions" - }, - "payOrderNotFoundError": "Заказ на оплату не был найден. Попробуй еще раз.", - "@payOrderNotFoundError": { - "description": "Error message for order not found" - }, - "jadeStep12": "Нажмите «I'm done» в кошельке Bull Bitcoin.", - "@jadeStep12": { - "description": "Jade instruction to return to app" - }, - "payFilterByType": "Фильтр по типу", - "@payFilterByType": { - "description": "Label for type filter dropdown" - }, - "importMnemonicImporting": "Импорт...", - "@importMnemonicImporting": { - "description": "Loading message while importing wallet" - }, - "recoverbullGoogleDriveExportButton": "Экспорт", - "@recoverbullGoogleDriveExportButton": { - "description": "Export button text for vault backup" - }, - "bip329LabelsDescription": "Импорт или экспортные этикетки кошельков с использованием стандартного формата BIP329.", - "@bip329LabelsDescription": { - "description": "Description of BIP329 labels functionality" - }, - "backupWalletHowToDecideBackupEncryptedRecommendationText": "Вы не уверены, и вам нужно больше времени, чтобы узнать о практике резервного копирования безопасности.", - "@backupWalletHowToDecideBackupEncryptedRecommendationText": { - "description": "Recommendation text for when to use encrypted vault" - }, - "backupWalletImportanceWarning": "Без резервного копирования вы в конечном итоге потеряете доступ к своим деньгам. Крайне важно сделать резервную копию.", - "@backupWalletImportanceWarning": { - "description": "Warning message emphasizing the importance of creating a backup" - }, - "autoswapMaxFeeInfoText": "Если общий трансферный сбор превышает установленный процент, автотрансфер будет заблокирован", - "@autoswapMaxFeeInfoText": { - "description": "Help text explaining how the max fee threshold works" - }, - "recoverbullGoogleDriveCancelButton": "Отмена", - "@recoverbullGoogleDriveCancelButton": { - "description": "Cancel button text for delete confirmation dialog" - }, - "backupWalletSuccessDescription": "Теперь давайте проверим вашу резервную копию, чтобы убедиться, что все было сделано правильно.", - "@backupWalletSuccessDescription": { - "description": "Success screen description prompting user to test backup" - }, - "rbfBroadcast": "Broadcast", - "@rbfBroadcast": { - "description": "Button text to broadcast the bumped transaction" - }, - "sendEstimatedDeliveryFewHours": "несколько часов", - "@sendEstimatedDeliveryFewHours": { - "description": "Estimated delivery time of a few hours" - }, - "dcaConfirmFrequencyMonthly": "Каждый месяц", - "@dcaConfirmFrequencyMonthly": { - "description": "Monthly frequency label" - }, - "importWatchOnlyScriptType": "Тип сценария", - "@importWatchOnlyScriptType": { - "description": "Label for script type field" - }, - "electrumCustomServers": "Пользовательские серверы", - "@electrumCustomServers": { - "description": "Section header for custom servers list" - }, - "transactionStatusSwapFailed": "Плавка", - "@transactionStatusSwapFailed": { - "description": "Status label for failed swaps" - }, - "fundExchangeCrIbanCrcLabelCedulaJuridica": "Cédula Jurídica", - "@fundExchangeCrIbanCrcLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (legal ID number in Costa Rica)" - }, - "continueButton": "Продолжить", - "@continueButton": { - "description": "Default button text for success state" - }, - "payBatchPayment": "Платежи", - "@payBatchPayment": { - "description": "Option to combine multiple payments" - }, - "transactionLabelBoltzSwapFee": "Болц Свап Фе", - "@transactionLabelBoltzSwapFee": { - "description": "Label for Boltz swap fee component" - }, - "transactionSwapDescLnReceiveFailed": "С твоим обменом была проблема. Пожалуйста, свяжитесь с поддержкой, если средства не были возвращены в течение 24 часов.", - "@transactionSwapDescLnReceiveFailed": { - "description": "Description for failed Lightning receive swap" - }, - "sellOrderNumber": "Номер заказа", - "@sellOrderNumber": { - "description": "Label for order number" - }, - "payRecipientCount": "{count}", - "@payRecipientCount": { - "description": "Label showing number of recipients", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "sendErrorBuildFailed": "Строить не удалось", - "@sendErrorBuildFailed": { - "description": "Error title when transaction build fails" - }, - "transactionDetailSwapProgress": "Прогресс", - "@transactionDetailSwapProgress": { - "description": "Title for ongoing swap details" - }, - "arkAboutDurationMinute": "{minutes}", - "@arkAboutDurationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "int" - } - } - }, - "backupWalletInstructionLoseBackup": "Если вы потеряете резервное копирование на 12 слов, вы не сможете восстановить доступ к Bitcoin Wallet.", - "@backupWalletInstructionLoseBackup": { - "description": "Warning instruction about losing backup" - }, - "payIsCorporateAccount": "Это корпоративный счет?", - "@payIsCorporateAccount": { - "description": "Question for corporate account checkbox" - }, - "sellSendPaymentInsufficientBalance": "Недостаток баланса в выбранном кошельке для завершения этого ордера на продажу.", - "@sellSendPaymentInsufficientBalance": { - "description": "Insufficient balance error" - }, - "fundExchangeCrIbanCrcLabelRecipientName": "Имя получателя", - "@fundExchangeCrIbanCrcLabelRecipientName": { - "description": "Label for recipient name in CR IBAN CRC transfer" - }, - "swapTransferPendingTitle": "Перевод", - "@swapTransferPendingTitle": { - "description": "Title during pending swap status" - }, - "mempoolCustomServerSaveSuccess": "Пользовательский сервер успешно сохранен", - "@mempoolCustomServerSaveSuccess": { - "description": "Success message when custom server is saved" - }, - "sendErrorBalanceTooLowForMinimum": "Слишком низкий баланс для минимальной суммы свопов", - "@sendErrorBalanceTooLowForMinimum": { - "description": "Error when balance is below minimum required for swap" - }, - "testBackupSuccessMessage": "Вы можете восстановить доступ к потерянному кошельку Bitcoin", - "@testBackupSuccessMessage": { - "description": "Success screen message confirming recovery capability" - }, - "electrumTimeout": "(вторые)", - "@electrumTimeout": { - "description": "Timeout field label and hint in advanced options" - }, - "transactionDetailLabelOrderStatus": "Статус заказа", - "@transactionDetailLabelOrderStatus": { - "description": "Label for order status" - }, - "electrumSaveFailedError": "Не удалось сохранить расширенные варианты", - "@electrumSaveFailedError": { - "description": "Error message when saving advanced options fails" - }, - "arkSettleTransactionCount": "{count} {transaction}", - "@arkSettleTransactionCount": { - "description": "Button label showing number of unsettled transactions", - "placeholders": { - "count": { - "type": "String" - }, - "transaction": { - "type": "String" - } - } - }, - "bitboxScreenWalletTypeLabel": "Тип кошелька:", - "@bitboxScreenWalletTypeLabel": { - "description": "Label for wallet type selector" - }, - "importQrDeviceKruxStep6": "Вот так!", - "@importQrDeviceKruxStep6": { - "description": "Krux instruction step 6" - }, - "recoverbullRecoveryErrorMissingDerivationPath": "В архиве отсутствует траектория.", - "@recoverbullRecoveryErrorMissingDerivationPath": { - "description": "Error when vault backup file is missing required derivation path" - }, - "payUnauthenticatedError": "Вы не проверены. Пожалуйста, зайдите, чтобы продолжить.", - "@payUnauthenticatedError": { - "description": "Error message for unauthenticated user" - }, - "payClabe": "CLABE", - "@payClabe": { - "description": "Label for CLABE field" - }, - "mempoolCustomServerDelete": "Удалить", - "@mempoolCustomServerDelete": { - "description": "Button text to delete custom mempool server" - }, - "optionalPassphraseHint": "Факультативная фраза", - "@optionalPassphraseHint": { - "description": "Placeholder hint for passphrase field" - }, - "importColdcardImporting": "Импорт бумажника Coldcard...", - "@importColdcardImporting": { - "description": "Status while importing" - }, - "exchangeDcaHideSettings": "Настройки вызова", - "@exchangeDcaHideSettings": { - "description": "Link text to hide DCA settings details" - }, - "appUnlockIncorrectPinError": "Неправильный PIN. Попробуй еще раз. {failedAttempts} {attemptsWord}", - "@appUnlockIncorrectPinError": { - "description": "Error message shown when user enters incorrect PIN", - "placeholders": { - "failedAttempts": { - "type": "int" - }, - "attemptsWord": { - "type": "String" - } - } - }, - "buyBitcoinSent": "Bitcoin отправлен!", - "@buyBitcoinSent": { - "description": "Success message for accelerated transaction" - }, - "coreScreensPageNotFound": "Страница не найдена", - "@coreScreensPageNotFound": { - "description": "Error message shown when a page/route is not found" - }, - "passportStep8": "После того, как транзакция будет импортирована в ваш паспорт, рассмотрите адрес назначения и сумму.", - "@passportStep8": { - "description": "Passport instruction for reviewing transaction" - }, - "importQrDeviceTitle": "Подключение {deviceName}", - "@importQrDeviceTitle": { - "description": "AppBar title for QR device import", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "exchangeFeatureDcaOrders": "• DCA, лимитные заказы и автоматическая покупка", - "@exchangeFeatureDcaOrders": { - "description": "Feature bullet point describing DCA and automated buying features" - }, - "payIban": "IBAN", - "@payIban": { - "description": "Label for IBAN field" - }, - "sellSendPaymentPayoutRecipient": "Получатель выплат", - "@sellSendPaymentPayoutRecipient": { - "description": "Field label for payout recipient" - }, - "swapInfoDescription": "Передайте Bitcoin плавно между вашими кошельками. Только хранить средства в мгновенном платежном кошельке для повседневных расходов.", - "@swapInfoDescription": { - "description": "Information banner text on amount page" - }, - "fundExchangeCanadaPostStep7": "7. Средства будут добавлены к балансу счета Bull Bitcoin в течение 30 минут", - "@fundExchangeCanadaPostStep7": { - "description": "Step 7 for Canada Post payment process - timeframe" - }, - "autoswapSaveButton": "Сохранить", - "@autoswapSaveButton": { - "description": "Save button label at bottom of settings sheet" - }, - "importWatchOnlyDisclaimerDescription": "Убедитесь, что выбранный вами путь выведения соответствует тому, который произвел данный xpub, проверив первый адрес, полученный из кошелька перед использованием. Использование неправильного пути может привести к потере средств", - "@importWatchOnlyDisclaimerDescription": { - "description": "Description explaining derivation path matching requirement" - }, - "fundExchangeWarningTactic8": "Они заставляют вас действовать быстро", - "@fundExchangeWarningTactic8": { - "description": "Eighth scammer tactic warning" - }, - "encryptedVaultStatusLabel": "Зашифрованное хранилище", - "@encryptedVaultStatusLabel": { - "description": "Status label for encrypted vault" - }, - "sendConfirmSend": "Добавить", - "@sendConfirmSend": { - "description": "Title for send confirmation screen" - }, - "fundExchangeBankTransfer": "Банковский перевод", - "@fundExchangeBankTransfer": { - "description": "Bank transfer method title" - }, - "importQrDeviceButtonInstructions": "Инструкции", - "@importQrDeviceButtonInstructions": { - "description": "ImportQrDevice: Button to show setup instructions" - }, - "buyLevel3Limit": "Предел уровня 3: {amount}", - "@buyLevel3Limit": { - "description": "Purchase limit for full KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "electrumLiquidSslInfo": "Ни один протокол не должен быть указан, SSL будет использоваться автоматически.", - "@electrumLiquidSslInfo": { - "description": "Info text for Liquid server protocol" - }, - "sendDeviceConnected": "Устройство подключено", - "@sendDeviceConnected": { - "description": "Status when hardware wallet is detected" - }, - "swapErrorAmountAboveMaximum": "Сумма превышает максимальную сумму свопа: {max}", - "@swapErrorAmountAboveMaximum": { - "description": "Error shown when amount is above maximum", - "placeholders": { - "max": { - "type": "String" - } - } - }, - "psbtFlowPassportTitle": "Паспортные инструкции Фонда", - "@psbtFlowPassportTitle": { - "description": "Title for Foundation Passport device signing instructions" - }, - "exchangeLandingFeature3": "Продавайте биткойн, оплачивайте биткойн", - "@exchangeLandingFeature3": { - "description": "Third feature bullet point" - }, - "notLoggedInMessage": "Пожалуйста, войдите в свою учетную запись Bull Bitcoin, чтобы получить доступ к настройкам обмена.", - "@notLoggedInMessage": { - "description": "Message prompting user to log in for exchange features" - }, - "swapTotalFees": "Итого ", - "@swapTotalFees": { - "description": "Total fees label" - }, - "keystoneStep11": "Нажмите «I'm done» в кошельке Bull Bitcoin.", - "@keystoneStep11": { - "description": "Keystone instruction to return to app" - }, - "scanningCompletedMessage": "Завершение сканирования", - "@scanningCompletedMessage": { - "description": "Success message when UR scanning completes" - }, - "recoverbullSecureBackup": "Защищайте резервное копирование", - "@recoverbullSecureBackup": { - "description": "Screen title for backup security setup" - }, - "payDone": "Дон", - "@payDone": { - "description": "Button to close bottom sheet" - }, - "receiveContinue": "Продолжить", - "@receiveContinue": { - "description": "Button label for continuing in the receive flow" - }, - "buyUnauthenticatedError": "Вы не проверены. Пожалуйста, зайдите, чтобы продолжить.", - "@buyUnauthenticatedError": { - "description": "Error message for unauthenticated user during buy" - }, - "bitboxActionSignTransactionButton": "Зарегистрироваться", - "@bitboxActionSignTransactionButton": { - "description": "Button text for sign transaction" - }, - "sendEnterAbsoluteFee": "Введите абсолютный сбор в сатах", - "@sendEnterAbsoluteFee": { - "description": "Placeholder for absolute fee input field" - }, - "importWatchOnlyDisclaimerTitle": "Предупреждение о движении", - "@importWatchOnlyDisclaimerTitle": { - "description": "Title for derivation path warning disclaimer" - }, - "withdrawConfirmIban": "IBAN", - "@withdrawConfirmIban": { - "description": "Field label for IBAN" - }, - "payPayee": "Payee", - "@payPayee": { - "description": "Label for payee details" - }, - "exchangeAccountComingSoon": "Эта функция скоро появится.", - "@exchangeAccountComingSoon": { - "description": "Message indicating that a feature is coming soon" - }, - "sellInProgress": "Продавайте.", - "@sellInProgress": { - "description": "Message for sell in progress" - }, - "testBackupLastKnownVault": "Last Known Encrypted {timestamp}", - "@testBackupLastKnownVault": { - "description": "Shows timestamp of last encrypted vault backup", - "placeholders": { - "timestamp": { - "type": "String" - } - } - }, - "recoverbullErrorFetchKeyFailed": "Не удалось получить ключ с сервера", - "@recoverbullErrorFetchKeyFailed": { - "description": "Error message when server key fetch fails" - }, - "sendSwapInProgressInvoice": "Свопа продолжается. Счет будет оплачен через несколько секунд.", - "@sendSwapInProgressInvoice": { - "description": "Message for Liquid swap in progress" - }, - "arkReceiveButton": "Получить", - "@arkReceiveButton": { - "description": "Bottom button to navigate to receive page" - }, - "electrumRetryCountNegativeError": "Retry Count не может быть отрицательным", - "@electrumRetryCountNegativeError": { - "description": "Validation error for negative Retry Count value" - }, - "fundExchangeOnlineBillPaymentLabelAccountNumber": "Добавить это как номер счета", - "@fundExchangeOnlineBillPaymentLabelAccountNumber": { - "description": "Label for account number in online bill payment" - }, - "importQrDeviceJadeStep4": "Выберите \"Вариации\" из основного меню", - "@importQrDeviceJadeStep4": { - "description": "Jade instruction step 4" - }, - "backupWalletSavingToDeviceTitle": "Сбережение к вашему устройству.", - "@backupWalletSavingToDeviceTitle": { - "description": "Loading screen title when saving to custom location" - }, - "transactionFilterSend": "Отправить", - "@transactionFilterSend": { - "description": "Filter option to show only sent transactions" - }, - "paySwapInProgress": "Заплывает...", - "@paySwapInProgress": { - "description": "Status message during submarine swap" - }, - "importMnemonicSyncMessage": "Все три типа кошельков синхронизируются, и их баланс и транзакции появятся в ближайшее время. Вы можете подождать, пока синхронизация завершится или приступить к импорту, если вы уверены, какой тип кошелька вы хотите импортировать.", - "@importMnemonicSyncMessage": { - "description": "Message explaining wallet type syncing process" - }, - "coreSwapsLnSendClaimable": "Свап готов к претензии.", - "@coreSwapsLnSendClaimable": { - "description": "Status message for claimable Lightning send swap" - }, - "fundExchangeMethodCrIbanCrcSubtitle": "Перевод средств в Коста-Рике", - "@fundExchangeMethodCrIbanCrcSubtitle": { - "description": "Subtitle for Costa Rica IBAN CRC payment method" - }, - "transactionDetailTitle": "Детали транзакций", - "@transactionDetailTitle": { - "description": "Title for transaction details screen" - }, - "autoswapRecipientWalletLabel": "Реципиент Bitcoin Wallet", - "@autoswapRecipientWalletLabel": { - "description": "Label for wallet selection dropdown" - }, - "coreScreensConfirmTransfer": "Подтверждение передачи", - "@coreScreensConfirmTransfer": { - "description": "Title for confirm transfer action" - }, - "payPaymentInProgressDescription": "Ваш платеж был инициирован, и получатель получит средства после того, как ваша транзакция получит 1 подтверждение onchain.", - "@payPaymentInProgressDescription": { - "description": "Description for payment in progress" - }, - "transactionLabelTotalTransferFees": "Итого, трансфертные сборы", - "@transactionLabelTotalTransferFees": { - "description": "Label for total transfer fees" - }, - "recoverbullRetry": "Retry", - "@recoverbullRetry": { - "description": "Button text to retry failed operation" - }, - "arkSettleMessage": "Завершение незавершенных операций и включение в них в случае необходимости восстановимых vtxo", - "@arkSettleMessage": { - "description": "Settle bottom sheet explanation" - }, - "receiveCopyInvoice": "Счет-фактура", - "@receiveCopyInvoice": { - "description": "Button to copy invoice to clipboard" - }, - "exchangeAccountInfoLastNameLabel": "Имя", - "@exchangeAccountInfoLastNameLabel": { - "description": "Label for last name field in account information" - }, - "walletAutoTransferBlockedTitle": "Автоперенос заблокирован", - "@walletAutoTransferBlockedTitle": { - "description": "Title for auto-swap fee warning when fees exceed threshold" - }, - "importQrDeviceJadeInstructionsTitle": "Инструкции по блок-потоку", - "@importQrDeviceJadeInstructionsTitle": { - "description": "Title for Jade setup instructions" - }, - "paySendMax": "Макс", - "@paySendMax": { - "description": "Button to set amount to maximum available" - }, - "recoverbullGoogleDriveDeleteConfirmation": "Вы уверены, что хотите удалить это хранилище? Это действие нельзя отменить.", - "@recoverbullGoogleDriveDeleteConfirmation": { - "description": "Confirmation message for deleting a vault backup" - }, - "arkReceiveArkAddress": "Арктический адрес", - "@arkReceiveArkAddress": { - "description": "Label for Ark address" - }, - "googleDriveSignInMessage": "Вам нужно будет войти в Google Drive", - "@googleDriveSignInMessage": { - "description": "Message about needing to sign in to Google Drive" - }, - "transactionNoteEditTitle": "Правка", - "@transactionNoteEditTitle": { - "description": "Title for edit note dialog" - }, - "transactionDetailLabelCompletedAt": "Завершено", - "@transactionDetailLabelCompletedAt": { - "description": "Label for completion time" - }, - "passportStep9": "Нажмите на кнопки, чтобы подписать транзакцию на вашем паспорте.", - "@passportStep9": { - "description": "Passport instruction for signing" - }, - "walletTypeBitcoinNetwork": "Сеть Bitcoin", - "@walletTypeBitcoinNetwork": { - "description": "Wallet type label for Bitcoin network" - }, - "electrumDeleteConfirmation": "Вы уверены, что хотите удалить этот сервер?\n\n{serverUrl}", - "@electrumDeleteConfirmation": { - "description": "Confirmation message for server deletion", - "placeholders": { - "serverUrl": { - "type": "String" - } - } - }, - "arkServerUrl": "Адрес сервера", - "@arkServerUrl": { - "description": "Label for server URL field" - }, - "importMnemonicSelectType": "Выберите тип кошелька для импорта", - "@importMnemonicSelectType": { - "description": "Instruction to select wallet type" - }, - "fundExchangeMethodArsBankTransfer": "Банковский перевод", - "@fundExchangeMethodArsBankTransfer": { - "description": "Payment method: Bank Transfer (Argentina)" - }, - "importQrDeviceKeystoneStep1": "Мощность на устройстве Keystone", - "@importQrDeviceKeystoneStep1": { - "description": "Keystone instruction step 1" - }, - "arkDurationDays": "{days} дней", - "@arkDurationDays": { - "description": "Duration format for plural days", - "placeholders": { - "days": { - "type": "String" - } - } - }, - "bitcoinSettingsBip85EntropiesTitle": "BIP85 Deterministic Entropies", - "@bitcoinSettingsBip85EntropiesTitle": { - "description": "Title for the BIP85 deterministic entropies section in Bitcoin settings" - }, - "swapTransferAmount": "Сумма перевода", - "@swapTransferAmount": { - "description": "Label for amount input field" - }, - "feePriorityLabel": "Очередность", - "@feePriorityLabel": { - "description": "Label for fee selection priority option" - }, - "coreScreensToLabel": "В", - "@coreScreensToLabel": { - "description": "Label for destination/receiver field" - }, - "backupSettingsTestBackup": "Проверка", - "@backupSettingsTestBackup": { - "description": "Button text to test existing backup" - }, - "coreSwapsActionRefund": "Возмещение", - "@coreSwapsActionRefund": { - "description": "Action label for refunding a swap" - }, - "payInsufficientBalance": "Недостаточный баланс в выбранном кошельке для выполнения этого платежного поручения.", - "@payInsufficientBalance": { - "description": "Error message for insufficient balance" - }, - "viewLogsLabel": "Просмотр журналов", - "@viewLogsLabel": { - "description": "List tile label to view logs inline or in viewer" - }, - "sendSwapTimeEstimate": "Расчетное время: {time}", - "@sendSwapTimeEstimate": { - "description": "Expected swap duration", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "hwKeystone": "Keystone", - "@hwKeystone": { - "description": "Name of Keystone hardware wallet" - }, - "kruxStep12": "Затем Krux покажет вам свой QR-код.", - "@kruxStep12": { - "description": "Krux instruction about signed PSBT QR" - }, - "buyInputMinAmountError": "Вы должны купить хотя бы", - "@buyInputMinAmountError": { - "description": "Minimum amount error message" - }, - "ledgerScanningTitle": "Сканирование устройств", - "@ledgerScanningTitle": { - "description": "Title shown while scanning for Ledger devices" - }, - "payInstitutionCode": "Код учреждения", - "@payInstitutionCode": { - "description": "Label for institution code field" - }, - "recoverbullFetchVaultKey": "Принесите хранилище Ключ", - "@recoverbullFetchVaultKey": { - "description": "Screen title for vault key fetch screen" - }, - "coreSwapsActionClaim": "Claim", - "@coreSwapsActionClaim": { - "description": "Action label for claiming a swap" - }, - "bitboxActionUnlockDeviceSuccessSubtext": "Ваше устройство BitBox теперь разблокировано и готово к использованию.", - "@bitboxActionUnlockDeviceSuccessSubtext": { - "description": "Success subtext for unlock device" - }, - "payShareInvoice": "Счет-фактура", - "@payShareInvoice": { - "description": "Button text to share payment invoice" - }, - "walletDetailsSignerDeviceLabel": "Устройство", - "@walletDetailsSignerDeviceLabel": { - "description": "Label for the signer device field in wallet details" - }, - "bitboxScreenEnterPassword": "Введите пароль", - "@bitboxScreenEnterPassword": { - "description": "Main text when waiting for password" - }, - "keystoneStep10": "Затем Keystone покажет вам свой собственный QR-код.", - "@keystoneStep10": { - "description": "Keystone instruction about signed PSBT QR" - }, - "ledgerSuccessSignTitle": "Сделка успешно подписана", - "@ledgerSuccessSignTitle": { - "description": "Success message title after signing transaction with Ledger" - }, - "electrumPrivacyNoticeContent1": "Уведомление о конфиденциальности: использование собственного узла гарантирует, что ни одна третья сторона не может связать ваш IP-адрес с вашими транзакциями.", - "@electrumPrivacyNoticeContent1": { - "description": "First paragraph of privacy notice" - }, - "testBackupEnterKeyManually": "Введите ключ резервного копирования вручную >>", - "@testBackupEnterKeyManually": { - "description": "Button text to manually enter backup key" - }, - "fundExchangeWarningTactic3": "Они говорят, что работают на сбор долгов или налогов", - "@fundExchangeWarningTactic3": { - "description": "Third scammer tactic warning" - }, - "payCoinjoinFailed": "CoinJoin провалился", - "@payCoinjoinFailed": { - "description": "Error when CoinJoin fails" - }, - "allWordsSelectedMessage": "Вы выбрали все слова", - "@allWordsSelectedMessage": { - "description": "Message shown when all words are selected" - }, - "bitboxActionPairDeviceTitle": "Устройство BitBox", - "@bitboxActionPairDeviceTitle": { - "description": "Title for pair device action" - }, - "buyKYCLevel2": "Уровень 2 - Повышение", - "@buyKYCLevel2": { - "description": "Enhanced verification tier" - }, - "receiveAmount": "Сумма (факультативно)", - "@receiveAmount": { - "description": "Optional amount field for invoice" - }, - "testBackupErrorSelectAllWords": "Выберите все слова", - "@testBackupErrorSelectAllWords": { - "description": "Error when not all words are selected" - }, - "buyLevel1Limit": "Предел уровня 1: {amount}", - "@buyLevel1Limit": { - "description": "Purchase limit for basic KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "dcaNetworkLabel": "Сеть", - "@dcaNetworkLabel": { - "description": "Label for network detail row" - }, - "sendScanBitcoinQRCode": "Сканируйте любой код Bitcoin или Lightning QR, чтобы заплатить с биткойном.", - "@sendScanBitcoinQRCode": { - "description": "Instructions for scanning a QR code to make a Bitcoin payment" - }, - "toLabel": "В", - "@toLabel": { - "description": "Label for destination address in transaction details" - }, - "passportStep7": " - Попробуйте переместить устройство назад", - "@passportStep7": { - "description": "Passport troubleshooting tip 3" - }, - "sendConfirm": "Подтверждение", - "@sendConfirm": { - "description": "Button label for confirming a send transaction" - }, - "payPhoneNumber": "Номер телефона", - "@payPhoneNumber": { - "description": "Label for phone number field" - }, - "transactionSwapProgressInvoicePaid": "Счет-фактура\nОплата", - "@transactionSwapProgressInvoicePaid": { - "description": "Swap progress step: Lightning invoice paid" - }, - "sendInsufficientFunds": "Недостаточные средства", - "@sendInsufficientFunds": { - "description": "Error when balance too low" - }, - "sendSuccessfullySent": "Успешное направление", - "@sendSuccessfullySent": { - "description": "Title for successful send completion" - }, - "sendSwapAmount": "Сумма", - "@sendSwapAmount": { - "description": "Label for amount being swapped" - }, - "autoswapTitle": "Параметры автопередачи", - "@autoswapTitle": { - "description": "Header title for auto transfer settings bottom sheet" - }, - "sellInteracTransfer": "Interac e-Transfer", - "@sellInteracTransfer": { - "description": "Option for Interac payment (Canada)" - }, - "bitboxScreenPairingCodeSubtext": "Проверить этот код соответствует экрану BitBox02, а затем подтвердить на устройстве.", - "@bitboxScreenPairingCodeSubtext": { - "description": "Subtext when showing pairing code" - }, - "createdAtLabel": "Создано:", - "@createdAtLabel": { - "description": "Label for creation date" - }, - "pinConfirmMismatchError": "PIN не совпадает", - "@pinConfirmMismatchError": { - "description": "Error message when confirmation PIN doesn't match original" - }, - "autoswapMinimumThresholdErrorBtc": "Минимальный порог баланса {amount} BTC", - "@autoswapMinimumThresholdErrorBtc": { - "description": "Validation error shown when amount threshold is below minimum (BTC display)", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "receiveLiquidNetwork": "Жидкость", - "@receiveLiquidNetwork": { - "description": "Liquid Network option" - }, - "autoswapSettingsTitle": "Параметры автопередачи", - "@autoswapSettingsTitle": { - "description": "Main header/title of the auto swap settings bottom sheet" - }, - "payFirstNameHint": "Введите имя", - "@payFirstNameHint": { - "description": "Hint for first name input" - }, - "payAdvancedSettings": "Дополнительные настройки", - "@payAdvancedSettings": { - "description": "Button for advanced settings" - }, - "walletDetailsPubkeyLabel": "Pubkey", - "@walletDetailsPubkeyLabel": { - "description": "Label for the public key field in wallet details" - }, - "arkAboutBoardingExitDelay": "Задержка с выходом", - "@arkAboutBoardingExitDelay": { - "description": "Field label for boarding exit delay" - }, - "receiveConfirmedInFewSeconds": "Это будет подтверждено через несколько секунд", - "@receiveConfirmedInFewSeconds": { - "description": "Message indicating quick confirmation time for Lightning transactions" - }, - "backupWalletInstructionNoPassphrase": "Ваша резервная копия не защищена фразой. Добавьте пароль в резервную копию позже, создав новый кошелек.", - "@backupWalletInstructionNoPassphrase": { - "description": "Information about passphrase protection option" - }, - "transactionDetailLabelSwapId": "Идентификатор швапа", - "@transactionDetailLabelSwapId": { - "description": "Label for swap ID" - }, - "sendSwapFailed": "Свопа провалилась. Ваш возврат будет обработан в ближайшее время.", - "@sendSwapFailed": { - "description": "Message explaining swap failure and refund" - }, - "sellNetworkError": "Сетевая ошибка. Пожалуйста, попробуйте еще раз", - "@sellNetworkError": { - "description": "Error for connectivity issues" - }, - "sendHardwareWallet": "Оборудование", - "@sendHardwareWallet": { - "description": "Option to sign with hardware device" - }, - "sendUserRejected": "Пользователь отказался на устройстве", - "@sendUserRejected": { - "description": "Error when user declines on hardware wallet" - }, - "swapSubtractFeesLabel": "Вычитать сборы из суммы", - "@swapSubtractFeesLabel": { - "description": "Label when receive exact amount toggle is off" - }, - "buyVerificationRequired": "Проверка, необходимая для этой суммы", - "@buyVerificationRequired": { - "description": "Error when KYC needed for purchase size" - }, - "withdrawConfirmBankAccount": "Банковский счет", - "@withdrawConfirmBankAccount": { - "description": "Default label for bank account in confirmation screen" - }, - "kruxStep1": "Вход на устройство Krux", - "@kruxStep1": { - "description": "Krux instruction step 1" - }, - "dcaUseDefaultLightningAddress": "Используйте мой адрес Lightning по умолчанию.", - "@dcaUseDefaultLightningAddress": { - "description": "Checkbox label to use default Lightning address" - }, - "recoverbullErrorRejected": "Отклоняется ключевым сервером", - "@recoverbullErrorRejected": { - "description": "Error message when request is rejected by the key server" - }, - "sellEstimatedArrival": "Предполагаемое прибытие: {time}", - "@sellEstimatedArrival": { - "description": "Expected time to receive fiat", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "fundExchangeWarningTacticsTitle": "Общая тактика мошенничества", - "@fundExchangeWarningTacticsTitle": { - "description": "Title for the list of common scammer tactics" - }, - "payInstitutionCodeHint": "Код учреждения", - "@payInstitutionCodeHint": { - "description": "Hint for institution code input" - }, - "arkConfirmedBalance": "Подтвержденный баланс", - "@arkConfirmedBalance": { - "description": "Label for confirmed balance row" - }, - "walletAddressTypeNativeSegwit": "Native Segwit", - "@walletAddressTypeNativeSegwit": { - "description": "Address type for BIP84 wallets" - }, - "payOpenInvoice": "Открытый счет", - "@payOpenInvoice": { - "description": "Button to open invoice" - }, - "payMaximumAmount": "Максимум: {amount}", - "@payMaximumAmount": { - "description": "Label showing maximum payment amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellSendPaymentNetworkFees": "Сетевые сборы", - "@sellSendPaymentNetworkFees": { - "description": "Field label for network fees" - }, - "transactionSwapDescLnReceivePaid": "Оплата была получена! Теперь мы транслируем транзакции на цепочке к вашему кошельку.", - "@transactionSwapDescLnReceivePaid": { - "description": "Description for paid Lightning receive swap" - }, - "transactionNoteUpdateButton": "Обновление", - "@transactionNoteUpdateButton": { - "description": "Button label to update a note" - }, - "payAboveMaxAmount": "Вы пытаетесь заплатить выше максимальной суммы, которую можно заплатить этим кошельком.", - "@payAboveMaxAmount": { - "description": "Error message when payment amount exceeds maximum" - }, - "receiveNetworkUnavailable": "{network} в настоящее время отсутствует", - "@receiveNetworkUnavailable": { - "description": "Error when network is down", - "placeholders": { - "network": { - "type": "String" - } - } - }, - "fundExchangeHelpBeneficiaryAddress": "Наш официальный адрес, если это требуется вашим банком", - "@fundExchangeHelpBeneficiaryAddress": { - "description": "Help text for beneficiary address field" - }, - "backupWalletPhysicalBackupTitle": "Физическая резервная копия", - "@backupWalletPhysicalBackupTitle": { - "description": "Title for physical backup option" - }, - "arkTxBoarding": "Расписание", - "@arkTxBoarding": { - "description": "Transaction type label for Ark boarding transactions" - }, - "bitboxActionVerifyAddressSuccess": "Адрес проверен успешно", - "@bitboxActionVerifyAddressSuccess": { - "description": "Success text for verify address" - }, - "psbtImDone": "Я закончил", - "@psbtImDone": { - "description": "Button text to proceed after signing transaction on hardware device" - }, - "bitboxScreenSelectWalletType": "Выберите Wallet Тип", - "@bitboxScreenSelectWalletType": { - "description": "Title for wallet type selection modal" - }, - "appUnlockEnterPinMessage": "Введите код значка для разблокировки", - "@appUnlockEnterPinMessage": { - "description": "Message prompting user to enter their PIN code to unlock the app" - }, - "torSettingsTitle": "Параметры Tor", - "@torSettingsTitle": { - "description": "AppBar title for the Tor settings screen" - }, - "backupSettingsRevealing": "Откровение...", - "@backupSettingsRevealing": { - "description": "Button text while revealing vault key" - }, - "payTotal": "Итого", - "@payTotal": { - "description": "Label for total payment amount (amount + fee)" - }, - "autoswapSaveErrorMessage": "Невозможно сохранить настройки: {error}", - "@autoswapSaveErrorMessage": { - "description": "SnackBar error message when save fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "exchangeDcaAddressLabelLightning": "Адрес освещения", - "@exchangeDcaAddressLabelLightning": { - "description": "Label for Lightning address in DCA settings" - }, - "addressViewTitle": "Подробности адресов", - "@addressViewTitle": { - "description": "AppBar title for address details screen" - }, - "payCompleted": "Выплата завершена!", - "@payCompleted": { - "description": "Title for payment completed screen" - }, - "bitboxScreenManagePermissionsButton": "Разрешения на использование", - "@bitboxScreenManagePermissionsButton": { - "description": "Button to open app permissions settings" - }, - "sellKYCPending": "Проверка КИК еще не завершена", - "@sellKYCPending": { - "description": "Message when verification in progress" - }, - "buyGetConfirmedFaster": "Получить подтверждение быстрее", - "@buyGetConfirmedFaster": { - "description": "Subtitle for acceleration option" - }, - "transactionOrderLabelPayinAmount": "Сумма выплат", - "@transactionOrderLabelPayinAmount": { - "description": "Label for order payin amount" - }, - "dcaLightningAddressLabel": "Адрес освещения", - "@dcaLightningAddressLabel": { - "description": "Label for Lightning address detail row (shown only for Lightning network)" - }, - "electrumEnableSsl": "Включить SSL", - "@electrumEnableSsl": { - "description": "SSL toggle label in add custom server sheet" - }, - "payCustomFee": "Пользовательские феи", - "@payCustomFee": { - "description": "Option to set custom fee amount" - }, - "backupInstruction5": "Ваша резервная копия не защищена фразой. Добавьте пароль в резервную копию позже, создав новый кошелек.", - "@backupInstruction5": { - "description": "Fifth backup instruction about passphrase protection" - }, - "buyConfirmExpress": "Подтверждение", - "@buyConfirmExpress": { - "description": "Button to confirm express withdrawal" - }, - "fundExchangeBankTransferWireTimeframe": "Любые средства, которые вы отправляете, будут добавлены в ваш Bull Bitcoin в течение 1-2 рабочих дней.", - "@fundExchangeBankTransferWireTimeframe": { - "description": "Timeframe for bank transfer wire funds to be credited" - }, - "sendDeviceDisconnected": "Устройство отключено", - "@sendDeviceDisconnected": { - "description": "Error when hardware wallet unplugged" - }, - "withdrawConfirmError": "Ошибка:", - "@withdrawConfirmError": { - "description": "Error message on confirmation screen", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payFeeBumpFailed": "Потерпеть неудачу", - "@payFeeBumpFailed": { - "description": "Error when fee bump fails" - }, - "arkAboutUnilateralExitDelay": "Односторонняя задержка выхода", - "@arkAboutUnilateralExitDelay": { - "description": "Field label for unilateral exit delay" - }, - "payUnsupportedInvoiceType": "Неподдерживаемый тип счета-фактуры", - "@payUnsupportedInvoiceType": { - "description": "Error for unknown invoice format" - }, - "seedsignerStep13": "Сделка будет импортирована в кошельке Bull Bitcoin.", - "@seedsignerStep13": { - "description": "SeedSigner instruction about import completion" - }, - "autoswapRecipientWalletDefaultLabel": "Bitcoin Wallet", - "@autoswapRecipientWalletDefaultLabel": { - "description": "Default label shown for wallets without a custom label in the dropdown" - }, - "transactionSwapDescLnReceiveClaimable": "Сделка на цепи подтверждена. Теперь мы претендуем на средства, чтобы завершить ваш обмен.", - "@transactionSwapDescLnReceiveClaimable": { - "description": "Description for claimable Lightning receive swap" - }, - "dcaPaymentMethodLabel": "Метод оплаты", - "@dcaPaymentMethodLabel": { - "description": "Label for payment method detail row" - }, - "swapProgressPendingMessage": "Перенос продолжается. Биткойн-транзакции могут занять некоторое время, чтобы подтвердить. Вы можете вернуться домой и подождать.", - "@swapProgressPendingMessage": { - "description": "Pending transfer message" - }, - "walletDetailsNetworkLabel": "Сеть", - "@walletDetailsNetworkLabel": { - "description": "Label for the network field in wallet details" - }, - "broadcastSignedTxBroadcasting": "Вещание...", - "@broadcastSignedTxBroadcasting": { - "description": "Loading message while broadcasting" - }, - "recoverbullSelectRecoverWallet": "Recover Wallet", - "@recoverbullSelectRecoverWallet": { - "description": "AppBar title for initial provider selection screen" - }, - "receivePayjoinActivated": "Payjoin активирован", - "@receivePayjoinActivated": { - "description": "Message indicating that payjoin is activated for the receive transaction" - }, - "importMnemonicContinue": "Продолжить", - "@importMnemonicContinue": { - "description": "Button text to proceed after entering mnemonic" - }, - "psbtFlowMoveLaser": "Переместить красный лазер вверх и вниз по QR-коду", - "@psbtFlowMoveLaser": { - "description": "Troubleshooting tip for devices with laser scanners" - }, - "chooseVaultLocationTitle": "Выберите местоположение хранилища", - "@chooseVaultLocationTitle": { - "description": "Title for choose vault location screen" - }, - "dcaConfirmOrderTypeValue": "Приобретение", - "@dcaConfirmOrderTypeValue": { - "description": "Order type value" - }, - "psbtFlowDeviceShowsQr": "Затем {device} покажет вам свой собственный QR-код.", - "@psbtFlowDeviceShowsQr": { - "description": "Information that device will display QR code after signing", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "fundExchangeCrBankTransferDescriptionExactly": "точно", - "@fundExchangeCrBankTransferDescriptionExactly": { - "description": "Emphasized word 'exactly' in Costa Rica description" - }, - "testBackupEncryptedVaultTitle": "Зашифрованное хранилище", - "@testBackupEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option card" - }, - "dcaWalletTypeLiquid": "Жидкий (LBTC)", - "@dcaWalletTypeLiquid": { - "description": "Radio button option for Liquid wallet" - }, - "fundExchangeLabelInstitutionNumber": "Число учреждений", - "@fundExchangeLabelInstitutionNumber": { - "description": "Label for institution number field" - }, - "encryptedVaultDescription": "Anonymousная резервная копия с сильным шифрованием с помощью вашего облака.", - "@encryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, - "arkAboutCopiedMessage": "{label}", - "@arkAboutCopiedMessage": { - "description": "Snackbar message when field copied", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "swapAmountLabel": "Сумма", - "@swapAmountLabel": { - "description": "Label for amount input section" - }, - "recoverbullSelectCustomLocation": "Пользовательское расположение", - "@recoverbullSelectCustomLocation": { - "description": "AppBar title for custom location file picker screen" - }, - "sellConfirmOrder": "Подтвердить заказ", - "@sellConfirmOrder": { - "description": "Button to submit sell order" - }, - "exchangeAccountInfoUserNumberLabel": "Номер пользователя", - "@exchangeAccountInfoUserNumberLabel": { - "description": "Label for user number field in account information" - }, - "buyVerificationComplete": "Проверка завершена", - "@buyVerificationComplete": { - "description": "Success message after KYC approval" - }, - "transactionNotesLabel": "Транзакционные записки", - "@transactionNotesLabel": { - "description": "Label for transaction notes section" - }, - "replaceByFeeFeeRateDisplay": "Ставка: {feeRate}", - "@replaceByFeeFeeRateDisplay": { - "description": "Display text showing the fee rate", - "placeholders": { - "feeRate": { - "type": "String" - } - } - }, - "torSettingsPortValidationRange": "Порт должен быть между 1 и 65535", - "@torSettingsPortValidationRange": { - "description": "Validation error when port is out of valid range" - }, - "fundExchangeMethodCrIbanUsdSubtitle": "Перевод средств в долларах США (USD)", - "@fundExchangeMethodCrIbanUsdSubtitle": { - "description": "Subtitle for Costa Rica IBAN USD payment method" - }, - "electrumTimeoutEmptyError": "Время не может быть пустым", - "@electrumTimeoutEmptyError": { - "description": "Validation error for empty Timeout field" - }, - "electrumPrivacyNoticeContent2": "Однако, Если вы просматриваете транзакции через mempool, нажав на свою страницу Transaction ID или Recipient details, эта информация будет известна BullBitcoin.", - "@electrumPrivacyNoticeContent2": { - "description": "Second paragraph of privacy notice" - }, - "exchangeAccountInfoVerificationIdentityVerified": "Проверка подлинности", - "@exchangeAccountInfoVerificationIdentityVerified": { - "description": "Status label for identity verified verification level" - }, - "importColdcardScanPrompt": "Сканировать QR-код из вашего Coldcard Q", - "@importColdcardScanPrompt": { - "description": "Instruction to scan Coldcard QR" - }, - "torSettingsDescConnected": "Тор прокси работает и готов", - "@torSettingsDescConnected": { - "description": "Description when Tor is connected" - }, - "backupSettingsEncryptedVault": "Зашифрованное хранилище", - "@backupSettingsEncryptedVault": { - "description": "Label for encrypted vault backup status row" - }, - "autoswapAlwaysBlockInfoDisabled": "При отключении вам будет предоставлена возможность разрешить автотрансфер, который заблокирован из-за высоких сборов", - "@autoswapAlwaysBlockInfoDisabled": { - "description": "Help text when always block is disabled" - }, - "dcaSetupTitle": "Купить", - "@dcaSetupTitle": { - "description": "AppBar title for DCA setup screen" - }, - "sendErrorInsufficientBalanceForPayment": "Недостаточный баланс для покрытия этой выплаты", - "@sendErrorInsufficientBalanceForPayment": { - "description": "Error when wallet balance is insufficient for payment" - }, - "bitboxScreenPairingCode": "Код паров", - "@bitboxScreenPairingCode": { - "description": "Main text when showing pairing code" - }, - "testBackupPhysicalBackupTitle": "Физическая резервная копия", - "@testBackupPhysicalBackupTitle": { - "description": "Title for physical backup option card" - }, - "fundExchangeSpeiDescription": "Перенос средств с помощью вашего CLABE", - "@fundExchangeSpeiDescription": { - "description": "Description for SPEI transfer method" - }, - "ledgerProcessingImport": "Импорт кошелька", - "@ledgerProcessingImport": { - "description": "Status message shown while importing Ledger wallet" - }, - "coldcardStep15": "Теперь он готов к трансляции! Как только вы нажмете трансляцию, транзакция будет опубликована в сети Bitcoin и средства будут отправлены.", - "@coldcardStep15": { - "description": "Coldcard final instruction about broadcasting" - }, - "comingSoonDefaultMessage": "Эта функция в настоящее время находится в стадии разработки и вскоре будет доступна.", - "@comingSoonDefaultMessage": { - "description": "Default message for features under development" - }, - "dcaFrequencyLabel": "Частота", - "@dcaFrequencyLabel": { - "description": "Label for frequency detail row" - }, - "ledgerErrorMissingAddress": "Адрес требуется для проверки", - "@ledgerErrorMissingAddress": { - "description": "Error message when address is missing for verification" - }, - "enterBackupKeyManuallyTitle": "Введите ключ резервного копирования вручную", - "@enterBackupKeyManuallyTitle": { - "description": "Title for enter backup key manually screen" - }, - "transactionDetailLabelRecipientAddress": "Адрес получателя", - "@transactionDetailLabelRecipientAddress": { - "description": "Label for recipient address" - }, - "recoverbullCreatingVault": "Создание зашифрованного Сбой", - "@recoverbullCreatingVault": { - "description": "Screen title while vault is being created" - }, - "walletsListNoWalletsMessage": "Никаких кошельков не найдено", - "@walletsListNoWalletsMessage": { - "description": "Message displayed when no wallets are found" - }, - "importWalletColdcardQ": "Coldcard Q", - "@importWalletColdcardQ": { - "description": "Button label for Coldcard Q hardware wallet" - }, - "backupSettingsStartBackup": "Запуск", - "@backupSettingsStartBackup": { - "description": "Button text to start new backup process" - }, - "sendReceiveAmount": "Получить сумму", - "@sendReceiveAmount": { - "description": "Label for amount being received in swap" - }, - "recoverbullTestRecovery": "Восстановление", - "@recoverbullTestRecovery": { - "description": "Button text to initiate recovery test" - }, - "sellNetAmount": "Чистая сумма", - "@sellNetAmount": { - "description": "Label for amount after fees" - }, - "willNot": "не будет ", - "@willNot": { - "description": "Bold part of privacy assurance (will not)" - }, - "arkAboutServerPubkey": "Server pubkey", - "@arkAboutServerPubkey": { - "description": "Field label for server pubkey" - }, - "receiveReceiveAmount": "Получить сумму", - "@receiveReceiveAmount": { - "description": "Label for the amount that will be received after fees" - }, - "exchangeReferralsApplyToJoinMessage": "Применить, чтобы присоединиться к программе здесь", - "@exchangeReferralsApplyToJoinMessage": { - "description": "Message with link to apply for the referral program" - }, - "payLabelHint": "Введите этикетку для этого получателя", - "@payLabelHint": { - "description": "Hint for label input" - }, - "payBitcoinOnchain": "Bitcoin на цепочке", - "@payBitcoinOnchain": { - "description": "Option for Bitcoin on-chain payment" - }, - "pinManageDescription": "Управляйте своей безопасностью PIN", - "@pinManageDescription": { - "description": "Headline text on PIN settings screen" - }, - "pinCodeConfirm": "Подтверждение", - "@pinCodeConfirm": { - "description": "Button label to confirm PIN entry" - }, - "bitboxActionUnlockDeviceProcessing": "Разблокировочное устройство", - "@bitboxActionUnlockDeviceProcessing": { - "description": "Processing text for unlock device" - }, - "seedsignerStep4": "Если у вас есть проблемы с сканированием:", - "@seedsignerStep4": { - "description": "SeedSigner troubleshooting header" - }, - "mempoolNetworkLiquidTestnet": "Жидкий Тестет", - "@mempoolNetworkLiquidTestnet": { - "description": "Label for Liquid Testnet network" - }, - "payBitcoinOnChain": "Bitcoin на цепочке", - "@payBitcoinOnChain": { - "description": "Option for Bitcoin on-chain payment" - }, - "torSettingsDescDisconnected": "Tor proxy не работает", - "@torSettingsDescDisconnected": { - "description": "Description when Tor is disconnected" - }, - "ledgerButtonTryAgain": "Попробуйте снова", - "@ledgerButtonTryAgain": { - "description": "Button label to retry a failed Ledger operation" - }, - "bitboxScreenNestedSegwitBip49Subtitle": "P2WPKH-nested-in-P2SH", - "@bitboxScreenNestedSegwitBip49Subtitle": { - "description": "Subtitle for BIP49 option" - }, - "buyInstantPaymentWallet": "Мгновенный платежный кошелек", - "@buyInstantPaymentWallet": { - "description": "Label for instant payment (Liquid) wallet" - }, - "autoswapMaxBalanceLabel": "Макс Мгновенный баланс", - "@autoswapMaxBalanceLabel": { - "description": "Label for amount threshold input field" - }, - "recoverbullRecoverBullServer": "RecoverBull Server", - "@recoverbullRecoverBullServer": { - "description": "Label for RecoverBull server connection status" - }, - "satsBitcoinUnitSettingsLabel": "Отображение в сате", - "@satsBitcoinUnitSettingsLabel": { - "description": "The label to switch the Bitcoin unit to sats in settings" - }, - "exchangeDcaViewSettings": "Параметры просмотра", - "@exchangeDcaViewSettings": { - "description": "Link text to view DCA settings details" - }, - "payRetryPayment": "Retry Payment", - "@payRetryPayment": { - "description": "Button text to retry a failed payment" - }, - "exchangeSupportChatTitle": "Поддержка чат", - "@exchangeSupportChatTitle": { - "description": "Title for the support chat screen" - }, - "sellAdvancedSettings": "Дополнительные настройки", - "@sellAdvancedSettings": { - "description": "Button for advanced settings" - }, - "arkTxTypeCommitment": "Обязательство", - "@arkTxTypeCommitment": { - "description": "Transaction type label for commitment transactions" - }, - "exchangeReferralsJoinMissionTitle": "Присоединяйтесь к миссии", - "@exchangeReferralsJoinMissionTitle": { - "description": "Title encouraging users to join the referral mission" - }, - "exchangeSettingsLogInTitle": "Войти", - "@exchangeSettingsLogInTitle": { - "description": "Title for the log in option in exchange settings" - }, - "customLocationRecommendation": "Настраиваемое расположение: ", - "@customLocationRecommendation": { - "description": "Bold label for custom location recommendation" - }, - "fundExchangeMethodCrIbanUsd": "Коста-Рика IBAN (USD)", - "@fundExchangeMethodCrIbanUsd": { - "description": "Payment method: Costa Rica IBAN in US Dollars" - }, - "recoverbullErrorSelectVault": "Не удалось выбрать хранилище", - "@recoverbullErrorSelectVault": { - "description": "Error message when vault selection fails" - }, - "paySwapCompleted": "Завершение работы", - "@paySwapCompleted": { - "description": "Status message after successful swap" - }, - "receiveDescription": "Описание (факультативно)", - "@receiveDescription": { - "description": "Optional memo field" - }, - "bitboxScreenVerifyAddress": "Верификация Адрес", - "@bitboxScreenVerifyAddress": { - "description": "Main text when showing address verification" - }, - "bitboxScreenConnectDevice": "Подключите устройство BitBox", - "@bitboxScreenConnectDevice": { - "description": "Main text when in initial state" - }, - "arkYesterday": "Вчера", - "@arkYesterday": { - "description": "Date label for transactions from yesterday" - }, - "amountRequestedLabel": "Запрошенная сумма: {amount}", - "@amountRequestedLabel": { - "description": "Shows the requested amount to send", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "swapProgressRefunded": "Перевод", - "@swapProgressRefunded": { - "description": "Refunded transfer status" - }, - "payPaymentHistory": "История платежей", - "@payPaymentHistory": { - "description": "Title for list of past payments" - }, - "exchangeFeatureUnifiedHistory": "• Единая история транзакций", - "@exchangeFeatureUnifiedHistory": { - "description": "Feature bullet point describing unified transaction history feature" - }, - "payViewDetails": "Дополнительные сведения", - "@payViewDetails": { - "description": "Button to view order details" - }, - "withdrawOrderAlreadyConfirmedError": "Этот приказ о выводе уже подтвержден.", - "@withdrawOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed withdrawal order" - }, - "autoswapSelectWallet": "Выберите биткойн-кошелек", - "@autoswapSelectWallet": { - "description": "Placeholder for wallet dropdown" - }, - "walletAutoTransferBlockButton": "Блок", - "@walletAutoTransferBlockButton": { - "description": "Button to block auto-transfer until next execution" - }, - "recoverbullGoogleDriveErrorSelectFailed": "Не удалось выбрать хранилище из Google Drive", - "@recoverbullGoogleDriveErrorSelectFailed": { - "description": "Error message when selecting/loading a drive backup fails" - }, - "autoswapRecipientWalletRequired": "*", - "@autoswapRecipientWalletRequired": { - "description": "Required field indicator asterisk" - }, - "pinCodeLoading": "Загрузка", - "@pinCodeLoading": { - "description": "Status screen title while loading PIN settings" - }, - "fundExchangeCrIbanUsdLabelRecipientName": "Имя получателя", - "@fundExchangeCrIbanUsdLabelRecipientName": { - "description": "Label for recipient name in CR IBAN USD transfer" - }, - "ledgerSignTitle": "Подписание", - "@ledgerSignTitle": { - "description": "Title for signing a transaction with Ledger" - }, - "importWatchOnlyCancel": "Отмена", - "@importWatchOnlyCancel": { - "description": "Button to cancel watch-only import" - }, - "arkAboutTitle": "О проекте", - "@arkAboutTitle": { - "description": "AppBar title for Ark about screen" - } -} + "translationWarningTitle": "Переводы, созданные ИИ", + "translationWarningDescription": "Большинство переводов в этом приложении были созданы с помощью ИИ и могут содержать неточности. Если вы заметили ошибки или хотите помочь улучшить переводы, вы можете внести свой вклад через нашу платформу сообщества переводчиков.", + "translationWarningContributeButton": "Помочь улучшить переводы", + "translationWarningDismissButton": "Понятно", + "bitboxErrorMultipleDevicesFound": "Найдено несколько устройств BitBox. Пожалуйста, убедитесь, что подключено только одно устройство.", + "payTransactionBroadcast": "Трансляция", + "fundExchangeSepaDescriptionExactly": "точно.", + "payPleasePayInvoice": "Пожалуйста, заплатите этот счет", + "swapMax": "MAX", + "importQrDeviceSpecterStep2": "Введите PIN", + "importColdcardInstructionsStep10": "Завершение установки", + "buyPayoutWillBeSentIn": "Ваша выплата будет отправлена ", + "fundExchangeInstantSepaInfo": "Использовать только для транзакций ниже €20 000. Для более крупных транзакций используйте вариант регулярного SEPA.", + "transactionLabelSwapId": "Идентификатор швапа", + "dcaChooseWalletTitle": "Выберите Bitcoin Wallet", + "torSettingsPortHint": "9050", + "electrumTimeoutPositiveError": "Время должно быть положительным", + "bitboxScreenNeedHelpButton": "Нужна помощь?", + "sellSendPaymentAboveMax": "Вы пытаетесь продать выше максимальной суммы, которая может быть продана с этим кошельком.", + "fundExchangeETransferLabelSecretAnswer": "Секретный ответ", + "payPayinAmount": "Сумма выплат", + "transactionDetailLabelTransactionFee": "Плата за операции", + "jadeStep13": "Кошелек Bull Bitcoin попросит вас просканировать QR-код на Jade. Сканируйте.", + "transactionSwapDescLnSendPending": "Ваш обмен был инициирован. Мы транслируем сделку на цепочке, чтобы заблокировать ваши средства.", + "payInstitutionNumber": "Число учреждений", + "sendScheduledPayment": "Расписание платежей", + "fundExchangeLabelBicCode": "Код BIC", + "fundExchangeCanadaPostStep6": "6. Кассир даст вам квитанцию, держите ее в качестве доказательства оплаты", + "withdrawOwnershipQuestion": "Кому принадлежит этот счет?", + "sendSendNetworkFee": "Отправить Сеть", + "exchangeDcaUnableToGetConfig": "Невозможно получить конфигурацию DCA", + "psbtFlowClickScan": "Нажмите кнопку Сканировать", + "sellInstitutionNumber": "Число учреждений", + "recoverbullGoogleDriveErrorDisplay": "Ошибка:", + "@recoverbullGoogleDriveErrorDisplay": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "mempoolSettingsCustomServer": "Пользовательский сервер", + "fundExchangeMethodRegularSepa": "Регулярный SEPA", + "addressViewTransactions": "Операции", + "fundExchangeSinpeLabelPhone": "Отправить этот номер телефона", + "importQrDeviceKruxStep3": "Нажмите XPUB - QR-код", + "passportStep1": "Войти в ваше паспортное устройство", + "sellAdvancedOptions": "Дополнительные варианты", + "electrumPrivacyNoticeSave": "Сохранить", + "bip329LabelsImportSuccessSingular": "1 метка импортирована", + "bip329LabelsImportSuccessPlural": "{count} меток импортировано", + "@bip329LabelsImportSuccessPlural": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "withdrawOwnershipOtherAccount": "Это чей-то счет", + "receiveInvoice": "Осветительный счет", + "receiveGenerateAddress": "Создать новый адрес", + "kruxStep3": "Нажмите на PSBT", + "hwColdcardQ": "Coldcard Q", + "fundExchangeCrIbanCrcTransferCodeWarning": "Вы должны добавить код передачи как «сообщение» или «разум» или «описание» при совершении платежа. Если вы забыли включить этот код, ваш платеж может быть отклонен.", + "paySinpeBeneficiario": "Бенефициары", + "exchangeDcaAddressDisplay": "{addressLabel}: {address}", + "@exchangeDcaAddressDisplay": { + "placeholders": { + "addressLabel": { + "type": "String", + "description": "The address label (e.g., 'Bitcoin address')" + }, + "address": { + "type": "String", + "description": "The actual address" + } + } + }, + "autoswapAlwaysBlockEnabledInfo": "При включении автопередачи с тарифами выше установленного лимита всегда будут заблокированы", + "electrumServerAlreadyExists": "Этот сервер уже существует", + "sellPaymentMethod": "Способ оплаты", + "transactionLabelPreimage": "Преимущество", + "coreSwapsChainCanCoop": "Перенос будет завершен мгновенно.", + "importColdcardInstructionsStep2": "Введите пароль, если применимо", + "satsSuffix": " сидение", + "recoverbullErrorPasswordNotSet": "Пароль не установлен", + "sellSendPaymentExchangeRate": "Обменный курс", + "systemLabelAutoSwap": "Автозавод", + "fundExchangeSinpeTitle": "SINPE Transfer", + "payExpiresIn": "Исходит в {time}", + "@payExpiresIn": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "transactionDetailLabelConfirmationTime": "Время подтверждения", + "fundExchangeCanadaPostStep5": "5. Оплата наличными или дебетовой картой", + "importQrDeviceKruxName": "Krux", + "addressViewNoAddressesFound": "Адреса не найдены", + "backupWalletErrorSaveBackup": "Не удалось сохранить резервную копию", + "exchangeReferralsTitle": "Коды", + "onboardingRecoverYourWallet": "Восстановление кошелька", + "bitboxScreenTroubleshootingStep2": "Убедитесь, что ваш телефон имеет USB разрешения включены.", + "replaceByFeeErrorNoFeeRateSelected": "Пожалуйста, выберите ставку сбора", + "transactionSwapDescChainPending": "Ваш перевод был создан, но еще не инициирован.", + "coreScreensTransferFeeLabel": "Перенос", + "onboardingEncryptedVaultDescription": "Восстановите резервное копирование через облако с помощью PIN.", + "transactionOrderLabelPayoutStatus": "Состояние выплат", + "transactionSwapStatusSwapStatus": "Статус швапа", + "arkAboutDurationSeconds": "{seconds} секунд", + "@arkAboutDurationSeconds": { + "placeholders": { + "seconds": { + "type": "int" + } + } + }, + "receiveInvoiceCopied": "Счет-фактура скопирован в буфер обмена", + "kruxStep7": " - Увеличить яркость экрана на вашем устройстве", + "autoswapUpdateSettingsError": "Не удалось обновить настройки автоматического обмена", + "transactionStatusTransferFailed": "Перенос", + "jadeStep11": "Затем Jade покажет вам свой собственный QR-код.", + "buyConfirmExternalWallet": "Внешний биткойн-кошелек", + "bitboxActionPairDeviceProcessing": "Pairing Device", + "exchangeCurrencyDropdownTitle": "Выберите валюту", + "receiveServerNetworkFees": "Фейсы сети сервера", + "importQrDeviceImporting": "Импорт кошелька...", + "rbfFastest": "Самый быстрый", + "buyConfirmExpressWithdrawal": "Подтвердить отзыв", + "arkReceiveBoardingAddress": "BTC Boarding Address", + "sellSendPaymentTitle": "Подтвердить оплату", + "recoverbullReenterConfirm": "Пожалуйста, возвращайтесь в ваш {inputType}, чтобы подтвердить.", + "@recoverbullReenterConfirm": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "importWatchOnlyCopiedToClipboard": "Копируется в буфер обмена", + "dcaLightningAddressInvalidError": "Пожалуйста, введите действительный адрес Lightning", + "ledgerButtonNeedHelp": "Нужна помощь?", + "backupInstruction4": "Не делайте цифровые копии вашей резервной копии. Запишите его на бумаге или выгравированы в металле.", + "hwKrux": "Krux", + "transactionFilterTransfer": "Перевод", + "recoverbullSelectVaultImportSuccess": "Ваше хранилище было успешно импортировано", + "mempoolServerNotUsed": "Не используется (активный сервер)", + "recoverbullSelectErrorPrefix": "Ошибка:", + "bitboxErrorDeviceMismatch": "Устройства обнаружена ошибка.", + "arkReceiveBtcAddress": "Адрес BTC", + "exchangeLandingRecommendedExchange": "Bitcoin Exchange", + "backupWalletHowToDecideVaultMoreInfo": "Посетите Recoverybull.com для получения дополнительной информации.", + "recoverbullGoBackEdit": "<< Назад и редакцию", + "importWatchOnlyWalletGuides": "Настенные гиды", + "receiveConfirming": "{count}/{required}", + "@receiveConfirming": { + "placeholders": { + "count": { + "type": "int" + }, + "required": { + "type": "int" + } + } + }, + "fundExchangeInfoPaymentDescription": "В описании оплаты добавьте код передачи.", + "payInstantPayments": "Мгновенные платежи", + "importWatchOnlyImportButton": "Импорт Watch-Only Wallet", + "fundExchangeCrIbanCrcDescriptionBold": "точно", + "electrumTitle": "Параметры сервера Electrum", + "importQrDeviceJadeStep7": "При необходимости выберите \"Вариации\" для изменения типа адреса", + "transactionNetworkLightning": "Освещение", + "paySecurityQuestionLength": "{count}/40 символов", + "@paySecurityQuestionLength": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "sendBroadcastingTransaction": "Трансляция сделки.", + "pinCodeMinLengthError": "PIN должен быть как минимум X21X", + "@pinCodeMinLengthError": { + "placeholders": { + "minLength": { + "type": "String" + } + } + }, + "swapReceiveExactAmountLabel": "Получить точную сумму", + "arkContinueButton": "Продолжить", + "ledgerImportButton": "Начало", + "dcaActivate": "Активировать покупку", + "labelInputLabel": "Этикетки", + "bitboxActionPairDeviceButton": "Путеводитель", + "importQrDeviceSpecterName": "Specter", + "transactionDetailLabelSwapFees": "Плата за смывку", + "broadcastSignedTxFee": "Fee", + "recoverbullRecoveryBalanceLabel": "Остаток: {amount}", + "@recoverbullRecoveryBalanceLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "buyFundYourAccount": "Фонд вашего счета", + "sellReplaceByFeeActivated": "Замена по фе активирована", + "globalDefaultBitcoinWalletLabel": "Безопасный биткойн", + "arkAboutServerUrl": "Адрес сервера", + "fundExchangeLabelRecipientAddress": "Адрес получателя", + "save": "Сохранить", + "dcaWalletLiquidSubtitle": "Требуется совместимый кошелек", + "fundExchangeCrIbanCrcTitle": "Bank Transfer (CRC)", + "appUnlockButton": "Разблокировка", + "payServiceFee": "Сервисная плата", + "transactionStatusSwapExpired": "Замыкается", + "swapAmountPlaceholder": "0", + "fundExchangeMethodInstantSepaSubtitle": "Самый быстрый - только для транзакций ниже €20,000", + "dcaConfirmError": "Что-то пошло не так:", + "@dcaConfirmError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaNetworkLiquid": "Жидкая сеть", + "fundExchangeSepaDescription": "Отправка SEPA с вашего банковского счета с использованием деталей ниже ", + "sendAddress": "Адрес: ", + "receiveBitcoinNetwork": "Bitcoin", + "fundExchangeCrIbanCrcPaymentDescriptionHelp": "Ваш код передачи.", + "testBackupWriteDownPhrase": "Запишите свою фразу восстановления\nв правильном порядке", + "jadeStep8": " - Попробуйте переместить устройство ближе или дальше", + "payNotLoggedIn": "Не встроен", + "importQrDeviceSpecterStep7": "Disable \"Use SLIP-132\"", + "customLocationTitle": "Пользовательское расположение", + "importQrDeviceJadeStep5": "Выберите \"Wallet\" из списка опций", + "arkSettled": "Установлено", + "transactionFilterBuy": "Купить", + "approximateFiatPrefix": "~", + "sendEstimatedDeliveryHoursToDays": "часы до дней", + "coreWalletTransactionStatusPending": "Завершение", + "ledgerActionFailedMessage": "{action} Failed", + "@ledgerActionFailedMessage": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "testBackupErrorLoadWallets": "Не удалось загрузить кошельки: {error}", + "@testBackupErrorLoadWallets": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "fundExchangeLabelBankAccountCountry": "Страна с банковским счетом", + "walletAddressTypeNestedSegwit": "Nested Segwit", + "dcaConfirmDeactivate": "Да, деактивация", + "exchangeLandingFeature2": "DCA, Limit orders and Auto-buy", + "payPaymentPending": "Оплата не завершена", + "payConfirmHighFee": "Плата за этот платеж {percentage}% от суммы. Продолжать?", + "@payConfirmHighFee": { + "placeholders": { + "percentage": { + "type": "String" + } + } + }, + "payPayoutAmount": "Сумма выплат", + "autoswapMaxBalanceInfo": "Когда баланс кошелька превышает двойную эту сумму, автотрансфер вызовет снижение баланса до этого уровня", + "payPhone": "Телефон", + "recoverbullTorNetwork": "Tor Network", + "transactionDetailLabelTransferStatus": "Статус передачи", + "importColdcardInstructionsTitle": "Инструкции Coldcard Q", + "sendVerifyOnDevice": "Проверка на устройстве", + "sendAmountRequested": "Запрошенная сумма: ", + "exchangeTransactionsTitle": "Операции", + "payRoutingFailed": "Не удалось", + "payCard": "Карта", + "sendFreezeCoin": "Заморозить монету", + "fundExchangeLabelTransitNumber": "Транзитный номер", + "buyConfirmYouReceive": "Вы получите", + "buyDocumentUpload": "Загрузка документов", + "walletAddressTypeConfidentialSegwit": "Конфиденциальный Segwit", + "transactionDetailRetryTransfer": "Retry Transfer {action}", + "@transactionDetailRetryTransfer": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "sendTransferFeeDescription": "Это общая плата, вычтенная из суммы, отправленной", + "bitcoinSettingsWalletsTitle": "Стены", + "arkReceiveSegmentBoarding": "Расписание", + "seedsignerStep12": "Кошелек Bull Bitcoin попросит вас сканировать QR-код на SeedSigner. Сканируйте.", + "psbtFlowKeystoneTitle": "Инструкции по кистоне", + "transactionLabelTransferStatus": "Статус передачи", + "arkSessionDuration": "Продолжительность сессии", + "buyAboveMaxAmountError": "Вы пытаетесь купить выше максимальной суммы.", + "electrumTimeoutWarning": "Ваш таймаут ({timeoutValue} секунд) ниже рекомендуемого значения ({recommended} секунд) для этого стоп-гапа.", + "@electrumTimeoutWarning": { + "placeholders": { + "timeoutValue": { + "type": "String" + }, + "recommended": { + "type": "String" + } + } + }, + "sendShowPsbt": "Показать PSBT", + "ledgerErrorUnknownOccurred": "Неизвестная ошибка", + "receiveAddress": "Адрес", + "broadcastSignedTxAmount": "Сумма", + "hwJade": "Жадный блок", + "keystoneStep14": "Теперь он готов к трансляции! Как только вы нажмете трансляцию, транзакция будет опубликована в сети Bitcoin и средства будут отправлены.", + "recoverbullErrorConnectionFailed": "Не удалось подключиться к серверу целевого ключа. Попробуй еще раз!", + "testBackupDigitalCopy": "Цифровая копия", + "fundExchangeLabelMemo": "Memo", + "paySearchPayments": "Поисковые платежи...", + "payPendingPayments": "Завершение", + "passwordMinLengthError": "{pinOrPassword} должно быть не менее 6 цифр длиной", + "@passwordMinLengthError": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "coreSwapsLnSendExpired": "Замыкается", + "sellSendPaymentUsdBalance": "USD Баланс", + "backupWalletEncryptedVaultTag": "Легко и просто (1 минута)", + "payBroadcastFailed": "Вещатель провалился", + "arkSettleTransactions": "Установочные транзакции", + "transactionLabelConfirmationTime": "Время подтверждения", + "languageSettingsScreenTitle": "Язык", + "payNetworkFees": "Сетевые сборы", + "bitboxScreenSegwitBip84": "Segwit (BIP84)", + "bitboxScreenConnectingSubtext": "Установление безопасного соединения...", + "receiveShareAddress": "Адрес", + "arkTxPending": "Завершение", + "payAboveMaxAmountError": "Вы пытаетесь заплатить выше максимальной суммы, которую можно заплатить этим кошельком.", + "sharedWithBullBitcoin": "поделился с Bull Bitcoin.", + "jadeStep7": " - Держите QR-код устойчивым и сосредоточенным", + "sendCouldNotBuildTransaction": "Невозможно создать транзакции", + "allSeedViewIUnderstandButton": "Я понимаю", + "coreScreensExternalTransfer": "Внешняя передача", + "fundExchangeSinpeWarningNoBitcoin": "Не поставить", + "ledgerHelpStep3": "Убедитесь, что ваш Ledger включил Bluetooth.", + "coreSwapsChainFailedRefunding": "Перевод будет возвращен в ближайшее время.", + "sendSelectAmount": "Выберите сумму", + "sellKYCRejected": "Проверка КИК отклонена", + "electrumNetworkLiquid": "Жидкость", + "buyBelowMinAmountError": "Вы пытаетесь купить ниже минимальной суммы.", + "exchangeLandingFeature6": "Единая история транзакций", + "transactionStatusPaymentRefunded": "Оплата", + "pinCodeSecurityPinTitle": "Безопасность PIN", + "bitboxActionImportWalletSuccessSubtext": "Ваш кошелек BitBox был успешно импортирован.", + "electrumEmptyFieldError": "Это поле не может быть пустым", + "transactionStatusPaymentInProgress": "Оплата", + "connectHardwareWalletKrux": "Krux", + "receiveSelectNetwork": "Выберите сеть", + "sellLoadingGeneric": "Загрузка...", + "ledgerWalletTypeSegwit": "Segwit (BIP84)", + "bip85Mnemonic": "Mnemonic", + "importQrDeviceSeedsignerName": "SeedSigner", + "payFeeTooHigh": "Fee необычайно высокий", + "fundExchangeBankTransferWireTitle": "Банковский перевод (провод)", + "psbtFlowPartProgress": "Часть {current} {total}", + "@psbtFlowPartProgress": { + "placeholders": { + "current": { + "type": "String" + }, + "total": { + "type": "String" + } + } + }, + "receiveShareInvoice": "Счет-фактура", + "buyCantBuyMoreThan": "Вы не можете купить больше, чем", + "dcaUnableToGetConfig": "Невозможно получить конфигурацию DCA", + "exchangeAuthLoginFailed": "Не удалось", + "arkAvailable": "Доступный", + "transactionSwapDescChainFailed": "Была проблема с вашим переводом. Пожалуйста, свяжитесь с поддержкой, если средства не были возвращены в течение 24 часов.", + "testBackupWarningMessage": "Без резервного копирования вы в конечном итоге потеряете доступ к своим деньгам. Крайне важно сделать резервную копию.", + "arkNetwork": "Сеть", + "importWatchOnlyYpub": "ypub", + "ledgerVerifyTitle": "Проверка Адреса на Ledger", + "recoverbullSwitchToPassword": "Вместо этого выберите пароль", + "exchangeDcaNetworkBitcoin": "Bitcoin Network", + "autoswapWarningTitle": "Autoswap включен со следующими настройками:", + "seedsignerStep1": "Включите устройство SeedSigner", + "backupWalletHowToDecideBackupLosePhysical": "Один из самых распространенных способов, которыми люди теряют свой биткойн, заключается в том, что они теряют физическую резервную копию. Любой, кто найдет вашу физическую поддержку, сможет взять весь ваш биткойн. Если вы очень уверены, что можете хорошо спрятать его и никогда его не потерять, это хороший вариант.", + "transactionLabelStatus": "Статус", + "transactionSwapDescLnSendDefault": "Ваш обмен идет. Этот процесс автоматизирован и может занять некоторое время для завершения.", + "recoverbullErrorMissingBytes": "Пропавшие байты из ответа Tor. Retry, но если проблема сохраняется, это известный вопрос для некоторых устройств с Tor.", + "coreScreensReceiveNetworkFeeLabel": "Получение сетевой платы", + "transactionPayjoinStatusCompleted": "Завершено", + "payEstimatedFee": "Расчетный показатель", + "sendSendAmount": "Отправить", + "sendSelectedUtxosInsufficient": "Выбранные utxos не покрывают требуемую сумму", + "swapErrorBalanceTooLow": "Слишком низкий баланс для минимальной суммы свопов", + "replaceByFeeErrorGeneric": "При попытке заменить транзакцию произошла ошибка", + "fundExchangeWarningTactic5": "Они просят отправить биткойн на другую платформу", + "rbfCustomFee": "Пользовательские феи", + "importQrDeviceFingerprint": "Fingerprint", + "physicalBackupRecommendationText": "Вы уверены в своих собственных возможностях операционной безопасности, чтобы скрыть и сохранить ваши семенные слова Bitcoin.", + "importWatchOnlyDescriptor": "Дескриптор", + "payPaymentInProgress": "Payment In Progress!", + "recoverbullFailed": "Не удалось", + "payOrderAlreadyConfirmed": "Этот порядок оплаты уже подтвержден.", + "ledgerProcessingSign": "Подписание транзакции", + "jadeStep6": " - Увеличить яркость экрана на вашем устройстве", + "fundExchangeETransferLabelEmail": "Отправить E-трансфер на эту электронную почту", + "pinCodeCreateButton": "Создать PIN", + "bitcoinSettingsTestnetModeTitle": "Режим", + "buyTitle": "Купить Bitcoin", + "fromLabel": "Из", + "sellCompleteKYC": "Полный KYC", + "hwConnectTitle": "Соедините аппаратное обеспечение", + "payRequiresSwap": "Этот платеж требует свопа", + "exchangeSecurityManage2FAPasswordLabel": "Управление 2FA и пароль", + "backupWalletSuccessTitle": "Закрытие завершено!", + "transactionSwapDescLnSendFailed": "С твоим обменом была проблема. Ваши средства будут возвращены в ваш кошелек автоматически.", + "sendCoinAmount": "Сумма: {amount}", + "@sendCoinAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "walletDeletionFailedOkButton": "ХОРОШО", + "payTotalFees": "Итого", + "fundExchangeOnlineBillPaymentHelpBillerName": "Добавить эту компанию в качестве плательщика - это платежный процессор Bull Bitcoin", + "payPayoutMethod": "Метод выплаты", + "ledgerVerifyButton": "Верификация Адрес", + "sendErrorSwapFeesNotLoaded": "Плата за смывку не взимается", + "walletDetailsCopyButton": "Копировать", + "backupWalletGoogleDrivePrivacyMessage3": "оставьте свой телефон и ", + "backupCompletedDescription": "Теперь давайте проверим вашу резервную копию, чтобы убедиться, что все было сделано правильно.", + "sendErrorInsufficientFundsForFees": "Недостаточно средств для покрытия суммы и сборов", + "buyConfirmPayoutMethod": "Метод выплаты", + "dcaCancelButton": "Отмена", + "durationMinutes": "{minutes}", + "@durationMinutes": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "dcaConfirmNetworkLiquid": "Жидкость", + "walletDetailsAddressTypeLabel": "Тип адреса", + "emptyMnemonicWordsError": "Введите все слова вашей ямонии", + "arkSettleCancel": "Отмена", + "testBackupTapWordsInOrder": "Переместите слова восстановления в\nправильный заказ", + "transactionSwapDescLnSendExpired": "Этот обмен истек. Ваши средства будут автоматически возвращены в ваш кошелек.", + "testBackupButton": "Проверка", + "sendChange": "Изменение", + "coreScreensInternalTransfer": "Внутренний перевод", + "sendSwapWillTakeTime": "Это займет некоторое время, чтобы подтвердить", + "autoswapSelectWalletError": "Пожалуйста, выберите получателя Bitcoin бумажник", + "sellServiceFee": "Сервисная плата", + "connectHardwareWalletTitle": "Соедините аппаратное обеспечение", + "replaceByFeeCustomFeeTitle": "Пользовательские феи", + "kruxStep14": "Кошелек Bull Bitcoin попросит вас сканировать QR-код на Krux. Сканируйте.", + "payAvailableBalance": "Доступно: {amount}", + "@payAvailableBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "payCheckingStatus": "Проверка состояния оплаты...", + "payMemo": "Memo", + "languageSettingsLabel": "Язык", + "fundExchangeMethodCrIbanCrc": "Коста-Рика IBAN (CRC)", + "walletDeletionFailedTitle": "Удалить не удалось", + "payPayFromWallet": "Платить за кошелек", + "broadcastSignedTxNfcTitle": "NFC", + "buyYouPay": "Ты платишь", + "payOrderAlreadyConfirmedError": "Этот порядок оплаты уже подтвержден.", + "passportStep12": "Кошелек Bull Bitcoin попросит вас сканировать QR-код на паспорте. Сканируйте.", + "paySelectRecipient": "Выберите получателя", + "payNoActiveWallet": "Нет активного кошелька", + "importQrDeviceKruxStep4": "Нажмите кнопку «открытая камера»", + "appStartupErrorMessageWithBackup": "На v5.4.0 был обнаружен критический жучок в одной из наших зависимостей, которые влияют на личное хранилище ключей. Это повлияло на ваше приложение. Вам придется удалить это приложение и переустановить его с резервным семенем.", + "payPasteInvoice": "Счет-фактура", + "labelErrorUnexpected": "Неожиданная ошибка: {message}", + "@labelErrorUnexpected": { + "placeholders": { + "message": { + "type": "String" + } + } + }, + "arkStatusSettled": "Установлено", + "dcaWalletBitcoinSubtitle": "Минимальный 0,001 BTC", + "bitboxScreenEnterPasswordSubtext": "Пожалуйста, введите свой пароль на устройстве BitBox, чтобы продолжить.", + "systemLabelSwaps": "Свапы", + "sendOpenTheCamera": "Откройте камеру", + "passportStep11": "Нажмите «I'm done» в кошельке Bull Bitcoin.", + "sendSwapId": "Идентификатор швапа", + "electrumServerOnline": "Онлайн", + "fundExchangeAccountTitle": "Фонд вашего счета", + "exchangeAppSettingsSaveButton": "Сохранить", + "fundExchangeWarningTactic1": "Они обещают прибыль от инвестиций", + "testBackupDefaultWallets": "По умолчанию", + "receiveSendNetworkFee": "Отправить Сеть", + "autoswapRecipientWalletInfoText": "Выберите, какой биткойн-кошелек получит переведенные средства (требуется)", + "withdrawAboveMaxAmountError": "Вы пытаетесь выйти выше максимальной суммы.", + "psbtFlowScanDeviceQr": "Кошелек Bull Bitcoin попросит вас сканировать QR-код на {device}. Сканируйте.", + "@psbtFlowScanDeviceQr": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "exchangeAuthLoginFailedMessage": "Произошла ошибка, пожалуйста, попробуйте снова войти.", + "okButton": "ХОРОШО", + "passportStep13": "Сделка будет импортирована в кошельке Bull Bitcoin.", + "importQrDeviceKeystoneStep3": "Нажмите на три точки справа сверху", + "exchangeAmountInputValidationInvalid": "Неверная сумма", + "exchangeAccountInfoLoadErrorMessage": "Невозможно загрузить информацию о счете", + "dcaWalletSelectionContinueButton": "Продолжить", + "pinButtonChange": "Изменение PIN", + "sendErrorInsufficientFundsForPayment": "Недостаточно средств для оплаты.", + "arkAboutShow": "Показать", + "fundExchangeETransferTitle": "E-Transfer details", + "verifyButton": "Проверка", + "autoswapWarningOkButton": "ХОРОШО", + "swapTitle": "Внутренний перевод", + "sendOutputTooSmall": "Выход за пределы пыли", + "copiedToClipboardMessage": "Копируется в буфер обмена", + "torSettingsStatusConnected": "Соединение", + "arkCopiedToClipboard": "{label}", + "@arkCopiedToClipboard": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "arkRecipientAddress": "Адрес получателя", + "payLightningNetwork": "Сеть освещения", + "shareLogsLabel": "Журналы", + "ledgerSuccessVerifyTitle": "Проверяющий адрес на Ledger...", + "payCorporateNameHint": "Введите фирменное имя", + "sellExternalWallet": "Внешний кошелек", + "backupSettingsFailedToDeriveKey": "Не удалось вывести резервный ключ", + "googleDriveProvider": "Google Drive", + "sellAccountName": "Имя пользователя", + "statusCheckUnknown": "Неизвестный", + "howToDecideVaultLocationText2": "Настраиваемое местоположение может быть гораздо более безопасным, в зависимости от того, какое место вы выберете. Вы также должны убедиться, что не потеряете резервный файл или потеряете устройство, на котором хранится ваш резервный файл.", + "logSettingsLogsTitle": "Журналы", + "fundExchangeOnlineBillPaymentHelpAccountNumber": "Этот уникальный номер аккаунта создан только для вас", + "psbtFlowReadyToBroadcast": "Теперь он готов к трансляции! Как только вы нажмете трансляцию, транзакция будет опубликована в сети Bitcoin и средства будут отправлены.", + "sendErrorLiquidWalletRequired": "Жидкий кошелек должен использоваться для замены жидкости молнии", + "arkDurationMinutes": "{minutes}", + "@arkDurationMinutes": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "dcaSetupInsufficientBalance": "Недостаточный баланс", + "swapTransferRefundedMessage": "Перевод был успешно возвращен.", + "payInvalidState": "Неверное государство", + "receiveWaitForPayjoin": "Ожидайте, что отправитель завершит сделку payjoin", + "seedsignerStep5": " - Увеличить яркость экрана на вашем устройстве", + "transactionSwapDescLnReceiveExpired": "Этот обмен истек. Любые отправленные средства будут автоматически возвращены отправителю.", + "sellKYCApproved": "KYC одобрен", + "arkTransaction": "сделка", + "dcaFrequencyMonthly": "месяц", + "buyKYCLevel": "KYC Уровень", + "passportInstructionsTitle": "Паспортные инструкции Фонда", + "ledgerSuccessImportTitle": "Кошелек импортируется успешно", + "physicalBackupTitle": "Физическая резервная копия", + "exchangeReferralsMissionLink": "bullbitcoin.com/mission", + "swapTransferPendingMessage": "Перенос продолжается. Биткойн-транзакции могут занять некоторое время, чтобы подтвердить. Вы можете вернуться домой и подождать.", + "transactionSwapLiquidToBitcoin": "L-BTC → BTC", + "testBackupDecryptVault": "Зашифрованное хранилище", + "transactionDetailBumpFees": "Плата за бамбы", + "psbtFlowNoPartsToDisplay": "Нет частей для отображения", + "addressCardCopiedMessage": "Адрес, скопированный в буфер обмена", + "totalFeeLabel": "Итого", + "mempoolCustomServerBottomSheetDescription": "Введите URL-адрес вашего пользовательского сервера mempool. Сервер будет проверен до сохранения.", + "sellBelowMinAmountError": "Вы пытаетесь продать ниже минимальной суммы, которую можно продать с этим кошельком.", + "buyAwaitingConfirmation": "Пробуждение подтверждения ", + "payExpired": "Заключено", + "recoverbullBalance": "Остаток: {balance}", + "@recoverbullBalance": { + "placeholders": { + "balance": { + "type": "String" + } + } + }, + "exchangeSecurityAccessSettingsButton": "Параметры доступа", + "payPaymentSuccessful": "Оплата успешно", + "exchangeHomeWithdraw": "Выделить", + "importMnemonicSegwit": "Segwit", + "importQrDeviceJadeStep6": "Выберите \"Export Xpub\" из меню кошелька", + "buyContinue": "Продолжить", + "recoverbullEnterToDecrypt": "Пожалуйста, введите свой {inputType}, чтобы расшифровать ваше хранилище.", + "@recoverbullEnterToDecrypt": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "swapTransferTitle": "Перевод", + "testBackupSuccessTitle": "Тест завершен успешно!", + "recoverbullSelectTakeYourTime": "Возьми время", + "sendConfirmCustomFee": "Подтвердить пользовательский сбор", + "coreScreensTotalFeesLabel": "Итого, сборы", + "mempoolSettingsDescription": "Настроить пользовательские серверы mempool для различных сетей. Каждая сеть может использовать свой собственный сервер для исследования блоков и оценки сборов.", + "transactionSwapProgressClaim": "Claim", + "exchangeHomeDeposit": "Депозит", + "sendFrom": "Из", + "sendTransactionBuilt": "Готово", + "bitboxErrorOperationCancelled": "Операция была отменена. Попробуй еще раз.", + "dcaOrderTypeLabel": "Тип заказа", + "withdrawConfirmCard": "Карта", + "dcaSuccessMessageHourly": "Вы будете покупать {amount} каждый час", + "@dcaSuccessMessageHourly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "loginButton": "LOGIN", + "revealingVaultKeyButton": "Откровение...", + "arkAboutNetwork": "Сеть", + "payLastName": "Имя", + "transactionPayjoinStatusExpired": "Заключено", + "fundExchangeMethodBankTransferWire": "Банковский перевод (Wire or EFT)", + "psbtFlowLoginToDevice": "Войти в устройство {device}", + "@psbtFlowLoginToDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "fundExchangeJurisdictionCostaRica": "🇨🇷 Коста-Рика 1998 год", + "payCalculating": "Расчет...", + "transactionDetailLabelTransferId": "ID передачи", + "fundExchangeContinueButton": "Продолжить", + "currencySettingsDefaultFiatCurrencyLabel": "По умолчанию фиатная валюта", + "payRecipient": "Получатель", + "fundExchangeCrIbanUsdRecipientNameHelp": "Используйте наше официальное фирменное имя. Не используйте «Bull Bitcoin».", + "sendUnfreezeCoin": "Unfreeze Coin", + "sellEurBalance": "EUR Баланс", + "jadeInstructionsTitle": "Blockstream Jade PSBT Инструкции", + "scanNfcButton": "Scan NFC", + "testBackupChooseVaultLocation": "Выберите местоположение хранилища", + "torSettingsInfoDescription": "• Прокси Tor применяется только к Bitcoin (не ликвидный)\n• Порт Default Orbot - 9050\n• Убедитесь, что Орбот работает, прежде чем включить\n• Подключение может быть медленнее через Tor", + "dcaAddressBitcoin": "Bitcoin адрес", + "sendErrorAmountBelowMinimum": "Сумма ниже минимального предела свопа: {minLimit}", + "@sendErrorAmountBelowMinimum": { + "placeholders": { + "minLimit": { + "type": "String" + } + } + }, + "recoverbullGoogleDriveErrorFetchFailed": "Не удалось получить своды из Google Drive", + "systemLabelExchangeBuy": "Купить", + "sendRecipientAddress": "Адрес получателя", + "arkTxTypeBoarding": "Расписание", + "exchangeAmountInputValidationInsufficient": "Недостаточный баланс", + "psbtFlowReviewTransaction": "После того, как транзакция импортируется в ваш {device}, рассмотрите адрес назначения и сумму.", + "@psbtFlowReviewTransaction": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "arkTransactions": "операции", + "broadcastSignedTxCameraButton": "Камера", + "importQrDeviceJadeName": "Жадный блок", + "importWalletImportMnemonic": "Импорт Mnemonic", + "bip85NextMnemonic": "Следующий Mnemonic", + "bitboxErrorNoActiveConnection": "Нет активного подключения к устройству BitBox.", + "dcaFundAccountButton": "Фонд вашего счета", + "transactionFilterAll": "Все", + "arkSendTitle": "Отправить", + "recoverbullVaultRecovery": "Восстановление хранилища", + "transactionDetailLabelAmountReceived": "Полученная сумма", + "bitboxCubitOperationTimeout": "Операция была отложена. Попробуй еще раз.", + "receivePaymentReceived": "Получена оплата!", + "backupWalletHowToDecideVaultCloudSecurity": "Поставщики облачного хранилища, такие как Google или Apple, не будут иметь доступа к вашему биткойну, потому что пароль шифрования слишком силен. Они могут получить доступ к вашему биткойну только в маловероятном случае, если они столкнутся с ключевым сервером (интернет-сервис, который хранит ваш пароль шифрования). Если ключевой сервер когда-либо взломан, ваш биткойн может быть под угрозой с облаком Google или Apple.", + "howToDecideBackupText1": "Один из самых распространенных способов, которыми люди теряют свой биткойн, заключается в том, что они теряют физическую резервную копию. Любой, кто найдет вашу физическую поддержку, сможет взять весь ваш биткойн. Если вы очень уверены, что можете хорошо спрятать его и никогда его не потерять, это хороший вариант.", + "payOrderNotFound": "Заказ на оплату не был найден. Попробуй еще раз.", + "coldcardStep13": "Кошелек Bull Bitcoin попросит вас сканировать QR-код на Coldcard. Сканируйте.", + "psbtFlowIncreaseBrightness": "Увеличить яркость экрана на вашем устройстве", + "payCoinjoinCompleted": "CoinJoin завершен", + "electrumAddCustomServer": "Добавить пользовательский сервер", + "psbtFlowClickSign": "Нажмите кнопку", + "rbfSatsPerVbyte": "sats/vB", + "broadcastSignedTxDoneButton": "Дон", + "sendRecommendedFee": "Рекомендуемые: {rate}", + "@sendRecommendedFee": { + "placeholders": { + "rate": { + "type": "String" + } + } + }, + "mempoolCustomServerUrl": "Адрес сервера", + "buyOrderAlreadyConfirmedError": "Этот заказ уже подтвержден.", + "fundExchangeArsBankTransferTitle": "Банковский перевод", + "transactionLabelReceiveAmount": "Получить сумму", + "sendServerNetworkFees": "Фейсы сети сервера", + "importWatchOnlyImport": "Импорт", + "backupWalletBackupButton": "Назад", + "mempoolSettingsTitle": "Mempool Server", + "recoverbullErrorVaultCreationFailed": "Создание хранилища не удалось, это может быть файл или ключ", + "sellSendPaymentFeePriority": "Очередность", + "bitboxActionSignTransactionProcessing": "Подписание транзакции", + "sellWalletBalance": "Остаток: {amount}", + "@sellWalletBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "recoverbullGoogleDriveNoBackupsFound": "Никаких резервных копий не найдено", + "sellSelectNetwork": "Выберите сеть", + "sellSendPaymentOrderNumber": "Номер заказа", + "arkDust": "Dust", + "dcaConfirmPaymentMethod": "Метод оплаты", + "sellSendPaymentAdvanced": "Дополнительные настройки", + "bitcoinSettingsImportWalletTitle": "Импорт Wallet", + "backupWalletErrorGoogleDriveConnection": "Не удалось подключиться к Google Drive", + "payEnterInvoice": "Введите счет-фактуру", + "broadcastSignedTxPasteHint": "Вставить PSBT или транзакции HEX", + "transactionLabelAmountSent": "Высланная сумма", + "testBackupPassphrase": "Passphrase", + "arkSetupEnable": "Включить Арк", + "walletDeletionErrorDefaultWallet": "Невозможно удалить кошелек по умолчанию.", + "confirmTransferTitle": "Подтверждение передачи", + "payFeeBreakdown": "Разрыв", + "coreSwapsLnSendPaid": "Счет-фактура будет оплачен после получения подтверждения.", + "fundExchangeCrBankTransferDescription2": "... Средства будут добавлены в ваш баланс.", + "sellAmount": "Сумма Продажи", + "transactionLabelSwapStatus": "Статус шва", + "walletDeletionConfirmationCancelButton": "Отмена", + "ledgerErrorDeviceLocked": "Устройство Ledger заблокировано. Пожалуйста, откройте устройство и попробуйте еще раз.", + "importQrDeviceSeedsignerStep5": "Выберите «Single Sig», затем выберите предпочтительный тип скрипта (выбирайте Native Segwit, если не уверены).", + "recoverbullRecoveryErrorWalletMismatch": "Уже существует другой кошелек по умолчанию. Вы можете иметь только один кошелек по умолчанию.", + "payNoRecipientsFound": "Ни один получатель не смог заплатить.", + "payNoInvoiceData": "Данные счетов отсутствуют", + "recoverbullErrorInvalidCredentials": "Неверный пароль для этого архивного файла", + "paySinpeMonto": "Сумма", + "arkDurationSeconds": "{seconds} секунд", + "@arkDurationSeconds": { + "placeholders": { + "seconds": { + "type": "String" + } + } + }, + "receiveCopyOrScanAddressOnly": "Скопировать или сканировать только", + "transactionDetailAccelerate": "Ускорение", + "importQrDevicePassportStep11": "Введите этикетку для вашего паспортного кошелька и нажмите «Import»", + "fundExchangeJurisdictionCanada": "🇨🇦 Канада", + "withdrawBelowMinAmountError": "Вы пытаетесь уйти ниже минимальной суммы.", + "recoverbullTransactions": "Транзакции: {count}", + "@recoverbullTransactions": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "swapYouPay": "Вы платите", + "encryptedVaultTitle": "Зашифрованное хранилище", + "fundExchangeCrIbanUsdLabelIban": "Номер счета IBAN (только доллары США)", + "chooseAccessPinTitle": "Выберите доступ {pinOrPassword}", + "@chooseAccessPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importWalletSeedSigner": "SeedSigner", + "featureComingSoonTitle": "Особенность Скоро", + "swapProgressRefundInProgress": "Перенос средств", + "transactionDetailLabelPayjoinExpired": "Заключено", + "payBillerName": "Имя", + "transactionSwapProgressCompleted": "Завершено", + "sendErrorBitcoinWalletRequired": "Биткойн-кошелек должен использоваться для обмена биткойнами", + "pinCodeManageTitle": "Управляйте своей безопасностью PIN", + "buyConfirmBitcoinPrice": "Bitcoin Цена", + "arkUnifiedAddressCopied": "Единый адрес", + "transactionSwapDescLnSendCompleted": "Освещение было отправлено успешно! Теперь твой обмен завершен.", + "exchangeDcaCancelDialogCancelButton": "Отмена", + "sellOrderAlreadyConfirmedError": "Этот ордер на продажу уже подтвержден.", + "paySinpeEnviado": "СИНПЕ ЭНВИАДО!", + "withdrawConfirmPhone": "Телефон", + "payNoDetailsAvailable": "Подробности отсутствуют", + "allSeedViewOldWallets": "Old Wallets ({count})", + "@allSeedViewOldWallets": { + "placeholders": { + "count": { + "type": "int", + "format": "decimalPattern" + } + } + }, + "sellOrderPlaced": "Заказ выполнен успешно", + "buyInsufficientFundsError": "Недостаточные средства на вашем счете Bull Bitcoin для завершения этого заказа покупки.", + "ledgerHelpStep4": "Убедитесь, что вы установили последнюю версию приложения Bitcoin от Ledger Live.", + "recoverbullPleaseWait": "Подождите, пока мы установим безопасное соединение...", + "broadcastSignedTxBroadcast": "Broadcast", + "lastKnownEncryptedVault": "Last Known Encrypted {date}", + "@lastKnownEncryptedVault": { + "placeholders": { + "date": { + "type": "String", + "example": "2025-01-20 15:30:45" + } + } + }, + "fundExchangeInfoTransferCode": "Вы должны добавить код передачи как «сообщение» или «разум» при совершении платежа.", + "hwChooseDevice": "Выберите аппаратный кошелек, который вы хотели бы подключить", + "transactionListNoTransactions": "Пока никаких сделок.", + "torSettingsConnectionStatus": "Состояние подключения", + "backupInstruction1": "Если вы потеряете резервное копирование на 12 слов, вы не сможете восстановить доступ к Bitcoin Wallet.", + "sendErrorInvalidAddressOrInvoice": "Неверный адрес оплаты Bitcoin или счет", + "transactionLabelAmountReceived": "Полученная сумма", + "recoverbullRecoveryTitle": "Восстановление хранилища", + "broadcastSignedTxScanQR": "Сканировать QR-код из вашего аппаратного кошелька", + "transactionStatusTransferInProgress": "Перенос в прогресс", + "ledgerSuccessSignDescription": "Ваша сделка была успешно подписана.", + "exchangeSupportChatMessageRequired": "Требуется сообщение", + "buyEstimatedFeeValue": "Предполагаемая стоимость сбора", + "payName": "Имя", + "sendSignWithBitBox": "Знак с BitBox", + "sendSwapRefundInProgress": "Возвращение смыва в прогресс", + "exchangeKycLimited": "Limited", + "backupWalletHowToDecideVaultCustomRecommendationText": "вы уверены, что не потеряете файл хранилища, и он все равно будет доступен, если вы потеряете свой телефон.", + "swapErrorAmountBelowMinimum": "Сумма ниже минимальной суммы свопа: {min}", + "@swapErrorAmountBelowMinimum": { + "placeholders": { + "min": { + "type": "String" + } + } + }, + "settingsGithubLabel": "Github", + "sellTransactionFee": "Плата за операции", + "coldcardStep5": "Если у вас есть проблемы с сканированием:", + "buyExpressWithdrawal": "Экспресс-вывод", + "payPaymentConfirmed": "Оплата подтверждена", + "transactionOrderLabelOrderNumber": "Номер заказа", + "buyEnterAmount": "Введите сумму", + "sellShowQrCode": "Показать код QR", + "receiveConfirmed": "Подтверждено", + "walletOptionsWalletDetailsTitle": "Wallet Подробности", + "sellSecureBitcoinWallet": "Безопасный биткойн-кошелек", + "ledgerWalletTypeLegacy": "Legacy (BIP44)", + "transactionDetailTransferProgress": "Прогресс в области передачи", + "sendNormalFee": "Нормальный", + "importWalletConnectHardware": "Соедините аппаратное обеспечение", + "importWatchOnlyType": "Тип", + "transactionDetailLabelPayinAmount": "Сумма выплат", + "importWalletSectionHardware": "Аппаратные кошельки", + "connectHardwareWalletDescription": "Выберите аппаратный кошелек, который вы хотели бы подключить", + "sendEstimatedDelivery10Minutes": "10 минут", + "enterPinToContinueMessage": "Введите {pinOrPassword}", + "@enterPinToContinueMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "swapTransferFrom": "Перевод", + "errorSharingLogsMessage": "{error}", + "@errorSharingLogsMessage": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payShowQrCode": "Показать код QR", + "onboardingRecoverWalletButtonLabel": "Восстановление кошелька", + "torSettingsPortValidationEmpty": "Пожалуйста, введите номер порта", + "ledgerHelpStep1": "Перезапустите устройство Ledger.", + "swapAvailableBalance": "Имеющийся остаток", + "fundExchangeCrIbanCrcLabelPaymentDescription": "Описание оплаты", + "walletTypeWatchSigner": "Watch-Signer", + "settingsWalletBackupTitle": "Wallet Backup", + "ledgerConnectingSubtext": "Установление безопасного соединения...", + "transactionError": "Ошибка - {error}", + "@transactionError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "electrumPrivacyNoticeCancel": "Отмена", + "coreSwapsLnSendPending": "Свап еще не инициализирован.", + "recoverbullVaultCreatedSuccess": "Создание хранилища успешно", + "payAmount": "Сумма", + "sellMaximumAmount": "Максимальная сумма продажи: {amount}", + "@sellMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sellViewDetailsButton": "Дополнительные сведения", + "receiveGenerateInvoice": "Составление счета-фактуры", + "kruxStep8": " - Переместить красный лазер вверх и вниз по QR-коду", + "coreScreensFeeDeductionExplanation": "Это общая плата, вычтенная из суммы, отправленной", + "transactionSwapProgressInitiated": "Начало", + "fundExchangeTitle": "Финансирование", + "dcaNetworkValidationError": "Выберите сеть", + "coldcardStep12": "Нажмите «I'm done» в кошельке Bull Bitcoin.", + "autoswapAlwaysBlockDisabledInfo": "При отключении вам будет предоставлена возможность разрешить автотрансфер, который заблокирован из-за высоких сборов", + "bip85Index": "Индекс: {index}", + "@bip85Index": { + "placeholders": { + "index": { + "type": "int" + } + } + }, + "broadcastSignedTxPageTitle": "Трансляция подписанная сделка", + "sendInsufficientBalance": "Недостаточный баланс", + "paySecurityAnswer": "Ответ", + "walletArkInstantPayments": "Арк Мгновенные платежи", + "passwordLabel": "Пароль", + "importQrDeviceError": "Не удалось импортировать кошелек", + "onboardingSplashDescription": "Суверенная самоопека Bitcoin бумажник и сервис обмена только Bitcoin.", + "statusCheckOffline": "Оффлайн", + "fundExchangeCrIbanCrcDescriptionEnd": "... Средства будут добавлены в ваш баланс.", + "payAccount": "Счет", + "testBackupGoogleDrivePrivacyPart2": "не будет ", + "buyCompleteKyc": "Полный KYC", + "vaultSuccessfullyImported": "Ваше хранилище было успешно импортировано", + "payAccountNumberHint": "Номер счета", + "buyOrderNotFoundError": "Заказ на покупку не был найден. Попробуй еще раз.", + "backupWalletGoogleDrivePrivacyMessage2": "не будет ", + "payAddressRequired": "Требуется адрес", + "arkTransactionDetails": "Детали транзакций", + "payTotalAmount": "Общая сумма", + "exchangeLegacyTransactionsTitle": "Наследственные транзакции", + "autoswapWarningDontShowAgain": "Не повторяйте это предупреждение снова.", + "sellInsufficientBalance": "Недостаточный баланс кошелька", + "recoverWalletButton": "Recover Wallet", + "mempoolCustomServerDeleteMessage": "Вы уверены, что хотите удалить этот пользовательский сервер mempool? Вместо этого будет использоваться сервер по умолчанию.", + "coldcardStep6": " - Увеличить яркость экрана на вашем устройстве", + "exchangeAppSettingsValidationWarning": "Пожалуйста, установите как языковые, так и валютные предпочтения перед сохранением.", + "sellCashPickup": "Наличный пик", + "coreSwapsLnReceivePaid": "Отправитель заплатил счет.", + "payInProgress": "Payment In Progress!", + "recoverbullRecoveryErrorKeyDerivationFailed": "Вывод ключа из локального резервного копирования провалился.", + "swapValidationInsufficientBalance": "Недостаточный баланс", + "transactionLabelFromWallet": "Из кошелька", + "recoverbullErrorRateLimited": "Ставка ограничена. Пожалуйста, попробуйте еще раз в {retryIn}", + "@recoverbullErrorRateLimited": { + "placeholders": { + "retryIn": { + "type": "String" + } + } + }, + "importWatchOnlyExtendedPublicKey": "Расширенная общественность Ключ", + "autoswapAlwaysBlock": "Всегда блокируйте высокие тарифы", + "walletDeletionConfirmationTitle": "Удалить Wallet", + "sendNetworkFees": "Сетевые сборы", + "mempoolNetworkBitcoinMainnet": "Bitcoin Mainnet", + "paySinpeOrigen": "Происхождение", + "networkFeeLabel": "Network Fee", + "recoverbullMemorizeWarning": "Вы должны запомнить это {inputType}, чтобы восстановить доступ к своему кошельку. Должно быть не менее 6 цифр. Если вы потеряете это {inputType}, вы не можете восстановить свое резервное копирование.", + "@recoverbullMemorizeWarning": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "kruxStep15": "Сделка будет импортирована в кошельке Bull Bitcoin.", + "fundExchangeETransferLabelSecretQuestion": "Секретный вопрос", + "importColdcardButtonPurchase": "Устройство покупки", + "jadeStep15": "Теперь он готов к трансляции! Как только вы нажмете трансляцию, транзакция будет опубликована в сети Bitcoin и средства будут отправлены.", + "confirmButton": "Подтверждение", + "transactionSwapInfoClaimableTransfer": "Перенос будет завершен автоматически в течение нескольких секунд. Если нет, вы можете попробовать ручное утверждение, нажав на кнопку \"Заявка на перенос\".", + "payActualFee": "Фактические расходы", + "electrumValidateDomain": "Проверка домена", + "importQrDeviceJadeFirmwareWarning": "Убедитесь, что ваше устройство обновляется до последней прошивки", + "arkPreconfirmed": "Подтверждено", + "recoverbullSelectFileNotSelectedError": "Не выбран", + "arkDurationDay": "{days} день", + "@arkDurationDay": { + "placeholders": { + "days": { + "type": "String" + } + } + }, + "arkSendButton": "Отправить", + "buyInputContinue": "Продолжить", + "fundExchangeMethodSpeiTransferSubtitle": "Перенос средств с помощью вашего CLABE", + "importQrDeviceJadeStep3": "Следуйте инструкциям устройства, чтобы разблокировать Jade", + "paySecurityQuestionLengthError": "Должно быть 10-40 символов", + "sendSigningFailed": "Подписание не удалось", + "bitboxErrorDeviceNotPaired": "Устройство не в паре. Пожалуйста, сначала завершите процесс спаривания.", + "transferIdLabel": "ID передачи", + "paySelectActiveWallet": "Выберите кошелек", + "arkDurationHours": "{hours}", + "@arkDurationHours": { + "placeholders": { + "hours": { + "type": "String" + } + } + }, + "transcribeLabel": "Transcribe", + "pinCodeProcessing": "Обработка", + "transactionDetailLabelRefunded": "Рефинансирование", + "dcaFrequencyHourly": "час", + "swapValidationSelectFromWallet": "Пожалуйста, выберите кошелек для перевода из", + "sendSwapInitiated": "Свап Инициированный", + "backupSettingsKeyWarningMessage": "Крайне важно, чтобы вы не сохранили резервный ключ в том же месте, где вы сохраняете резервный файл. Всегда храните их на отдельных устройствах или отдельных облачных провайдерах.", + "recoverbullEnterToTest": "Пожалуйста, введите свой {inputType}, чтобы проверить ваше хранилище.", + "@recoverbullEnterToTest": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "fundExchangeCrBankTransferDescription1": "Отправка банковского перевода с вашего банковского счета с использованием данных ниже ", + "transactionNoteSaveButton": "Сохранить", + "fundExchangeHelpBeneficiaryName": "Используйте наше официальное фирменное имя. Не используйте «Bull Bitcoin».", + "payRecipientType": "Тип рецепта", + "sellOrderCompleted": "Заказ завершен!", + "importQrDeviceSpecterStep10": "Введите этикетку для вашего кошелька Specter и импорт крана", + "recoverbullSelectVaultSelected": "Выбранное хранилище", + "dcaWalletTypeBitcoin": "Bitcoin (BTC)", + "payNoPayments": "Пока нет платежей", + "onboardingEncryptedVault": "Зашифрованное хранилище", + "exchangeAccountInfoTitle": "Информация об учетной записи", + "exchangeDcaActivateTitle": "Активировать покупку", + "buyConfirmationTime": "Время подтверждения", + "encryptedVaultRecommendation": "Зашифрованное хранилище: ", + "payLightningInvoice": "Осветительный счет", + "transactionOrderLabelPayoutAmount": "Сумма выплат", + "recoverbullSelectEnterBackupKeyManually": "Введите ключ резервного копирования вручную >>", + "exportingVaultButton": "Экспорт...", + "payCoinjoinInProgress": "CoinJoin в процессе...", + "testBackupAllWordsSelected": "Вы выбрали все слова", + "ledgerProcessingImportSubtext": "Настройка кошелька только для часов...", + "digitalCopyLabel": "Цифровая копия", + "receiveNewAddress": "Новый адрес", + "arkAmount": "Сумма", + "fundExchangeWarningTactic7": "Они говорят вам не беспокоиться об этом предупреждении", + "importQrDeviceSpecterStep1": "Включите устройство Specter", + "transactionNoteAddTitle": "Добавление", + "paySecurityAnswerHint": "Введите ответ безопасности", + "bitboxActionImportWalletTitle": "Импорт кошелька BitBox", + "backupSettingsError": "Ошибка", + "exchangeFeatureCustomerSupport": "• Чат с поддержкой клиентов", + "sellPleasePayInvoice": "Пожалуйста, заплатите этот счет", + "fundExchangeMethodCanadaPost": "Наличные деньги или дебет в Canada Post", + "payInvoiceDecoded": "Счет-фактура успешно декодируется", + "coreScreensAmountLabel": "Сумма", + "receiveSwapId": "Идентификатор швапа", + "transactionLabelCompletedAt": "Завершено", + "pinCodeCreateTitle": "Создать новый значок", + "swapTransferRefundInProgressTitle": "Перенос средств", + "swapYouReceive": "Вы получите", + "recoverbullSelectCustomLocationProvider": "Пользовательское местоположение", + "electrumInvalidRetryError": "Invalid Retry Значение: {value}", + "@electrumInvalidRetryError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "paySelectNetwork": "Выберите сеть", + "informationWillNotLeave": "Эта информация ", + "backupWalletInstructionSecurityRisk": "Любой, кто имеет доступ к вашей 12-ти словах резервного копирования, может украсть ваши биткойны. Спрячься.", + "sellCadBalance": "CAD Баланс", + "doNotShareWarning": "НЕ С КЕМ БЫ ТО НИ БЫЛО", + "torSettingsPortNumber": "Номер порта", + "payNameHint": "Имя получателя", + "autoswapWarningTriggerAmount": "Сумма 0,02 BTC", + "legacySeedViewScreenTitle": "Наследные семена", + "recoverbullErrorCheckStatusFailed": "Не удалось проверить состояние хранилища", + "pleaseWaitFetching": "Подождите, пока мы заберем ваш архив.", + "backupWalletPhysicalBackupTag": "Неверный (примите свое время)", + "electrumReset": "Перезагрузка", + "payInsufficientBalanceError": "Недостаточный баланс в выбранном кошельке для выполнения этого платежного поручения.", + "backupCompletedTitle": "Закрытие завершено!", + "arkDate": "Дата", + "psbtFlowInstructions": "Инструкции", + "systemLabelExchangeSell": "Печать", + "sendHighFeeWarning": "Предупреждение", + "electrumStopGapNegativeError": "Stop Gap не может быть отрицательным", + "walletButtonSend": "Отправить", + "importColdcardInstructionsStep9": "Введите «Label» для вашего кошелька Coldcard Q и нажмите «Import»", + "bitboxScreenTroubleshootingStep1": "Убедитесь, что на вашем BitBox установлена последняя прошивка.", + "backupSettingsExportVault": "Экспортное хранилище", + "bitboxActionUnlockDeviceTitle": "Устройство BitBox", + "withdrawRecipientsNewTab": "Новый получатель", + "autoswapRecipientRequired": "*", + "exchangeLandingFeature4": "Отправить банковские переводы и оплатить счета", + "sellSendPaymentPayFromWallet": "Платить за кошелек", + "settingsServicesStatusTitle": "Статус", + "sellPriceWillRefreshIn": "Цена освежится ", + "labelDeleteFailed": "Невозможно удалить \"{label}. Попробуй еще раз.", + "@labelDeleteFailed": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "kruxStep16": "Теперь он готов к трансляции! Как только вы нажмете трансляцию, транзакция будет опубликована в сети Bitcoin и средства будут отправлены.", + "recoverbullRecoveryErrorVaultCorrupted": "Выбранный резервный файл поврежден.", + "buyVerifyIdentity": "Верификация", + "exchangeDcaCancelDialogConfirmButton": "Да, деактивация", + "electrumServerUrlHint": "{network} {environment}", + "@electrumServerUrlHint": { + "placeholders": { + "network": { + "type": "String" + }, + "environment": { + "type": "String" + } + } + }, + "payEmailHint": "Адрес электронной почты", + "backupWalletGoogleDrivePermissionWarning": "Google попросит вас поделиться личной информацией с этим приложением.", + "bitboxScreenVerifyAddressSubtext": "Сравните этот адрес с вашим экраном BitBox02", + "importQrDeviceSeedsignerStep9": "Введите этикетку для вашего кошелька SeedSigner и импорт крана", + "testCompletedSuccessMessage": "Вы можете восстановить доступ к потерянному кошельку Bitcoin", + "importWatchOnlyScanQR": "Scan QR", + "walletBalanceUnconfirmedIncoming": "Прогресс", + "selectAmountTitle": "Выберите сумму", + "buyYouBought": "Вы купили {amount}", + "@buyYouBought": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "routeErrorMessage": "Страница не найдена", + "connectHardwareWalletPassport": "Паспорт", + "autoswapTriggerBalanceError": "Треггерный баланс должен быть не менее 2x базового баланса", + "receiveEnterHere": "Входите сюда...", + "receiveNetworkFee": "Network Fee", + "payLiquidFee": "Жидкий корм", + "fundExchangeSepaTitle": "SEPA transfer", + "autoswapLoadSettingsError": "Не удалось загрузить настройки автоматического обмена", + "durationSeconds": "{seconds} секунд", + "@durationSeconds": { + "placeholders": { + "seconds": { + "type": "String" + } + } + }, + "broadcastSignedTxReviewTransaction": "Обзорная сделка", + "walletArkExperimental": "Экспериментальный", + "importQrDeviceKeystoneStep5": "Выберите вариант кошелька BULL", + "electrumLoadFailedError": "Не удалось загрузить серверы {reason}", + "@electrumLoadFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "ledgerVerifyAddressLabel": "Адрес для проверки:", + "buyAccelerateTransaction": "Ускорение связи", + "backupSettingsTested": "Испытываемые", + "receiveLiquidConfirmationMessage": "Это будет подтверждено через несколько секунд", + "jadeStep1": "Вход на устройство Jade", + "recoverbullSelectDriveBackups": "Привод", + "exchangeAuthOk": "ХОРОШО", + "settingsSecurityPinTitle": "Блок безопасности", + "testBackupErrorFailedToFetch": "{error}", + "@testBackupErrorFailedToFetch": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "arkDurationMinute": "{minutes}", + "@arkDurationMinute": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "psbtFlowTroubleScanningTitle": "Если у вас есть проблемы с сканированием:", + "arkReceiveUnifiedCopied": "Единый адрес", + "importQrDeviceJadeStep9": "Сканируйте QR-код, который вы видите на своем устройстве.", + "transactionDetailLabelPayjoinCompleted": "Завершено", + "sellArsBalance": "Баланс ARS", + "fundExchangeCanadaPostStep1": "1. Перейти в любую точку Канады", + "exchangeKycLight": "Свет", + "seedsignerInstructionsTitle": "Инструкции для SeedSigner", + "exchangeAmountInputValidationEmpty": "Пожалуйста, введите сумму", + "bitboxActionPairDeviceProcessingSubtext": "Пожалуйста, проверьте код парирования на вашем устройстве BitBox...", + "recoverbullKeyServer": "Ключевой сервер ", + "recoverbullPasswordTooCommon": "Этот пароль слишком распространен. Выберите другой", + "backupInstruction3": "Любой, кто имеет доступ к вашей 12-ти словах резервного копирования, может украсть ваши биткойны. Спрячься.", + "arkRedeemButton": "Redeem", + "fundExchangeLabelBeneficiaryAddress": "Адрес бенефициаров", + "testBackupVerify": "Проверка", + "transactionDetailLabelCreatedAt": "Создано", + "fundExchangeJurisdictionArgentina": "🇦🇷 Аргентина", + "walletNetworkBitcoin": "Bitcoin Network", + "electrumAdvancedOptions": "Дополнительные параметры", + "autoswapWarningCardSubtitle": "Свопа будет срабатывать, если ваш баланс Instant Payments превысит 0,02 BTC.", + "transactionStatusConfirmed": "Подтверждено", + "dcaFrequencyDaily": "день", + "transactionLabelSendAmount": "Отправить", + "testedStatus": "Испытываемые", + "fundExchangeWarningTactic6": "Они хотят, чтобы вы делились своим экраном", + "buyYouReceive": "Вы получите", + "payFilterPayments": "Фильтровые платежи", + "electrumCancel": "Отмена", + "exchangeFileUploadButton": "Загрузка", + "payCopied": "Копировал!", + "transactionLabelReceiveNetworkFee": "Получение сетевой платы", + "bitboxScreenTroubleshootingTitle": "BitBox02", + "broadcastSignedTxPushTxButton": "PushTx", + "fundExchangeCrIbanUsdDescriptionBold": "точно", + "fundExchangeSelectCountry": "Выберите свою страну и способ оплаты", + "fundExchangeCostaRicaMethodSinpeSubtitle": "Трансфер Колонны с помощью SINPE", + "kruxStep2": "Нажмите кнопку", + "fundExchangeArsBankTransferDescription": "Отправьте банковский перевод с вашего банковского счета, используя точные банковские данные Аргентины ниже.", + "importWatchOnlyFingerprint": "Fingerprint", + "exchangeBitcoinWalletsEnterAddressHint": "Введите адрес", + "dcaViewSettings": "Параметры просмотра", + "withdrawAmountContinue": "Продолжить", + "allSeedViewSecurityWarningMessage": "Отображение семенных фраз - это риск безопасности. Любой, кто видит вашу семенную фразу, может получить доступ к вашим средствам. Убедитесь, что вы находитесь в частном месте и что никто не может увидеть ваш экран.", + "walletNetworkBitcoinTestnet": "Bitcoin Testnet", + "recoverbullSeeMoreVaults": "Смотрите больше сводов", + "sellPayFromWallet": "Платить за кошелек", + "pinProtectionDescription": "Ваш PIN защищает доступ к вашему кошельку и настройкам. Не забывай об этом.", + "kruxStep5": "Сканировать код QR, показанный в кошельке Bull", + "backupSettingsLabelsButton": "Этикетки", + "payMediumPriority": "Средний", + "payWhichWalletQuestion": "От какого кошелька вы хотите заплатить?", + "dcaHideSettings": "Настройки вызова", + "exchangeDcaCancelDialogMessage": "Ваш повторяющийся план покупки Bitcoin прекратится, и запланированные покупки закончатся. Чтобы перезапустить, вам нужно будет настроить новый план.", + "transactionSwapDescChainExpired": "Этот перевод истек. Ваши средства будут автоматически возвращены в ваш кошелек.", + "payValidating": "Доказательство...", + "sendDone": "Дон", + "exchangeBitcoinWalletsTitle": "По умолчанию Bitcoin Wallets", + "importColdcardInstructionsStep1": "Войдите в устройство Coldcard Q", + "transactionLabelSwapStatusRefunded": "Рефинансирование", + "receiveLightningInvoice": "Счет-фактура", + "pinCodeContinue": "Продолжить", + "payInvoiceTitle": "Платные счета", + "swapProgressGoHome": "Иди домой", + "replaceByFeeSatsVbUnit": "sats/vB", + "fundExchangeCrIbanUsdDescription": "Отправка банковского перевода с вашего банковского счета с использованием данных ниже ", + "coreScreensSendAmountLabel": "Отправить", + "backupSettingsRecoverBullSettings": "Recoverbull", + "fundExchangeLabelBankAddress": "Адрес нашего банка", + "exchangeDcaAddressLabelLiquid": "Жидкий адрес", + "backupWalletGoogleDrivePrivacyMessage5": "поделился с Bull Bitcoin.", + "settingsDevModeUnderstandButton": "Я понимаю", + "recoverbullSelectQuickAndEasy": "Quick & easy", + "exchangeFileUploadTitle": "Загрузка файла", + "backupWalletHowToDecideBackupPhysicalRecommendationText": "Вы уверены в своих собственных возможностях операционной безопасности, чтобы скрыть и сохранить ваши семенные слова Bitcoin.", + "bitboxCubitHandshakeFailed": "Не удалось установить безопасное соединение. Попробуй еще раз.", + "sendErrorAmountAboveSwapLimits": "Сумма выше лимитов на свопы", + "backupWalletHowToDecideBackupEncryptedVault": "Зашифрованное хранилище предотвращает вас от воров, стремящихся украсть вашу резервную копию. Это также мешает вам случайно потерять резервную копию, поскольку она будет храниться в вашем облаке. Поставщики облачного хранилища, такие как Google или Apple, не будут иметь доступа к вашему биткойну, потому что пароль шифрования слишком силен. Существует небольшая вероятность того, что веб-сервер, который хранит ключ шифрования вашего резервного копирования, может быть скомпрометирован. В этом случае безопасность резервного копирования в вашем облачном аккаунте может быть под угрозой.", + "coreSwapsChainCompletedRefunded": "Перевод был возвращен.", + "payClabeHint": "Введите номер CLABE", + "fundExchangeLabelBankCountry": "Страна", + "seedsignerStep11": "Нажмите «I'm done» в кошельке Bull Bitcoin.", + "transactionDetailLabelPayjoinStatus": "Статус Payjoin", + "fundExchangeBankTransferSubtitle": "Отправить банковский перевод с вашего банковского счета", + "recoverbullErrorInvalidVaultFile": "Неверный файл хранилища.", + "sellProcessingOrder": "Порядок обработки...", + "sellUpdatingRate": "Повышение обменного курса...", + "importQrDeviceKeystoneStep6": "На вашем мобильном устройстве нажмите Open Camera", + "bip85Hex": "HEX", + "testYourWalletTitle": "Проверьте свой кошелек", + "storeItSafelyMessage": "Храни его где-нибудь в безопасности.", + "receiveLightningNetwork": "Освещение", + "receiveVerifyAddressError": "Невозможно проверить адрес: Пропущенный кошелек или адресная информация", + "arkForfeitAddress": "Forfeit address", + "swapTransferRefundedTitle": "Перевод", + "bitboxErrorConnectionFailed": "Не удалось подключиться к устройству BitBox. Пожалуйста, проверьте ваше соединение.", + "exchangeFileUploadDocumentTitle": "Загрузить любой документ", + "dcaInsufficientBalanceDescription": "У вас нет достаточного баланса для создания этого порядка.", + "pinButtonContinue": "Продолжить", + "importColdcardSuccess": "Холодный бумажник импортный", + "withdrawUnauthenticatedError": "Вы не проверены. Пожалуйста, зайдите, чтобы продолжить.", + "sellBitcoinAmount": "Bitcoin сумма", + "recoverbullTestCompletedTitle": "Тест завершен успешно!", + "arkBtcAddress": "Адрес BTC", + "transactionFilterReceive": "Получить", + "recoverbullErrorInvalidFlow": "Неверный поток", + "exchangeDcaFrequencyDay": "день", + "payBumpFee": "Bump Fee", + "arkCancelButton": "Отмена", + "bitboxActionImportWalletProcessingSubtext": "Настройка кошелька только для часов...", + "psbtFlowDone": "Я закончил", + "exchangeHomeDepositButton": "Депозит", + "testBackupRecoverWallet": "Recover Wallet", + "fundExchangeMethodSinpeTransferSubtitle": "Трансфер Колонны с помощью SINPE", + "arkInstantPayments": "Ark Instant Payments", + "sendEstimatedDelivery": "Предполагаемая доставка ~ ", + "fundExchangeMethodOnlineBillPayment": "Оплата онлайн-билей", + "coreScreensTransferIdLabel": "ID передачи", + "anErrorOccurred": "Произошла ошибка", + "howToDecideBackupText2": "Зашифрованное хранилище предотвращает вас от воров, стремящихся украсть вашу резервную копию. Это также мешает вам случайно потерять резервную копию, поскольку она будет храниться в вашем облаке. Поставщики облачного хранилища, такие как Google или Apple, не будут иметь доступа к вашему биткойну, потому что пароль шифрования слишком силен. Существует небольшая вероятность того, что веб-сервер, который хранит ключ шифрования вашего резервного копирования, может быть скомпрометирован. В этом случае безопасность резервного копирования в вашем облачном аккаунте может быть под угрозой.", + "sellIBAN": "IBAN", + "allSeedViewPassphraseLabel": "Пасфаза:", + "dcaBuyingMessage": "Вы покупаете {amount} каждый {frequency} через {network}, если на вашем счете есть средства.", + "@dcaBuyingMessage": { + "placeholders": { + "amount": { + "type": "String" + }, + "frequency": { + "type": "String" + }, + "network": { + "type": "String" + } + } + }, + "exchangeCurrencyDropdownValidation": "Пожалуйста, выберите валюту", + "withdrawConfirmTitle": "Подтвердить вывод", + "importQrDeviceSpecterStep3": "Введите свое семя / ключ (коше, что когда-либо подходит вам вариант)", + "payPayeeAccountNumber": "Номер счета", + "importMnemonicBalanceLabel": "Остаток: {amount}", + "@importMnemonicBalanceLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "transactionSwapProgressInProgress": "Прогресс", + "fundExchangeWarningConfirmation": "Я подтверждаю, что меня не просят купить биткойн кем-то еще.", + "recoverbullSelectCustomLocationError": "Не удалось выбрать файл из пользовательского местоположения", + "mempoolCustomServerDeleteTitle": "Удалить пользовательский сервер?", + "confirmSendTitle": "Добавить", + "buyKYCLevel1": "Уровень 1 - базовый", + "sendErrorAmountAboveMaximum": "Сумма выше максимального предела свопа: {maxLimit}", + "@sendErrorAmountAboveMaximum": { + "placeholders": { + "maxLimit": { + "type": "String" + } + } + }, + "coreSwapsLnSendCompletedSuccess": "Свап успешно завершен.", + "importColdcardScanning": "Сканирование...", + "transactionLabelTransferFee": "Перенос", + "visitRecoverBullMessage": "Посетите Recoverybull.com для получения дополнительной информации.", + "payMyFiatRecipients": "Мои получатели фиат", + "exchangeLandingFeature1": "Купить биткойн прямо к самообладанию", + "bitboxCubitPermissionDenied": "Разрешение USB отрицается. Пожалуйста, дайте разрешение на доступ к вашему устройству BitBox.", + "swapTransferTo": "Перевод на", + "testBackupPinMessage": "Тест, чтобы убедиться, что вы помните свою резервную копию {pinOrPassword}", + "@testBackupPinMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "bitcoinSettingsMempoolServerTitle": "Параметры сервера Mempool", + "transactionSwapDescLnReceiveDefault": "Ваш обмен идет. Этот процесс автоматизирован и может занять некоторое время для завершения.", + "selectCoinsManuallyLabel": "Выбрать монеты вручную", + "psbtFlowSeedSignerTitle": "Инструкции для SeedSigner", + "appUnlockAttemptSingular": "неудачная попытка", + "importQrDevicePassportStep2": "Введите PIN", + "transactionOrderLabelPayoutMethod": "Метод выплаты", + "buyShouldBuyAtLeast": "Вы должны купить хотя бы", + "pinCodeCreateDescription": "Ваш PIN защищает доступ к вашему кошельку и настройкам. Не забывай об этом.", + "payCorporate": "Корпоративный", + "recoverbullErrorRecoveryFailed": "Не удалось восстановить хранилище", + "buyMax": "Макс", + "onboardingCreateNewWallet": "Создать новый кошелек", + "buyExpressWithdrawalDesc": "Получить биткойн сразу после оплаты", + "backupIdLabel": "ИД:", + "sellBalanceWillBeCredited": "Ваш баланс счета будет зачислен после того, как ваша транзакция получит 1 подтверждение onchain.", + "payExchangeRate": "Обменный курс", + "startBackupButton": "Запуск", + "buyInputTitle": "Купить Bitcoin", + "arkSendRecipientTitle": "Отправить на прием", + "importMnemonicImport": "Импорт", + "recoverbullPasswordTooShort": "Пароль должен быть как минимум 6 символов длиной", + "arkAddressPlaceholder": "ark1qp9wsjfpsj5v5ex022v6..", + "payNetwork": "Сеть", + "sendBuildFailed": "Не удалось построить сделку", + "paySwapFee": "Свап-фут", + "exchangeAccountSettingsTitle": "Параметры валютного счета", + "arkBoardingConfirmed": "Подтверждено", + "broadcastSignedTxTitle": "Трансляция", + "backupWalletVaultProviderTakeYourTime": "Возьми время", + "arkSettleIncludeRecoverable": "Включить восстановленные vtxos", + "ledgerWalletTypeSegwitDescription": "Native SegWit - рекомендуемый", + "exchangeAccountInfoFirstNameLabel": "Имя", + "payPaymentFailed": "Неуплата", + "sendRefundProcessed": "Ваш возврат был обработан.", + "exchangeKycCardSubtitle": "Удаление лимитов транзакций", + "importColdcardInvalidQR": "Неверный код Coldcard QR", + "testBackupTranscribe": "Transcribe", + "sendUnconfirmed": "Неподтвержденные", + "testBackupRetrieveVaultDescription": "Тест, чтобы убедиться, что вы можете получить зашифрованное хранилище.", + "fundExchangeLabelCvu": "CVU", + "electrumStopGap": "Остановите Гэп", + "payBroadcastingTransaction": "Трансляция...", + "bip329LabelsImportButton": "Импорт этикеток", + "fiatCurrencySettingsLabel": "Fiat валюта", + "arkStatusConfirmed": "Подтверждено", + "withdrawConfirmAmount": "Сумма", + "transactionSwapDoNotUninstall": "Не удаляйте приложение до завершения обмена.", + "payDefaultCommentHint": "Введите комментарий по умолчанию", + "labelErrorSystemCannotDelete": "Системные этикетки нельзя удалить.", + "copyDialogButton": "Копировать", + "bitboxActionImportWalletProcessing": "Импорт кошелька", + "swapConfirmTransferTitle": "Подтверждение передачи", + "payTransitNumberHint": "Введите номер транзита", + "recoverbullSwitchToPIN": "Выберите PIN вместо", + "payQrCode": "Код QR", + "exchangeAccountInfoVerificationLevelLabel": "Уровень проверки", + "walletDetailsDerivationPathLabel": "Путь вывода", + "exchangeBitcoinWalletsBitcoinAddressLabel": "Bitcoin Адрес", + "transactionDetailLabelExchangeRate": "Обменный курс", + "electrumServerOffline": "Оффлайн", + "sendTransferFee": "Перенос", + "fundExchangeLabelIbanCrcOnly": "Номер счета IBAN (только для Колонцев)", + "arkServerPubkey": "Server pubkey", + "testBackupPhysicalBackupDescription": "Запишите 12 слов на бумаге. Держите их в безопасности и убедитесь, что не потерять их.", + "sendInitiatingSwap": "Начало обмена...", + "sellLightningNetwork": "Сеть освещения", + "buySelectWallet": "Выберите кошелек", + "testBackupErrorIncorrectOrder": "Неправильный порядок слов. Попробуй еще раз.", + "importColdcardInstructionsStep6": "Выберите «Bull Bitcoin» в качестве варианта экспорта", + "swapValidationSelectToWallet": "Пожалуйста, выберите кошелек для перевода", + "receiveWaitForSenderToFinish": "Ожидайте, что отправитель завершит сделку payjoin", + "arkSetupTitle": "Настройка ковчега", + "seedsignerStep3": "Сканировать код QR, показанный в кошельке Bull", + "sellErrorLoadUtxos": "Не удалось загрузить UTXO: {error}", + "@sellErrorLoadUtxos": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "payDecodingInvoice": "Удаление счета-фактуры...", + "importColdcardInstructionsStep5": "Выберите \"Export Wallet\"", + "electrumStopGapTooHighError": "Стоп Гэп кажется слишком высоким. {maxStopGap}", + "@electrumStopGapTooHighError": { + "placeholders": { + "maxStopGap": { + "type": "String" + } + } + }, + "electrumTimeoutTooHighError": "Таймаут кажется слишком высоким. (Макс: {maxTimeout} секунд)", + "@electrumTimeoutTooHighError": { + "placeholders": { + "maxTimeout": { + "type": "String" + } + } + }, + "sellInstantPayments": "Мгновенные платежи", + "priceChartFetchingHistory": "Получение истории цен...", + "sellDone": "Дон", + "payFromWallet": "От Wallet", + "dcaConfirmRecurringBuyTitle": "Подтверждение Купить", + "transactionSwapBitcoinToLiquid": "BTC → L-BTC", + "sellBankDetails": "Банковские данные", + "pinStatusCheckingDescription": "Проверка состояния PIN", + "coreScreensConfirmButton": "Подтверждение", + "passportStep6": " - Переместить красный лазер вверх и вниз по QR-коду", + "importQrDeviceSpecterStep8": "На вашем мобильном устройстве нажмите Open Camera", + "sellSendPaymentContinue": "Продолжить", + "coreSwapsStatusPending": "Завершение", + "electrumDragToReorder": "(Долгая пресса, чтобы перетащить и изменить приоритет)", + "keystoneStep4": "Если у вас есть проблемы с сканированием:", + "autoswapTriggerAtBalanceInfoText": "Autoswap запускает, когда ваш баланс будет выше этой суммы.", + "exchangeLandingDisclaimerNotAvailable": "Услуги по обмену криптовалютами недоступны в мобильном приложении Bull Bitcoin.", + "sendCustomFeeRate": "Пользовательские ставки", + "ledgerHelpTitle": "Устранение неполадок", + "swapErrorAmountExceedsMaximum": "Сумма превышает максимальную сумму свопа", + "transactionLabelTotalSwapFees": "Итого, сборы за суспение", + "errorLabel": "Ошибка", + "receiveInsufficientInboundLiquidity": "Недостаточная пропускная способность", + "withdrawRecipientsMyTab": "Мои получатели фиат", + "sendFeeRateTooLow": "Слишком низкий уровень", + "payLastNameHint": "Введите имя", + "exchangeLandingRestriction": "Доступ к услугам обмена будет ограничен странами, где Bull Bitcoin может легально работать и может потребовать KYC.", + "payFailedPayments": "Не удалось", + "transactionDetailLabelToWallet": "Кошелек", + "fundExchangeLabelRecipientName": "Имя получателя", + "arkToday": "Сегодня", + "importQrDeviceJadeStep2": "Выберите «QR Mode» из основного меню", + "rbfErrorAlreadyConfirmed": "Первоначальная сделка подтверждена", + "psbtFlowMoveBack": "Попробуйте переместить устройство назад немного", + "exchangeReferralsContactSupportMessage": "Контактная поддержка, чтобы узнать о нашей реферальной программе", + "sellSendPaymentEurBalance": "EUR Баланс", + "exchangeAccountTitle": "Обменный счет", + "swapProgressCompleted": "Завершение перевода", + "keystoneStep2": "Нажмите кнопку Сканировать", + "sendContinue": "Продолжить", + "transactionDetailRetrySwap": "Retry Swap {action}", + "@transactionDetailRetrySwap": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "sendErrorSwapCreationFailed": "Не удалось создать свопы.", + "arkNoBalanceData": "Данные о балансе отсутствуют", + "autoswapWarningCardTitle": "Autoswap включен.", + "coreSwapsChainCompletedSuccess": "Передача завершена успешно.", + "physicalBackupRecommendation": "Физическая поддержка: ", + "autoswapMaxBalance": "Макс Мгновенный баланс", + "importQrDeviceImport": "Импорт", + "importQrDeviceScanPrompt": "Сканировать QR-код из вашего {deviceName}", + "@importQrDeviceScanPrompt": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "fundExchangeCostaRicaMethodSinpeTitle": "SINPE Móvil", + "sellBitcoinOnChain": "Bitcoin на цепочке", + "fundExchangeLabelCedulaJuridica": "Cédula Jurídica", + "exchangeRecipientsComingSoon": "Реципиенты - Скоро", + "ledgerWalletTypeLabel": "Тип кошелька:", + "bip85ExperimentalWarning": "Экспериментальный\nЗаверните свои пути вывода вручную", + "addressViewBalance": "Баланс", + "recoverbullLookingForBalance": "Поиск баланса и сделок..", + "recoverbullSelectNoBackupsFound": "Никаких резервных копий не найдено", + "importMnemonicNestedSegwit": "Nested Segwit", + "sendReplaceByFeeActivated": "Замена по фе активирована", + "psbtFlowScanQrOption": "Выберите опцию \"Scan QR\"", + "coreSwapsLnReceiveFailed": "Неудачно.", + "fundExchangeCostaRicaMethodIbanUsdSubtitle": "Перевод средств в долларах США (USD)", + "transactionDetailLabelPayinStatus": "Статус оплаты", + "importQrDeviceSpecterStep9": "Сканировать QR-код, отображаемый на вашем Specter", + "settingsRecoverbullTitle": "Recoverbull", + "buyInputKycPending": "Проверка идентификации KYC", + "importWatchOnlySelectDerivation": "Выбрать", + "walletAddressTypeLegacy": "Наследие", + "hwPassport": "Паспорт", + "electrumInvalidStopGapError": "Неверный стоп Значение разрыва: {value}", + "@electrumInvalidStopGapError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "dcaFrequencyWeekly": "неделя", + "fundExchangeMethodRegularSepaSubtitle": "Только для более крупных транзакций выше €20,000", + "settingsTelegramLabel": "Telegram", + "walletDetailsSignerDeviceNotSupported": "Не поддерживается", + "exchangeLandingDisclaimerLegal": "Доступ к услугам обмена будет ограничен странами, где Bull Bitcoin может легально работать и может потребовать KYC.", + "backupWalletEncryptedVaultTitle": "Зашифрованное хранилище", + "mempoolNetworkLiquidMainnet": "Жидкий Mainnet", + "sellFromAnotherWallet": "Продавать еще один биткойн-кошелек", + "automaticallyFetchKeyButton": ">>", + "importColdcardButtonOpenCamera": "Откройте камеру", + "recoverbullReenterRequired": "(X14X)", + "@recoverbullReenterRequired": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "payFeePriority": "Очередность", + "buyInsufficientBalanceDescription": "У вас нет достаточного баланса для создания этого порядка.", + "sendSelectNetworkFee": "Выберите сетевой сбор", + "exchangeDcaFrequencyWeek": "неделя", + "keystoneStep6": " - Переместить красный лазер вверх и вниз по QR-коду", + "walletDeletionErrorGeneric": "Не удалось удалить кошелек, попробуйте еще раз.", + "fundExchangeLabelTransferCode": "Код передачи (добавьте это как описание оплаты)", + "sellNoInvoiceData": "Данные счетов отсутствуют", + "ledgerInstructionsIos": "Убедитесь, что ваш Ledger разблокирован с открытым приложением Bitcoin и включенным Bluetooth.", + "replaceByFeeScreenTitle": "Заменить:", + "arkReceiveCopyAddress": "Копировать адрес", + "testBackupErrorWriteFailed": "Написать на хранение не удалось: {error}", + "@testBackupErrorWriteFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaNetworkLightning": "Сеть освещения", + "sendType": "Тип: ", + "buyBitcoinAddressHint": "BC1QYL7J673H...6Y6ALV70M0", + "exchangeHomeWithdrawButton": "Выделить", + "transactionListOngoingTransfersTitle": "Текущие переводы", + "arkSendAmountTitle": "Введите сумму", + "addressViewAddress": "Адрес", + "payOnChainFee": "On-Chain Fee", + "arkReceiveUnifiedAddress": "Единый адрес (BIP21)", + "sellHowToPayInvoice": "Как вы хотите заплатить этот счет?", + "payUseCoinjoin": "Использовать CoinJoin", + "autoswapWarningExplanation": "Когда ваш баланс превышает количество триггера, своп будет срабатывать. Базовая сумма будет храниться в вашем кошельке Instant Payments, а оставшаяся сумма будет заменена на ваш безопасный Bitcoin Wallet.", + "recoverbullVaultRecoveryTitle": "Восстановление хранилища", + "passportStep14": "Теперь он готов к трансляции! Как только вы нажмете трансляцию, транзакция будет опубликована в сети Bitcoin и средства будут отправлены.", + "settingsCurrencyTitle": "Валюта", + "transactionSwapDescChainClaimable": "Сделка блокировки подтверждена. Теперь вы претендуете на средства для завершения вашего перевода.", + "sendSwapDetails": "Скачайте детали", + "onboardingPhysicalBackupDescription": "Восстановите свой кошелек через 12 слов.", + "psbtFlowSelectSeed": "Как только транзакция импортируется в ваш {device}, вы должны выбрать семя, с которым вы хотите подписать.", + "@psbtFlowSelectSeed": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "pinStatusLoading": "Загрузка", + "payTitle": "Оплата", + "buyInputKycMessage": "Вы должны сначала завершить проверку личности", + "ledgerSuccessAddressVerified": "Адрес проверен успешно!", + "fundExchangeCrIbanUsdLabelCedulaJuridica": "Cédula Jurídica", + "arkSettleDescription": "Завершение незавершенных операций и включение в них в случае необходимости восстановимых vtxo", + "backupWalletHowToDecideVaultCustomRecommendation": "Настраиваемое расположение: ", + "arkSendSuccessMessage": "Ваша сделка с Ковчеком была успешной!", + "sendSats": "сидение", + "electrumInvalidTimeoutError": "Невероятная величина Timeout: {value}", + "@electrumInvalidTimeoutError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "exchangeKycLevelLimited": "Limited", + "withdrawConfirmEmail": "Email", + "buyNetworkFees": "Сетевые сборы", + "coldcardStep7": " - Переместить красный лазер вверх и вниз по QR-коду", + "transactionSwapDescChainRefundable": "Перевод будет возвращен. Ваши средства будут возвращены в ваш кошелек автоматически.", + "sendPaymentWillTakeTime": "Оплата займет время", + "fundExchangeSpeiTitle": "Перевод SPEI", + "receivePaymentNormally": "Получение платежа обычно", + "kruxStep10": "Как только транзакция будет импортирована в вашем Krux, рассмотрите адрес назначения и сумму.", + "bitboxErrorHandshakeFailed": "Не удалось установить безопасное соединение. Попробуй еще раз.", + "sellKYCRequired": "Требуется проверка КИК", + "coldcardStep8": " - Попробуйте переместить устройство назад", + "bitboxScreenDefaultWalletLabel": "BitBox Wallet", + "replaceByFeeBroadcastButton": "Broadcast", + "swapExternalTransferLabel": "Внешняя передача", + "transactionPayjoinNoProposal": "Не получив предложение от получателя?", + "importQrDevicePassportStep4": "Выберите \"Connect Wallet\"", + "payAddRecipient": "Добавить получателя", + "recoverbullVaultImportedSuccess": "Ваше хранилище было успешно импортировано", + "backupKeySeparationWarning": "Крайне важно, чтобы вы не сохранили резервный ключ в том же месте, где вы сохраняете резервный файл. Всегда храните их на отдельных устройствах или отдельных облачных провайдерах.", + "coreSwapsStatusInProgress": "Прогресс", + "confirmAccessPinTitle": "Подтвердить доступ {pinOrPassword}", + "@confirmAccessPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "sellErrorUnexpectedOrderType": "Ожидаемый SellOrder, но получил другой тип заказа", + "pinCreateHeadline": "Создать новый значок", + "transactionSwapProgressConfirmed": "Подтверждено", + "sellRoutingNumber": "Номер маршрутизации", + "sellDailyLimitReached": "Ежедневный лимит продаж", + "requiredHint": "Требуемые", + "arkUnilateralExitDelay": "Односторонняя задержка выхода", + "arkStatusPending": "Завершение", + "importWatchOnlyXpub": "xpub", + "dcaInsufficientBalanceTitle": "Недостаточный баланс", + "arkType": "Тип", + "backupImportanceMessage": "Без резервного копирования вы в конечном итоге потеряете доступ к своим деньгам. Крайне важно сделать резервную копию.", + "testBackupGoogleDrivePermission": "Google попросит вас поделиться личной информацией с этим приложением.", + "testnetModeSettingsLabel": "Режим работы", + "testBackupErrorUnexpectedSuccess": "Неожиданный успех: резервное копирование должно соответствовать существующему кошельку", + "coreScreensReceiveAmountLabel": "Получить сумму", + "payAllTypes": "Все типы", + "systemLabelPayjoin": "Payjoin", + "onboardingScreenTitle": "Добро пожаловать", + "pinCodeConfirmTitle": "Подтвердить новый значок", + "arkSetupExperimentalWarning": "Ковчег все еще экспериментальный.\n\nВаш кошелек Арк происходит от семенной фразы вашего основного кошелька. Никакой дополнительной резервной копии не требуется, ваша существующая резервная копия кошелька также восстанавливает ваши средства Ark.\n\nПродолжая, вы признаете экспериментальный характер Ковчега и риск потери средств.\n\nЗаметка разработчика: Секрет Арка происходит от основного семени кошелька с использованием произвольного выведения BIP-85 (индекс 11811).", + "keyServerLabel": "Ключевой сервер ", + "recoverbullEnterToView": "Пожалуйста, введите свой {inputType} для просмотра ключа хранилища.", + "@recoverbullEnterToView": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "payReviewPayment": "Оплата", + "electrumBitcoinSslInfo": "Если протокол не указан, ssl будет использоваться по умолчанию.", + "transactionTitle": "Операции", + "sellQrCode": "Код QR", + "walletOptionsUnnamedWalletFallback": "Неназванный кошелек", + "fundExchangeRegularSepaInfo": "Использовать только для транзакций выше €20 000. Для небольших транзакций используйте опцию Instant SEPA.", + "fundExchangeDoneButton": "Дон", + "buyKYCLevel3": "Уровень 3 - полный", + "appStartupErrorMessageNoBackup": "На v5.4.0 был обнаружен критический жучок в одной из наших зависимостей, которые влияют на личное хранилище ключей. Это повлияло на ваше приложение. Свяжитесь с нашей группой поддержки.", + "sellGoHome": "Иди домой", + "keystoneStep8": "После того, как транзакция импортируется в ваш Keystone, проверьте адрес назначения и сумму.", + "psbtFlowSpecterTitle": "Инструкции по спектру", + "importMnemonicChecking": "Проверка...", + "sendConnectDevice": "Устройство подключения", + "connectHardwareWalletSeedSigner": "SeedSigner", + "importQrDevicePassportStep7": "Выберите \"QR-код\"", + "delete": "Удалить", + "connectingToKeyServer": "Подключение к Key Server через Tor.\nЭто может занять до минуты.", + "bitboxErrorDeviceNotFound": "Устройство BitBox не найдено.", + "ledgerScanningMessage": "Поиск устройств Ledger поблизости...", + "sellInsufficientBalanceError": "Недостаток баланса в выбранном кошельке для завершения этого ордера на продажу.", + "transactionSwapDescLnReceivePending": "Ваш обмен был инициирован. Мы ожидаем, что платеж будет получен в Lightning Network.", + "tryAgainButton": "Попробуйте снова", + "psbtFlowHoldSteady": "Держите QR-код устойчивым и сосредоточенным", + "swapConfirmTitle": "Подтверждение передачи", + "testBackupGoogleDrivePrivacyPart1": "Эта информация ", + "connectHardwareWalletKeystone": "Keystone", + "importWalletTitle": "Добавить новый кошелек", + "mempoolSettingsDefaultServer": "По умолчанию", + "sendPasteAddressOrInvoice": "Вставить адрес платежа или счет-фактуру", + "swapToLabel": "В", + "payLoadingRecipients": "Загрузка получателей...", + "sendSignatureReceived": "Подписание получено", + "failedToDeriveBackupKey": "Не удалось вывести резервный ключ", + "recoverbullGoogleDriveErrorExportFailed": "Не удалось экспортировать хранилище из Google Drive", + "exchangeKycLevelLight": "Свет", + "transactionLabelCreatedAt": "Создано", + "bip329LabelsExportSuccessSingular": "1 метка экспортирована", + "bip329LabelsExportSuccessPlural": "{count} меток экспортировано", + "@bip329LabelsExportSuccessPlural": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "fundExchangeMethodOnlineBillPaymentSubtitle": "Самый простой вариант, но его можно сделать с помощью онлайн-банкинга (3-4 рабочих дня)", + "walletDeletionErrorWalletNotFound": "Кошелек, который вы пытаетесь удалить, не существует.", + "payEnableRBF": "Включить RBF", + "transactionDetailLabelFromWallet": "Из кошелька", + "settingsLanguageTitle": "Язык", + "importQrDeviceInvalidQR": "Неверный QR-код", + "exchangeAppSettingsSaveSuccessMessage": "Настройки сохранены успешно", + "addressViewShowQR": "Показать QR-код", + "testBackupVaultSuccessMessage": "Ваше хранилище было успешно импортировано", + "exchangeSupportChatInputHint": "Введите сообщение...", + "electrumTestnet": "Testnet", + "sellSelectWallet": "Выберите Wallet", + "mempoolCustomServerAdd": "Добавить пользовательский сервер", + "sendHighFeeWarningDescription": "Общая плата {feePercent}% от суммы, которую вы отправляете", + "@sendHighFeeWarningDescription": { + "placeholders": { + "feePercent": { + "type": "String" + } + } + }, + "withdrawConfirmButton": "Подтвердить вывод", + "fundExchangeLabelBankAccountDetails": "Детали банковского счета", + "payLiquidAddress": "Жидкий адрес", + "sellTotalFees": "Итого", + "importWatchOnlyUnknown": "Неизвестный", + "bitboxScreenNestedSegwitBip49": "Nested Segwit (BIP49)", + "payContinue": "Продолжить", + "importColdcardInstructionsStep8": "Сканируйте QR-код, отображаемый на вашем Coldcard Q", + "dcaSuccessMessageMonthly": "Вы будете покупать {amount} каждый месяц", + "@dcaSuccessMessageMonthly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sendSelectedCoins": "{count} монеты выбраны", + "@sendSelectedCoins": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "rbfErrorNoFeeRate": "Пожалуйста, выберите ставку сбора", + "backupWalletGoogleDrivePrivacyMessage1": "Эта информация ", + "labelErrorUnsupportedType": "Этот тип {type} не поддерживается", + "@labelErrorUnsupportedType": { + "placeholders": { + "type": { + "type": "String" + } + } + }, + "paySatsPerByte": "{sats} sat/vB", + "@paySatsPerByte": { + "placeholders": { + "sats": { + "type": "String" + } + } + }, + "payRbfActivated": "Замена по фе активирована", + "dcaConfirmNetworkLightning": "Освещение", + "ledgerDefaultWalletLabel": "Ledger Wallet", + "importWalletSpecter": "Specter", + "customLocationProvider": "Пользовательское местоположение", + "dcaSelectFrequencyLabel": "Выбор частоты", + "transactionSwapDescChainCompleted": "Ваш перевод был успешно завершен! Средства теперь должны быть доступны в вашем кошельке.", + "coreSwapsLnSendRefundable": "Свап готов к возврату.", + "backupInstruction2": "Без резервного копирования, если вы потеряете или сломаете свой телефон, или если вы удалите приложение Bull Bitcoin, ваши биткойны будут потеряны навсегда.", + "autoswapSave": "Сохранить", + "swapGoHomeButton": "Иди домой", + "sendFeeRateTooHigh": "Уровень белья кажется очень высоким", + "ledgerHelpStep2": "Убедитесь, что ваш телефон включен и разрешен.", + "fundExchangeCrIbanUsdPaymentDescriptionHelp": "Ваш код передачи.", + "recoverVia12WordsDescription": "Восстановите свой кошелек через 12 слов.", + "fundExchangeFundAccount": "Фонд вашего счета", + "electrumServerSettingsLabel": "Electrum Server (Bitcoin node)", + "dcaEnterLightningAddressLabel": "Адрес освещения", + "statusCheckOnline": "Онлайн", + "buyPayoutMethod": "Метод выплаты", + "exchangeAmountInputTitle": "Введите сумму", + "electrumCloseTooltip": "Закрыть", + "payIbanHint": "Введите IBAN", + "sendCoinConfirmations": "{count}", + "@sendCoinConfirmations": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "fundExchangeLabelRecipientNameArs": "Имя получателя", + "sendTo": "В", + "gotItButton": "Понял", + "walletTypeLiquidLightningNetwork": "Жидкая и осветительная сеть", + "sendFeePriority": "Очередность", + "transactionPayjoinSendWithout": "Отправить без оплаты", + "paySelectCountry": "Выбор страны", + "importMnemonicTransactionsLabel": "Транзакции: {count}", + "@importMnemonicTransactionsLabel": { + "placeholders": { + "count": { + "type": "String" + } + } + }, + "exchangeSettingsReferralsTitle": "Рефералы", + "autoswapAlwaysBlockInfoEnabled": "При включении автопередачи с тарифами выше установленного лимита всегда будут заблокированы", + "importMnemonicSelectScriptType": "Импорт Mnemonic", + "sellSendPaymentCadBalance": "CAD Баланс", + "recoverbullConnectingTor": "Подключение к Key Server через Tor.\nЭто может занять до минуты.", + "fundExchangeCanadaPostStep2": "2. Попросите кассира отсканировать код QR «Loadhub»", + "recoverbullEnterVaultKeyInstead": "Вместо этого введите ключ хранилища", + "exchangeAccountInfoEmailLabel": "Email", + "legacySeedViewNoSeedsMessage": "Не найдено никаких наследственных семян.", + "arkAboutDustValue": "{dust} SATS", + "@arkAboutDustValue": { + "placeholders": { + "dust": { + "type": "int" + } + } + }, + "keystoneStep5": " - Увеличить яркость экрана на вашем устройстве", + "sendSelectCoinsManually": "Выбрать монеты вручную", + "importMnemonicEmpty": "Пустые", + "electrumBitcoinServerInfo": "Введите адрес сервера в формате: host:port (например, example.com:50001)", + "recoverbullErrorServiceUnavailable": "Сервис недоступен. Пожалуйста, проверьте ваше соединение.", + "arkSettleTitle": "Установочные транзакции", + "sendErrorInsufficientBalanceForSwap": "Недостаточно баланса, чтобы оплатить этот своп через Жидкий и не в пределах свопов, чтобы заплатить через Bitcoin.", + "psbtFlowJadeTitle": "Blockstream Jade PSBT Инструкции", + "torSettingsDescUnknown": "Невозможно определить Статус Тора. Убедитесь, что Orbot установлен и работает.", + "transactionFilterPayjoin": "Payjoin", + "importQrDeviceKeystoneStep8": "Введите этикетку для вашего кошелька Keystone и импорт крана", + "dcaContinueButton": "Продолжить", + "fundExchangeCrIbanUsdTitle": "Bank Transfer (USD)", + "buyStandardWithdrawalDesc": "Получить биткойн после расчистки оплаты (1-3 дня)", + "psbtFlowColdcardTitle": "Инструкции Coldcard Q", + "sendRelativeFees": "Относительные сборы", + "payToAddress": "Адрес", + "sellCopyInvoice": "Счет-фактура", + "cancelButton": "Отмена", + "coreScreensNetworkFeesLabel": "Сетевые сборы", + "kruxStep9": " - Попробуйте переместить устройство назад", + "sendReceiveNetworkFee": "Получение сетевой платы", + "arkTxPayment": "Оплата", + "importQrDeviceSeedsignerStep6": "Выберите «Спарроу» в качестве варианта экспорта", + "swapValidationMaximumAmount": "Максимальная сумма {amount} {currency}", + "@swapValidationMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + }, + "currency": { + "type": "String" + } + } + }, + "fundExchangeETransferLabelBeneficiaryName": "Используйте это как имя бенефициара E-transfer", + "backupWalletErrorFileSystemPath": "Не удалось выбрать путь файловой системы", + "coreSwapsLnSendCanCoop": "Свап завершится мгновенно.", + "electrumServerNotUsed": "Не используется", + "backupWalletHowToDecideBackupPhysicalRecommendation": "Физическая поддержка: ", + "payDebitCardNumber": "Номер карты", + "receiveRequestInboundLiquidity": "Получение запроса", + "backupWalletHowToDecideBackupMoreInfo": "Посетите Recoverybull.com для получения дополнительной информации.", + "walletAutoTransferBlockedMessage": "Попытка передачи {amount} BTC. Текущий сбор составляет {currentFee}% от суммы перевода, и порог платы установлен на {thresholdFee}%", + "@walletAutoTransferBlockedMessage": { + "placeholders": { + "amount": { + "type": "String" + }, + "currentFee": { + "type": "String" + }, + "thresholdFee": { + "type": "String" + } + } + }, + "kruxStep11": "Нажмите на кнопки, чтобы подписать транзакцию на Krux.", + "exchangeSupportChatEmptyState": "Пока никаких сообщений. Начинайте разговор!", + "payExternalWalletDescription": "Оплата за другой биткойн-кошелек", + "electrumRetryCountEmptyError": "Ретри Граф не может быть пустым", + "ledgerErrorBitcoinAppNotOpen": "Пожалуйста, откройте приложение Bitcoin на вашем устройстве Ledger и попробуйте снова.", + "physicalBackupTag": "Неверный (примите свое время)", + "arkIncludeRecoverableVtxos": "Включить восстановленные vtxos", + "payCompletedDescription": "Ваш платеж был завершен, и получатель получил средства.", + "recoverbullConnecting": "Соединение", + "swapExternalAddressHint": "Введите адрес внешнего кошелька", + "torSettingsDescConnecting": "Создание Соединение", + "ledgerWalletTypeLegacyDescription": "P2PKH - Старый формат", + "dcaConfirmationDescription": "Заказы на покупку будут размещены автоматически в этих настройках. Вы можете отключить их в любое время.", + "appleICloudProvider": "Apple iCloud", + "exchangeAccountInfoVerificationNotVerified": "Не подтверждена", + "fundExchangeWarningDescription": "Если кто-то просит вас купить биткойн или «помочь вам», будьте осторожны, они могут попытаться обмануть вас!", + "transactionDetailLabelTransactionId": "ID транзакции", + "arkReceiveTitle": "Арк Получить", + "payDebitCardNumberHint": "Введите номер дебетовой карты", + "backupWalletHowToDecideBackupEncryptedRecommendation": "Зашифрованное хранилище: ", + "seedsignerStep9": "Проверьте адрес назначения и сумму и подтвердите подписание на вашем SeedSigner.", + "logoutButton": "Выход", + "payReplaceByFee": "Заменить-By-Fee (RBF)", + "coreSwapsLnReceiveClaimable": "Свап готов к претензии.", + "pinButtonCreate": "Создать PIN", + "fundExchangeJurisdictionEurope": "🇪🇺 Европа (SEPA)", + "settingsExchangeSettingsTitle": "Параметры обмена", + "sellFeePriority": "Очередность", + "exchangeFeatureSelfCustody": "Купить Bitcoin прямо к самообладанию", + "arkBoardingUnconfirmed": "Неподтвержденный", + "fundExchangeLabelPaymentDescription": "Описание оплаты", + "payAmountTooHigh": "Сумма превышает максимальный", + "dcaConfirmPaymentBalance": "{currency}", + "@dcaConfirmPaymentBalance": { + "placeholders": { + "currency": { + "type": "String" + } + } + }, + "torSettingsPortValidationInvalid": "Пожалуйста, введите действительный номер", + "sellBankTransfer": "Банковский перевод", + "importQrDeviceSeedsignerStep3": "Сканировать SeedQR или ввести 12- или 24-слововую семенную фразу", + "replaceByFeeFastestTitle": "Самый быстрый", + "transactionLabelBitcoinTransactionId": "Bitcoin транзакции", + "sellPayinAmount": "Сумма выплат", + "exchangeKycRemoveLimits": "Удаление лимитов транзакций", + "autoswapMaxBalanceInfoText": "Когда баланс кошелька превышает двойную эту сумму, автотрансфер вызовет снижение баланса до этого уровня", + "sellSendPaymentBelowMin": "Вы пытаетесь продать ниже минимальной суммы, которую можно продать с этим кошельком.", + "dcaWalletSelectionDescription": "Покупки Bitcoin будут размещены автоматически в соответствии с этим графиком.", + "sendTypeSend": "Отправить", + "payFeeBumpSuccessful": "Успешный", + "importQrDeviceKruxStep1": "Включите устройство Krux", + "transactionSwapProgressFundsClaimed": "Фонды\nПретензия", + "recoverbullSelectAppleIcloud": "Apple iCloud", + "dcaAddressLightning": "Адрес освещения", + "keystoneStep13": "Сделка будет импортирована в кошельке Bull Bitcoin.", + "receiveGenerationFailed": "Не удалось создать {type}", + "@receiveGenerationFailed": { + "placeholders": { + "type": { + "type": "String" + } + } + }, + "coreSwapsLnReceiveCanCoop": "Свап завершится мгновенно.", + "addressViewAddressesTitle": "Адреса", + "withdrawRecipientsNoRecipients": "Ни один из получателей не нашел выхода.", + "transactionSwapProgressPaymentMade": "Оплата\nСделано", + "importQrDeviceSpecterStep4": "Следуйте подсказкам в соответствии с выбранным вами методом", + "coreSwapsChainPending": "Передача еще не инициализирована.", + "importWalletImportWatchOnly": "Импорт только часов", + "coldcardStep9": "После того, как транзакция будет импортирована в вашем Coldcard, рассмотрите адрес назначения и сумму.", + "sendErrorArkExperimentalOnly": "Запросы на оплату ARK доступны только из экспериментальной функции Ark.", + "exchangeKycComplete": "Заполните KYC", + "enterBackupKeyManuallyDescription": "Если вы экспортировали резервный ключ и сохранили его в отрывном месте самостоятельно, вы можете ввести его здесь вручную. В противном случае, возвращайтесь на предыдущий экран.", + "sellBitcoinPriceLabel": "Bitcoin Цена", + "receiveCopyAddress": "Копировать адрес", + "receiveSave": "Сохранить", + "mempoolNetworkBitcoinTestnet": "Bitcoin Testnet", + "transactionLabelPayjoinStatus": "Статус Payjoin", + "passportStep2": "Подписаться с QR-кодом", + "pinCodeRemoveButton": "Удалить PIN", + "withdrawOwnershipMyAccount": "Это мой счет", + "payAddMemo": "Добавить записку (факультативно)", + "transactionNetworkBitcoin": "Bitcoin", + "recoverbullSelectVaultProvider": "Выберите провайдер", + "replaceByFeeOriginalTransactionTitle": "Первоначальная сделка", + "testBackupPhysicalBackupTag": "Неверный (примите свое время)", + "testBackupTitle": "Проверьте резервную копию кошелька", + "coreSwapsLnSendFailed": "Неудачно.", + "recoverbullErrorDecryptFailed": "Не удалось расшифровать хранилище", + "keystoneStep9": "Нажмите на кнопки, чтобы подписать транзакцию на вашем Keystone.", + "totalFeesLabel": "Итого, сборы", + "payInProgressDescription": "Ваш платеж был инициирован, и получатель получит средства после того, как ваша транзакция получит 1 подтверждение onchain.", + "importQrDevicePassportStep10": "В приложении кошелька BULL выберите «Segwit (BIP84)» в качестве опции выведения", + "payHighPriority": "Высокий", + "buyBitcoinPrice": "Bitcoin Цена", + "sendFrozenCoin": "Замороженное", + "importColdcardInstructionsStep4": "Убедитесь, что ваша прошивка обновляется до версии 1.3.4Q", + "lastBackupTestLabel": "Последний тест резервного копирования: {date}", + "@lastBackupTestLabel": { + "placeholders": { + "date": { + "type": "String", + "example": "2025-01-20 15:30:45" + } + } + }, + "sendBroadcastTransaction": "Трансляция", + "receiveBitcoinConfirmationMessage": "Биткоин-транзакция займет некоторое время, чтобы подтвердить.", + "walletTypeWatchOnly": "Смотреть онлайн", + "psbtFlowKruxTitle": "Инструкции Krux", + "recoverbullDecryptVault": "Зашифрованное хранилище", + "connectHardwareWalletJade": "Жадный блок", + "coreSwapsChainRefundable": "Перевод готов к возврату.", + "buyInputCompleteKyc": "Полный KYC", + "transactionFeesTotalDeducted": "Это общая плата, вычтенная из суммы, отправленной", + "autoswapMaxFee": "Max Transfer Fee", + "sellReviewOrder": "Заказ на продажу", + "payDescription": "Описание", + "buySecureBitcoinWallet": "Безопасный Bitcoin Wallet", + "sendEnterRelativeFee": "Введите относительную плату в sats/vB", + "importQrDevicePassportStep1": "Мощность на вашем паспортном устройстве", + "fundExchangeMethodArsBankTransferSubtitle": "Отправить банковский перевод с вашего банковского счета", + "transactionOrderLabelExchangeRate": "Обменный курс", + "backupSettingsScreenTitle": "Параметры резервного копирования", + "fundExchangeBankTransferWireDescription": "Отправьте телеграфный перевод с вашего банковского счета, используя банковские данные Bull Bitcoin ниже. Ваш банк может потребовать только некоторых частей этих деталей.", + "importQrDeviceKeystoneStep7": "Сканировать QR-код, отображаемый на вашем Keystone", + "coldcardStep3": "Выберите опцию \"Сканировать любой QR-код\"", + "coldcardStep14": "Сделка будет импортирована в кошельке Bull Bitcoin.", + "pinCodeSettingsLabel": "Код PIN", + "buyExternalBitcoinWallet": "Внешний биткойн-кошелек", + "passwordTooCommonError": "Это {pinOrPassword} слишком распространено. Выберите другой.", + "@passwordTooCommonError": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importWalletJade": "Жадный блок", + "payInvalidInvoice": "Неверные счета-фактуры", + "receiveTotalFee": "Итого", + "importQrDeviceButtonOpenCamera": "Откройте камеру", + "recoverbullFetchingVaultKey": "Попадание в хранилище Ключ", + "dcaConfirmFrequency": "Частота", + "recoverbullGoogleDriveDeleteVaultTitle": "Удалить хранилище", + "advancedOptionsTitle": "Дополнительные варианты", + "dcaConfirmOrderType": "Тип заказа", + "payPriceWillRefreshIn": "Цена освежится ", + "recoverbullGoogleDriveErrorDeleteFailed": "Не удалось удалить хранилище из Google Drive", + "broadcastSignedTxTo": "В", + "arkAboutDurationDays": "{days} дней", + "@arkAboutDurationDays": { + "placeholders": { + "days": { + "type": "int" + } + } + }, + "payPaymentDetails": "Детали оплаты", + "bitboxActionVerifyAddressTitle": "Проверить адрес BitBox", + "psbtSignTransaction": "Подписание сделки", + "sellRemainingLimit": "Остается сегодня: {amount}", + "@sellRemainingLimit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "bitboxActionImportWalletSuccess": "Кошелек импортируется успешно", + "nextButton": "Следующий", + "ledgerSignButton": "Зарегистрироваться", + "recoverbullPassword": "Пароль", + "dcaNetworkLiquid": "Жидкая сеть", + "fundExchangeMethodSinpeTransfer": "SINPE Transfer", + "dcaCancelTitle": "Отменить покупку Bitcoin?", + "payFromAnotherWallet": "Оплата за другой биткойн-кошелек", + "importMnemonicHasBalance": "Имеет баланс", + "dcaLightningAddressEmptyError": "Пожалуйста, введите адрес Lightning", + "googleAppleCloudRecommendationText": "вы хотите убедиться, что вы никогда не потеряете доступ к файлу хранилища, даже если вы потеряете свои устройства.", + "closeDialogButton": "Закрыть", + "jadeStep14": "Сделка будет импортирована в кошельке Bull Bitcoin.", + "payCorporateName": "Название компании", + "importColdcardError": "Не удалось импортировать Coldcard", + "transactionStatusPayjoinRequested": "Запрошена оплата", + "payOwnerNameHint": "Имя владельца", + "customLocationRecommendationText": "вы уверены, что не потеряете файл хранилища, и он все равно будет доступен, если вы потеряете свой телефон.", + "arkAboutForfeitAddress": "Forfeit address", + "kruxStep13": "Нажмите «I'm done» в кошельке Bull Bitcoin.", + "transactionSwapInfoRefundableTransfer": "Этот перевод будет возвращен автоматически в течение нескольких секунд. Если нет, вы можете попробовать ручное возмещение, нажав на кнопку \"Retry Transfer Refund\".", + "payBitcoinPrice": "Bitcoin Цена", + "confirmLogoutMessage": "Вы уверены, что хотите выйти из своей учетной записи Bull Bitcoin? Вам нужно будет войти снова, чтобы получить доступ к функциям обмена.", + "receivePaymentInProgress": "Выплаты", + "dcaSuccessMessageDaily": "Вы будете покупать {amount} каждый день", + "@dcaSuccessMessageDaily": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "walletNetworkLiquidTestnet": "Жидкий Тестет", + "electrumDeleteFailedError": "Не удалось удалить пользовательский сервер {reason}", + "@electrumDeleteFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "receiveBoltzSwapFee": "Болц Свап Фе", + "swapInfoBanner": "Передайте Bitcoin плавно между вашими кошельками. Только хранить средства в мгновенном платежном кошельке для повседневных расходов.", + "payRBFEnabled": "RBF включен", + "takeYourTimeTag": "Возьми время", + "arkAboutDust": "Dust", + "ledgerSuccessVerifyDescription": "Адрес был проверен на вашем устройстве Ledger.", + "bip85Title": "BIP85 Deterministic Entropies", + "sendSwapTimeout": "Время от времени", + "networkFeesLabel": "Сетевые сборы", + "backupWalletPhysicalBackupDescription": "Запишите 12 слов на бумаге. Держите их в безопасности и убедитесь, что не потерять их.", + "sendSwapInProgressBitcoin": "Свопа продолжается. Биткойн-транзакции могут занять некоторое время, чтобы подтвердить. Вы можете вернуться домой и подождать.", + "electrumDeleteServerTitle": "Удалить пользовательский сервер", + "buySelfie": "Селфи с ID", + "arkAboutSecretKey": "Секретный ключ", + "sellMxnBalance": "MXN Баланс", + "fundExchangeWarningTactic4": "Они просят отправить биткойн на их адрес", + "fundExchangeSinpeDescription": "Трансфер Колонны с помощью SINPE", + "wordsDropdownSuffix": " слова", + "arkTxTypeRedeem": "Redeem", + "receiveVerifyAddressOnLedger": "Проверка Адреса на Ledger", + "buyWaitForFreeWithdrawal": "Ожидание свободного вывода", + "sellSendPaymentCrcBalance": "CRC Баланс", + "backupSettingsKeyWarningBold": "Предупреждение: Будьте осторожны, где вы сохраняете резервный ключ.", + "settingsArkTitle": "Ковчег", + "exchangeLandingConnectAccount": "Подключите счет обмена Bull Bitcoin", + "recoverYourWalletTitle": "Восстановление кошелька", + "importWatchOnlyLabel": "Этикетки", + "settingsAppSettingsTitle": "Параметры приложения", + "dcaWalletLightningSubtitle": "Требует совместимого кошелька, максимум 0,25 BTC", + "dcaNetworkBitcoin": "Bitcoin Network", + "swapTransferRefundInProgressMessage": "С переводом произошла ошибка. Ваш возврат идет.", + "importQrDevicePassportName": "Паспорт", + "fundExchangeMethodCanadaPostSubtitle": "Лучшее для тех, кто предпочитает платить лично", + "importColdcardMultisigPrompt": "Для многосиговых кошельков сканируйте дескриптор QR-код кошелька", + "passphraseLabel": "Passphrase", + "recoverbullConfirmInput": "Подтвердить {inputType}", + "@recoverbullConfirmInput": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "transactionSwapDescLnReceiveCompleted": "Ваш обмен был успешно завершен! Средства теперь должны быть доступны в вашем кошельке.", + "psbtFlowSignTransaction": "Подписание сделки", + "payAllPayments": "Все платежи", + "fundExchangeSinpeDescriptionBold": "он будет отвергнут.", + "transactionDetailLabelPayoutStatus": "Состояние выплат", + "buyInputFundAccount": "Фонд вашего счета", + "importWatchOnlyZpub": "zpub", + "testBackupNext": "Следующий", + "payBillerSearchHint": "Введите первые 3 буквы имени биллера", + "coreSwapsLnSendCompletedRefunded": "Свап был возвращен.", + "transactionSwapInfoClaimableSwap": "Свопа будет завершена автоматически в течение нескольких секунд. Если нет, вы можете попробовать ручное утверждение, нажав на кнопку \"Retry Swap Claim\".", + "mempoolCustomServerLabel": "CUSTOM", + "arkAboutSessionDuration": "Продолжительность сессии", + "transferFeeLabel": "Перенос", + "pinValidationError": "PIN должен быть как минимум X21X", + "@pinValidationError": { + "placeholders": { + "minLength": { + "type": "String" + } + } + }, + "buyConfirmationTimeValue": "10 минут", + "dcaOrderTypeValue": "Приобретение", + "ledgerConnectingMessage": "Подключение к {deviceName}", + "@ledgerConnectingMessage": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "buyConfirmAwaitingConfirmation": "Пробуждение подтверждения ", + "torSettingsSaveButton": "Сохранить", + "allSeedViewShowSeedsButton": "Показать семена", + "fundExchangeMethodBankTransferWireSubtitle": "Лучший и самый надежный вариант для больших сумм (как и на следующий день)", + "fundExchangeCanadaPostStep4": "4. Кассир попросит увидеть часть выданного правительством ID и убедиться, что имя на вашем ID соответствует вашей учетной записи Bull Bitcoin", + "fundExchangeCrIbanCrcLabelIban": "Номер счета IBAN (только Колонны)", + "importQrDeviceSpecterInstructionsTitle": "Инструкции по спектру", + "testBackupScreenshot": "Скриншот", + "transactionListLoadingTransactions": "Загрузка транзакций...", + "dcaSuccessTitle": "Приобретение Активно!", + "fundExchangeOnlineBillPaymentDescription": "Любая сумма, которую вы отправляете через функцию онлайн-платежей вашего банка, используя информацию ниже, будет зачислена на ваш баланс счета Bull Bitcoin в течение 3-4 рабочих дней.", + "receiveAwaitingPayment": "Пробуждение оплаты...", + "onboardingRecover": "Восстановление", + "recoverbullGoogleDriveScreenTitle": "Google Drive Vaults", + "receiveQRCode": "Код QR", + "appSettingsDevModeTitle": "Режим Дев", + "payDecodeFailed": "Не удалось расшифровать счет", + "sendAbsoluteFees": "Абсолютные сборы", + "arkSendConfirm": "Подтверждение", + "replaceByFeeErrorTransactionConfirmed": "Первоначальная сделка подтверждена", + "rbfErrorFeeTooLow": "Вы должны увеличить ставку сбора как минимум на 1 атт/вбайт по сравнению с первоначальной транзакцией", + "ledgerErrorMissingDerivationPathSign": "Путь заезда требуется для подписания", + "backupWalletTitle": "Назад ваш кошелек", + "jadeStep10": "Нажмите на кнопки, чтобы подписать транзакцию на вашем Джейде.", + "arkAboutDurationHour": "{hours} час", + "@arkAboutDurationHour": { + "placeholders": { + "hours": { + "type": "int" + } + } + }, + "bitboxScreenUnknownError": "Неизвестная ошибка", + "electrumPrivacyNoticeTitle": "Уведомление о конфиденциальности", + "receiveLiquid": "Жидкость", + "payOpenChannelRequired": "Открытие канала требуется для этой оплаты", + "coldcardStep1": "Войти в устройство Coldcard Q", + "transactionDetailLabelBitcoinTxId": "Bitcoin транзакции", + "arkSendRecipientHint": "ark1qp9wsjfpsj5v5ex022v6..", + "sellSendPaymentCalculating": "Расчет...", + "arkRecoverableVtxos": "Recoverable Vtxos", + "psbtFlowTransactionImported": "Сделка будет импортирована в кошельке Bull Bitcoin.", + "testBackupGoogleDriveSignIn": "Вам нужно будет войти в Google Drive", + "sendTransactionSignedLedger": "Сделка успешно подписана с Ledger", + "recoverbullRecoveryContinueButton": "Продолжить", + "payTimeoutError": "Время оплаты. Пожалуйста, проверьте статус", + "kruxStep4": "Нажмите кнопку Загрузка с камеры", + "bitboxErrorInvalidMagicBytes": "Выявлен неверный формат PSBT.", + "sellErrorRecalculateFees": "Не удалось пересчитать сборы: {error}", + "@sellErrorRecalculateFees": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "dcaSetupFrequencyError": "Выберите частоту", + "testBackupErrorNoMnemonic": "No mnemonic Load", + "payInvoiceExpired": "Срок действия счета-фактуры", + "payWhoAreYouPaying": "Кому ты платишь?", + "confirmButtonLabel": "Подтверждение", + "autoswapMaxFeeInfo": "Если общий трансферный сбор превышает установленный процент, автотрансфер будет заблокирован", + "importQrDevicePassportStep9": "Сканировать QR-код, отображаемый на вашем паспорте", + "swapProgressRefundedMessage": "Перевод был успешно возвращен.", + "sendEconomyFee": "Экономика", + "coreSwapsChainFailed": "Перенос провалился.", + "transactionDetailAddNote": "Добавление", + "addressCardUsedLabel": "Использовано", + "buyConfirmTitle": "Купить Bitcoin", + "exchangeLandingFeature5": "Чат с поддержкой клиентов", + "electrumMainnet": "Mainnet", + "buyThatWasFast": "Это было быстро, не так ли?", + "importWalletPassport": "Паспорт", + "buyExpressWithdrawalFee": "Экспресс-заказ: {amount}", + "@buyExpressWithdrawalFee": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sellDailyLimit": "Ежедневный лимит: {amount}", + "@sellDailyLimit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "recoverbullConnectionFailed": "Сбой подключения", + "transactionDetailLabelPayinMethod": "Метод оплаты", + "sellCurrentRate": "Текущие показатели", + "payAmountTooLow": "Сумма ниже минимального", + "onboardingCreateWalletButtonLabel": "Создать бумажник", + "bitboxScreenVerifyOnDevice": "Пожалуйста, проверьте этот адрес на вашем устройстве BitBox", + "ledgerConnectTitle": "Подключите устройство Ledger", + "withdrawAmountTitle": "Цикл:", + "coreScreensServerNetworkFeesLabel": "Фейсы сети сервера", + "dcaFrequencyValidationError": "Выберите частоту", + "walletsListTitle": "Подробности Wallet", + "payAllCountries": "Все страны", + "sellCopBalance": "КС Баланс", + "recoverbullVaultSelected": "Выбранное хранилище", + "receiveTransferFee": "Перенос", + "fundExchangeInfoTransferCodeRequired": "Вы должны добавить код передачи как «сообщение» или «разум» или «описание» при совершении платежа. Если вы забыли поставить этот код, ваш платеж может быть отклонен.", + "arkBoardingExitDelay": "Задержка с выходом", + "exchangeDcaFrequencyHour": "час", + "transactionLabelPayjoinCreationTime": "Время создания Payjoin", + "payRBFDisabled": "RBF disabled", + "exchangeAuthLoginFailedOkButton": "ХОРОШО", + "exchangeKycCardTitle": "Заполните KYC", + "importQrDeviceSuccess": "Валюта импортируется успешно", + "arkTxSettlement": "Урегулирование", + "autoswapEnable": "Включить автоперенос", + "transactionStatusTransferCompleted": "Перевод завершен", + "payInvalidSinpe": "Invalid Sinpe", + "coreScreensFromLabel": "Из", + "backupWalletGoogleDriveSignInTitle": "Вам нужно будет войти в Google Drive", + "sendEstimatedDelivery10to30Minutes": "10-30 минут", + "transactionDetailLabelLiquidTxId": "ID транзакции", + "testBackupBackupId": "ИД:", + "walletDeletionErrorOngoingSwaps": "Вы не можете удалить кошелек с текущими свопами.", + "bitboxScreenConnecting": "Подключение к BitBox", + "psbtFlowScanAnyQr": "Выберите опцию \"Сканировать любой QR-код\"", + "transactionLabelServerNetworkFees": "Фейсы сети сервера", + "importQrDeviceSeedsignerStep10": "Завершение установки", + "sendReceive": "Получить", + "sellKycPendingDescription": "Вы должны сначала завершить проверку личности", + "fundExchangeETransferDescription": "Любая сумма, которую вы отправляете из своего банка через Email E-Transfer, используя нижеприведенную информацию, будет зачислена на баланс вашего счета Bull Bitcoin в течение нескольких минут.", + "sendClearSelection": "Чистый выбор", + "fundExchangeLabelClabe": "CLABE", + "statusCheckLastChecked": "{time}", + "@statusCheckLastChecked": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "backupWalletVaultProviderQuickEasy": "Quick & easy", + "sellPayoutAmount": "Сумма выплат", + "dcaConfirmFrequencyDaily": "Каждый день", + "buyConfirmPurchase": "Подтвердить покупку", + "transactionLabelNetworkFee": "Network Fee", + "importQrDeviceKeystoneStep9": "Настройка завершена", + "tapWordsInOrderTitle": "Переместите слова восстановления в\nправильный заказ", + "payEnterAmountTitle": "Введите сумму", + "transactionOrderLabelPayinMethod": "Метод оплаты", + "buyInputMaxAmountError": "Вы не можете купить больше, чем", + "walletDetailsDeletingMessage": "Удаление кошелька...", + "receiveUnableToVerifyAddress": "Невозможно проверить адрес: Пропущенный кошелек или адресная информация", + "payInvalidAddress": "Неверный адрес", + "appUnlockAttemptPlural": "неудачные попытки", + "exportVaultButton": "Экспортное хранилище", + "coreSwapsChainPaid": "Ожидание платежа провайдера трансфера для получения подтверждения. Это может занять некоторое время, чтобы закончить.", + "arkConfirmed": "Подтверждено", + "importQrDevicePassportStep6": "Выберите \"Single-sig\"", + "sendSatsPerVB": "sats/vB", + "withdrawRecipientsContinue": "Продолжить", + "enterPinAgainMessage": "Введите свой {pinOrPassword} снова, чтобы продолжить.", + "@enterPinAgainMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importColdcardButtonInstructions": "Инструкции", + "bitboxActionUnlockDeviceProcessingSubtext": "Пожалуйста, введите свой пароль на устройстве BitBox...", + "sellWhichWalletQuestion": "Из какого кошелька вы хотите продать?", + "buyNetworkFeeRate": "Сетевая ставка", + "autoswapAlwaysBlockLabel": "Всегда блокируйте высокие тарифы", + "receiveFixedAmount": "Сумма", + "bitboxActionVerifyAddressSuccessSubtext": "Адрес был проверен на вашем устройстве BitBox.", + "transactionSwapDescLnSendPaid": "Ваша транзакция на цепочке была передана. После 1 подтверждения будет отправлен платеж Lightning.", + "transactionSwapDescChainDefault": "Ваш перевод идет. Этот процесс автоматизирован и может занять некоторое время для завершения.", + "onboardingBullBitcoin": "Bitcoin", + "coreSwapsChainClaimable": "Перенос готов к утверждению.", + "dcaNetworkLightning": "Сеть освещения", + "backupWalletHowToDecideVaultCloudRecommendationText": "вы хотите убедиться, что вы никогда не потеряете доступ к файлу хранилища, даже если вы потеряете свои устройства.", + "arkAboutEsploraUrl": "URL", + "backupKeyExampleWarning": "Например, если вы использовали Google Drive для резервного файла, не используйте Google Drive для резервного ключа.", + "importColdcardInstructionsStep3": "Навигация к «Advanced/Tools»", + "buyPhotoID": "Фото ID", + "exchangeSettingsAccountInformationTitle": "Информация", + "appStartupErrorTitle": "Ошибка запуска", + "transactionLabelTransferId": "ID передачи", + "sendTitle": "Отправить", + "withdrawOrderNotFoundError": "Приказ о снятии не был найден. Попробуй еще раз.", + "importQrDeviceSeedsignerStep4": "Выберите \"Export Xpub\"", + "seedsignerStep6": " - Переместить красный лазер вверх и вниз по QR-коду", + "ledgerHelpStep5": "Убедитесь, что вы Устройство Ledger использует новейшую прошивку, вы можете обновить прошивку с помощью настольного приложения Ledger Live.", + "torSettingsPortDisplay": "Порт: {port}", + "@torSettingsPortDisplay": { + "placeholders": { + "port": { + "type": "int" + } + } + }, + "payTransitNumber": "Транзитный номер", + "importQrDeviceSpecterStep5": "Выберите \"Мастерские публичные ключи\"", + "fundExchangeCostaRicaMethodIbanUsdTitle": "IBAN Costa Rica (USD)", + "allSeedViewDeleteWarningTitle": "УХОДИ!", + "backupSettingsBackupKey": "Ключ резервного копирования", + "arkTransactionId": "ID транзакции", + "payInvoiceCopied": "Счет-фактура скопирован в буфер обмена", + "recoverbullEncryptedVaultCreated": "Зашифрованное хранилище создано!", + "addressViewChangeAddressesComingSoon": "Изменение адресов скоро", + "psbtFlowScanQrShown": "Сканировать код QR, показанный в кошельке Bull", + "testBackupErrorInvalidFile": "Неверный контент файла", + "payHowToPayInvoice": "Как вы хотите заплатить этот счет?", + "transactionDetailLabelSendNetworkFee": "Отправить Сеть", + "sendSlowPaymentWarningDescription": "Биткойн обмены потребуют времени, чтобы подтвердить.", + "bitboxActionVerifyAddressProcessingSubtext": "Пожалуйста, подтвердите адрес вашего устройства BitBox.", + "pinConfirmHeadline": "Подтвердить новый значок", + "fundExchangeCanadaPostQrCodeLabel": "Код QR", + "payConfirmationRequired": "Требуется подтверждение", + "bip85NextHex": "Следующий HEX", + "physicalBackupStatusLabel": "Физическая поддержка", + "exchangeSettingsLogOutTitle": "Выход", + "addressCardBalanceLabel": "Остаток: ", + "transactionStatusInProgress": "Прогресс", + "recoverWalletScreenTitle": "Recover Wallet", + "rbfEstimatedDelivery": "Предполагаемая доставка ~ 10 минут", + "sendSwapCancelled": "Отменено", + "backupWalletGoogleDrivePrivacyMessage4": "никогда ", + "dcaPaymentMethodValue": "{currency}", + "@dcaPaymentMethodValue": { + "placeholders": { + "currency": { + "type": "String" + } + } + }, + "swapTransferCompletedTitle": "Завершение перевода", + "torSettingsStatusDisconnected": "Отключение", + "exchangeDcaCancelDialogTitle": "Отменить покупку Bitcoin?", + "sellSendPaymentMxnBalance": "MXN Баланс", + "fundExchangeSinpeLabelRecipientName": "Имя получателя", + "dcaScheduleDescription": "Покупки Bitcoin будут размещены автоматически в соответствии с этим графиком.", + "keystoneInstructionsTitle": "Инструкции по кистоне", + "hwLedger": "Ledger", + "physicalBackupDescription": "Запишите 12 слов на бумаге. Держите их в безопасности и убедитесь, что не потерять их.", + "dcaConfirmButton": "Продолжить", + "dcaBackToHomeButton": "Назад домой", + "importQrDeviceKruxInstructionsTitle": "Инструкции Krux", + "transactionOrderLabelOriginName": "Название происхождения", + "importQrDeviceKeystoneInstructionsTitle": "Инструкции по кистоне", + "electrumSavePriorityFailedError": "Не удалось сохранить приоритет сервера {reason}", + "@electrumSavePriorityFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "globalDefaultLiquidWalletLabel": "Мгновенные платежи", + "bitboxActionVerifyAddressProcessing": "Показать адрес на BitBox...", + "sendTypeSwap": "Купить", + "sendErrorAmountExceedsMaximum": "Сумма превышает максимальную сумму свопа", + "bitboxActionSignTransactionSuccess": "Сделка успешно подписана", + "fundExchangeMethodInstantSepa": "Instant SEPA", + "buyVerificationFailed": "Проверка провалилась: {reason}", + "@buyVerificationFailed": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "importWatchOnlyBuyDevice": "Купить устройство", + "sellMinimumAmount": "Минимальная сумма продажи: {amount}", + "@sellMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "importColdcardTitle": "Соединение с Coldcard Q", + "ledgerSuccessImportDescription": "Ваш кошелек Ledger был успешно импортирован.", + "pinStatusProcessing": "Обработка", + "dcaCancelMessage": "Ваш повторяющийся план покупки Bitcoin прекратится, и запланированные покупки закончатся. Чтобы перезапустить, вам нужно будет настроить новый план.", + "fundExchangeHelpPaymentDescription": "Ваш код передачи.", + "sellSendPaymentFastest": "Самый быстрый", + "dcaConfirmNetwork": "Сеть", + "allSeedViewDeleteWarningMessage": "Удаление семян является необратимым действием. Только сделайте это, если у вас есть безопасное резервное копирование этого семени или связанных с ним кошельков были полностью истощены.", + "bip329LabelsTitle": "BIP329", + "walletAutoTransferAllowButton": "Разрешить", + "autoswapSelectWalletRequired": "Выберите биткойн-кошелек*", + "exchangeFeatureSellBitcoin": "• Продавайте биткойн, получите оплату с Bitcoin", + "hwSeedSigner": "SeedSigner", + "bitboxActionUnlockDeviceButton": "Устройство блокировки", + "payNetworkError": "Сетевая ошибка. Пожалуйста, попробуйте еще раз", + "sendNetworkFeesLabel": "Отправить сетевые сборы", + "electrumUnknownError": "Произошла ошибка", + "payWhichWallet": "От какого кошелька вы хотите заплатить?", + "autoswapBaseBalanceInfoText": "Ваш баланс платежного кошелька вернется к этому балансу после автосвапа.", + "recoverbullSelectDecryptVault": "Зашифрованное хранилище", + "buyUpgradeKYC": "Улучшенный KYC Уровень", + "transactionOrderLabelOrderType": "Тип заказа", + "autoswapEnableToggleLabel": "Включить автоперенос", + "sendDustAmount": "Слишком мало (пыль)", + "allSeedViewExistingWallets": "Существующие кошельки ({count}", + "@allSeedViewExistingWallets": { + "placeholders": { + "count": { + "type": "int", + "format": "decimalPattern" + } + } + }, + "arkSendConfirmedBalance": "Подтвержденный баланс", + "sellFastest": "Самый быстрый", + "receiveTitle": "Получить", + "transactionSwapInfoRefundableSwap": "Этот обмен будет возвращен автоматически в течение нескольких секунд. Если нет, вы можете попробовать ручной возврат, нажав на кнопку \"Retry Swap Refund\".", + "payCancelPayment": "Отменить платеж", + "ledgerInstructionsAndroidUsb": "Убедитесь, что вы Ledger открывается с помощью приложения Bitcoin и подключает его через USB.", + "onboardingOwnYourMoney": "Иметь свои деньги", + "allSeedViewTitle": "Вид", + "connectHardwareWalletLedger": "Ledger", + "importQrDevicePassportInstructionsTitle": "Паспортные инструкции Фонда", + "rbfFeeRate": "Ставка: {rate}", + "@rbfFeeRate": { + "placeholders": { + "rate": { + "type": "String" + } + } + }, + "leaveYourPhone": "оставьте свой телефон и ", + "sendFastFee": "Быстро", + "exchangeBrandName": "BULL BITCOIN", + "torSettingsPortHelper": "Порт по умолчанию: 9050", + "submitButton": "Submit", + "bitboxScreenTryAgainButton": "Попробуйте снова", + "dcaConfirmTitle": "Подтверждение Купить", + "viewVaultKeyButton": "Посмотреть хранилище Ключ", + "recoverbullPasswordMismatch": "Пароли не совпадают", + "fundExchangeCrIbanUsdTransferCodeWarning": "Вы должны добавить код передачи как «сообщение» или «разум» или «описание» при совершении платежа. Если вы забыли включить этот код, ваш платеж может быть отклонен.", + "sendAdvancedSettings": "Дополнительные настройки", + "backupSettingsPhysicalBackup": "Физическая поддержка", + "importColdcardDescription": "Импорт дескриптора QR-кода кошелька из вашего Coldcard Q", + "backupSettingsSecurityWarning": "Предупреждение", + "arkCopyAddress": "Копировать адрес", + "sendScheduleFor": "График {date}", + "@sendScheduleFor": { + "placeholders": { + "date": { + "type": "String" + } + } + }, + "psbtFlowClickDone": "Нажмите «I'm done» в кошельке Bull Bitcoin.", + "addressCardUnusedLabel": "Неиспользуемый", + "bitboxActionUnlockDeviceSuccess": "Устройство разблокировано Успешно", + "receivePayjoinInProgress": "Заработная плата", + "payFor": "Для", + "payEnterValidAmount": "Пожалуйста, введите действительный размер", + "pinButtonRemove": "Удалить PIN", + "urProgressLabel": "UR Progress: {parts} parts", + "@urProgressLabel": { + "placeholders": { + "parts": { + "type": "String" + } + } + }, + "transactionDetailLabelAddressNotes": "Адресные записки", + "coldcardInstructionsTitle": "Инструкции Coldcard Q", + "electrumDefaultServers": "По умолчанию", + "onboardingRecoverWallet": "Recover Wallet", + "scanningProgressLabel": "Сканирование: {percent}%", + "@scanningProgressLabel": { + "placeholders": { + "percent": { + "type": "String" + } + } + }, + "transactionOrderLabelReferenceNumber": "Номер", + "backupWalletHowToDecide": "Как решить?", + "recoverbullTestBackupDescription": "Теперь давайте проверим вашу резервную копию, чтобы убедиться, что все было сделано правильно.", + "fundExchangeSpeiInfo": "Сделайте депозит с помощью SPEI-передачи (instant).", + "screenshotLabel": "Скриншот", + "bitboxErrorOperationTimeout": "Операция была отложена. Попробуй еще раз.", + "receiveLightning": "Освещение", + "sendRecipientAddressOrInvoice": "Адрес или счет-фактура получателя", + "mempoolCustomServerUrlEmpty": "Введите URL-адрес сервера", + "importQrDeviceKeystoneName": "Keystone", + "payBitcoinAddress": "Bitcoin Адрес", + "buyInsufficientBalanceTitle": "Недостаточный баланс", + "swapProgressPending": "Перевод", + "exchangeDcaAddressLabelBitcoin": "Bitcoin адрес", + "loadingBackupFile": "Загрузка архива...", + "legacySeedViewPassphrasesLabel": "Пасфразы:", + "recoverbullContinue": "Продолжить", + "receiveAddressCopied": "Адрес, скопированный в буфер обмена", + "transactionDetailLabelStatus": "Статус", + "sellSendPaymentPayinAmount": "Сумма выплат", + "psbtFlowTurnOnDevice": "Включите устройство {device}", + "@psbtFlowTurnOnDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "backupSettingsKeyServer": "Ключевой сервер ", + "connectHardwareWalletColdcardQ": "Coldcard Q", + "seedsignerStep2": "Нажмите кнопку Сканировать", + "addressCardIndexLabel": "Индекс: ", + "ledgerErrorMissingDerivationPathVerify": "Пропускной путь требуется для проверки", + "recoverbullErrorVaultNotSet": "Не установлен", + "ledgerErrorMissingScriptTypeSign": "Тип скрипта требуется для подписания", + "dcaSetupContinue": "Продолжить", + "electrumFormatError": "Использовать хост:порт формат (например, example.com:50001)", + "arkAboutDurationDay": "{days} день", + "@arkAboutDurationDay": { + "placeholders": { + "days": { + "type": "int" + } + } + }, + "arkDurationHour": "{hours} час", + "@arkDurationHour": { + "placeholders": { + "hours": { + "type": "String" + } + } + }, + "transactionFeesDeductedFrom": "Эти сборы будут вычтены из суммы, отправленной", + "buyConfirmYouPay": "Ты платишь", + "importWatchOnlyTitle": "Импорт только часов", + "cancel": "Отмена", + "walletDetailsWalletFingerprintLabel": "Фотография", + "logsViewerTitle": "Журналы", + "recoverbullTorNotStarted": "Tor не запущен", + "arkPending": "Завершение", + "transactionOrderLabelOrderStatus": "Статус заказа", + "testBackupCreatedAt": "Создано:", + "dcaSetRecurringBuyTitle": "Купить", + "psbtFlowSignTransactionOnDevice": "Нажмите на кнопки, чтобы подписать транзакцию на вашем {device}.", + "@psbtFlowSignTransactionOnDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "transactionStatusPending": "Завершение", + "settingsSuperuserModeDisabledMessage": "Режим Superuser отключен.", + "bitboxCubitConnectionFailed": "Не удалось подключиться к устройству BitBox. Пожалуйста, проверьте ваше соединение.", + "settingsTermsOfServiceTitle": "Условия службы", + "importQrDeviceScanning": "Сканирование...", + "importWalletKeystone": "Keystone", + "payNewRecipients": "Новые получатели", + "transactionLabelSendNetworkFees": "Отправить сетевые сборы", + "transactionLabelAddress": "Адрес", + "testBackupConfirm": "Подтверждение", + "urProcessingFailedMessage": "UR-обработка потерпела неудачу", + "backupWalletChooseVaultLocationTitle": "Выберите местоположение хранилища", + "receiveCopyAddressOnly": "Скопировать или сканировать только", + "testBackupErrorTestFailed": "{error}", + "@testBackupErrorTestFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payLightningFee": "Молния", + "payLabelOptional": "Маркировка (факультативно)", + "recoverbullGoogleDriveDeleteButton": "Удалить", + "arkBalanceBreakdownTooltip": "Сводная ведомость", + "exchangeDcaDeactivateTitle": "Отключение покупки", + "exchangeSettingsSecuritySettingsTitle": "Параметры безопасности", + "fundExchangeMethodEmailETransferSubtitle": "Самый простой и быстрый метод (мгновенный)", + "testBackupLastBackupTest": "Последний тест резервного копирования: {timestamp}", + "@testBackupLastBackupTest": { + "placeholders": { + "timestamp": { + "type": "String" + } + } + }, + "payAmountRequired": "Требуется сумма", + "keystoneStep7": " - Попробуйте переместить устройство назад", + "coreSwapsChainExpired": "Перенос истек", + "payDefaultCommentOptional": "Комментарий по умолчанию (факультативно)", + "payCopyInvoice": "Счет-фактура", + "transactionListYesterday": "Вчера", + "walletButtonReceive": "Получить", + "buyLevel2Limit": "Предел уровня 2: {amount}", + "@buyLevel2Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "bitboxCubitDeviceNotPaired": "Устройство не в паре. Пожалуйста, сначала завершите процесс спаривания.", + "sellCrcBalance": "CRC Баланс", + "paySelectCoinsManually": "Выбрать монеты вручную", + "replaceByFeeActivatedLabel": "Замена по фе активирована", + "sendPaymentProcessing": "Платежи обрабатываются. Это может занять до минуты", + "electrumDefaultServersInfo": "Для защиты вашей конфиденциальности серверы по умолчанию не используются, когда настроены пользовательские серверы.", + "transactionDetailLabelPayoutMethod": "Метод выплаты", + "testBackupErrorLoadMnemonic": "{error}", + "@testBackupErrorLoadMnemonic": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payPriceRefreshIn": "Цена освежится ", + "bitboxCubitOperationCancelled": "Операция была отменена. Попробуй еще раз.", + "passportStep3": "Сканировать код QR, показанный в кошельке Bull", + "jadeStep5": "Если у вас есть проблемы с сканированием:", + "electrumProtocolError": "Не включайте протокол (ssl: или tcp://).", + "receivePayjoinFailQuestion": "Нет времени ждать, или джоин провалился на стороне отправителя?", + "arkSendConfirmTitle": "Добавить", + "importQrDeviceSeedsignerStep1": "Мощность на устройстве SeedSigner", + "exchangeRecipientsTitle": "Получатели", + "legacySeedViewEmptyPassphrase": "(пустая)", + "importWatchOnlyDerivationPath": "Путь вывода", + "sendErrorBroadcastFailed": "Не удалось транслировать сделку. Проверьте подключение к сети и попробуйте еще раз.", + "paySecurityQuestion": "Вопрос безопасности", + "dcaSelectWalletTypeLabel": "Выберите тип Bitcoin Wallet", + "backupWalletHowToDecideVaultModalTitle": "Как решить", + "importQrDeviceJadeStep1": "Включите устройство Jade", + "payNotLoggedInDescription": "Вы не вошли. Пожалуйста, зайдите, чтобы продолжить использование функции оплаты.", + "testBackupEncryptedVaultTag": "Легко и просто (1 минута)", + "transactionLabelAddressNotes": "Адресные записки", + "bitboxScreenTroubleshootingStep3": "Перезапустите устройство BitBox02, отменив его и повторно подключив.", + "torSettingsProxyPort": "Tor Proxy Port", + "fundExchangeErrorLoadingDetails": "Детали оплаты не могут быть загружены в данный момент. Пожалуйста, возвращайтесь и попробуйте снова, выберите другой способ оплаты или вернемся позже.", + "testCompletedSuccessTitle": "Тест завершен успешно!", + "payBitcoinAmount": "Bitcoin сумма", + "fundExchangeSpeiTransfer": "Перевод SPEI", + "recoverbullUnexpectedError": "Неожиданная ошибка", + "coreSwapsStatusFailed": "Не удалось", + "transactionFilterSell": "Печать", + "fundExchangeMethodSpeiTransfer": "Перевод SPEI", + "fundExchangeSinpeWarningNoBitcoinDescription": " слово «Bitcoin» или «Crypto» в описании оплаты. Это блокирует вашу оплату.", + "electrumAddServer": "Добавить сервер", + "addressViewCopyAddress": "Копировать адрес", + "receiveBitcoin": "Bitcoin", + "pinAuthenticationTitle": "Аутентификация", + "sellErrorNoWalletSelected": "Нет кошелька, выбранного для отправки платежа", + "fundExchangeCrIbanCrcRecipientNameHelp": "Используйте наше официальное фирменное имя. Не используйте «Bull Bitcoin».", + "receiveVerifyAddressLedger": "Проверка Адреса на Ledger", + "howToDecideButton": "Как решить?", + "testBackupFetchingFromDevice": "Принесите с вашего устройства.", + "backupWalletHowToDecideVaultCustomLocation": "Настраиваемое местоположение может быть гораздо более безопасным, в зависимости от того, какое место вы выберете. Вы также должны убедиться, что не потеряете резервный файл или потеряете устройство, на котором хранится ваш резервный файл.", + "exchangeLegacyTransactionsComingSoon": "Наследственные транзакции - Скоро", + "buyProofOfAddress": "Доказательство адреса", + "backupWalletInstructionNoDigitalCopies": "Не делайте цифровые копии вашей резервной копии. Запишите его на бумаге или выгравированы в металле.", + "psbtFlowError": "Ошибка:", + "@psbtFlowError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "replaceByFeeFastestDescription": "Предполагаемая доставка ~ 10 минут", + "backupKeyHint": "acc8b7b12daf06412f45a90b7fd2..", + "importQrDeviceSeedsignerStep2": "Откройте меню \"Семена\"", + "exchangeAmountInputValidationZero": "Сумма должна быть больше нуля", + "transactionLabelTransactionFee": "Плата за операции", + "importWatchOnlyRequired": "Требуемые", + "payWalletNotSynced": "Кошелек не синхронизируется. Подождите", + "recoverbullRecoveryLoadingMessage": "Поиск баланса и сделок..", + "transactionSwapInfoChainDelay": "Трансферы на цепи могут занять некоторое время, чтобы завершить из-за времени подтверждения блокчейна.", + "sellExchangeRate": "Обменный курс", + "walletOptionsNotFoundMessage": "Wallet не найден", + "importMnemonicLegacy": "Наследие", + "settingsDevModeWarningMessage": "Этот режим рискованный. Позволяя это, вы признаете, что можете потерять деньги", + "sellTitle": "Продать биткойн", + "recoverbullVaultKey": "Ключ хранилища", + "transactionListToday": "Сегодня", + "keystoneStep12": "Кошелек Bull Bitcoin попросит вас сканировать QR-код на Keystone. Сканируйте.", + "ledgerErrorRejectedByUser": "Сделка была отклонена пользователем на устройстве Ledger.", + "payFeeRate": "Fee Rate", + "autoswapWarningDescription": "Autoswap гарантирует, что хороший баланс поддерживается между вашими Instant Payments и Secure Bitcoin Wallet.", + "fundExchangeSinpeAddedToBalance": "Как только платеж будет отправлен, он будет добавлен к балансу вашего счета.", + "durationMinute": "{minutes}", + "@durationMinute": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "recoverbullErrorDecryptedVaultNotSet": "Зашифрованное хранилище не установлено", + "pinCodeMismatchError": "PIN не совпадает", + "autoswapRecipientWalletPlaceholderRequired": "Выберите биткойн-кошелек*", + "recoverbullGoogleDriveErrorGeneric": "Произошла ошибка. Попробуй еще раз.", + "sellUnauthenticatedError": "Вы не проверены. Пожалуйста, зайдите, чтобы продолжить.", + "coreScreensConfirmSend": "Добавить", + "transactionDetailLabelSwapStatus": "Статус шва", + "passportStep10": "Паспорт покажет вам свой собственный QR-код.", + "transactionDetailLabelAmountSent": "Высланная сумма", + "electrumStopGapEmptyError": "Стоп Гэп не может быть пустым", + "typeLabel": "Тип: ", + "buyInputInsufficientBalance": "Недостаточный баланс", + "ledgerProcessingSignSubtext": "Пожалуйста, подтвердите транзакцию на устройстве Ledger...", + "withdrawConfirmClabe": "CLABE", + "amountLabel": "Сумма", + "sellUsdBalance": "USD Баланс", + "payScanQRCode": "Scan QR Код", + "seedsignerStep10": "Затем SeedSigner покажет вам свой QR-код.", + "psbtInstructions": "Инструкции", + "swapProgressCompletedMessage": "Вау, ты ждал! Перенос завершился успешно.", + "sellCalculating": "Расчет...", + "recoverbullPIN": "PIN", + "swapInternalTransferTitle": "Внутренний перевод", + "withdrawConfirmPayee": "Payee", + "importQrDeviceJadeStep8": "Нажмите кнопку «открытая камера»", + "payPhoneNumberHint": "Номер телефона", + "exchangeTransactionsComingSoon": "Операции - Скоро", + "navigationTabExchange": "Обмен", + "dcaSuccessMessageWeekly": "Вы будете покупать {amount} каждую неделю", + "@dcaSuccessMessageWeekly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "withdrawConfirmRecipientName": "Имя получателя", + "autoswapRecipientWalletPlaceholder": "Выберите биткойн-кошелек", + "enterYourBackupPinTitle": "Введите резервное копирование {pinOrPassword}", + "@enterYourBackupPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "backupSettingsExporting": "Экспорт...", + "receiveDetails": "Подробности", + "importQrDeviceSpecterStep11": "Настройка завершена", + "mempoolSettingsUseForFeeEstimationDescription": "При включении этот сервер будет использоваться для оценки платы. При отключении, вместо этого будет использоваться мемпул-сервер Bull Bitcoin.", + "sendCustomFee": "Пользовательские феи", + "seedsignerStep7": " - Попробуйте переместить устройство назад", + "sendAmount": "Сумма", + "buyInputInsufficientBalanceMessage": "У вас нет достаточного баланса для создания этого порядка.", + "recoverbullSelectBackupFileNotValidError": "Резервный файл Recoverbull не действует", + "swapErrorInsufficientFunds": "Невозможно построить транзакцию. Вероятно, из-за нехватки средств для покрытия сборов и суммы.", + "dcaConfirmAmount": "Сумма", + "arkBalanceBreakdown": "Перерыв баланса", + "seedsignerStep8": "Как только транзакция импортируется в вашем SeedSigner, вы должны выбрать семя, с которым вы хотите подписать.", + "sellSendPaymentPriceRefresh": "Цена освежится ", + "arkAboutCopy": "Копировать", + "recoverbullPasswordRequired": "Требуется пароль", + "payFirstName": "Имя", + "arkNoTransactionsYet": "Пока никаких сделок.", + "recoverViaCloudDescription": "Восстановите резервное копирование через облако с помощью PIN.", + "importWatchOnlySigningDevice": "Устройство сигнализации", + "receiveInvoiceExpired": "Срок действия счета-фактуры", + "ledgerButtonManagePermissions": "Разрешения на использование", + "autoswapMinimumThresholdErrorSats": "Минимальный порог баланса - {amount}", + "@autoswapMinimumThresholdErrorSats": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "buyKycPendingTitle": "Проверка идентификации KYC", + "transactionOrderLabelPayinStatus": "Статус оплаты", + "sellSendPaymentSecureWallet": "Безопасный биткойн-кошелек", + "coreSwapsLnReceiveRefundable": "Свап готов к возврату.", + "bitcoinSettingsElectrumServerTitle": "Параметры сервера Electrum", + "payRemoveRecipient": "Удалить получателя", + "pasteInputDefaultHint": "Вставить адрес платежа или счет-фактуру", + "sellKycPendingTitle": "Проверка идентификации KYC", + "withdrawRecipientsFilterAll": "Все типы", + "bitboxScreenSegwitBip84Subtitle": "Native SegWit - рекомендуемый", + "fundExchangeSpeiSubtitle": "Перенос средств с помощью вашего CLABE", + "encryptedVaultRecommendationText": "Вы не уверены, и вам нужно больше времени, чтобы узнать о практике резервного копирования безопасности.", + "urDecodingFailedMessage": "UR decoding failed", + "fundExchangeAccountSubtitle": "Выберите свою страну и способ оплаты", + "appStartupContactSupportButton": "Контактная поддержка", + "bitboxScreenWaitingConfirmation": "Ожидание подтверждения на BitBox02...", + "howToDecideVaultLocationText1": "Поставщики облачного хранилища, такие как Google или Apple, не будут иметь доступа к вашему биткойну, потому что пароль шифрования слишком силен. Они могут получить доступ к вашему биткойну только в маловероятном случае, если они столкнутся с ключевым сервером (интернет-сервис, который хранит ваш пароль шифрования). Если ключевой сервер когда-либо взломан, ваш биткойн может быть под угрозой с облаком Google или Apple.", + "receiveFeeExplanation": "Эта плата будет вычтена из суммы, отправленной", + "payCannotBumpFee": "Невозможно нажать плату за эту сделку", + "payAccountNumber": "Номер счета", + "arkSatsUnit": "сидение", + "payMinimumAmount": "Минимум: {amount}", + "@payMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sendSwapRefundCompleted": "Завершение возврата", + "torSettingsStatusUnknown": "Статус Неизвестный", + "sendConfirmSwap": "Подтвердить", + "exchangeLogoutComingSoon": "Выход - Скоро", + "sendSending": "Отправка", + "withdrawConfirmAccount": "Счет", + "backupButton": "Назад", + "sellSendPaymentPayoutAmount": "Сумма выплат", + "payOrderNumber": "Номер заказа", + "sendErrorConfirmationFailed": "Подтверждение не удалось", + "recoverbullWaiting": "Ожидание", + "notTestedStatus": "Not Tested", + "paySinpeNumeroOrden": "Номер заказа", + "backupBestPracticesTitle": "Наилучшая практика", + "transactionLabelRecipientAddress": "Адрес получателя", + "backupWalletVaultProviderGoogleDrive": "Google Drive", + "bitboxCubitDeviceNotFound": "Устройство BitBox не найдено. Пожалуйста, подключите ваше устройство и попробуйте снова.", + "autoswapSaveError": "Невозможно сохранить настройки: {error}", + "@autoswapSaveError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "buyStandardWithdrawal": "Стандартный вывод", + "swapContinue": "Продолжить", + "arkSettleButton": "Настройка", + "electrumAddFailedError": "Не удалось добавить пользовательский сервер {reason}", + "@electrumAddFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "transactionDetailLabelTransferFees": "Плата за перевод", + "arkAboutDurationHours": "{hours}", + "@arkAboutDurationHours": { + "placeholders": { + "hours": { + "type": "int" + } + } + }, + "importWalletSectionGeneric": "Генерические кошельки", + "arkEsploraUrl": "URL", + "backupSettingsNotTested": "Not Tested", + "googleDrivePrivacyMessage": "Google попросит вас поделиться личной информацией с этим приложением.", + "errorGenericTitle": "Упс! Что-то не так", + "bitboxActionPairDeviceSuccess": "Устройство успешно срабатывает", + "bitboxErrorNoDevicesFound": "Никаких устройств BitBox не найдено. Убедитесь, что ваше устройство работает и подключено через USB.", + "torSettingsStatusConnecting": "Подключение...", + "receiveSwapID": "Идентификатор швапа", + "settingsBitcoinSettingsTitle": "Bitcoin Настройки", + "backupWalletHowToDecideBackupModalTitle": "Как решить", + "backupSettingsLabel": "Резервная копия", + "ledgerWalletTypeNestedSegwit": "Nested Segwit (BIP49)", + "fundExchangeJurisdictionMexico": "🇲🇽 Мексика", + "sellInteracEmail": "Interac Email", + "coreSwapsActionClose": "Закрыть", + "kruxStep6": "Если у вас есть проблемы с сканированием:", + "autoswapMaximumFeeError": "Максимальный порог платы {threshold}%", + "@autoswapMaximumFeeError": { + "placeholders": { + "threshold": { + "type": "String" + } + } + }, + "swapValidationEnterAmount": "Пожалуйста, введите сумму", + "recoverbullErrorVaultCreatedKeyNotStored": "Не удалось: файл Vault создан, но ключ не хранится на сервере", + "exchangeSupportChatWalletIssuesInfo": "Этот чат предназначен только для обмена смежными вопросами в Funding/Buy/Sell/Withdraw/Pay.\nДля проблем, связанных с кошельком, присоединяйтесь к группе телеграмм, нажав здесь.", + "exchangeLoginButton": "Зарегистрироваться или зарегистрироваться", + "arkAboutHide": "Скрыть", + "ledgerProcessingVerify": "Показать адрес на Ledger...", + "coreScreensFeePriorityLabel": "Очередность", + "arkSendPendingBalance": "Остаток ", + "coreScreensLogsTitle": "Журналы", + "recoverbullVaultKeyInput": "Ключ хранилища", + "testBackupErrorWalletMismatch": "Резервное копирование не соответствует существующему кошельку", + "bip329LabelsHeading": "BIP329", + "jadeStep2": "Добавить пароль, если у вас есть один (факультативно)", + "coldcardStep4": "Сканировать код QR, показанный в кошельке Bull", + "importQrDevicePassportStep5": "Выберите опцию \"Sparrow\"", + "psbtFlowClickPsbt": "Нажмите на PSBT", + "sendInvoicePaid": "Оплата счетов-фактур", + "buyKycPendingDescription": "Вы должны сначала завершить проверку личности", + "payBelowMinAmountError": "Вы пытаетесь заплатить ниже минимальной суммы, которую можно заплатить этим кошельком.", + "arkReceiveSegmentArk": "Ковчег", + "autoswapRecipientWalletInfo": "Выберите, какой биткойн-кошелек получит переведенные средства (требуется)", + "importWalletKrux": "Krux", + "swapContinueButton": "Продолжить", + "bitcoinSettingsBroadcastTransactionTitle": "Трансляция", + "sendSignWithLedger": "Знак с Ledger", + "pinSecurityTitle": "Безопасность PIN", + "swapValidationPositiveAmount": "Введите положительное количество", + "walletDetailsSignerLabel": "Signer", + "exchangeDcaSummaryMessage": "Вы покупаете {amount} каждый {frequency} через {network}, если на вашем счете есть средства.", + "@exchangeDcaSummaryMessage": { + "placeholders": { + "amount": { + "type": "String", + "description": "The amount being purchased (e.g., '$100 CAD')" + }, + "frequency": { + "type": "String" + }, + "network": { + "type": "String" + } + } + }, + "addressLabel": "Адрес: ", + "testBackupWalletTitle": "Испытание {walletName}", + "@testBackupWalletTitle": { + "placeholders": { + "walletName": { + "type": "String" + } + } + }, + "withdrawRecipientsPrompt": "Где и как мы должны отправить деньги?", + "withdrawRecipientsTitle": "Выберите получателя", + "sellPayoutRecipient": "Получатель выплат", + "backupWalletLastBackupTest": "Последний тест резервного копирования: ", + "whatIsWordNumberPrompt": "Что такое число слов {number}?", + "@whatIsWordNumberPrompt": { + "placeholders": { + "number": { + "type": "int", + "example": "5" + } + } + }, + "keystoneStep1": "Вход на устройство Keystone", + "keystoneStep3": "Сканировать код QR, показанный в кошельке Bull", + "backupKeyWarningMessage": "Предупреждение: Будьте осторожны, где вы сохраняете резервный ключ.", + "arkSendSuccessTitle": "Отправить", + "importQrDevicePassportStep3": "Выберите \"Управляющий счет\"", + "exchangeAuthErrorMessage": "Произошла ошибка, пожалуйста, попробуйте снова войти.", + "bitboxActionSignTransactionTitle": "Подписание", + "testBackupGoogleDrivePrivacyPart3": "оставьте свой телефон и ", + "logSettingsErrorLoadingMessage": "Загрузка журналов: ", + "dcaAmountLabel": "Сумма", + "walletNetworkLiquid": "Жидкая сеть", + "receiveArkNetwork": "Ковчег", + "swapMaxButton": "MAX", + "transactionSwapStatusTransferStatus": "Статус передачи", + "importQrDeviceSeedsignerStep8": "Сканировать QR-код, отображаемый на вашем SeedSigner", + "backupKeyTitle": "Ключ резервного копирования", + "electrumDeletePrivacyNotice": "Уведомление о конфиденциальности:\n\nИспользование собственного узла гарантирует, что ни одна третья сторона не может связать ваш IP-адрес с вашими транзакциями. Удаляя свой последний пользовательский сервер, вы будете подключаться к серверу BullBitcoin.\n.\n", + "dcaConfirmFrequencyWeekly": "Каждую неделю", + "payInstitutionNumberHint": "Число учреждений", + "sendSlowPaymentWarning": "Предупреждение о медленном платеже", + "quickAndEasyTag": "Quick & easy", + "settingsThemeTitle": "Тема", + "exchangeSupportChatYesterday": "Вчера", + "jadeStep3": "Выберите опцию \"Scan QR\"", + "dcaSetupFundAccount": "Фонд вашего счета", + "payEmail": "Email", + "coldcardStep10": "Нажмите на кнопки, чтобы подписать транзакцию на вашем Coldcard.", + "sendErrorAmountBelowSwapLimits": "Сумма ниже лимитов на свопы", + "labelErrorNotFound": "Лейбл «{label}» не найден.", + "@labelErrorNotFound": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "payPrivatePayment": "Частная оплата", + "autoswapDefaultWalletLabel": "Bitcoin Wallet", + "recoverbullTestSuccessDescription": "Вы можете восстановить доступ к потерянному кошельку Bitcoin", + "dcaDeactivate": "Отключение покупки", + "exchangeAuthLoginFailedTitle": "Не удалось", + "autoswapRecipientWallet": "Реципиент Bitcoin Wallet", + "arkUnifiedAddressBip21": "Единый адрес (BIP21)", + "pickPasswordOrPinButton": "Вместо этого выберите {pinOrPassword} >>", + "@pickPasswordOrPinButton": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "password" + } + } + }, + "transactionDetailLabelOrderType": "Тип заказа", + "autoswapWarningSettingsLink": "Отвезите меня в настройки автоволны", + "payLiquidNetwork": "Жидкая сеть", + "backupSettingsKeyWarningExample": "Например, если вы использовали Google Drive для резервного файла, не используйте Google Drive для резервного ключа.", + "backupWalletHowToDecideVaultCloudRecommendation": "Google или Облако Apple: ", + "testBackupEncryptedVaultDescription": "Anonymousная резервная копия с сильным шифрованием с помощью вашего облака.", + "payNetworkType": "Сеть", + "addressViewChangeType": "Изменение", + "walletDeletionConfirmationDeleteButton": "Удалить", + "confirmLogoutTitle": "Подтверждение", + "ledgerWalletTypeSelectTitle": "Выберите Wallet Тип", + "swapTransferCompletedMessage": "Вау, ты ждал! Перенос завершен успешно.", + "encryptedVaultTag": "Легко и просто (1 минута)", + "electrumDelete": "Удалить", + "testBackupGoogleDrivePrivacyPart4": "никогда ", + "arkConfirmButton": "Подтверждение", + "sendCoinControl": "Контроль", + "withdrawSuccessOrderDetails": "Детали заказа", + "exchangeLandingConnect": "Подключите счет обмена Bull Bitcoin", + "payProcessingPayment": "Обработка оплаты...", + "ledgerImportTitle": "Импорт Ledger Wall", + "exchangeDcaFrequencyMonth": "месяц", + "paySuccessfulPayments": "Успех", + "navigationTabWallet": "Wallet", + "bitboxScreenScanning": "Сканирование устройств", + "howToDecideBackupTitle": "Как решить", + "statusCheckTitle": "Статус службы", + "ledgerHelpSubtitle": "Во-первых, убедитесь, что ваше устройство Ledger разблокировано и приложение Bitcoin открыто. Если ваше устройство все еще не подключено к приложению, попробуйте следующее:", + "savingToDevice": "Сбережение к вашему устройству.", + "bitboxActionImportWalletButton": "Начало", + "fundExchangeLabelSwiftCode": "Код SWIFT", + "buyEnterBitcoinAddress": "Введите адрес биткойна", + "autoswapWarningBaseBalance": "Базовый баланс 0,01 BTC", + "transactionDetailLabelPayoutAmount": "Сумма выплат", + "importQrDeviceSpecterStep6": "Выберите \"Сингл ключ\"", + "importQrDeviceJadeStep10": "Вот так!", + "payPayeeAccountNumberHint": "Номер счета", + "importQrDevicePassportStep8": "На вашем мобильном устройстве нажмите «открытая камера»", + "dcaConfirmationError": "Что-то пошло не так:", + "@dcaConfirmationError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "oopsSomethingWentWrong": "Упс! Что-то не так", + "pinStatusSettingUpDescription": "Настройка PIN-кода", + "enterYourPinTitle": "Введите {pinOrPassword}", + "@enterYourPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "onboardingPhysicalBackup": "Физическая резервная копия", + "swapFromLabel": "Из", + "fundExchangeCrIbanCrcDescription": "Отправка банковского перевода с вашего банковского счета с использованием данных ниже ", + "settingsDevModeWarningTitle": "Режим Дев", + "importQrDeviceKeystoneStep4": "Выберите Соединение программного обеспечения", + "bitcoinSettingsAutoTransferTitle": "Параметры автопередачи", + "rbfOriginalTransaction": "Первоначальная сделка", + "payViewRecipient": "Вид получателя", + "exchangeAccountInfoUserNumberCopiedMessage": "Номер пользователя скопирован в буфер обмена", + "settingsAppVersionLabel": "Версия приложения: ", + "bip329LabelsExportButton": "Экспортные этикетки", + "jadeStep4": "Сканировать код QR, показанный в кошельке Bull", + "recoverbullRecoveryErrorWalletExists": "Этот кошелек уже существует.", + "payBillerNameValue": "Выбранное имя", + "sendSelectCoins": "Выберите монеты", + "fundExchangeLabelRoutingNumber": "Номер маршрута", + "enterBackupKeyManuallyButton": "Введите ключ резервного копирования вручную >>", + "paySyncingWallet": "Синхронизация кошелька...", + "allSeedViewLoadingMessage": "Это может занять некоторое время, если у вас есть много семян на этом устройстве.", + "paySelectWallet": "Выберите Wallet", + "pinCodeChangeButton": "Изменение PIN", + "paySecurityQuestionHint": "Введите вопрос безопасности (10-40 символов)", + "ledgerErrorMissingPsbt": "PSBT требуется для подписания", + "importWatchOnlyPasteHint": "Paste xpub, ypub, zpub или дескриптор", + "sellAccountNumber": "Номер счета", + "backupWalletLastKnownEncryptedVault": "Last Known Encrypted Стоп: ", + "dcaSetupInsufficientBalanceMessage": "У вас нет достаточного баланса для создания этого порядка.", + "recoverbullGotIt": "Понял", + "sendAdvancedOptions": "Дополнительные параметры", + "sellRateValidFor": "Ставки действительны для {seconds}", + "@sellRateValidFor": { + "placeholders": { + "seconds": { + "type": "int" + } + } + }, + "autoswapAutoSaveError": "Не удалось сохранить настройки", + "exchangeAccountInfoVerificationLightVerification": "Легкая проверка", + "exchangeFeatureBankTransfers": "• Отправить банковские переводы и оплатить счета", + "sellSendPaymentInstantPayments": "Мгновенные платежи", + "onboardingRecoverWalletButton": "Recover Wallet", + "dcaConfirmAutoMessage": "Заказы на покупку будут размещены автоматически в этих настройках. Вы можете отключить их в любое время.", + "arkCollaborativeRedeem": "Сотрудничающий редим", + "pinCodeCheckingStatus": "Проверка состояния PIN", + "usePasswordInsteadButton": "Использовать {pinOrPassword} вместо >>", + "@usePasswordInsteadButton": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "password" + } + } + }, + "coreSwapsLnSendFailedRefunding": "Свап будет возвращен в ближайшее время.", + "dcaWalletTypeLightning": "Lightning Network (LN)", + "transactionSwapProgressBroadcasted": "Трансляция", + "backupWalletVaultProviderAppleICloud": "Apple iCloud", + "swapValidationMinimumAmount": "Минимальная сумма {amount} {currency}", + "@swapValidationMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + }, + "currency": { + "type": "String" + } + } + }, + "importMnemonicTitle": "Импорт Mnemonic", + "payReplaceByFeeActivated": "Замена по фе активирована", + "testBackupDoNotShare": "НЕ С КЕМ БЫ ТО НИ БЫЛО", + "kruxInstructionsTitle": "Инструкции Krux", + "payNotAuthenticated": "Вы не проверены. Пожалуйста, зайдите, чтобы продолжить.", + "paySinpeNumeroComprobante": "Номер", + "backupSettingsViewVaultKey": "Посмотреть хранилище Ключ", + "ledgerErrorNoConnection": "Доступно подключение Ledger", + "testBackupSuccessButton": "Понял", + "transactionLabelTransactionId": "ID транзакции", + "buyNetworkFeeExplanation": "Стоимость сети Bitcoin будет вычтена из суммы, которую вы получите и собрали майнеры Bitcoin", + "transactionDetailLabelAddress": "Адрес", + "fundExchangeCrIbanUsdLabelPaymentDescription": "Описание оплаты", + "fundExchangeInfoBeneficiaryNameLeonod": "Имя бенефициара должно быть LEONOD. Если вы положите что-нибудь еще, ваш платеж будет отклонен.", + "importWalletLedger": "Ledger", + "recoverbullCheckingConnection": "Проверка подключения для RecoverBull", + "exchangeLandingTitle": "BULL BITCOIN", + "psbtFlowSignWithQr": "Подписаться с QR-кодом", + "doneButton": "Дон", + "withdrawSuccessTitle": "Вывод", + "paySendAll": "Отправить все", + "pinCodeAuthentication": "Аутентификация", + "payLowPriority": "Низкий", + "coreSwapsLnReceivePending": "Свап еще не инициализирован.", + "arkSendConfirmMessage": "Пожалуйста, подтвердите детали вашей транзакции перед отправкой.", + "bitcoinSettingsLegacySeedsTitle": "Наследные семена", + "transactionDetailLabelPayjoinCreationTime": "Время создания Payjoin", + "backupWalletBestPracticesTitle": "Наилучшая практика", + "transactionSwapInfoFailedExpired": "Если у вас есть какие-либо вопросы или проблемы, пожалуйста, свяжитесь с поддержкой для помощи.", + "memorizePasswordWarning": "Вы должны запомнить это {pinOrPassword}, чтобы восстановить доступ к своему кошельку. Должно быть не менее 6 цифр. Если вы потеряете это {pinOrPassword}, вы не можете восстановить свое резервное копирование.", + "@memorizePasswordWarning": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "googleAppleCloudRecommendation": "Google или Облако Apple: ", + "exchangeGoToWebsiteButton": "Перейти на сайт биржи Bull Bitcoin", + "testWalletTitle": "Испытание {walletName}", + "@testWalletTitle": { + "placeholders": { + "walletName": { + "type": "String", + "example": "Default Wallets" + } + } + }, + "exchangeBitcoinWalletsLiquidAddressLabel": "Жидкий адрес", + "backupWalletSuccessTestButton": "Проверка", + "pinCodeSettingUp": "Настройка PIN-кода", + "replaceByFeeErrorFeeRateTooLow": "Вы должны увеличить ставку сбора как минимум на 1 атт/вбайт по сравнению с первоначальной транзакцией", + "payPriority": "Приоритет", + "fundExchangeCostaRicaMethodIbanCrcSubtitle": "Перевод средств в Коста-Рике", + "receiveNoTimeToWait": "Нет времени ждать, или джоин провалился на стороне отправителя?", + "payChannelBalanceLow": "Баланс канала слишком низкий", + "allSeedViewNoSeedsFound": "Семена не нашли.", + "bitboxScreenActionFailed": "{action} Failed", + "@bitboxScreenActionFailed": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "dcaSetupScheduleMessage": "Покупки Bitcoin будут размещены автоматически в соответствии с этим графиком.", + "coreSwapsStatusExpired": "Заключено", + "fundExchangeCanadaPostStep3": "3. Скажите кассиру сумму, которую вы хотите загрузить", + "payFee": "Fee", + "systemLabelSelfSpend": "Самостоятельные расходы", + "swapProgressRefundMessage": "С переводом произошла ошибка. Ваш возврат идет.", + "passportStep4": "Если у вас есть проблемы с сканированием:", + "dcaConfirmContinue": "Продолжить", + "decryptVaultButton": "Зашифрованное хранилище", + "electrumNetworkBitcoin": "Bitcoin", + "paySecureBitcoinWallet": "Безопасный биткойн-кошелек", + "exchangeAppSettingsDefaultCurrencyLabel": "По умолчанию", + "arkSendRecipientError": "Пожалуйста, введите получателя", + "arkArkAddress": "Арктический адрес", + "payRecipientName": "Имя получателя", + "exchangeBitcoinWalletsLightningAddressLabel": "Молния (LN-адрес)", + "bitboxActionVerifyAddressButton": "Верификация Адрес", + "torSettingsInfoTitle": "Важная информация", + "importColdcardInstructionsStep7": "На вашем мобильном устройстве нажмите «открытая камера»", + "testBackupStoreItSafe": "Храни его где-нибудь в безопасности.", + "enterBackupKeyLabel": "Введите резервный ключ", + "bitboxScreenTroubleshootingSubtitle": "Во-первых, убедитесь, что устройство BitBox02 подключено к порту USB. Если ваше устройство все еще не подключено к приложению, попробуйте следующее:", + "securityWarningTitle": "Предупреждение", + "never": "никогда ", + "notLoggedInTitle": "Вы не вошли", + "testBackupWhatIsWordNumber": "Что такое число слов {number}?", + "@testBackupWhatIsWordNumber": { + "placeholders": { + "number": { + "type": "int" + } + } + }, + "payInvoiceDetails": "Детали счетов-фактур", + "exchangeLandingLoginButton": "Зарегистрироваться или зарегистрироваться", + "torSettingsEnableProxy": "Включить Tor Proxy", + "bitboxScreenAddressToVerify": "Адрес для проверки:", + "payConfirmPayment": "Подтвердить оплату", + "bitboxErrorPermissionDenied": "Разрешения USB необходимы для подключения к устройствам BitBox.", + "recoveryPhraseTitle": "Запишите свою фразу восстановления\nв правильном порядке", + "bitboxActionSignTransactionProcessingSubtext": "Пожалуйста, подтвердите транзакцию на вашем устройстве BitBox...", + "sellConfirmPayment": "Подтвердить оплату", + "sellSelectCoinsManually": "Выбрать монеты вручную", + "addressViewReceiveType": "Получить", + "coldcardStep11": "The Coldcard Затем Q покажет вам свой собственный QR-код.", + "fundExchangeLabelIban": "Номер счета IBAN", + "swapDoNotUninstallWarning": "Не удаляйте приложение до завершения передачи!", + "testBackupErrorVerificationFailed": "Проверка провалилась: {error}", + "@testBackupErrorVerificationFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "sendViewDetails": "Просмотр деталей", + "recoverbullErrorUnexpected": "Неожиданная ошибка, см. журналы", + "sendSubmarineSwap": "Submarine Swap", + "transactionLabelLiquidTransactionId": "ID транзакции", + "payNotAvailable": "N/A", + "payFastest": "Самый быстрый", + "allSeedViewSecurityWarningTitle": "Предупреждение", + "sendSwapFeeEstimate": "Расчетный обменный сбор: {amount}", + "@sendSwapFeeEstimate": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "coreSwapsLnReceiveExpired": "Свап закончился.", + "fundExchangeOnlineBillPaymentLabelBillerName": "Поиск списка билеров вашего банка на это имя", + "recoverbullSelectFetchDriveFilesError": "Не удалось получить все накопители", + "psbtFlowLoadFromCamera": "Нажмите кнопку Загрузка с камеры", + "exchangeAccountInfoVerificationLimitedVerification": "Ограниченная проверка", + "addressViewErrorLoadingMoreAddresses": "Ошибка загрузки больше адресов: {error}", + "@addressViewErrorLoadingMoreAddresses": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "arkCopy": "Копировать", + "sendBuildingTransaction": "Строительная сделка...", + "fundExchangeMethodEmailETransfer": "Email E-Transfer", + "electrumConfirm": "Подтверждение", + "transactionDetailLabelOrderNumber": "Номер заказа", + "bitboxActionPairDeviceSuccessSubtext": "Ваше устройство BitBox теперь в паре и готово к использованию.", + "pickPasswordInsteadButton": "Выберите пароль вместо >>", + "coreScreensSendNetworkFeeLabel": "Отправить Сеть", + "bitboxScreenScanningSubtext": "Ищешь устройство BitBox...", + "sellOrderFailed": "Не удалось разместить заказ на продажу", + "payInvalidAmount": "Неверная сумма", + "fundExchangeLabelBankName": "Название банка", + "ledgerErrorMissingScriptTypeVerify": "Тип скрипта требуется для проверки", + "backupWalletEncryptedVaultDescription": "Anonymousная резервная копия с сильным шифрованием с помощью вашего облака.", + "sellRateExpired": "Обменный курс истек. Размышляя...", + "payExternalWallet": "Внешний кошелек", + "recoverbullConfirm": "Подтверждение", + "arkPendingBalance": "Остаток", + "fundExchangeInfoBankCountryUk": "Наша страна - Великобритания.", + "dcaConfirmNetworkBitcoin": "Bitcoin", + "seedsignerStep14": "Теперь он готов к трансляции! Как только вы нажмете трансляцию, транзакция будет опубликована в сети Bitcoin и средства будут отправлены.", + "fundExchangeCostaRicaMethodIbanCrcTitle": "IBAN Costa Rica (CRC)", + "payOrderDetails": "Детали заказа", + "importMnemonicTransactions": "{count}", + "@importMnemonicTransactions": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "exchangeAppSettingsPreferredLanguageLabel": "Предпочтительный язык", + "walletDeletionConfirmationMessage": "Вы уверены, что хотите удалить этот кошелек?", + "rbfTitle": "Заменить:", + "sellAboveMaxAmountError": "Вы пытаетесь продать выше максимальной суммы, которая может быть продана с этим кошельком.", + "settingsSuperuserModeUnlockedMessage": "Режим Superuser разблокирован!", + "pickPinInsteadButton": "Выберите PIN вместо >>", + "backupWalletVaultProviderCustomLocation": "Пользовательское местоположение", + "addressViewErrorLoadingAddresses": "Адреса загрузки ошибки: {error}", + "@addressViewErrorLoadingAddresses": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "bitboxErrorConnectionTypeNotInitialized": "Тип подключения не инициализируется.", + "transactionListOngoingTransfersDescription": "Эти переводы в настоящее время осуществляются. Ваши средства безопасны и будут доступны, когда передача завершится.", + "ledgerErrorUnknown": "Неизвестная ошибка", + "payBelowMinAmount": "Вы пытаетесь заплатить ниже минимальной суммы, которую можно заплатить этим кошельком.", + "ledgerProcessingVerifySubtext": "Пожалуйста, подтвердите адрес вашего устройства Ledger.", + "transactionOrderLabelOriginCedula": "Происхождение кедула", + "recoverbullRecoveryTransactionsLabel": "Транзакции: {count}", + "@recoverbullRecoveryTransactionsLabel": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "buyViewDetails": "Дополнительные сведения", + "paySwapFailed": "Потерпел неудачу", + "autoswapMaxFeeLabel": "Max Transfer Fee", + "importMnemonicBalance": "Остаток: {amount}", + "@importMnemonicBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "appUnlockScreenTitle": "Аутентификация", + "importQrDeviceWalletName": "Название", + "payNoRouteFound": "Ни один маршрут не найден для этой оплаты", + "fundExchangeLabelBeneficiaryName": "Имя бенефициара", + "exchangeSupportChatMessageEmptyError": "Сообщение не может быть пустым", + "fundExchangeWarningTactic2": "Они предлагают вам кредит", + "sellLiquidNetwork": "Жидкая сеть", + "payViewTransaction": "Просмотр транзакции", + "transactionLabelToWallet": "Кошелек", + "exchangeFileUploadInstructions": "Если вам нужно отправить любые другие документы, загрузите их здесь.", + "ledgerInstructionsAndroidDual": "Убедитесь, что вы Ledger разблокирован с открытым приложением Bitcoin и включен Bluetooth, или подключает устройство через USB.", + "arkSendRecipientLabel": "Адрес получателя", + "defaultWalletsLabel": "По умолчанию", + "jadeStep9": "После того, как транзакция будет импортирована в ваш Джейд, рассмотрите адрес назначения и сумму.", + "receiveAddLabel": "Добавить этикетку", + "ledgerWalletTypeNestedSegwitDescription": "P2WPKH-nested-in-P2SH", + "dcaConfirmFrequencyHourly": "Каждый час", + "legacySeedViewMnemonicLabel": "Mnemonic", + "sellSwiftCode": "Код SWIFT/BIC", + "fundExchangeCanadaPostTitle": "Наличные деньги или дебет в Canada Post", + "receiveInvoiceExpiry": "Срок действия счета-фактуры в {time}", + "@receiveInvoiceExpiry": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "testBackupGoogleDrivePrivacyPart5": "поделился с Bull Bitcoin.", + "arkTotal": "Итого", + "bitboxActionSignTransactionSuccessSubtext": "Ваша сделка была успешно подписана.", + "transactionStatusTransferExpired": "Перенос истек", + "backupWalletInstructionLosePhone": "Без резервного копирования, если вы потеряете или сломаете свой телефон, или если вы удалите приложение Bull Bitcoin, ваши биткойны будут потеряны навсегда.", + "recoverbullConnected": "Соединение", + "dcaConfirmLightningAddress": "Адрес освещения", + "coreSwapsLnReceiveCompleted": "Завершение.", + "backupWalletErrorGoogleDriveSave": "Не удалось сохранить Google Drive", + "settingsTorSettingsTitle": "Параметры Tor", + "importQrDeviceKeystoneStep2": "Введите PIN", + "receiveBitcoinTransactionWillTakeTime": "Биткоин-транзакция займет некоторое время, чтобы подтвердить.", + "sellOrderNotFoundError": "Заказ на продажу не был найден. Попробуй еще раз.", + "sellErrorPrepareTransaction": "Не удалось подготовить сделку: {error}", + "@sellErrorPrepareTransaction": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "fundExchangeOnlineBillPaymentTitle": "Оплата онлайн-билей", + "importQrDeviceSeedsignerStep7": "На вашем мобильном устройстве нажмите Open Camera", + "addressViewChangeAddressesDescription": "Показать бумажник Изменение адресов", + "sellReceiveAmount": "Вы получите", + "bitboxCubitInvalidResponse": "Неверный ответ от устройства BitBox. Попробуй еще раз.", + "settingsScreenTitle": "Настройка", + "transactionDetailLabelTransferFee": "Перенос", + "importQrDeviceKruxStep5": "Сканируйте QR-код, который вы видите на своем устройстве.", + "arkStatus": "Статус", + "fundExchangeHelpTransferCode": "Добавить это в качестве причины для передачи", + "mempoolCustomServerEdit": "Редактировать", + "importQrDeviceKruxStep2": "Нажмите Расширенный публичный ключ", + "recoverButton": "Восстановление", + "passportStep5": " - Увеличить яркость экрана на вашем устройстве", + "bitboxScreenConnectSubtext": "Убедитесь, что ваш BitBox02 разблокирован и подключен через USB.", + "payOwnerName": "Имя владельца", + "transactionNetworkLiquid": "Жидкость", + "payEstimatedConfirmation": "{time}", + "@payEstimatedConfirmation": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "bitboxErrorInvalidResponse": "Неверный ответ от устройства BitBox. Попробуй еще раз.", + "psbtFlowAddPassphrase": "Добавить пароль, если у вас есть один (факультативно)", + "payAdvancedOptions": "Дополнительные варианты", + "sendSigningTransaction": "Подписание сделки...", + "sellErrorFeesNotCalculated": "Плата за операции не рассчитана. Попробуй еще раз.", + "dcaAddressLiquid": "Жидкий адрес", + "buyVerificationInProgress": "Проводится проверка...", + "transactionSwapDescChainPaid": "Ваша сделка была передана. Сейчас мы ждем подтверждения транзакции блокировки.", + "mempoolSettingsUseForFeeEstimation": "Использование для оценки фея", + "buyPaymentMethod": "Метод оплаты", + "coreSwapsStatusCompleted": "Завершено", + "fundExchangeCrIbanUsdDescriptionEnd": "... Средства будут добавлены в ваш баланс.", + "psbtFlowMoveCloserFurther": "Попробуйте переместить устройство ближе или дальше", + "arkAboutDurationMinutes": "{minutes}", + "@arkAboutDurationMinutes": { + "placeholders": { + "minutes": { + "type": "int" + } + } + }, + "swapProgressTitle": "Внутренний перевод", + "pinButtonConfirm": "Подтверждение", + "coldcardStep2": "Добавить пароль, если у вас есть один (факультативно)", + "electrumInvalidNumberError": "Введите действительный номер", + "coreWalletTransactionStatusConfirmed": "Подтверждено", + "recoverbullSelectGoogleDrive": "Google Drive", + "recoverbullEnterInput": "Введите {inputType}", + "@recoverbullEnterInput": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "importQrDevicePassportStep12": "Настройка завершена.", + "fundExchangeLabelIbanUsdOnly": "Номер счета IBAN (только в долларах США)", + "payRecipientDetails": "Реквизиты", + "fundExchangeWarningTitle": "Следите за мошенниками", + "receiveError": "Ошибка:", + "@receiveError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "electrumRetryCount": "Retry Count", + "walletDetailsDescriptorLabel": "Дескриптор", + "importQrDeviceSeedsignerInstructionsTitle": "Инструкции для SeedSigner", + "payOrderNotFoundError": "Заказ на оплату не был найден. Попробуй еще раз.", + "jadeStep12": "Нажмите «I'm done» в кошельке Bull Bitcoin.", + "payFilterByType": "Фильтр по типу", + "importMnemonicImporting": "Импорт...", + "recoverbullGoogleDriveExportButton": "Экспорт", + "bip329LabelsDescription": "Импорт или экспортные этикетки кошельков с использованием стандартного формата BIP329.", + "backupWalletHowToDecideBackupEncryptedRecommendationText": "Вы не уверены, и вам нужно больше времени, чтобы узнать о практике резервного копирования безопасности.", + "backupWalletImportanceWarning": "Без резервного копирования вы в конечном итоге потеряете доступ к своим деньгам. Крайне важно сделать резервную копию.", + "autoswapMaxFeeInfoText": "Если общий трансферный сбор превышает установленный процент, автотрансфер будет заблокирован", + "recoverbullGoogleDriveCancelButton": "Отмена", + "backupWalletSuccessDescription": "Теперь давайте проверим вашу резервную копию, чтобы убедиться, что все было сделано правильно.", + "rbfBroadcast": "Broadcast", + "sendEstimatedDeliveryFewHours": "несколько часов", + "dcaConfirmFrequencyMonthly": "Каждый месяц", + "importWatchOnlyScriptType": "Тип сценария", + "electrumCustomServers": "Пользовательские серверы", + "transactionStatusSwapFailed": "Плавка", + "fundExchangeCrIbanCrcLabelCedulaJuridica": "Cédula Jurídica", + "continueButton": "Продолжить", + "payBatchPayment": "Платежи", + "transactionLabelBoltzSwapFee": "Болц Свап Фе", + "transactionSwapDescLnReceiveFailed": "С твоим обменом была проблема. Пожалуйста, свяжитесь с поддержкой, если средства не были возвращены в течение 24 часов.", + "sellOrderNumber": "Номер заказа", + "payRecipientCount": "{count}", + "@payRecipientCount": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "sendErrorBuildFailed": "Строить не удалось", + "transactionDetailSwapProgress": "Прогресс", + "arkAboutDurationMinute": "{minutes}", + "@arkAboutDurationMinute": { + "placeholders": { + "minutes": { + "type": "int" + } + } + }, + "backupWalletInstructionLoseBackup": "Если вы потеряете резервное копирование на 12 слов, вы не сможете восстановить доступ к Bitcoin Wallet.", + "payIsCorporateAccount": "Это корпоративный счет?", + "sellSendPaymentInsufficientBalance": "Недостаток баланса в выбранном кошельке для завершения этого ордера на продажу.", + "fundExchangeCrIbanCrcLabelRecipientName": "Имя получателя", + "swapTransferPendingTitle": "Перевод", + "mempoolCustomServerSaveSuccess": "Пользовательский сервер успешно сохранен", + "sendErrorBalanceTooLowForMinimum": "Слишком низкий баланс для минимальной суммы свопов", + "testBackupSuccessMessage": "Вы можете восстановить доступ к потерянному кошельку Bitcoin", + "electrumTimeout": "(вторые)", + "transactionDetailLabelOrderStatus": "Статус заказа", + "electrumSaveFailedError": "Не удалось сохранить расширенные варианты", + "arkSettleTransactionCount": "{count} {transaction}", + "@arkSettleTransactionCount": { + "placeholders": { + "count": { + "type": "String" + }, + "transaction": { + "type": "String" + } + } + }, + "bitboxScreenWalletTypeLabel": "Тип кошелька:", + "importQrDeviceKruxStep6": "Вот так!", + "recoverbullRecoveryErrorMissingDerivationPath": "В архиве отсутствует траектория.", + "payUnauthenticatedError": "Вы не проверены. Пожалуйста, зайдите, чтобы продолжить.", + "payClabe": "CLABE", + "mempoolCustomServerDelete": "Удалить", + "optionalPassphraseHint": "Факультативная фраза", + "importColdcardImporting": "Импорт бумажника Coldcard...", + "exchangeDcaHideSettings": "Настройки вызова", + "appUnlockIncorrectPinError": "Неправильный PIN. Попробуй еще раз. {failedAttempts} {attemptsWord}", + "@appUnlockIncorrectPinError": { + "placeholders": { + "failedAttempts": { + "type": "int" + }, + "attemptsWord": { + "type": "String" + } + } + }, + "buyBitcoinSent": "Bitcoin отправлен!", + "coreScreensPageNotFound": "Страница не найдена", + "passportStep8": "После того, как транзакция будет импортирована в ваш паспорт, рассмотрите адрес назначения и сумму.", + "importQrDeviceTitle": "Подключение {deviceName}", + "@importQrDeviceTitle": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "exchangeFeatureDcaOrders": "• DCA, лимитные заказы и автоматическая покупка", + "payIban": "IBAN", + "sellSendPaymentPayoutRecipient": "Получатель выплат", + "swapInfoDescription": "Передайте Bitcoin плавно между вашими кошельками. Только хранить средства в мгновенном платежном кошельке для повседневных расходов.", + "fundExchangeCanadaPostStep7": "7. Средства будут добавлены к балансу счета Bull Bitcoin в течение 30 минут", + "autoswapSaveButton": "Сохранить", + "importWatchOnlyDisclaimerDescription": "Убедитесь, что выбранный вами путь выведения соответствует тому, который произвел данный xpub, проверив первый адрес, полученный из кошелька перед использованием. Использование неправильного пути может привести к потере средств", + "fundExchangeWarningTactic8": "Они заставляют вас действовать быстро", + "encryptedVaultStatusLabel": "Зашифрованное хранилище", + "sendConfirmSend": "Добавить", + "fundExchangeBankTransfer": "Банковский перевод", + "importQrDeviceButtonInstructions": "Инструкции", + "buyLevel3Limit": "Предел уровня 3: {amount}", + "@buyLevel3Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "electrumLiquidSslInfo": "Ни один протокол не должен быть указан, SSL будет использоваться автоматически.", + "sendDeviceConnected": "Устройство подключено", + "swapErrorAmountAboveMaximum": "Сумма превышает максимальную сумму свопа: {max}", + "@swapErrorAmountAboveMaximum": { + "placeholders": { + "max": { + "type": "String" + } + } + }, + "psbtFlowPassportTitle": "Паспортные инструкции Фонда", + "exchangeLandingFeature3": "Продавайте биткойн, оплачивайте биткойн", + "notLoggedInMessage": "Пожалуйста, войдите в свою учетную запись Bull Bitcoin, чтобы получить доступ к настройкам обмена.", + "swapTotalFees": "Итого ", + "keystoneStep11": "Нажмите «I'm done» в кошельке Bull Bitcoin.", + "scanningCompletedMessage": "Завершение сканирования", + "recoverbullSecureBackup": "Защищайте резервное копирование", + "payDone": "Дон", + "receiveContinue": "Продолжить", + "buyUnauthenticatedError": "Вы не проверены. Пожалуйста, зайдите, чтобы продолжить.", + "bitboxActionSignTransactionButton": "Зарегистрироваться", + "sendEnterAbsoluteFee": "Введите абсолютный сбор в сатах", + "importWatchOnlyDisclaimerTitle": "Предупреждение о движении", + "withdrawConfirmIban": "IBAN", + "payPayee": "Payee", + "exchangeAccountComingSoon": "Эта функция скоро появится.", + "sellInProgress": "Продавайте.", + "testBackupLastKnownVault": "Last Known Encrypted {timestamp}", + "@testBackupLastKnownVault": { + "placeholders": { + "timestamp": { + "type": "String" + } + } + }, + "recoverbullErrorFetchKeyFailed": "Не удалось получить ключ с сервера", + "sendSwapInProgressInvoice": "Свопа продолжается. Счет будет оплачен через несколько секунд.", + "arkReceiveButton": "Получить", + "electrumRetryCountNegativeError": "Retry Count не может быть отрицательным", + "fundExchangeOnlineBillPaymentLabelAccountNumber": "Добавить это как номер счета", + "importQrDeviceJadeStep4": "Выберите \"Вариации\" из основного меню", + "backupWalletSavingToDeviceTitle": "Сбережение к вашему устройству.", + "transactionFilterSend": "Отправить", + "paySwapInProgress": "Заплывает...", + "importMnemonicSyncMessage": "Все три типа кошельков синхронизируются, и их баланс и транзакции появятся в ближайшее время. Вы можете подождать, пока синхронизация завершится или приступить к импорту, если вы уверены, какой тип кошелька вы хотите импортировать.", + "coreSwapsLnSendClaimable": "Свап готов к претензии.", + "fundExchangeMethodCrIbanCrcSubtitle": "Перевод средств в Коста-Рике", + "transactionDetailTitle": "Детали транзакций", + "autoswapRecipientWalletLabel": "Реципиент Bitcoin Wallet", + "coreScreensConfirmTransfer": "Подтверждение передачи", + "payPaymentInProgressDescription": "Ваш платеж был инициирован, и получатель получит средства после того, как ваша транзакция получит 1 подтверждение onchain.", + "transactionLabelTotalTransferFees": "Итого, трансфертные сборы", + "recoverbullRetry": "Retry", + "arkSettleMessage": "Завершение незавершенных операций и включение в них в случае необходимости восстановимых vtxo", + "receiveCopyInvoice": "Счет-фактура", + "exchangeAccountInfoLastNameLabel": "Имя", + "walletAutoTransferBlockedTitle": "Автоперенос заблокирован", + "importQrDeviceJadeInstructionsTitle": "Инструкции по блок-потоку", + "paySendMax": "Макс", + "recoverbullGoogleDriveDeleteConfirmation": "Вы уверены, что хотите удалить это хранилище? Это действие нельзя отменить.", + "arkReceiveArkAddress": "Арктический адрес", + "googleDriveSignInMessage": "Вам нужно будет войти в Google Drive", + "transactionNoteEditTitle": "Правка", + "transactionDetailLabelCompletedAt": "Завершено", + "passportStep9": "Нажмите на кнопки, чтобы подписать транзакцию на вашем паспорте.", + "walletTypeBitcoinNetwork": "Сеть Bitcoin", + "electrumDeleteConfirmation": "Вы уверены, что хотите удалить этот сервер?\n\n{serverUrl}", + "@electrumDeleteConfirmation": { + "placeholders": { + "serverUrl": { + "type": "String" + } + } + }, + "arkServerUrl": "Адрес сервера", + "importMnemonicSelectType": "Выберите тип кошелька для импорта", + "fundExchangeMethodArsBankTransfer": "Банковский перевод", + "importQrDeviceKeystoneStep1": "Мощность на устройстве Keystone", + "arkDurationDays": "{days} дней", + "@arkDurationDays": { + "placeholders": { + "days": { + "type": "String" + } + } + }, + "bitcoinSettingsBip85EntropiesTitle": "BIP85 Deterministic Entropies", + "swapTransferAmount": "Сумма перевода", + "feePriorityLabel": "Очередность", + "coreScreensToLabel": "В", + "backupSettingsTestBackup": "Проверка", + "coreSwapsActionRefund": "Возмещение", + "payInsufficientBalance": "Недостаточный баланс в выбранном кошельке для выполнения этого платежного поручения.", + "viewLogsLabel": "Просмотр журналов", + "sendSwapTimeEstimate": "Расчетное время: {time}", + "@sendSwapTimeEstimate": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "hwKeystone": "Keystone", + "kruxStep12": "Затем Krux покажет вам свой QR-код.", + "buyInputMinAmountError": "Вы должны купить хотя бы", + "ledgerScanningTitle": "Сканирование устройств", + "payInstitutionCode": "Код учреждения", + "recoverbullFetchVaultKey": "Принесите хранилище Ключ", + "coreSwapsActionClaim": "Claim", + "bitboxActionUnlockDeviceSuccessSubtext": "Ваше устройство BitBox теперь разблокировано и готово к использованию.", + "payShareInvoice": "Счет-фактура", + "walletDetailsSignerDeviceLabel": "Устройство", + "bitboxScreenEnterPassword": "Введите пароль", + "keystoneStep10": "Затем Keystone покажет вам свой собственный QR-код.", + "ledgerSuccessSignTitle": "Сделка успешно подписана", + "electrumPrivacyNoticeContent1": "Уведомление о конфиденциальности: использование собственного узла гарантирует, что ни одна третья сторона не может связать ваш IP-адрес с вашими транзакциями.", + "testBackupEnterKeyManually": "Введите ключ резервного копирования вручную >>", + "fundExchangeWarningTactic3": "Они говорят, что работают на сбор долгов или налогов", + "payCoinjoinFailed": "CoinJoin провалился", + "allWordsSelectedMessage": "Вы выбрали все слова", + "bitboxActionPairDeviceTitle": "Устройство BitBox", + "buyKYCLevel2": "Уровень 2 - Повышение", + "receiveAmount": "Сумма (факультативно)", + "testBackupErrorSelectAllWords": "Выберите все слова", + "buyLevel1Limit": "Предел уровня 1: {amount}", + "@buyLevel1Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "dcaNetworkLabel": "Сеть", + "sendScanBitcoinQRCode": "Сканируйте любой код Bitcoin или Lightning QR, чтобы заплатить с биткойном.", + "toLabel": "В", + "passportStep7": " - Попробуйте переместить устройство назад", + "sendConfirm": "Подтверждение", + "payPhoneNumber": "Номер телефона", + "transactionSwapProgressInvoicePaid": "Счет-фактура\nОплата", + "sendInsufficientFunds": "Недостаточные средства", + "sendSuccessfullySent": "Успешное направление", + "sendSwapAmount": "Сумма", + "autoswapTitle": "Параметры автопередачи", + "sellInteracTransfer": "Interac e-Transfer", + "bitboxScreenPairingCodeSubtext": "Проверить этот код соответствует экрану BitBox02, а затем подтвердить на устройстве.", + "createdAtLabel": "Создано:", + "pinConfirmMismatchError": "PIN не совпадает", + "autoswapMinimumThresholdErrorBtc": "Минимальный порог баланса {amount} BTC", + "@autoswapMinimumThresholdErrorBtc": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "receiveLiquidNetwork": "Жидкость", + "autoswapSettingsTitle": "Параметры автопередачи", + "payFirstNameHint": "Введите имя", + "payAdvancedSettings": "Дополнительные настройки", + "walletDetailsPubkeyLabel": "Pubkey", + "arkAboutBoardingExitDelay": "Задержка с выходом", + "receiveConfirmedInFewSeconds": "Это будет подтверждено через несколько секунд", + "backupWalletInstructionNoPassphrase": "Ваша резервная копия не защищена фразой. Добавьте пароль в резервную копию позже, создав новый кошелек.", + "transactionDetailLabelSwapId": "Идентификатор швапа", + "sendSwapFailed": "Свопа провалилась. Ваш возврат будет обработан в ближайшее время.", + "sellNetworkError": "Сетевая ошибка. Пожалуйста, попробуйте еще раз", + "sendHardwareWallet": "Оборудование", + "sendUserRejected": "Пользователь отказался на устройстве", + "swapSubtractFeesLabel": "Вычитать сборы из суммы", + "buyVerificationRequired": "Проверка, необходимая для этой суммы", + "withdrawConfirmBankAccount": "Банковский счет", + "kruxStep1": "Вход на устройство Krux", + "dcaUseDefaultLightningAddress": "Используйте мой адрес Lightning по умолчанию.", + "recoverbullErrorRejected": "Отклоняется ключевым сервером", + "sellEstimatedArrival": "Предполагаемое прибытие: {time}", + "@sellEstimatedArrival": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "fundExchangeWarningTacticsTitle": "Общая тактика мошенничества", + "payInstitutionCodeHint": "Код учреждения", + "arkConfirmedBalance": "Подтвержденный баланс", + "walletAddressTypeNativeSegwit": "Native Segwit", + "payOpenInvoice": "Открытый счет", + "payMaximumAmount": "Максимум: {amount}", + "@payMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sellSendPaymentNetworkFees": "Сетевые сборы", + "transactionSwapDescLnReceivePaid": "Оплата была получена! Теперь мы транслируем транзакции на цепочке к вашему кошельку.", + "transactionNoteUpdateButton": "Обновление", + "payAboveMaxAmount": "Вы пытаетесь заплатить выше максимальной суммы, которую можно заплатить этим кошельком.", + "receiveNetworkUnavailable": "{network} в настоящее время отсутствует", + "@receiveNetworkUnavailable": { + "placeholders": { + "network": { + "type": "String" + } + } + }, + "fundExchangeHelpBeneficiaryAddress": "Наш официальный адрес, если это требуется вашим банком", + "backupWalletPhysicalBackupTitle": "Физическая резервная копия", + "arkTxBoarding": "Расписание", + "bitboxActionVerifyAddressSuccess": "Адрес проверен успешно", + "psbtImDone": "Я закончил", + "bitboxScreenSelectWalletType": "Выберите Wallet Тип", + "appUnlockEnterPinMessage": "Введите код значка для разблокировки", + "torSettingsTitle": "Параметры Tor", + "backupSettingsRevealing": "Откровение...", + "payTotal": "Итого", + "autoswapSaveErrorMessage": "Невозможно сохранить настройки: {error}", + "@autoswapSaveErrorMessage": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaAddressLabelLightning": "Адрес освещения", + "addressViewTitle": "Подробности адресов", + "payCompleted": "Выплата завершена!", + "bitboxScreenManagePermissionsButton": "Разрешения на использование", + "sellKYCPending": "Проверка КИК еще не завершена", + "buyGetConfirmedFaster": "Получить подтверждение быстрее", + "transactionOrderLabelPayinAmount": "Сумма выплат", + "dcaLightningAddressLabel": "Адрес освещения", + "electrumEnableSsl": "Включить SSL", + "payCustomFee": "Пользовательские феи", + "backupInstruction5": "Ваша резервная копия не защищена фразой. Добавьте пароль в резервную копию позже, создав новый кошелек.", + "buyConfirmExpress": "Подтверждение", + "fundExchangeBankTransferWireTimeframe": "Любые средства, которые вы отправляете, будут добавлены в ваш Bull Bitcoin в течение 1-2 рабочих дней.", + "sendDeviceDisconnected": "Устройство отключено", + "withdrawConfirmError": "Ошибка:", + "@withdrawConfirmError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payFeeBumpFailed": "Потерпеть неудачу", + "arkAboutUnilateralExitDelay": "Односторонняя задержка выхода", + "payUnsupportedInvoiceType": "Неподдерживаемый тип счета-фактуры", + "seedsignerStep13": "Сделка будет импортирована в кошельке Bull Bitcoin.", + "autoswapRecipientWalletDefaultLabel": "Bitcoin Wallet", + "transactionSwapDescLnReceiveClaimable": "Сделка на цепи подтверждена. Теперь мы претендуем на средства, чтобы завершить ваш обмен.", + "dcaPaymentMethodLabel": "Метод оплаты", + "swapProgressPendingMessage": "Перенос продолжается. Биткойн-транзакции могут занять некоторое время, чтобы подтвердить. Вы можете вернуться домой и подождать.", + "walletDetailsNetworkLabel": "Сеть", + "broadcastSignedTxBroadcasting": "Вещание...", + "recoverbullSelectRecoverWallet": "Recover Wallet", + "receivePayjoinActivated": "Payjoin активирован", + "importMnemonicContinue": "Продолжить", + "psbtFlowMoveLaser": "Переместить красный лазер вверх и вниз по QR-коду", + "chooseVaultLocationTitle": "Выберите местоположение хранилища", + "dcaConfirmOrderTypeValue": "Приобретение", + "psbtFlowDeviceShowsQr": "Затем {device} покажет вам свой собственный QR-код.", + "@psbtFlowDeviceShowsQr": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "fundExchangeCrBankTransferDescriptionExactly": "точно", + "testBackupEncryptedVaultTitle": "Зашифрованное хранилище", + "dcaWalletTypeLiquid": "Жидкий (LBTC)", + "fundExchangeLabelInstitutionNumber": "Число учреждений", + "encryptedVaultDescription": "Anonymousная резервная копия с сильным шифрованием с помощью вашего облака.", + "arkAboutCopiedMessage": "{label}", + "@arkAboutCopiedMessage": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "swapAmountLabel": "Сумма", + "recoverbullSelectCustomLocation": "Пользовательское расположение", + "sellConfirmOrder": "Подтвердить заказ", + "exchangeAccountInfoUserNumberLabel": "Номер пользователя", + "buyVerificationComplete": "Проверка завершена", + "transactionNotesLabel": "Транзакционные записки", + "replaceByFeeFeeRateDisplay": "Ставка: {feeRate}", + "@replaceByFeeFeeRateDisplay": { + "placeholders": { + "feeRate": { + "type": "String" + } + } + }, + "torSettingsPortValidationRange": "Порт должен быть между 1 и 65535", + "fundExchangeMethodCrIbanUsdSubtitle": "Перевод средств в долларах США (USD)", + "electrumTimeoutEmptyError": "Время не может быть пустым", + "electrumPrivacyNoticeContent2": "Однако, Если вы просматриваете транзакции через mempool, нажав на свою страницу Transaction ID или Recipient details, эта информация будет известна BullBitcoin.", + "exchangeAccountInfoVerificationIdentityVerified": "Проверка подлинности", + "importColdcardScanPrompt": "Сканировать QR-код из вашего Coldcard Q", + "torSettingsDescConnected": "Тор прокси работает и готов", + "backupSettingsEncryptedVault": "Зашифрованное хранилище", + "autoswapAlwaysBlockInfoDisabled": "При отключении вам будет предоставлена возможность разрешить автотрансфер, который заблокирован из-за высоких сборов", + "dcaSetupTitle": "Купить", + "sendErrorInsufficientBalanceForPayment": "Недостаточный баланс для покрытия этой выплаты", + "bitboxScreenPairingCode": "Код паров", + "testBackupPhysicalBackupTitle": "Физическая резервная копия", + "fundExchangeSpeiDescription": "Перенос средств с помощью вашего CLABE", + "ledgerProcessingImport": "Импорт кошелька", + "coldcardStep15": "Теперь он готов к трансляции! Как только вы нажмете трансляцию, транзакция будет опубликована в сети Bitcoin и средства будут отправлены.", + "comingSoonDefaultMessage": "Эта функция в настоящее время находится в стадии разработки и вскоре будет доступна.", + "dcaFrequencyLabel": "Частота", + "ledgerErrorMissingAddress": "Адрес требуется для проверки", + "enterBackupKeyManuallyTitle": "Введите ключ резервного копирования вручную", + "transactionDetailLabelRecipientAddress": "Адрес получателя", + "recoverbullCreatingVault": "Создание зашифрованного Сбой", + "walletsListNoWalletsMessage": "Никаких кошельков не найдено", + "importWalletColdcardQ": "Coldcard Q", + "backupSettingsStartBackup": "Запуск", + "sendReceiveAmount": "Получить сумму", + "recoverbullTestRecovery": "Восстановление", + "sellNetAmount": "Чистая сумма", + "willNot": "не будет ", + "arkAboutServerPubkey": "Server pubkey", + "receiveReceiveAmount": "Получить сумму", + "exchangeReferralsApplyToJoinMessage": "Применить, чтобы присоединиться к программе здесь", + "payLabelHint": "Введите этикетку для этого получателя", + "payBitcoinOnchain": "Bitcoin на цепочке", + "pinManageDescription": "Управляйте своей безопасностью PIN", + "pinCodeConfirm": "Подтверждение", + "bitboxActionUnlockDeviceProcessing": "Разблокировочное устройство", + "seedsignerStep4": "Если у вас есть проблемы с сканированием:", + "mempoolNetworkLiquidTestnet": "Жидкий Тестет", + "payBitcoinOnChain": "Bitcoin на цепочке", + "torSettingsDescDisconnected": "Tor proxy не работает", + "ledgerButtonTryAgain": "Попробуйте снова", + "bitboxScreenNestedSegwitBip49Subtitle": "P2WPKH-nested-in-P2SH", + "buyInstantPaymentWallet": "Мгновенный платежный кошелек", + "autoswapMaxBalanceLabel": "Макс Мгновенный баланс", + "recoverbullRecoverBullServer": "RecoverBull Server", + "satsBitcoinUnitSettingsLabel": "Отображение в сате", + "exchangeDcaViewSettings": "Параметры просмотра", + "payRetryPayment": "Retry Payment", + "exchangeSupportChatTitle": "Поддержка чат", + "sellAdvancedSettings": "Дополнительные настройки", + "arkTxTypeCommitment": "Обязательство", + "exchangeReferralsJoinMissionTitle": "Присоединяйтесь к миссии", + "exchangeSettingsLogInTitle": "Войти", + "customLocationRecommendation": "Настраиваемое расположение: ", + "fundExchangeMethodCrIbanUsd": "Коста-Рика IBAN (USD)", + "recoverbullErrorSelectVault": "Не удалось выбрать хранилище", + "paySwapCompleted": "Завершение работы", + "receiveDescription": "Описание (факультативно)", + "bitboxScreenVerifyAddress": "Верификация Адрес", + "bitboxScreenConnectDevice": "Подключите устройство BitBox", + "arkYesterday": "Вчера", + "amountRequestedLabel": "Запрошенная сумма: {amount}", + "@amountRequestedLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "swapProgressRefunded": "Перевод", + "payPaymentHistory": "История платежей", + "exchangeFeatureUnifiedHistory": "• Единая история транзакций", + "payViewDetails": "Дополнительные сведения", + "withdrawOrderAlreadyConfirmedError": "Этот приказ о выводе уже подтвержден.", + "autoswapSelectWallet": "Выберите биткойн-кошелек", + "walletAutoTransferBlockButton": "Блок", + "recoverbullGoogleDriveErrorSelectFailed": "Не удалось выбрать хранилище из Google Drive", + "autoswapRecipientWalletRequired": "*", + "pinCodeLoading": "Загрузка", + "fundExchangeCrIbanUsdLabelRecipientName": "Имя получателя", + "ledgerSignTitle": "Подписание", + "importWatchOnlyCancel": "Отмена", + "arkAboutTitle": "О проекте" +} \ No newline at end of file diff --git a/localization/app_uk.arb b/localization/app_uk.arb index e9a8c11cc..cd65a2b34 100644 --- a/localization/app_uk.arb +++ b/localization/app_uk.arb @@ -1,12181 +1,4128 @@ { - "durationSeconds": "{seconds} секунд", - "@durationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "String" - } - } - }, - "durationMinutes": "{minutes} хвилин", - "@durationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "arkAboutDurationSeconds": "{seconds} секунд", - "@arkAboutDurationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "int" - } - } - }, - "arkAboutDurationMinute": "{minutes} хвилин", - "@arkAboutDurationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "int" - } - } - }, - "arkAboutDurationMinutes": "{minutes} хвилин", - "@arkAboutDurationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "int" - } - } - }, - "durationMinute": "{minutes} хвилин", - "@durationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "exchangeSettingsSecuritySettingsTitle": "Налаштування безпеки", - "@exchangeSettingsSecuritySettingsTitle": { - "description": "Title for the security settings section in exchange settings" - }, - "transactionNoteUpdateButton": "Оновлення", - "@transactionNoteUpdateButton": { - "description": "Button label to update a note" - }, - "arkAboutTitle": "Про", - "@arkAboutTitle": { - "description": "AppBar title for Ark about screen" - }, - "arkDurationSeconds": "{seconds} секунд", - "@arkDurationSeconds": { - "description": "Duration format for seconds", - "placeholders": { - "seconds": { - "type": "String" - } - } - }, - "arkDurationMinute": "{minutes} хвилин", - "@arkDurationMinute": { - "description": "Duration format for singular minute", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "arkDurationMinutes": "{minutes} хвилин", - "@arkDurationMinutes": { - "description": "Duration format for plural minutes", - "placeholders": { - "minutes": { - "type": "String" - } - } - }, - "appStartupContactSupportButton": "Контакти", - "@appStartupContactSupportButton": { - "description": "Button label to contact support when app startup fails" - }, - "ledgerHelpTitle": "Ledger усунення несправностей", - "@ledgerHelpTitle": { - "description": "Title for Ledger troubleshooting help modal" - }, - "fundExchangeLabelBankAccountCountry": "Країна банківського рахунку", - "@fundExchangeLabelBankAccountCountry": { - "description": "Label for bank account country field" - }, - "fundExchangeLabelBankCountry": "Банк країни", - "@fundExchangeLabelBankCountry": { - "description": "Label for bank country field" - }, - "fundExchangeLabelClabe": "КЛАБ", - "@fundExchangeLabelClabe": { - "description": "Label for CLABE number field (Mexico)" - }, - "fundExchangeLabelMemo": "Мамо", - "@fundExchangeLabelMemo": { - "description": "Label for memo/reference field" - }, - "fundExchangeSinpeTitle": "Трансфер SINPE", - "@fundExchangeSinpeTitle": { - "description": "Screen title for SINPE transfer (Costa Rica)" - }, - "fundExchangeSinpeDescription": "Трансфер Колони за допомогою SINPE", - "@fundExchangeSinpeDescription": { - "description": "Description for SINPE transfer method" - }, - "fundExchangeCrIbanCrcTitle": "Банківський переказ (CRC)", - "@fundExchangeCrIbanCrcTitle": { - "description": "Screen title for Costa Rica bank transfer in Colones" - }, - "fundExchangeCrIbanUsdTitle": "Банківський переказ (USD)", - "@fundExchangeCrIbanUsdTitle": { - "description": "Screen title for Costa Rica bank transfer in US Dollars" - }, - "fundExchangeCrBankTransferDescription1": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації ", - "@fundExchangeCrBankTransferDescription1": { - "description": "First part of Costa Rica bank transfer description" - }, - "fundExchangeCrBankTransferDescriptionExactly": "до", - "@fundExchangeCrBankTransferDescriptionExactly": { - "description": "Emphasized word 'exactly' in Costa Rica description" - }, - "fundExchangeLabelCedulaJuridica": "Кедула Юрійівна", - "@fundExchangeLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (Costa Rica business ID number)" - }, - "fundExchangeArsBankTransferDescription": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації.", - "@fundExchangeArsBankTransferDescription": { - "description": "Description for Argentina bank transfer method" - }, - "fundExchangeCrIbanUsdRecipientNameHelp": "Використовуйте нашу офіційну назву компанії. Не використовуйте \"Bull Bitcoin\".", - "@fundExchangeCrIbanUsdRecipientNameHelp": { - "description": "Help text for recipient name field explaining to use corporate name" - }, - "physicalBackupTitle": "Фізична резервна копія", - "@physicalBackupTitle": { - "description": "Title for physical backup option" - }, - "physicalBackupDescription": "Написати 12 слів на аркуші паперу. Збережіть їх безпечно і переконайтеся, що не втратити їх.", - "@physicalBackupDescription": { - "description": "Description of physical backup method" - }, - "physicalBackupTag": "Бездоганний (забрати час)", - "@physicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes time" - }, - "howToDecideButton": "Як вирішити?", - "@howToDecideButton": { - "description": "Button label to show information about choosing backup methods" - }, - "backupBestPracticesTitle": "Кращі практики", - "@backupBestPracticesTitle": { - "description": "Title for backup best practices screen" - }, - "backupInstruction3": "Будь-який з доступом до вашого 12 резервного копіювання може вкрасти ваші біткоїни. Приховати його добре.", - "@backupInstruction3": { - "description": "Third backup instruction warning about backup security" - }, - "enterBackupKeyLabel": "Введіть ключ резервного копіювання", - "@enterBackupKeyLabel": { - "description": "Label for backup key input field" - }, - "passwordLabel": "Логін", - "@passwordLabel": { - "description": "Label for password input field" - }, - "pickPinInsteadButton": "Підібрати PIN замість >>", - "@pickPinInsteadButton": { - "description": "Button label to switch to PIN input" - }, - "howToDecideBackupText2": "Зашифрована схованка запобігає вам з тих, хто шукає крадіжку вашої резервної копії. Ви також не зможете втратити резервну копію, оскільки вона буде зберігатися у хмарі. Ми не маємо доступу до вашого біткойн, оскільки пароль шифрування занадто сильний. Існує невелика ймовірність, що веб-сервер, який зберігає ключ шифрування резервної копії. У цьому випадку безпека резервного копіювання у хмарному обліковому записі може бути на ризику.", - "@howToDecideBackupText2": { - "description": "Second paragraph explaining encrypted vault benefits and risks" - }, - "physicalBackupRecommendation": "Фізична резервна копія: ", - "@physicalBackupRecommendation": { - "description": "Bold label for physical backup recommendation" - }, - "physicalBackupRecommendationText": "Ви впевнені, що ваші можливості оперативної безпеки приховати і зберегти ваші слова насіннєвих.", - "@physicalBackupRecommendationText": { - "description": "Text explaining when to use physical backup" - }, - "encryptedVaultRecommendation": "Зашифрована сорочка: ", - "@encryptedVaultRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, - "encryptedVaultRecommendationText": "Ви не впевнені, що вам потрібно більше часу, щоб дізнатися про методи резервної копії.", - "@encryptedVaultRecommendationText": { - "description": "Text explaining when to use encrypted vault" - }, - "visitRecoverBullMessage": "Відвідайте rebull.com для отримання додаткової інформації.", - "@visitRecoverBullMessage": { - "description": "Message with link to more information" - }, - "howToDecideVaultLocationText1": "Ми не маємо доступу до вашого біткойн, оскільки пароль шифрування занадто сильний. Вони можуть мати доступ до вашого біткойн в малоймовірному випадку, вони з'єднуються з ключовим сервером (онлайн-сервіс, який зберігає пароль шифрування). Якщо сервер ключа коли-небудь отримує зламаний, ваш Біткойн може бути на ризику з Google або Apple хмарою.", - "@howToDecideVaultLocationText1": { - "description": "First paragraph explaining vault location decision" - }, - "buyInputFundAccount": "Оберіть Ваш рахунок", - "@buyInputFundAccount": { - "description": "Button to fund account" - }, - "sellSendPaymentCalculating": "Розрахунок...", - "@sellSendPaymentCalculating": { - "description": "Calculating fees message" - }, - "sellSendPaymentAdvanced": "Розширені налаштування", - "@sellSendPaymentAdvanced": { - "description": "Advanced settings button" - }, - "coreSwapsStatusPending": "Закінчення", - "@coreSwapsStatusPending": { - "description": "Display name for pending swap status" - }, - "coreSwapsStatusInProgress": "Прогрес", - "@coreSwapsStatusInProgress": { - "description": "Display name for in-progress swap status (paid, claimable, refundable, canCoop)" - }, - "coreSwapsStatusCompleted": "Виконаний", - "@coreSwapsStatusCompleted": { - "description": "Display name for completed swap status" - }, - "coreSwapsStatusExpired": "Зареєструватися", - "@coreSwapsStatusExpired": { - "description": "Display name for expired swap status" - }, - "coreSwapsStatusFailed": "В'язниця", - "@coreSwapsStatusFailed": { - "description": "Display name for failed swap status" - }, - "coreSwapsActionClaim": "Клейм", - "@coreSwapsActionClaim": { - "description": "Action label for claiming a swap" - }, - "coreSwapsActionClose": "Закрити", - "@coreSwapsActionClose": { - "description": "Action label for closing a swap cooperatively" - }, - "coreSwapsActionRefund": "Повернення", - "@coreSwapsActionRefund": { - "description": "Action label for refunding a swap" - }, - "coreSwapsLnReceivePending": "Обмін ще не ініціюється.", - "@coreSwapsLnReceivePending": { - "description": "Status message for pending Lightning receive swap" - }, - "coreSwapsLnReceivePaid": "Відправка сплачується на рахунок.", - "@coreSwapsLnReceivePaid": { - "description": "Status message for paid Lightning receive swap" - }, - "coreSwapsLnReceiveClaimable": "Обмін готовий бути заявленим.", - "@coreSwapsLnReceiveClaimable": { - "description": "Status message for claimable Lightning receive swap" - }, - "coreSwapsLnReceiveRefundable": "Обмін готовий бути поверненим.", - "@coreSwapsLnReceiveRefundable": { - "description": "Status message for refundable Lightning receive swap" - }, - "coreSwapsLnReceiveCanCoop": "Обмін буде завершено миттєво.", - "@coreSwapsLnReceiveCanCoop": { - "description": "Status message for Lightning receive swap that can complete cooperatively" - }, - "coreSwapsLnReceiveCompleted": "Закінчення завершено.", - "@coreSwapsLnReceiveCompleted": { - "description": "Status message for completed Lightning receive swap" - }, - "coreSwapsLnReceiveExpired": "Обмінюється.", - "@coreSwapsLnReceiveExpired": { - "description": "Status message for expired Lightning receive swap" - }, - "coreSwapsLnReceiveFailed": "Обмінюється.", - "@coreSwapsLnReceiveFailed": { - "description": "Status message for failed Lightning receive swap" - }, - "coreSwapsLnSendPending": "Обмін ще не ініціюється.", - "@coreSwapsLnSendPending": { - "description": "Status message for pending Lightning send swap" - }, - "coreSwapsLnSendPaid": "Оплатити платіж після підтвердження платежу.", - "@coreSwapsLnSendPaid": { - "description": "Status message for paid Lightning send swap" - }, - "coreSwapsLnSendClaimable": "Обмін готовий бути заявленим.", - "@coreSwapsLnSendClaimable": { - "description": "Status message for claimable Lightning send swap" - }, - "coreSwapsLnSendRefundable": "Обмін готовий бути поверненим.", - "@coreSwapsLnSendRefundable": { - "description": "Status message for refundable Lightning send swap" - }, - "coreSwapsLnSendCanCoop": "Обмін буде завершено миттєво.", - "@coreSwapsLnSendCanCoop": { - "description": "Status message for Lightning send swap that can complete cooperatively" - }, - "coreSwapsLnSendCompletedRefunded": "Повернення було повернено.", - "@coreSwapsLnSendCompletedRefunded": { - "description": "Status message for Lightning send swap completed via refund" - }, - "coreSwapsLnSendCompletedSuccess": "Закінчується успішно.", - "@coreSwapsLnSendCompletedSuccess": { - "description": "Status message for successfully completed Lightning send swap" - }, - "coreSwapsLnSendExpired": "Обмінюється", - "@coreSwapsLnSendExpired": { - "description": "Status message for expired Lightning send swap" - }, - "coreSwapsLnSendFailedRefunding": "Обмін буде повернено в найкоротші терміни.", - "@coreSwapsLnSendFailedRefunding": { - "description": "Status message for failed Lightning send swap that will be refunded" - }, - "coreSwapsLnSendFailed": "Обмінюється.", - "@coreSwapsLnSendFailed": { - "description": "Status message for failed Lightning send swap" - }, - "coreSwapsChainPending": "Передача ще не ініціюється.", - "@coreSwapsChainPending": { - "description": "Status message for pending chain swap" - }, - "coreSwapsChainPaid": "Очікується на оплату послуг з трансферу. Це може зайняти під час завершення.", - "@coreSwapsChainPaid": { - "description": "Status message for paid chain swap" - }, - "coreSwapsChainClaimable": "Трансфер готовий бути заявленим.", - "@coreSwapsChainClaimable": { - "description": "Status message for claimable chain swap" - }, - "coreSwapsChainRefundable": "Трансфер готовий бути поверненим.", - "@coreSwapsChainRefundable": { - "description": "Status message for refundable chain swap" - }, - "coreSwapsChainCanCoop": "Трансфер буде завершено.", - "@coreSwapsChainCanCoop": { - "description": "Status message for chain swap that can complete cooperatively" - }, - "coreSwapsChainCompletedRefunded": "Переказ було повернено.", - "@coreSwapsChainCompletedRefunded": { - "description": "Status message for chain swap completed via refund" - }, - "coreSwapsChainCompletedSuccess": "Передача здійснюється успішно.", - "@coreSwapsChainCompletedSuccess": { - "description": "Status message for successfully completed chain swap" - }, - "coreSwapsChainExpired": "Трансфер Expired", - "@coreSwapsChainExpired": { - "description": "Status message for expired chain swap" - }, - "coreSwapsChainFailedRefunding": "Трансфер буде повернено найближчим часом.", - "@coreSwapsChainFailedRefunding": { - "description": "Status message for failed chain swap that will be refunded" - }, - "coreSwapsChainFailed": "Передача в'їзду.", - "@coreSwapsChainFailed": { - "description": "Status message for failed chain swap" - }, - "coreWalletTransactionStatusPending": "Закінчення", - "@coreWalletTransactionStatusPending": { - "description": "Display name for pending wallet transaction status" - }, - "coreWalletTransactionStatusConfirmed": "Підтвердження", - "@coreWalletTransactionStatusConfirmed": { - "description": "Display name for confirmed wallet transaction status" - }, - "onboardingScreenTitle": "Про нас", - "@onboardingScreenTitle": { - "description": "The title of the onboarding screen" - }, - "onboardingCreateWalletButtonLabel": "Створити гаманець", - "@onboardingCreateWalletButtonLabel": { - "description": "The label for the button to create a wallet from the onboarding screen" - }, - "onboardingRecoverWalletButtonLabel": "Відновлення гаманця", - "@onboardingRecoverWalletButtonLabel": { - "description": "The label for the button to recover a wallet from the onboarding screen" - }, - "settingsScreenTitle": "Налаштування", - "@settingsScreenTitle": { - "description": "The title of the settings screen" - }, - "testnetModeSettingsLabel": "Режим тестування", - "@testnetModeSettingsLabel": { - "description": "The label for the testnet mode settings" - }, - "satsBitcoinUnitSettingsLabel": "Дисплей блок в сати", - "@satsBitcoinUnitSettingsLabel": { - "description": "The label to switch the Bitcoin unit to sats in settings" - }, - "pinCodeSettingsLabel": "Поштовий індекс", - "@pinCodeSettingsLabel": { - "description": "The label for the button to access the PIN code settings" - }, - "languageSettingsLabel": "Українська", - "@languageSettingsLabel": { - "description": "The label for the button to access the language settings" - }, - "backupSettingsLabel": "Резервування стін", - "@backupSettingsLabel": { - "description": "The label for the button to access the backup settings" - }, - "electrumServerSettingsLabel": "Електорний сервер (Bitcoin node)", - "@electrumServerSettingsLabel": { - "description": "The label for the button to access the electrum server settings" - }, - "fiatCurrencySettingsLabel": "Фіат валюта", - "@fiatCurrencySettingsLabel": { - "description": "The label for the button to access the fiat currency settings" - }, - "languageSettingsScreenTitle": "Українська", - "@languageSettingsScreenTitle": { - "description": "The title of the language settings screen" - }, - "backupSettingsScreenTitle": "Налаштування резервного копіювання", - "@backupSettingsScreenTitle": { - "description": "AppBar title for backup settings screen" - }, - "settingsExchangeSettingsTitle": "Налаштування Exchange", - "@settingsExchangeSettingsTitle": { - "description": "Title for the exchange settings section in the settings menu" - }, - "settingsWalletBackupTitle": "Гаманець Backup", - "@settingsWalletBackupTitle": { - "description": "Title for the wallet backup section in the settings menu" - }, - "settingsBitcoinSettingsTitle": "Налаштування Bitcoin", - "@settingsBitcoinSettingsTitle": { - "description": "Title for the Bitcoin settings section in the settings menu" - }, - "settingsSecurityPinTitle": "Безпека Pin", - "@settingsSecurityPinTitle": { - "description": "Title for the security PIN section in the settings menu" - }, - "pinCodeAuthentication": "Аутентифікація", - "@pinCodeAuthentication": { - "description": "AppBar title for PIN code authentication screens" - }, - "pinCodeCreateTitle": "Створення нового штифта", - "@pinCodeCreateTitle": { - "description": "Title for creating a new PIN code" - }, - "pinCodeCreateDescription": "Ваш PIN захищає доступ до вашого гаманця та налаштувань. Збережіть його незабутнім.", - "@pinCodeCreateDescription": { - "description": "Description explaining the purpose of the PIN code" - }, - "pinCodeMinLengthError": "PIN повинен бути принаймні {minLength} цифр довго", - "@pinCodeMinLengthError": { - "description": "Error message when PIN is too short", - "placeholders": { - "minLength": { - "type": "String" - } - } - }, - "pinCodeConfirmTitle": "Підтвердити новий штифт", - "@pinCodeConfirmTitle": { - "description": "Title for confirming the new PIN code" - }, - "pinCodeMismatchError": "ПІНС не відповідає", - "@pinCodeMismatchError": { - "description": "Error message when PIN confirmation doesn't match" - }, - "pinCodeSecurityPinTitle": "Безпека PIN", - "@pinCodeSecurityPinTitle": { - "description": "AppBar title for PIN settings screen" - }, - "pinCodeManageTitle": "Управління безпекою PIN", - "@pinCodeManageTitle": { - "description": "Header title for PIN management section" - }, - "pinCodeChangeButton": "Зміна PIN", - "@pinCodeChangeButton": { - "description": "Button label to change existing PIN" - }, - "pinCodeCreateButton": "Створення PIN", - "@pinCodeCreateButton": { - "description": "Button label to create a new PIN" - }, - "pinCodeRemoveButton": "Видалення безпеки PIN", - "@pinCodeRemoveButton": { - "description": "Button label to remove the security PIN" - }, - "pinCodeContinue": "Продовжити", - "@pinCodeContinue": { - "description": "Button label to continue with PIN entry" - }, - "pinCodeConfirm": "Підтвердження", - "@pinCodeConfirm": { - "description": "Button label to confirm PIN entry" - }, - "pinCodeLoading": "Завантаження", - "@pinCodeLoading": { - "description": "Status screen title while loading PIN settings" - }, - "pinCodeCheckingStatus": "Перевірка стану PIN", - "@pinCodeCheckingStatus": { - "description": "Status screen description while checking PIN status" - }, - "pinCodeProcessing": "Переробка", - "@pinCodeProcessing": { - "description": "Status screen title while processing PIN changes" - }, - "pinCodeSettingUp": "Налаштування коду PIN", - "@pinCodeSettingUp": { - "description": "Status screen description while setting up PIN" - }, - "settingsCurrencyTitle": "Ціна", - "@settingsCurrencyTitle": { - "description": "Title for the currency settings section in the settings menu" - }, - "settingsAppSettingsTitle": "Налаштування додатків", - "@settingsAppSettingsTitle": { - "description": "Title for the app settings section in the settings menu" - }, - "settingsTermsOfServiceTitle": "Умови надання послуг", - "@settingsTermsOfServiceTitle": { - "description": "Title for the terms of service section in the settings menu" - }, - "settingsAppVersionLabel": "Версія додатка: ", - "@settingsAppVersionLabel": { - "description": "Label displayed before the app version number in settings" - }, - "settingsTelegramLabel": "Телеграма", - "@settingsTelegramLabel": { - "description": "Label for the Telegram link in settings" - }, - "settingsGithubLabel": "Гитуб", - "@settingsGithubLabel": { - "description": "Label for the Github link in settings" - }, - "settingsServicesStatusTitle": "Статус на сервери", - "@settingsServicesStatusTitle": { - "description": "Title for the services status section in the settings menu" - }, - "settingsTorSettingsTitle": "Налаштування Tor", - "@settingsTorSettingsTitle": { - "description": "Title for the Tor settings section in app settings" - }, - "settingsRecoverbullTitle": "Реcoverbull", - "@settingsRecoverbullTitle": { - "description": "Title for the Recoverbull backup section in app settings" - }, - "settingsLanguageTitle": "Українська", - "@settingsLanguageTitle": { - "description": "Title for the language selection in app settings" - }, - "settingsArkTitle": "Арк", - "@settingsArkTitle": { - "description": "Title for the Ark protocol section in Bitcoin settings" - }, - "settingsDevModeWarningTitle": "Режим Dev", - "@settingsDevModeWarningTitle": { - "description": "Title for the developer mode warning dialog" - }, - "settingsDevModeWarningMessage": "Цей режим є ризикованим. За допомогою цього ви підтверджуєте, що ви можете втратити гроші", - "@settingsDevModeWarningMessage": { - "description": "Warning message displayed when enabling developer mode" - }, - "walletDetailsDeletingMessage": "Видалення гаманця ...", - "@walletDetailsDeletingMessage": { - "description": "Message displayed while a wallet is being deleted" - }, - "walletDetailsWalletFingerprintLabel": "Гаманець відбитків пальців", - "@walletDetailsWalletFingerprintLabel": { - "description": "Label for the wallet fingerprint field in wallet details" - }, - "walletDetailsPubkeyLabel": "Пабке", - "@walletDetailsPubkeyLabel": { - "description": "Label for the public key field in wallet details" - }, - "walletDetailsDescriptorLabel": "Дескриптор", - "@walletDetailsDescriptorLabel": { - "description": "Label for the wallet descriptor field in wallet details" - }, - "walletDetailsAddressTypeLabel": "Тип адреси", - "@walletDetailsAddressTypeLabel": { - "description": "Label for the address type field in wallet details" - }, - "walletDetailsNetworkLabel": "Мережа", - "@walletDetailsNetworkLabel": { - "description": "Label for the network field in wallet details" - }, - "walletDetailsDerivationPathLabel": "Деприація шлях", - "@walletDetailsDerivationPathLabel": { - "description": "Label for the derivation path field in wallet details" - }, - "walletDetailsCopyButton": "Партнерство", - "@walletDetailsCopyButton": { - "description": "Button label for copying wallet details to clipboard" - }, - "bitcoinSettingsWalletsTitle": "Гаманець", - "@bitcoinSettingsWalletsTitle": { - "description": "Title for the wallets section in Bitcoin settings" - }, - "bitcoinSettingsElectrumServerTitle": "Налаштування серверів Electrum", - "@bitcoinSettingsElectrumServerTitle": { - "description": "Title for the Electrum server settings section in Bitcoin settings" - }, - "bitcoinSettingsAutoTransferTitle": "Налаштування автопередача", - "@bitcoinSettingsAutoTransferTitle": { - "description": "Title for the auto transfer settings section in Bitcoin settings" - }, - "bitcoinSettingsLegacySeedsTitle": "Насіння спадщини", - "@bitcoinSettingsLegacySeedsTitle": { - "description": "Title for the legacy seeds section in Bitcoin settings" - }, - "bitcoinSettingsImportWalletTitle": "Імпорт Гаманець", - "@bitcoinSettingsImportWalletTitle": { - "description": "Title for the import wallet option in Bitcoin settings" - }, - "bitcoinSettingsBroadcastTransactionTitle": "Трансмісія", - "@bitcoinSettingsBroadcastTransactionTitle": { - "description": "Title for the broadcast transaction option in Bitcoin settings" - }, - "bitcoinSettingsTestnetModeTitle": "Режим тестування", - "@bitcoinSettingsTestnetModeTitle": { - "description": "Title for the testnet mode toggle in Bitcoin settings" - }, - "bitcoinSettingsBip85EntropiesTitle": "BIP85 Визначення ентропії", - "@bitcoinSettingsBip85EntropiesTitle": { - "description": "Title for the BIP85 deterministic entropies section in Bitcoin settings" - }, - "logSettingsLogsTitle": "Логін", - "@logSettingsLogsTitle": { - "description": "Title for the logs section in settings" - }, - "logSettingsErrorLoadingMessage": "Журнали завантаження помилок: ", - "@logSettingsErrorLoadingMessage": { - "description": "Error message displayed when logs fail to load" - }, - "appSettingsDevModeTitle": "Режим Dev", - "@appSettingsDevModeTitle": { - "description": "Title for the developer mode toggle in app settings" - }, - "currencySettingsDefaultFiatCurrencyLabel": "Валюта за замовчуванням", - "@currencySettingsDefaultFiatCurrencyLabel": { - "description": "Label for the default fiat currency setting" - }, - "exchangeSettingsAccountInformationTitle": "Інформація про обліковий запис", - "@exchangeSettingsAccountInformationTitle": { - "description": "Title for the account information section in exchange settings" - }, - "exchangeSettingsReferralsTitle": "Реферали", - "@exchangeSettingsReferralsTitle": { - "description": "Title for the referrals section in exchange settings" - }, - "exchangeSettingsLogInTitle": "Увійти", - "@exchangeSettingsLogInTitle": { - "description": "Title for the log in option in exchange settings" - }, - "exchangeSettingsLogOutTitle": "Увійти", - "@exchangeSettingsLogOutTitle": { - "description": "Title for the log out option in exchange settings" - }, - "exchangeTransactionsTitle": "Твитнуть", - "@exchangeTransactionsTitle": { - "description": "Title for the transactions section in exchange" - }, - "exchangeTransactionsComingSoon": "Твитнуть", - "@exchangeTransactionsComingSoon": { - "description": "Message indicating that the transactions feature is coming soon" - }, - "exchangeSecurityManage2FAPasswordLabel": "Управління 2FA і пароль", - "@exchangeSecurityManage2FAPasswordLabel": { - "description": "Label for managing 2FA and password in exchange security settings" - }, - "exchangeSecurityAccessSettingsButton": "Налаштування доступу", - "@exchangeSecurityAccessSettingsButton": { - "description": "Button label for accessing security settings in exchange" - }, - "exchangeReferralsTitle": "Реферальні коди", - "@exchangeReferralsTitle": { - "description": "Title for the referral codes section" - }, - "exchangeReferralsJoinMissionTitle": "Приєднуйтесь до місії", - "@exchangeReferralsJoinMissionTitle": { - "description": "Title encouraging users to join the referral mission" - }, - "exchangeReferralsContactSupportMessage": "Зв'язатися з нами", - "@exchangeReferralsContactSupportMessage": { - "description": "Message prompting users to contact support about the referral program" - }, - "exchangeReferralsApplyToJoinMessage": "Застосувати вступ до програми тут", - "@exchangeReferralsApplyToJoinMessage": { - "description": "Message with link to apply for the referral program" - }, - "exchangeReferralsMissionLink": "библбітcoin.com/міс", - "@exchangeReferralsMissionLink": { - "description": "Link to the Bull Bitcoin mission page" - }, - "exchangeRecipientsTitle": "Отримувачі", - "@exchangeRecipientsTitle": { - "description": "Title for the recipients section in exchange" - }, - "exchangeFileUploadDocumentTitle": "Завантажити будь-який документ", - "@exchangeFileUploadDocumentTitle": { - "description": "Title for uploading documents in exchange" - }, - "exchangeFileUploadInstructions": "Якщо вам необхідно надіслати інші документи, завантажте їх тут.", - "@exchangeFileUploadInstructions": { - "description": "Instructions for uploading documents in exchange" - }, - "exchangeFileUploadButton": "Завантажити", - "@exchangeFileUploadButton": { - "description": "Button label for uploading files in exchange" - }, - "exchangeAccountTitle": "Обмінний рахунок", - "@exchangeAccountTitle": { - "description": "Title for the exchange account section" - }, - "exchangeAccountSettingsTitle": "Налаштування облікового запису Exchange", - "@exchangeAccountSettingsTitle": { - "description": "Title for the exchange account settings screen" - }, - "exchangeAccountComingSoon": "Ця функція починається найближчим часом.", - "@exchangeAccountComingSoon": { - "description": "Message indicating that a feature is coming soon" - }, - "exchangeBitcoinWalletsTitle": "За замовчуванням Bitcoin Wallets", - "@exchangeBitcoinWalletsTitle": { - "description": "Title for the default Bitcoin wallets section in exchange" - }, - "exchangeBitcoinWalletsBitcoinAddressLabel": "Bitcoin адреса", - "@exchangeBitcoinWalletsBitcoinAddressLabel": { - "description": "Label for Bitcoin address field in exchange Bitcoin wallets" - }, - "exchangeBitcoinWalletsLightningAddressLabel": "Lightning (LN адреса)", - "@exchangeBitcoinWalletsLightningAddressLabel": { - "description": "Label for Lightning address field in exchange Bitcoin wallets" - }, - "exchangeBitcoinWalletsLiquidAddressLabel": "Контакти", - "@exchangeBitcoinWalletsLiquidAddressLabel": { - "description": "Label for Liquid address field in exchange Bitcoin wallets" - }, - "exchangeBitcoinWalletsEnterAddressHint": "Вхід", - "@exchangeBitcoinWalletsEnterAddressHint": { - "description": "Hint text for entering an address in exchange Bitcoin wallets" - }, - "exchangeAppSettingsSaveSuccessMessage": "Налаштування збережених успішно", - "@exchangeAppSettingsSaveSuccessMessage": { - "description": "Success message displayed when exchange app settings are saved" - }, - "exchangeAppSettingsPreferredLanguageLabel": "Мова перекладу", - "@exchangeAppSettingsPreferredLanguageLabel": { - "description": "Label for preferred language setting in exchange app settings" - }, - "exchangeAppSettingsDefaultCurrencyLabel": "Валюта за замовчуванням", - "@exchangeAppSettingsDefaultCurrencyLabel": { - "description": "Label for default currency setting in exchange app settings" - }, - "exchangeAppSettingsValidationWarning": "Будь ласка, встановіть мовні та валютні уподобання до збереження.", - "@exchangeAppSettingsValidationWarning": { - "description": "Warning message when language and currency preferences are not both set" - }, - "exchangeAppSettingsSaveButton": "Зберегти", - "@exchangeAppSettingsSaveButton": { - "description": "Button label for saving exchange app settings" - }, - "exchangeAccountInfoTitle": "Інформація про обліковий запис", - "@exchangeAccountInfoTitle": { - "description": "Title for the account information section" - }, - "exchangeAccountInfoLoadErrorMessage": "Неможливо завантажити інформацію", - "@exchangeAccountInfoLoadErrorMessage": { - "description": "Error message when account information fails to load" - }, - "exchangeAccountInfoUserNumberLabel": "Номер користувача", - "@exchangeAccountInfoUserNumberLabel": { - "description": "Label for user number field in account information" - }, - "exchangeAccountInfoVerificationLevelLabel": "Рівень верифікація", - "@exchangeAccountInfoVerificationLevelLabel": { - "description": "Label for verification level field in account information" - }, - "exchangeAccountInfoEmailLabel": "Веб-сайт", - "@exchangeAccountInfoEmailLabel": { - "description": "Label for email field in account information" - }, - "exchangeAccountInfoFirstNameLabel": "Ім'я", - "@exchangeAccountInfoFirstNameLabel": { - "description": "Label for first name field in account information" - }, - "exchangeAccountInfoLastNameLabel": "Ім'я", - "@exchangeAccountInfoLastNameLabel": { - "description": "Label for last name field in account information" - }, - "exchangeAccountInfoVerificationIdentityVerified": "Перевірка ідентичності", - "@exchangeAccountInfoVerificationIdentityVerified": { - "description": "Status label for identity verified verification level" - }, - "exchangeAccountInfoVerificationLightVerification": "Перевірка світла", - "@exchangeAccountInfoVerificationLightVerification": { - "description": "Status label for light verification level" - }, - "exchangeAccountInfoVerificationLimitedVerification": "Обмежена перевірка", - "@exchangeAccountInfoVerificationLimitedVerification": { - "description": "Status label for limited verification level" - }, - "exchangeAccountInfoVerificationNotVerified": "Не перевірено", - "@exchangeAccountInfoVerificationNotVerified": { - "description": "Status label for not verified verification level" - }, - "exchangeAccountInfoUserNumberCopiedMessage": "Номер користувача копіюється на буфер", - "@exchangeAccountInfoUserNumberCopiedMessage": { - "description": "Success message when user number is copied to clipboard" - }, - "walletsListTitle": "Деталі Wallet", - "@walletsListTitle": { - "description": "Title for the wallet details list screen" - }, - "walletsListNoWalletsMessage": "Немає гаманців", - "@walletsListNoWalletsMessage": { - "description": "Message displayed when no wallets are found" - }, - "walletDeletionConfirmationTitle": "Видалити гаманець", - "@walletDeletionConfirmationTitle": { - "description": "Title for the wallet deletion confirmation dialog" - }, - "walletDeletionConfirmationMessage": "Ви впевнені, що ви хочете видалити цей гаманець?", - "@walletDeletionConfirmationMessage": { - "description": "Message in the wallet deletion confirmation dialog" - }, - "walletDeletionConfirmationCancelButton": "Зареєструватися", - "@walletDeletionConfirmationCancelButton": { - "description": "Cancel button label in wallet deletion confirmation dialog" - }, - "walletDeletionConfirmationDeleteButton": "Видалення", - "@walletDeletionConfirmationDeleteButton": { - "description": "Delete button label in wallet deletion confirmation dialog" - }, - "walletDeletionFailedTitle": "Видалити з'єднання", - "@walletDeletionFailedTitle": { - "description": "Title for the wallet deletion failed dialog" - }, - "walletDeletionErrorDefaultWallet": "Ви не можете видалити за замовчуванням гаманець.", - "@walletDeletionErrorDefaultWallet": { - "description": "Error message when attempting to delete a default wallet" - }, - "walletDeletionErrorOngoingSwaps": "Ви не можете видалити гаманець з постійними застібками.", - "@walletDeletionErrorOngoingSwaps": { - "description": "Error message when attempting to delete a wallet with ongoing swaps" - }, - "walletDeletionErrorWalletNotFound": "Гаманець ви намагаєтеся видалити не існує.", - "@walletDeletionErrorWalletNotFound": { - "description": "Error message when the wallet to delete cannot be found" - }, - "addressCardIndexLabel": "Індекс: ", - "@addressCardIndexLabel": { - "description": "Label for the address index field in address card" - }, - "addressCardBalanceLabel": "Баланс: ", - "@addressCardBalanceLabel": { - "description": "Label for the balance field in address card" - }, - "onboardingRecoverYourWallet": "Відновити гаманець", - "@onboardingRecoverYourWallet": { - "description": "Title for the recover wallet section in onboarding" - }, - "onboardingEncryptedVault": "Зашифрована сорочка", - "@onboardingEncryptedVault": { - "description": "Title for the encrypted vault recovery option in onboarding" - }, - "onboardingEncryptedVaultDescription": "Відновити резервну копію через хмару за допомогою PIN.", - "@onboardingEncryptedVaultDescription": { - "description": "Description for the encrypted vault recovery option in onboarding" - }, - "onboardingPhysicalBackup": "Фізична резервна копія", - "@onboardingPhysicalBackup": { - "description": "Title for the physical backup recovery option in onboarding" - }, - "onboardingPhysicalBackupDescription": "Відновити гаманець через 12 слів.", - "@onboardingPhysicalBackupDescription": { - "description": "Description for the physical backup recovery option in onboarding" - }, - "onboardingRecover": "Відновити", - "@onboardingRecover": { - "description": "Button label for recovering a wallet in onboarding" - }, - "onboardingBullBitcoin": "Bitcoin у USD", - "@onboardingBullBitcoin": { - "description": "Brand name displayed in onboarding" - }, - "sendTitle": "Відправити", - "@sendTitle": { - "description": "Title for the send screen" - }, - "sendAdvancedOptions": "Додаткові параметри", - "@sendAdvancedOptions": { - "description": "Section header for advanced sending features" - }, - "sendReplaceByFeeActivated": "Замініть активоване", - "@sendReplaceByFeeActivated": { - "description": "Message indicating that replace-by-fee (RBF) is activated" - }, - "sendSelectCoinsManually": "Виберіть монети вручну", - "@sendSelectCoinsManually": { - "description": "Label for manually selecting coins (UTXOs) in the send flow" - }, - "sendRecipientAddress": "Адреса одержувача", - "@sendRecipientAddress": { - "description": "Label for the recipient address field" - }, - "sendInsufficientBalance": "Недостатній баланс", - "@sendInsufficientBalance": { - "description": "Error message when the wallet has insufficient balance to send" - }, - "sendScanBitcoinQRCode": "Сканувати будь-який Bitcoin або Lightning QR код для оплати з Bitcoin.", - "@sendScanBitcoinQRCode": { - "description": "Instructions for scanning a QR code to make a Bitcoin payment" - }, - "sendOpenTheCamera": "Відкрийте камеру", - "@sendOpenTheCamera": { - "description": "Button label for opening the camera to scan QR codes" - }, - "sendTo": "До", - "@sendTo": { - "description": "Label for the recipient/destination in a transaction" - }, - "sendAmount": "Сума", - "@sendAmount": { - "description": "Label for the transaction amount" - }, - "sendNetworkFees": "Мережеві збори", - "@sendNetworkFees": { - "description": "Label for network transaction fees" - }, - "sendFeePriority": "Пріоритетність", - "@sendFeePriority": { - "description": "Label for selecting fee priority level" - }, - "receiveTitle": "Отримати", - "@receiveTitle": { - "description": "Main screen title for receive feature" - }, - "receiveBitcoin": "Bitcoin у USD", - "@receiveBitcoin": { - "description": "Label for receiving Bitcoin on the base layer" - }, - "receiveLightning": "Освітлення", - "@receiveLightning": { - "description": "Label for receiving Bitcoin via Lightning Network" - }, - "receiveLiquid": "Рідина", - "@receiveLiquid": { - "description": "Label for receiving Bitcoin via Liquid Network" - }, - "receiveAddLabel": "Додати етикетку", - "@receiveAddLabel": { - "description": "Button label for adding a label to a receive address" - }, - "receiveNote": "Зареєструватися", - "@receiveNote": { - "description": "Label for adding a note to a receive transaction" - }, - "receiveSave": "Зберегти", - "@receiveSave": { - "description": "Button label for saving receive details" - }, - "receivePayjoinActivated": "Payjoin активований", - "@receivePayjoinActivated": { - "description": "Message indicating that payjoin is activated for the receive transaction" - }, - "receiveLightningInvoice": "Освітлювальний рахунок", - "@receiveLightningInvoice": { - "description": "Label for a Lightning Network invoice" - }, - "receiveAddress": "Отримати адресу", - "@receiveAddress": { - "description": "Label for generated address" - }, - "receiveAmount": "Сума (за бажанням)", - "@receiveAmount": { - "description": "Optional amount field for invoice" - }, - "receiveNoteLabel": "Зареєструватися", - "@receiveNoteLabel": { - "description": "Label for the note field in receive" - }, - "receiveEnterHere": "Увійти.", - "@receiveEnterHere": { - "description": "Placeholder text for input fields in receive" - }, - "receiveSwapID": "Обмін ID", - "@receiveSwapID": { - "description": "Label for the swap identifier in a receive transaction" - }, - "receiveTotalFee": "Всього Фе", - "@receiveTotalFee": { - "description": "Label for the total fee in a receive transaction" - }, - "receiveNetworkFee": "Партнерство", - "@receiveNetworkFee": { - "description": "Label for the network fee in a receive transaction" - }, - "receiveBoltzSwapFee": "Boltz Обмінюється Fee", - "@receiveBoltzSwapFee": { - "description": "Label for the Boltz swap service fee in a receive transaction" - }, - "receiveCopyOrScanAddressOnly": "Статус на сервери", - "@receiveCopyOrScanAddressOnly": { - "description": "Option to copy or scan only the address without amount or other details" - }, - "receiveNewAddress": "Нова адреса", - "@receiveNewAddress": { - "description": "Button label for generating a new receive address" - }, - "receiveVerifyAddressOnLedger": "Перевірити адресу на Ledger", - "@receiveVerifyAddressOnLedger": { - "description": "Button label for verifying an address on a Ledger hardware wallet" - }, - "receiveUnableToVerifyAddress": "Неможливо перевірити адресу: Гаманець або адресна інформація", - "@receiveUnableToVerifyAddress": { - "description": "Error message when address verification is not possible" - }, - "receivePaymentReceived": "Отримувач платежу!", - "@receivePaymentReceived": { - "description": "Success message after receiving payment" - }, - "receiveDetails": "Детальніше", - "@receiveDetails": { - "description": "Label for viewing transaction details" - }, - "receivePaymentInProgress": "Плата за прогрес", - "@receivePaymentInProgress": { - "description": "Status message when a payment is being processed" - }, - "receivePayjoinInProgress": "Payjoin в прогресі", - "@receivePayjoinInProgress": { - "description": "Status message when a payjoin transaction is in progress" - }, - "receiveFeeExplanation": "Цей збір буде відхилений від суми, відправленого", - "@receiveFeeExplanation": { - "description": "Explanation that fees are deducted from the sent amount" - }, - "receiveNotePlaceholder": "Зареєструватися", - "@receiveNotePlaceholder": { - "description": "Placeholder text for note input field" - }, - "receiveReceiveAmount": "Отримувати Amount", - "@receiveReceiveAmount": { - "description": "Label for the amount that will be received after fees" - }, - "receiveSendNetworkFee": "Закупи хостинг »", - "@receiveSendNetworkFee": { - "description": "Label for the network fee on the sending network in a swap transaction" - }, - "receiveServerNetworkFees": "Статус на сервери", - "@receiveServerNetworkFees": { - "description": "Label for network fees charged by the swap server" - }, - "receiveSwapId": "Обмін ID", - "@receiveSwapId": { - "description": "Label for the swap identifier in a receive transaction" - }, - "receiveTransferFee": "Плата за трансфер", - "@receiveTransferFee": { - "description": "Label for the transfer fee in a receive transaction" - }, - "receiveVerifyAddressError": "Неможливо перевірити адресу: Гаманець або адресна інформація", - "@receiveVerifyAddressError": { - "description": "Error message when address verification is not possible" - }, - "receiveVerifyAddressLedger": "Перевірити адресу на Ledger", - "@receiveVerifyAddressLedger": { - "description": "Button label for verifying an address on a Ledger hardware wallet" - }, - "receiveBitcoinConfirmationMessage": "Біткойн-транзакція буде проходити під час підтвердження.", - "@receiveBitcoinConfirmationMessage": { - "description": "Information message about Bitcoin transaction confirmation time" - }, - "receiveLiquidConfirmationMessage": "Це буде підтверджено протягом декількох секунд", - "@receiveLiquidConfirmationMessage": { - "description": "Message indicating quick confirmation time for Liquid transactions" - }, - "receiveWaitForPayjoin": "Зачекайте відправника, щоб закінчити операцію Payjoin", - "@receiveWaitForPayjoin": { - "description": "Instructions to wait for the sender during a payjoin transaction" - }, - "receivePayjoinFailQuestion": "Чи не встигли почекати, чи не зробив платник на боці відправника?", - "@receivePayjoinFailQuestion": { - "description": "Question prompting user if they want to proceed without payjoin" - }, - "buyTitle": "Bitcoin у USD", - "@buyTitle": { - "description": "Screen title for buying Bitcoin" - }, - "buyEnterAmount": "Введіть номер", - "@buyEnterAmount": { - "description": "Label for amount input field in buy flow" - }, - "buyPaymentMethod": "Спосіб оплати", - "@buyPaymentMethod": { - "description": "Label for payment method dropdown" - }, - "buyMax": "Макс", - "@buyMax": { - "description": "Button to fill maximum amount" - }, - "buySelectWallet": "Виберіть гаманець", - "@buySelectWallet": { - "description": "Label for wallet selection dropdown" - }, - "buyEnterBitcoinAddress": "Введіть адресу електронної пошти", - "@buyEnterBitcoinAddress": { - "description": "Label for bitcoin address input field" - }, - "buyBitcoinAddressHint": "BC1QYL7J673H ...6Y6ALV70M0", - "@buyBitcoinAddressHint": { - "description": "Placeholder hint for bitcoin address input" - }, - "buyExternalBitcoinWallet": "Зовнішні біткоїни гаманець", - "@buyExternalBitcoinWallet": { - "description": "Label for external wallet option" - }, - "buySecureBitcoinWallet": "Безпечний гаманець Bitcoin", - "@buySecureBitcoinWallet": { - "description": "Label for secure Bitcoin wallet" - }, - "buyNetworkFeeExplanation": "Плата мережі Біткойн буде відхилена від суми, яку ви отримуєте і зібрані на Майнерах Біткойн", - "@buyNetworkFeeExplanation": { - "description": "Explanation of network fees for express withdrawal" - }, - "buyNetworkFees": "Мережеві збори", - "@buyNetworkFees": { - "description": "Label for network fees amount" - }, - "buyEstimatedFeeValue": "Орієнтовна вартість", - "@buyEstimatedFeeValue": { - "description": "Label for estimated fee value in fiat" - }, - "buyNetworkFeeRate": "Курс валют", - "@buyNetworkFeeRate": { - "description": "Label for network fee rate" - }, - "buyConfirmationTime": "Термін підтвердження", - "@buyConfirmationTime": { - "description": "Label for estimated confirmation time" - }, - "buyConfirmationTimeValue": "~10 хвилин", - "@buyConfirmationTimeValue": { - "description": "Value for estimated confirmation time" - }, - "buyWaitForFreeWithdrawal": "Очікується безкоштовно", - "@buyWaitForFreeWithdrawal": { - "description": "Button to wait for free (slower) withdrawal" - }, - "buyConfirmExpress": "Підтвердити експрес", - "@buyConfirmExpress": { - "description": "Button to confirm express withdrawal" - }, - "buyBitcoinSent": "Bitcoin відправлений!", - "@buyBitcoinSent": { - "description": "Success message for accelerated transaction" - }, - "buyThatWasFast": "Це було швидко, це не так?", - "@buyThatWasFast": { - "description": "Additional success message for accelerated transaction" - }, - "sellTitle": "Bitcoin у USD", - "@sellTitle": { - "description": "AppBar title for sell screen" - }, - "sellSelectWallet": "Виберіть гаманець", - "@sellSelectWallet": { - "description": "Dropdown to choose source wallet" - }, - "sellWhichWalletQuestion": "Який гаманець ви хочете продати?", - "@sellWhichWalletQuestion": { - "description": "Question prompting user to select wallet" - }, - "sellExternalWallet": "Зовнішній гаманець", - "@sellExternalWallet": { - "description": "Option for external wallet" - }, - "sellFromAnotherWallet": "Продаж з іншого Bitcoin гаманець", - "@sellFromAnotherWallet": { - "description": "Subtitle for external wallet option" - }, - "sellAboveMaxAmountError": "Ви намагаєтеся продати над максимальною кількістю, яку можна продати з цим гаманець.", - "@sellAboveMaxAmountError": { - "description": "Error message for amount above maximum" - }, - "sellPriceWillRefreshIn": "Ціна освіжає в ", - "@sellPriceWillRefreshIn": { - "description": "Text before countdown timer for price refresh" - }, - "sellOrderNumber": "Номер замовлення", - "@sellOrderNumber": { - "description": "Label for order number" - }, - "sellPayoutRecipient": "Оплатити одержувачу", - "@sellPayoutRecipient": { - "description": "Label for payout recipient" - }, - "sellCadBalance": "СКАЧАТИ Посилання", - "@sellCadBalance": { - "description": "Display text for CAD balance payout method" - }, - "sellCrcBalance": "КПП Посилання", - "@sellCrcBalance": { - "description": "Display text for CRC balance payout method" - }, - "sellEurBalance": "Євро Посилання", - "@sellEurBalance": { - "description": "Display text for EUR balance payout method" - }, - "sellUsdBalance": "Ціна Посилання", - "@sellUsdBalance": { - "description": "Display text for USD balance payout method" - }, - "sellMxnBalance": "МСН Посилання", - "@sellMxnBalance": { - "description": "Display text for MXN balance payout method" - }, - "sellArsBalance": "ARS Баланс", - "@sellArsBalance": { - "description": "Display text for ARS balance payout method" - }, - "sellCopBalance": "КАП Посилання", - "@sellCopBalance": { - "description": "Display text for COP balance payout method" - }, - "sellPayinAmount": "Сума виплат", - "@sellPayinAmount": { - "description": "Label for amount user pays in" - }, - "sellPayoutAmount": "Сума виплат", - "@sellPayoutAmount": { - "description": "Label for amount user receives" - }, - "sellExchangeRate": "Курс валют", - "@sellExchangeRate": { - "description": "Label for exchange rate" - }, - "sellPayFromWallet": "Оплатити з гаманця", - "@sellPayFromWallet": { - "description": "Label for wallet used for payment" - }, - "sellAdvancedSettings": "Розширені налаштування", - "@sellAdvancedSettings": { - "description": "Button for advanced settings" - }, - "sellAdvancedOptions": "Додаткові параметри", - "@sellAdvancedOptions": { - "description": "Title for advanced options bottom sheet" - }, - "sellReplaceByFeeActivated": "Замініть активоване", - "@sellReplaceByFeeActivated": { - "description": "Label for RBF toggle" - }, - "sellSelectCoinsManually": "Виберіть монети вручну", - "@sellSelectCoinsManually": { - "description": "Option to manually select UTXOs" - }, - "sellDone": "Сонце", - "@sellDone": { - "description": "Button to close bottom sheet" - }, - "sellPleasePayInvoice": "Оплатити рахунок", - "@sellPleasePayInvoice": { - "description": "Title for receive payment screen" - }, - "sellBitcoinAmount": "Обсяг торгів", - "@sellBitcoinAmount": { - "description": "Label for Bitcoin amount" - }, - "sellCopyInvoice": "Статус на сервери", - "@sellCopyInvoice": { - "description": "Button to copy invoice" - }, - "sellShowQrCode": "Показати QR-код", - "@sellShowQrCode": { - "description": "Button to show QR code" - }, - "sellQrCode": "QR-код", - "@sellQrCode": { - "description": "Title for QR code bottom sheet" - }, - "sellNoInvoiceData": "Немає даних рахунків-фактур", - "@sellNoInvoiceData": { - "description": "Message when no invoice data available" - }, - "sellInProgress": "Продати в прогрес ...", - "@sellInProgress": { - "description": "Message for sell in progress" - }, - "sellGoHome": "Головна", - "@sellGoHome": { - "description": "Button to go to home screen" - }, - "sellOrderCompleted": "Замовлення завершено!", - "@sellOrderCompleted": { - "description": "Success message for completed order" - }, - "sellBalanceWillBeCredited": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації.", - "@sellBalanceWillBeCredited": { - "description": "Information about balance crediting" - }, - "payTitle": "Оплатити", - "@payTitle": { - "description": "Screen title for pay feature" - }, - "paySelectRecipient": "Оберіть одержувач", - "@paySelectRecipient": { - "description": "Screen title for recipient selection" - }, - "payWhoAreYouPaying": "Хто ви платите?", - "@payWhoAreYouPaying": { - "description": "Question prompting user to select recipient" - }, - "payNewRecipients": "Нові одержувачі", - "@payNewRecipients": { - "description": "Tab label for new recipients" - }, - "payMyFiatRecipients": "Мій одержувачів", - "@payMyFiatRecipients": { - "description": "Tab label for saved recipients" - }, - "payNoRecipientsFound": "Не знайдено одержувачів для оплати.", - "@payNoRecipientsFound": { - "description": "Message when no recipients found" - }, - "payLoadingRecipients": "Завантаження одержувачів...", - "@payLoadingRecipients": { - "description": "Message while loading recipients" - }, - "payNotLoggedIn": "Не ввійшов", - "@payNotLoggedIn": { - "description": "Title for not logged in card" - }, - "payNotLoggedInDescription": "Ви не ввійшли. Будь ласка, ввійдіть, щоб продовжити використання функції оплати.", - "@payNotLoggedInDescription": { - "description": "Description for not logged in state" - }, - "paySelectCountry": "Виберіть країну", - "@paySelectCountry": { - "description": "Hint for country dropdown" - }, - "payPayoutMethod": "Спосіб виплати", - "@payPayoutMethod": { - "description": "Label for payout method section" - }, - "payEmail": "Веб-сайт", - "@payEmail": { - "description": "Label for email field" - }, - "payEmailHint": "Введіть адресу електронної пошти", - "@payEmailHint": { - "description": "Hint for email input" - }, - "payName": "Ім'я", - "@payName": { - "description": "Label for name field" - }, - "payNameHint": "Введіть ім'я одержувача", - "@payNameHint": { - "description": "Hint for name input" - }, - "paySecurityQuestion": "Питання безпеки", - "@paySecurityQuestion": { - "description": "Label for security question field" - }, - "paySecurityQuestionHint": "Введіть питання безпеки (10-40 символів)", - "@paySecurityQuestionHint": { - "description": "Hint for security question input" - }, - "paySecurityQuestionLength": "{count}/40 символів", - "@paySecurityQuestionLength": { - "description": "Character count for security question", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "paySecurityQuestionLengthError": "Необхідно 10-40 символів", - "@paySecurityQuestionLengthError": { - "description": "Error for invalid security question length" - }, - "paySecurityAnswer": "Відповідь на безпеку", - "@paySecurityAnswer": { - "description": "Label for security answer field" - }, - "paySecurityAnswerHint": "Введіть відповідь", - "@paySecurityAnswerHint": { - "description": "Hint for security answer input" - }, - "payLabelOptional": "Етикетка (за бажанням)", - "@payLabelOptional": { - "description": "Label for optional label field" - }, - "payLabelHint": "Введіть позначку для цього одержувача", - "@payLabelHint": { - "description": "Hint for label input" - }, - "payBillerName": "Ім'я", - "@payBillerName": { - "description": "Label for biller name field" - }, - "payBillerNameValue": "Виберіть ім'я Biller", - "@payBillerNameValue": { - "description": "Placeholder for biller name" - }, - "payBillerSearchHint": "Введіть перші 3 листи ім'я векселя", - "@payBillerSearchHint": { - "description": "Hint for biller search field" - }, - "payPayeeAccountNumber": "Номер рахунку Payee", - "@payPayeeAccountNumber": { - "description": "Label for payee account number" - }, - "payPayeeAccountNumberHint": "Введіть номер рахунку", - "@payPayeeAccountNumberHint": { - "description": "Hint for account number input" - }, - "payInstitutionNumber": "Кількість установ", - "@payInstitutionNumber": { - "description": "Label for institution number" - }, - "payInstitutionNumberHint": "Номер установи", - "@payInstitutionNumberHint": { - "description": "Hint for institution number input" - }, - "payTransitNumber": "Номер транзиту", - "@payTransitNumber": { - "description": "Label for transit number" - }, - "payTransitNumberHint": "Введіть транзитний номер", - "@payTransitNumberHint": { - "description": "Hint for transit number input" - }, - "payAccountNumber": "Номер рахунку", - "@payAccountNumber": { - "description": "Label for account number" - }, - "payAccountNumberHint": "Введіть номер рахунку", - "@payAccountNumberHint": { - "description": "Hint for account number input" - }, - "payDefaultCommentOptional": "Коментар за замовчуванням (за бажанням)", - "@payDefaultCommentOptional": { - "description": "Label for default comment field" - }, - "payInstitutionCodeHint": "Введіть код установи", - "@payInstitutionCodeHint": { - "description": "Hint for institution code input" - }, - "payPhoneNumber": "Номер телефону", - "@payPhoneNumber": { - "description": "Label for phone number field" - }, - "payPhoneNumberHint": "Введіть номер телефону", - "@payPhoneNumberHint": { - "description": "Hint for phone number input" - }, - "payDebitCardNumber": "Номер картки Debit", - "@payDebitCardNumber": { - "description": "Label for debit card number field" - }, - "payDebitCardNumberHint": "Введіть номер картки дебета", - "@payDebitCardNumberHint": { - "description": "Hint for debit card number input" - }, - "payOwnerName": "Ім'я власника", - "@payOwnerName": { - "description": "Label for owner name field" - }, - "payOwnerNameHint": "Ім'я власника", - "@payOwnerNameHint": { - "description": "Hint for owner name input" - }, - "payValidating": "Дійсно.", - "@payValidating": { - "description": "Text shown while validating SINPE" - }, - "payInvalidSinpe": "Інвалідний Sinpe", - "@payInvalidSinpe": { - "description": "Error message for invalid SINPE" - }, - "payFilterByType": "Фільтр за типом", - "@payFilterByType": { - "description": "Label for type filter dropdown" - }, - "payAllTypes": "Всі види", - "@payAllTypes": { - "description": "Option for all types filter" - }, - "payAllCountries": "Усі країни", - "@payAllCountries": { - "description": "Option for all countries filter" - }, - "payRecipientType": "Тип одержувача", - "@payRecipientType": { - "description": "Label for recipient type" - }, - "payRecipientName": "Ім'я одержувача", - "@payRecipientName": { - "description": "Label for recipient name" - }, - "payRecipientDetails": "Деталі одержувача", - "@payRecipientDetails": { - "description": "Label for recipient details" - }, - "payAccount": "Облік", - "@payAccount": { - "description": "Label for account details" - }, - "payPayee": "Оплатити", - "@payPayee": { - "description": "Label for payee details" - }, - "payCard": "Карта сайту", - "@payCard": { - "description": "Label for card details" - }, - "payPhone": "Зареєструватися", - "@payPhone": { - "description": "Label for phone details" - }, - "payNoDetailsAvailable": "Немає інформації", - "@payNoDetailsAvailable": { - "description": "Message when recipient details not available" - }, - "paySelectWallet": "Виберіть гаманець", - "@paySelectWallet": { - "description": "Label for wallet selection dropdown in payment" - }, - "payWhichWalletQuestion": "Який гаманець ви хочете оплатити?", - "@payWhichWalletQuestion": { - "description": "Question prompting user to select wallet" - }, - "payExternalWallet": "Зовнішній гаманець", - "@payExternalWallet": { - "description": "Option for external wallet" - }, - "payFromAnotherWallet": "Сплатити з іншого біткойн-гаманця", - "@payFromAnotherWallet": { - "description": "Subtitle for external wallet option" - }, - "payAboveMaxAmountError": "Ви намагаєтеся сплатити над максимальною кількістю, яку можна сплатити за допомогою цього гаманця.", - "@payAboveMaxAmountError": { - "description": "Error message for amount above maximum" - }, - "payBelowMinAmountError": "Ви намагаєтеся платити нижче мінімальної суми, яку можна сплатити за допомогою цього гаманця.", - "@payBelowMinAmountError": { - "description": "Error message for amount below minimum" - }, - "payInsufficientBalanceError": "Недостатній баланс у вибраному гаманці для завершення цього замовлення оплати.", - "@payInsufficientBalanceError": { - "description": "Error message for insufficient balance" - }, - "payUnauthenticatedError": "Ви не автентифіковані. Будь ласка, увійдіть, щоб продовжити.", - "@payUnauthenticatedError": { - "description": "Error message for unauthenticated user" - }, - "payOrderNotFoundError": "Не знайдено замовлення платежу. Будь ласка, спробуйте знову.", - "@payOrderNotFoundError": { - "description": "Error message for order not found" - }, - "payOrderAlreadyConfirmedError": "Цей платіж вже був підтверджений.", - "@payOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed order" - }, - "paySelectNetwork": "Оберіть мережу", - "@paySelectNetwork": { - "description": "Screen title for network selection" - }, - "payHowToPayInvoice": "Як ви хочете платити цей рахунок?", - "@payHowToPayInvoice": { - "description": "Question for payment method selection" - }, - "payBitcoinOnChain": "Bitcoin у USD", - "@payBitcoinOnChain": { - "description": "Option for Bitcoin on-chain payment" - }, - "payLightningNetwork": "Мережа Lightning", - "@payLightningNetwork": { - "description": "Option for Lightning Network payment" - }, - "payLiquidNetwork": "Мережа рідин", - "@payLiquidNetwork": { - "description": "Option for Liquid Network payment" - }, - "payConfirmPayment": "Підтвердити платіж", - "@payConfirmPayment": { - "description": "Button text to confirm and execute payment" - }, - "payPriceWillRefreshIn": "Ціна освіжає в ", - "@payPriceWillRefreshIn": { - "description": "Text before countdown timer for price refresh" - }, - "payOrderNumber": "Номер замовлення", - "@payOrderNumber": { - "description": "Label for order number" - }, - "payPayinAmount": "Сума виплат", - "@payPayinAmount": { - "description": "Label for amount user pays in" - }, - "payPayoutAmount": "Сума виплат", - "@payPayoutAmount": { - "description": "Label for amount user receives" - }, - "payExchangeRate": "Курс валют", - "@payExchangeRate": { - "description": "Label for exchange rate" - }, - "payPayFromWallet": "Оплатити з гаманця", - "@payPayFromWallet": { - "description": "Label for wallet used for payment" - }, - "payInstantPayments": "Миттєві платежі", - "@payInstantPayments": { - "description": "Display text for instant payment wallet" - }, - "paySecureBitcoinWallet": "Безпечний гаманець Bitcoin", - "@paySecureBitcoinWallet": { - "description": "Display text for secure Bitcoin wallet" - }, - "payFeePriority": "Пріоритетність", - "@payFeePriority": { - "description": "Label for fee priority selection" - }, - "payFastest": "Швидке", - "@payFastest": { - "description": "Display text for fastest fee option" - }, - "payNetworkFees": "Мережеві збори", - "@payNetworkFees": { - "description": "Label for network fees amount" - }, - "payAdvancedSettings": "Розширені налаштування", - "@payAdvancedSettings": { - "description": "Button for advanced settings" - }, - "payAdvancedOptions": "Додаткові параметри", - "@payAdvancedOptions": { - "description": "Title for advanced options bottom sheet" - }, - "payReplaceByFeeActivated": "Замініть активоване", - "@payReplaceByFeeActivated": { - "description": "Label for RBF toggle" - }, - "paySelectCoinsManually": "Виберіть монети вручну", - "@paySelectCoinsManually": { - "description": "Option to manually select UTXOs" - }, - "payDone": "Сонце", - "@payDone": { - "description": "Button to close bottom sheet" - }, - "payContinue": "Продовжити", - "@payContinue": { - "description": "Button to continue to next step" - }, - "payPleasePayInvoice": "Оплатити рахунок", - "@payPleasePayInvoice": { - "description": "Title for receive payment screen" - }, - "payBitcoinAmount": "Обсяг торгів", - "@payBitcoinAmount": { - "description": "Label for Bitcoin amount" - }, - "payBitcoinPrice": "Ціна Bitcoin", - "@payBitcoinPrice": { - "description": "Label for Bitcoin exchange rate" - }, - "payCopyInvoice": "Статус на сервери", - "@payCopyInvoice": { - "description": "Button text to copy invoice to clipboard" - }, - "payShowQrCode": "Показати QR-код", - "@payShowQrCode": { - "description": "Button to show QR code" - }, - "payQrCode": "QR-код", - "@payQrCode": { - "description": "Title for QR code bottom sheet" - }, - "payNoInvoiceData": "Немає даних рахунків-фактур", - "@payNoInvoiceData": { - "description": "Message when no invoice data available" - }, - "payInvalidState": "Неточний стан", - "@payInvalidState": { - "description": "Error message for invalid state" - }, - "payInProgress": "Плата за прогрес!", - "@payInProgress": { - "description": "Title for payment in progress screen" - }, - "payInProgressDescription": "Ваш платіж був ініційований, а одержувач отримає кошти після отримання вашої операції 1 підтвердження.", - "@payInProgressDescription": { - "description": "Description for payment in progress" - }, - "payViewDetails": "Докладніше", - "@payViewDetails": { - "description": "Button to view order details" - }, - "payCompleted": "Оплата завершено!", - "@payCompleted": { - "description": "Title for payment completed screen" - }, - "payOrderDetails": "Деталі замовлення", - "@payOrderDetails": { - "description": "Title for SINPE order details screen" - }, - "paySinpeMonto": "Сума", - "@paySinpeMonto": { - "description": "Label for amount in SINPE order details" - }, - "paySinpeNumeroOrden": "Номер замовлення", - "@paySinpeNumeroOrden": { - "description": "Label for order number in SINPE details" - }, - "paySinpeNumeroComprobante": "Номер довідки", - "@paySinpeNumeroComprobante": { - "description": "Label for reference number in SINPE details" - }, - "paySinpeBeneficiario": "Бенефіціар", - "@paySinpeBeneficiario": { - "description": "Label for beneficiary in SINPE details" - }, - "paySinpeOrigen": "Походження", - "@paySinpeOrigen": { - "description": "Label for origin in SINPE details" - }, - "payNotAvailable": "Н/А", - "@payNotAvailable": { - "description": "Placeholder for unavailable information" - }, - "payBitcoinOnchain": "Bitcoin у USD", - "@payBitcoinOnchain": { - "description": "Option for Bitcoin on-chain payment" - }, - "payAboveMaxAmount": "Ви намагаєтеся сплатити над максимальною кількістю, яку можна сплатити за допомогою цього гаманця.", - "@payAboveMaxAmount": { - "description": "Error message when payment amount exceeds maximum" - }, - "payBelowMinAmount": "Ви намагаєтеся платити нижче мінімальної суми, яку можна сплатити за допомогою цього гаманця.", - "@payBelowMinAmount": { - "description": "Error message when payment amount is below minimum" - }, - "payNotAuthenticated": "Ви не автентифіковані. Будь ласка, увійдіть, щоб продовжити.", - "@payNotAuthenticated": { - "description": "Error message when user is not authenticated" - }, - "payOrderNotFound": "Не знайдено замовлення платежу. Будь ласка, спробуйте знову.", - "@payOrderNotFound": { - "description": "Error message when pay order is not found" - }, - "payOrderAlreadyConfirmed": "Цей платіж вже був підтверджений.", - "@payOrderAlreadyConfirmed": { - "description": "Error message when pay order is already confirmed" - }, - "payPaymentInProgress": "Плата за прогрес!", - "@payPaymentInProgress": { - "description": "Title for payment in progress screen" - }, - "payPriceRefreshIn": "Ціна освіжає в ", - "@payPriceRefreshIn": { - "description": "Text before countdown timer" - }, - "payFor": "Для", - "@payFor": { - "description": "Label for recipient information section" - }, - "payRecipient": "Отримувач", - "@payRecipient": { - "description": "Label for recipient" - }, - "payAmount": "Сума", - "@payAmount": { - "description": "Label for amount" - }, - "payFee": "Плей", - "@payFee": { - "description": "Label for fee" - }, - "payNetwork": "Мережа", - "@payNetwork": { - "description": "Label for network" - }, - "payViewRecipient": "Перегляд одержувача", - "@payViewRecipient": { - "description": "Button to view recipient details" - }, - "payOpenInvoice": "Відкрити рахунок", - "@payOpenInvoice": { - "description": "Button to open invoice" - }, - "payCopied": "Про нас!", - "@payCopied": { - "description": "Success message after copying" - }, - "payWhichWallet": "Який гаманець ви хочете оплатити?", - "@payWhichWallet": { - "description": "Question prompt for wallet selection" - }, - "payExternalWalletDescription": "Сплатити з іншого біткойн-гаманця", - "@payExternalWalletDescription": { - "description": "Description for external wallet option" - }, - "payInsufficientBalance": "Недостатній баланс у вибраному гаманці для завершення цього замовлення оплати.", - "@payInsufficientBalance": { - "description": "Error message for insufficient balance" - }, - "payRbfActivated": "Замініть активоване", - "@payRbfActivated": { - "description": "Label for RBF toggle" - }, - "transactionTitle": "Твитнуть", - "@transactionTitle": { - "description": "Title for the transactions screen" - }, - "transactionError": "Помилка - {error}", - "@transactionError": { - "description": "Error message displayed when transaction loading fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "transactionDetailTitle": "Деталі транзакції", - "@transactionDetailTitle": { - "description": "Title for transaction details screen" - }, - "transactionDetailTransferProgress": "Прогрес трансферу", - "@transactionDetailTransferProgress": { - "description": "Title for ongoing transfer details" - }, - "transactionDetailSwapProgress": "Swap Прогрес", - "@transactionDetailSwapProgress": { - "description": "Title for ongoing swap details" - }, - "transactionDetailRetryTransfer": "Трансфер з картки {action}", - "@transactionDetailRetryTransfer": { - "description": "Button label to retry a failed transfer action", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "transactionDetailAddNote": "Додати замітку", - "@transactionDetailAddNote": { - "description": "Button label to add a note to a transaction" - }, - "transactionDetailBumpFees": "Бамперові збори", - "@transactionDetailBumpFees": { - "description": "Button label to increase transaction fees via RBF" - }, - "transactionFilterAll": "Всі", - "@transactionFilterAll": { - "description": "Filter option to show all transactions" - }, - "transactionFilterSend": "Відправити", - "@transactionFilterSend": { - "description": "Filter option to show only sent transactions" - }, - "transactionFilterReceive": "Отримати", - "@transactionFilterReceive": { - "description": "Filter option to show only received transactions" - }, - "transactionFilterTransfer": "Передача", - "@transactionFilterTransfer": { - "description": "Filter option to show only transfer/swap transactions" - }, - "transactionFilterPayjoin": "Офіціант", - "@transactionFilterPayjoin": { - "description": "Filter option to show only payjoin transactions" - }, - "transactionFilterSell": "Продати", - "@transactionFilterSell": { - "description": "Filter option to show only sell orders" - }, - "transactionFilterBuy": "Купити", - "@transactionFilterBuy": { - "description": "Filter option to show only buy orders" - }, - "transactionNetworkLightning": "Освітлення", - "@transactionNetworkLightning": { - "description": "Label for Lightning network transactions" - }, - "transactionNetworkBitcoin": "Bitcoin у USD", - "@transactionNetworkBitcoin": { - "description": "Label for Bitcoin network transactions" - }, - "transactionNetworkLiquid": "Рідина", - "@transactionNetworkLiquid": { - "description": "Label for Liquid network transactions" - }, - "transactionSwapLiquidToBitcoin": "L-BTC → BTC", - "@transactionSwapLiquidToBitcoin": { - "description": "Label for Liquid to Bitcoin swap" - }, - "transactionSwapBitcoinToLiquid": "BTC → Л-БТ", - "@transactionSwapBitcoinToLiquid": { - "description": "Label for Bitcoin to Liquid swap" - }, - "transactionStatusInProgress": "Прогрес", - "@transactionStatusInProgress": { - "description": "Status label for transactions in progress" - }, - "transactionStatusPending": "Закінчення", - "@transactionStatusPending": { - "description": "Status label for pending transactions" - }, - "transactionStatusConfirmed": "Підтвердження", - "@transactionStatusConfirmed": { - "description": "Status label for confirmed transactions" - }, - "transactionStatusTransferCompleted": "Трансфер завершено", - "@transactionStatusTransferCompleted": { - "description": "Status label for completed transfers" - }, - "transactionStatusPaymentInProgress": "Плата за прогрес", - "@transactionStatusPaymentInProgress": { - "description": "Status label for Lightning payments in progress" - }, - "transactionStatusPaymentRefunded": "Повернення платежів", - "@transactionStatusPaymentRefunded": { - "description": "Status label for refunded payments" - }, - "transactionStatusTransferFailed": "Передача", - "@transactionStatusTransferFailed": { - "description": "Status label for failed transfers" - }, - "transactionStatusSwapFailed": "Обмінюється", - "@transactionStatusSwapFailed": { - "description": "Status label for failed swaps" - }, - "transactionStatusTransferExpired": "Трансфер Expired", - "@transactionStatusTransferExpired": { - "description": "Status label for expired transfers" - }, - "transactionStatusSwapExpired": "Обмінюється", - "@transactionStatusSwapExpired": { - "description": "Status label for expired swaps" - }, - "transactionStatusPayjoinRequested": "Payjoin запитав", - "@transactionStatusPayjoinRequested": { - "description": "Status label for payjoin transaction requests" - }, - "transactionLabelTransactionId": "Код транзакції", - "@transactionLabelTransactionId": { - "description": "Label for transaction ID field" - }, - "transactionLabelToWallet": "Гаманець", - "@transactionLabelToWallet": { - "description": "Label for destination wallet" - }, - "transactionLabelFromWallet": "Від гаманця", - "@transactionLabelFromWallet": { - "description": "Label for source wallet" - }, - "transactionLabelRecipientAddress": "Адреса одержувача", - "@transactionLabelRecipientAddress": { - "description": "Label for recipient address" - }, - "transactionLabelAddress": "Контакти", - "@transactionLabelAddress": { - "description": "Label for transaction address" - }, - "transactionLabelAddressNotes": "Контакти", - "@transactionLabelAddressNotes": { - "description": "Label for address notes/labels" - }, - "transactionLabelAmountReceived": "Сума отримана", - "@transactionLabelAmountReceived": { - "description": "Label for received amount" - }, - "transactionLabelAmountSent": "Сума відправлена", - "@transactionLabelAmountSent": { - "description": "Label for sent amount" - }, - "transactionLabelTransactionFee": "Плата за транзакції", - "@transactionLabelTransactionFee": { - "description": "Label for transaction fee" - }, - "transactionLabelStatus": "Статус на сервери", - "@transactionLabelStatus": { - "description": "Label for transaction status" - }, - "transactionLabelConfirmationTime": "Термін підтвердження", - "@transactionLabelConfirmationTime": { - "description": "Label for transaction confirmation timestamp" - }, - "transactionLabelTransferId": "Трансфер ID", - "@transactionLabelTransferId": { - "description": "Label for transfer/swap ID" - }, - "transactionLabelSwapId": "Обмін ID", - "@transactionLabelSwapId": { - "description": "Label for swap ID" - }, - "transactionLabelTransferStatus": "Статус на сервери", - "@transactionLabelTransferStatus": { - "description": "Label for transfer status" - }, - "transactionLabelSwapStatusRefunded": "Повернення", - "@transactionLabelSwapStatusRefunded": { - "description": "Status label for refunded swaps" - }, - "transactionLabelLiquidTransactionId": "Ідентифікаційний код", - "@transactionLabelLiquidTransactionId": { - "description": "Label for Liquid network transaction ID" - }, - "transactionLabelBitcoinTransactionId": "Код транзакції Bitcoin", - "@transactionLabelBitcoinTransactionId": { - "description": "Label for Bitcoin network transaction ID" - }, - "transactionLabelTotalTransferFees": "Сума переказу", - "@transactionLabelTotalTransferFees": { - "description": "Label for total transfer fees" - }, - "transactionLabelTotalSwapFees": "Загальний обмін", - "@transactionLabelTotalSwapFees": { - "description": "Label for total swap fees" - }, - "transactionLabelNetworkFee": "Партнерство", - "@transactionLabelNetworkFee": { - "description": "Label for network fee component" - }, - "transactionLabelTransferFee": "Плата за трансфер", - "@transactionLabelTransferFee": { - "description": "Label for transfer fee component" - }, - "transactionLabelBoltzSwapFee": "Boltz Обмінюється Fee", - "@transactionLabelBoltzSwapFee": { - "description": "Label for Boltz swap fee component" - }, - "transactionLabelCreatedAt": "Створено", - "@transactionLabelCreatedAt": { - "description": "Label for creation timestamp" - }, - "transactionLabelCompletedAt": "Увімкнути", - "@transactionLabelCompletedAt": { - "description": "Label for completion timestamp" - }, - "transactionLabelPayjoinStatus": "Статус на сервери", - "@transactionLabelPayjoinStatus": { - "description": "Label for payjoin status" - }, - "transactionLabelPayjoinCreationTime": "Час створення Payjoin", - "@transactionLabelPayjoinCreationTime": { - "description": "Label for payjoin creation timestamp" - }, - "transactionPayjoinStatusCompleted": "Виконаний", - "@transactionPayjoinStatusCompleted": { - "description": "Payjoin status: completed" - }, - "transactionPayjoinStatusExpired": "Зареєструватися", - "@transactionPayjoinStatusExpired": { - "description": "Payjoin status: expired" - }, - "transactionOrderLabelOrderType": "Тип замовлення", - "@transactionOrderLabelOrderType": { - "description": "Label for order type" - }, - "transactionOrderLabelOrderNumber": "Номер замовлення", - "@transactionOrderLabelOrderNumber": { - "description": "Label for order number" - }, - "transactionOrderLabelPayinAmount": "Сума виплат", - "@transactionOrderLabelPayinAmount": { - "description": "Label for order payin amount" - }, - "transactionOrderLabelPayoutAmount": "Сума виплат", - "@transactionOrderLabelPayoutAmount": { - "description": "Label for order payout amount" - }, - "transactionOrderLabelExchangeRate": "Курс валют", - "@transactionOrderLabelExchangeRate": { - "description": "Label for order exchange rate" - }, - "transactionNotesLabel": "Примітки транзакцій", - "@transactionNotesLabel": { - "description": "Label for transaction notes section" - }, - "transactionNoteAddTitle": "Додати замітку", - "@transactionNoteAddTitle": { - "description": "Title for add note dialog" - }, - "transactionNoteEditTitle": "Редагувати замітку", - "@transactionNoteEditTitle": { - "description": "Title for edit note dialog" - }, - "transactionNoteHint": "Зареєструватися", - "@transactionNoteHint": { - "description": "Hint text for note input field" - }, - "transactionNoteSaveButton": "Зберегти", - "@transactionNoteSaveButton": { - "description": "Button label to save a note" - }, - "transactionPayjoinNoProposal": "Чи не приймається пропозиція платника?", - "@transactionPayjoinNoProposal": { - "description": "Message displayed when payjoin proposal is not received" - }, - "transactionPayjoinSendWithout": "Відправлення без плати", - "@transactionPayjoinSendWithout": { - "description": "Button label to send transaction without payjoin" - }, - "transactionSwapProgressInitiated": "Ініціюється", - "@transactionSwapProgressInitiated": { - "description": "Swap progress step: initiated" - }, - "transactionSwapProgressPaymentMade": "Оплата\nЗроблено", - "@transactionSwapProgressPaymentMade": { - "description": "Swap progress step: payment made" - }, - "transactionSwapProgressFundsClaimed": "Кошти\nКоктейль", - "@transactionSwapProgressFundsClaimed": { - "description": "Swap progress step: funds claimed" - }, - "transactionSwapProgressBroadcasted": "Радіоканал", - "@transactionSwapProgressBroadcasted": { - "description": "Swap progress step: transaction broadcasted" - }, - "transactionSwapProgressInvoicePaid": "Інвойс\nПлеймейт", - "@transactionSwapProgressInvoicePaid": { - "description": "Swap progress step: Lightning invoice paid" - }, - "transactionSwapProgressConfirmed": "Підтвердження", - "@transactionSwapProgressConfirmed": { - "description": "Swap progress step: confirmed" - }, - "transactionSwapProgressClaim": "Клейм", - "@transactionSwapProgressClaim": { - "description": "Swap progress step: claim" - }, - "transactionSwapProgressCompleted": "Виконаний", - "@transactionSwapProgressCompleted": { - "description": "Swap progress step: completed" - }, - "transactionSwapProgressInProgress": "Прогрес", - "@transactionSwapProgressInProgress": { - "description": "Generic swap progress step: in progress" - }, - "transactionSwapStatusTransferStatus": "Статус на сервери", - "@transactionSwapStatusTransferStatus": { - "description": "Header for transfer status section" - }, - "transactionSwapDescLnReceivePending": "Запропоновано ваш ковпачок. Ми очікуємо, що платіж буде отримано на Lightning Network.", - "@transactionSwapDescLnReceivePending": { - "description": "Description for pending Lightning receive swap" - }, - "transactionSwapDescLnReceivePaid": "Отримали платіж! Ми зараз ведемо трансляцію на свій гаманець.", - "@transactionSwapDescLnReceivePaid": { - "description": "Description for paid Lightning receive swap" - }, - "transactionSwapDescLnReceiveClaimable": "Підтверджено операційну операцію. Ми зараз беремо на себе кошти, щоб завершити свій клацання.", - "@transactionSwapDescLnReceiveClaimable": { - "description": "Description for claimable Lightning receive swap" - }, - "transactionSwapDescLnReceiveCompleted": "Ви успішно завершили замовлення! Кошти повинні бути доступні в вашому гаманці.", - "@transactionSwapDescLnReceiveCompleted": { - "description": "Description for completed Lightning receive swap" - }, - "transactionSwapDescLnReceiveFailed": "Проблемою була проблема. Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації.", - "@transactionSwapDescLnReceiveFailed": { - "description": "Description for failed Lightning receive swap" - }, - "transactionSwapDescLnReceiveExpired": "Це лебідка вибухнула. Будь-які кошти, надіслані автоматично, будуть повернені одержувачу.", - "@transactionSwapDescLnReceiveExpired": { - "description": "Description for expired Lightning receive swap" - }, - "transactionSwapDescLnReceiveDefault": "Ваше лебідка знаходиться в прогресі. Цей процес автоматизований і може зайняти деякий час для завершення.", - "@transactionSwapDescLnReceiveDefault": { - "description": "Default description for Lightning receive swap" - }, - "transactionSwapDescLnSendPending": "Запропоновано ваш ковпачок. Ми ведемо трансляцію на замовлення, щоб заблокувати кошти.", - "@transactionSwapDescLnSendPending": { - "description": "Description for pending Lightning send swap" - }, - "transactionSwapDescLnSendPaid": "Ваша угода була транслюється. Після 1 підтвердження буде відправлено платіж Lightning.", - "@transactionSwapDescLnSendPaid": { - "description": "Description for paid Lightning send swap" - }, - "transactionSwapDescChainPaid": "Ваша угода була транслюється. В даний час ми очікуємо транзакції замка.", - "@transactionSwapDescChainPaid": { - "description": "Description for paid chain swap" - }, - "transactionSwapDescChainClaimable": "Підтверджено операцію замка. Ви заявляєте, що кошти для завершення вашого переказу.", - "@transactionSwapDescChainClaimable": { - "description": "Description for claimable chain swap" - }, - "transactionSwapDescChainRefundable": "Переказ буде повернено. Ваші кошти будуть повернені в ваш гаманець автоматично.", - "@transactionSwapDescChainRefundable": { - "description": "Description for refundable chain swap" - }, - "transactionSwapDescChainCompleted": "Ваша передача успішно завершилась! Кошти повинні бути доступні в вашому гаманці.", - "@transactionSwapDescChainCompleted": { - "description": "Description for completed chain swap" - }, - "transactionSwapDescChainFailed": "У вас є питання про передачу. Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації.", - "@transactionSwapDescChainFailed": { - "description": "Description for failed chain swap" - }, - "transactionSwapDescChainExpired": "Цей переказ розширився. Ваші кошти будуть автоматично повертатися до вашого гаманця.", - "@transactionSwapDescChainExpired": { - "description": "Description for expired chain swap" - }, - "transactionSwapDescChainDefault": "Ваша передача здійснюється в процесі. Цей процес автоматизований і може зайняти деякий час для завершення.", - "@transactionSwapDescChainDefault": { - "description": "Default description for chain swap" - }, - "transactionSwapInfoFailedExpired": "Будь ласка, зв'яжіться з нами.", - "@transactionSwapInfoFailedExpired": { - "description": "Additional info for failed or expired swaps" - }, - "transactionSwapInfoChainDelay": "За час виконання через час підтвердження блокчейну може бути здійснено передачу часу.", - "@transactionSwapInfoChainDelay": { - "description": "Additional info about chain transfer delays" - }, - "transactionSwapInfoClaimableTransfer": "Передача буде завершено автоматично протягом декількох секунд. Якщо ви не можете спробувати ручну заяву, натиснувши кнопку \"Retry Transfer Claim\".", - "@transactionSwapInfoClaimableTransfer": { - "description": "Additional info for claimable transfers" - }, - "transactionSwapInfoClaimableSwap": "Запуск буде завершено автоматично протягом декількох секунд. Якщо ні, ви можете спробувати ручну претензію, натиснувши кнопку \"Retry Swap Claim\".", - "@transactionSwapInfoClaimableSwap": { - "description": "Additional info for claimable swaps" - }, - "transactionSwapInfoRefundableTransfer": "Цей переказ буде повернено автоматично протягом декількох секунд. Якщо ні, ви можете спробувати ручне повернення, натиснувши кнопку \"Retry Transfer Refund\".", - "@transactionSwapInfoRefundableTransfer": { - "description": "Additional info for refundable transfers" - }, - "transactionListToday": "Сьогодні", - "@transactionListToday": { - "description": "Date label for today's transactions" - }, - "transactionListYesterday": "Погода", - "@transactionListYesterday": { - "description": "Date label for yesterday's transactions" - }, - "transactionSwapDoNotUninstall": "Не встановіть додаток до завершення затискання.", - "@transactionSwapDoNotUninstall": { - "description": "Warning message to not uninstall app during swap" - }, - "transactionFeesDeductedFrom": "Цей платіж буде відхилений від суми, відправленого", - "@transactionFeesDeductedFrom": { - "description": "Fee deduction explanation for receiving swaps" - }, - "transactionFeesTotalDeducted": "Це загальна плата, яка відхилена від суми, відправленого", - "@transactionFeesTotalDeducted": { - "description": "Fee deduction explanation for sending swaps" - }, - "transactionLabelSendAmount": "Надіслати", - "@transactionLabelSendAmount": { - "description": "Label for send amount in swap details" - }, - "transactionLabelReceiveAmount": "Отримувати Amount", - "@transactionLabelReceiveAmount": { - "description": "Label for receive amount in swap details" - }, - "transactionLabelSendNetworkFees": "Надання послуг", - "@transactionLabelSendNetworkFees": { - "description": "Label for send network fees in swap details" - }, - "transactionLabelReceiveNetworkFee": "Отримувати Мережі", - "@transactionLabelReceiveNetworkFee": { - "description": "Label for receive network fee in swap details" - }, - "transactionLabelServerNetworkFees": "Статус на сервери", - "@transactionLabelServerNetworkFees": { - "description": "Label for server network fees in swap details" - }, - "transactionLabelPreimage": "Презентація", - "@transactionLabelPreimage": { - "description": "Label for preimage in Lightning swap details" - }, - "transactionOrderLabelReferenceNumber": "Номер довідки", - "@transactionOrderLabelReferenceNumber": { - "description": "Label for reference number in order details" - }, - "transactionOrderLabelOriginName": "Назва походження", - "@transactionOrderLabelOriginName": { - "description": "Label for origin name in fiat payment order" - }, - "transactionOrderLabelOriginCedula": "Походження Cedula", - "@transactionOrderLabelOriginCedula": { - "description": "Label for origin cedula in fiat payment order" - }, - "transactionDetailAccelerate": "Прискорити", - "@transactionDetailAccelerate": { - "description": "Button label for accelerating (RBF) an unconfirmed transaction" - }, - "transactionDetailLabelTransactionId": "Код транзакції", - "@transactionDetailLabelTransactionId": { - "description": "Label for transaction ID in details" - }, - "transactionDetailLabelToWallet": "Гаманець", - "@transactionDetailLabelToWallet": { - "description": "Label for destination wallet" - }, - "transactionDetailLabelFromWallet": "Від гаманця", - "@transactionDetailLabelFromWallet": { - "description": "Label for source wallet" - }, - "transactionDetailLabelRecipientAddress": "Адреса одержувача", - "@transactionDetailLabelRecipientAddress": { - "description": "Label for recipient address" - }, - "transactionDetailLabelAddress": "Контакти", - "@transactionDetailLabelAddress": { - "description": "Label for address" - }, - "transactionDetailLabelAddressNotes": "Контакти", - "@transactionDetailLabelAddressNotes": { - "description": "Label for address notes" - }, - "transactionDetailLabelAmountReceived": "Сума отримана", - "@transactionDetailLabelAmountReceived": { - "description": "Label for amount received" - }, - "transactionDetailLabelAmountSent": "Сума відправлена", - "@transactionDetailLabelAmountSent": { - "description": "Label for amount sent" - }, - "transactionDetailLabelTransactionFee": "Плата за транзакції", - "@transactionDetailLabelTransactionFee": { - "description": "Label for transaction fee" - }, - "transactionDetailLabelStatus": "Статус на сервери", - "@transactionDetailLabelStatus": { - "description": "Label for status" - }, - "transactionDetailLabelConfirmationTime": "Термін підтвердження", - "@transactionDetailLabelConfirmationTime": { - "description": "Label for confirmation time" - }, - "transactionDetailLabelOrderType": "Тип замовлення", - "@transactionDetailLabelOrderType": { - "description": "Label for order type" - }, - "transactionDetailLabelOrderNumber": "Номер замовлення", - "@transactionDetailLabelOrderNumber": { - "description": "Label for order number" - }, - "transactionDetailLabelPayinAmount": "Сума виплат", - "@transactionDetailLabelPayinAmount": { - "description": "Label for payin amount" - }, - "transactionDetailLabelPayoutAmount": "Сума виплат", - "@transactionDetailLabelPayoutAmount": { - "description": "Label for payout amount" - }, - "transactionDetailLabelExchangeRate": "Курс валют", - "@transactionDetailLabelExchangeRate": { - "description": "Label for exchange rate" - }, - "transactionDetailLabelPayinMethod": "Метод Payin", - "@transactionDetailLabelPayinMethod": { - "description": "Label for payin method" - }, - "transactionDetailLabelPayoutMethod": "Спосіб виплати", - "@transactionDetailLabelPayoutMethod": { - "description": "Label for payout method" - }, - "transactionDetailLabelPayinStatus": "Статус на сервери", - "@transactionDetailLabelPayinStatus": { - "description": "Label for payin status" - }, - "transactionDetailLabelOrderStatus": "Статус на сервери", - "@transactionDetailLabelOrderStatus": { - "description": "Label for order status" - }, - "transactionDetailLabelPayoutStatus": "Статус на сервери", - "@transactionDetailLabelPayoutStatus": { - "description": "Label for payout status" - }, - "transactionDetailLabelCreatedAt": "Створено", - "@transactionDetailLabelCreatedAt": { - "description": "Label for creation time" - }, - "transactionDetailLabelCompletedAt": "Увімкнути", - "@transactionDetailLabelCompletedAt": { - "description": "Label for completion time" - }, - "transactionDetailLabelTransferId": "Трансфер ID", - "@transactionDetailLabelTransferId": { - "description": "Label for transfer ID" - }, - "transactionDetailLabelSwapId": "Обмін ID", - "@transactionDetailLabelSwapId": { - "description": "Label for swap ID" - }, - "transactionDetailLabelTransferStatus": "Статус на сервери", - "@transactionDetailLabelTransferStatus": { - "description": "Label for transfer status" - }, - "transactionDetailLabelSwapStatus": "Статус на сервери", - "@transactionDetailLabelSwapStatus": { - "description": "Label for swap status" - }, - "transactionDetailLabelRefunded": "Повернення", - "@transactionDetailLabelRefunded": { - "description": "Label for refunded status" - }, - "transactionDetailLabelLiquidTxId": "Ідентифікаційний код", - "@transactionDetailLabelLiquidTxId": { - "description": "Label for Liquid transaction ID" - }, - "transactionDetailLabelBitcoinTxId": "Код транзакції Bitcoin", - "@transactionDetailLabelBitcoinTxId": { - "description": "Label for Bitcoin transaction ID" - }, - "transactionDetailLabelTransferFees": "Плата за переказ", - "@transactionDetailLabelTransferFees": { - "description": "Label for transfer fees" - }, - "transactionDetailLabelSwapFees": "Плата за обмін", - "@transactionDetailLabelSwapFees": { - "description": "Label for swap fees" - }, - "transactionDetailLabelSendNetworkFee": "Закупи хостинг »", - "@transactionDetailLabelSendNetworkFee": { - "description": "Label for send network fee" - }, - "transactionDetailLabelTransferFee": "Плата за трансфер", - "@transactionDetailLabelTransferFee": { - "description": "Label for transfer fee (Boltz fee)" - }, - "transactionDetailLabelPayjoinStatus": "Статус на сервери", - "@transactionDetailLabelPayjoinStatus": { - "description": "Label for payjoin status" - }, - "walletTypeWatchSigner": "Відгуки", - "@walletTypeWatchSigner": { - "description": "Wallet type label for watch-signer wallets" - }, - "walletTypeBitcoinNetwork": "Bitcoin мережа", - "@walletTypeBitcoinNetwork": { - "description": "Wallet type label for Bitcoin network" - }, - "walletTypeLiquidLightningNetwork": "Рідка та Lightning мережа", - "@walletTypeLiquidLightningNetwork": { - "description": "Wallet type label for Liquid and Lightning network" - }, - "walletNetworkBitcoin": "Bitcoin мережа", - "@walletNetworkBitcoin": { - "description": "Network label for Bitcoin mainnet" - }, - "walletNetworkBitcoinTestnet": "Біткойн Testnet", - "@walletNetworkBitcoinTestnet": { - "description": "Network label for Bitcoin testnet" - }, - "walletNetworkLiquid": "Мережа рідин", - "@walletNetworkLiquid": { - "description": "Network label for Liquid mainnet" - }, - "walletNetworkLiquidTestnet": "Рідкий Testnet", - "@walletNetworkLiquidTestnet": { - "description": "Network label for Liquid testnet" - }, - "walletAddressTypeConfidentialSegwit": "Конфіденційний Segwit", - "@walletAddressTypeConfidentialSegwit": { - "description": "Address type for Liquid wallets" - }, - "walletAddressTypeNativeSegwit": "Нативний Segwit", - "@walletAddressTypeNativeSegwit": { - "description": "Address type for BIP84 wallets" - }, - "walletAddressTypeNestedSegwit": "Нескінченний Segwit", - "@walletAddressTypeNestedSegwit": { - "description": "Address type for BIP49 wallets" - }, - "walletAddressTypeLegacy": "Спадщина", - "@walletAddressTypeLegacy": { - "description": "Address type for BIP44 wallets" - }, - "walletBalanceUnconfirmedIncoming": "Прогрес", - "@walletBalanceUnconfirmedIncoming": { - "description": "Label for unconfirmed incoming balance" - }, - "walletButtonReceive": "Отримати", - "@walletButtonReceive": { - "description": "Button label to receive funds" - }, - "walletButtonSend": "Відправити", - "@walletButtonSend": { - "description": "Button label to send funds" - }, - "walletArkInstantPayments": "Арк Миттєві платежі", - "@walletArkInstantPayments": { - "description": "Title for Ark wallet card" - }, - "walletArkExperimental": "Експериментальні", - "@walletArkExperimental": { - "description": "Description for Ark wallet indicating experimental status" - }, - "fundExchangeTitle": "Фінансування", - "@fundExchangeTitle": { - "description": "AppBar title for funding screen" - }, - "fundExchangeAccountTitle": "Оберіть Ваш рахунок", - "@fundExchangeAccountTitle": { - "description": "Main title on the fund exchange account screen" - }, - "fundExchangeAccountSubtitle": "Оберіть країну та спосіб оплати", - "@fundExchangeAccountSubtitle": { - "description": "Subtitle on fund exchange account screen prompting user to select country and payment method" - }, - "fundExchangeWarningTitle": "Дивитися для шампанів", - "@fundExchangeWarningTitle": { - "description": "Title of the scammer warning screen" - }, - "fundExchangeWarningTactic2": "Ми пропонуємо Вам кредит", - "@fundExchangeWarningTactic2": { - "description": "Second scammer tactic warning" - }, - "fundExchangeWarningTactic3": "Повідомляємо, що вони працюють за боргу або податкову збірку", - "@fundExchangeWarningTactic3": { - "description": "Third scammer tactic warning" - }, - "fundExchangeWarningTactic4": "Вони просять надсилати Біткойн на свою адресу", - "@fundExchangeWarningTactic4": { - "description": "Fourth scammer tactic warning" - }, - "fundExchangeWarningTactic5": "Вони просять надсилати Біткойн на іншій платформі", - "@fundExchangeWarningTactic5": { - "description": "Fifth scammer tactic warning" - }, - "fundExchangeWarningTactic6": "Вони хочуть поділитися своїм екраном", - "@fundExchangeWarningTactic6": { - "description": "Sixth scammer tactic warning" - }, - "fundExchangeWarningTactic7": "Не хвилюйтеся про це попередження", - "@fundExchangeWarningTactic7": { - "description": "Seventh scammer tactic warning" - }, - "fundExchangeWarningConfirmation": "Я підтверджу, що я не зажадав купити Біткойн іншим.", - "@fundExchangeWarningConfirmation": { - "description": "Confirmation checkbox text that user is not being coerced to buy Bitcoin" - }, - "fundExchangeContinueButton": "Продовжити", - "@fundExchangeContinueButton": { - "description": "Button label to continue from warning screen to payment method details" - }, - "fundExchangeDoneButton": "Сонце", - "@fundExchangeDoneButton": { - "description": "Button label to finish and exit the funding flow" - }, - "fundExchangeJurisdictionCanada": "Українська", - "@fundExchangeJurisdictionCanada": { - "description": "Dropdown option for Canada jurisdiction" - }, - "fundExchangeJurisdictionEurope": "浜у 涓 蹇", - "@fundExchangeJurisdictionEurope": { - "description": "Dropdown option for Europe SEPA jurisdiction" - }, - "fundExchangeJurisdictionMexico": "Українська", - "@fundExchangeJurisdictionMexico": { - "description": "Dropdown option for Mexico jurisdiction" - }, - "fundExchangeJurisdictionCostaRica": "й Костел Зірки", - "@fundExchangeJurisdictionCostaRica": { - "description": "Dropdown option for Costa Rica jurisdiction" - }, - "fundExchangeJurisdictionArgentina": "й", - "@fundExchangeJurisdictionArgentina": { - "description": "Dropdown option for Argentina jurisdiction" - }, - "fundExchangeMethodEmailETransfer": "Електронна пошта", - "@fundExchangeMethodEmailETransfer": { - "description": "Payment method: Email E-Transfer (Canada)" - }, - "fundExchangeMethodBankTransferWire": "Банківський переказ (Wire або EFT)", - "@fundExchangeMethodBankTransferWire": { - "description": "Payment method: Bank Transfer Wire or EFT (Canada)" - }, - "fundExchangeMethodBankTransferWireSubtitle": "Кращий і найнадійніший варіант для збільшення кількості (наприклад, або наступного дня)", - "@fundExchangeMethodBankTransferWireSubtitle": { - "description": "Subtitle for Bank Transfer Wire payment method" - }, - "fundExchangeMethodOnlineBillPayment": "Онлайн платіж", - "@fundExchangeMethodOnlineBillPayment": { - "description": "Payment method: Online Bill Payment (Canada)" - }, - "fundExchangeRegularSepaInfo": "Тільки для операцій над €20,000. Для менших операцій використовуйте варіант СПА.", - "@fundExchangeRegularSepaInfo": { - "description": "Info message for Regular SEPA transaction limits" - }, - "settingsDevModeUnderstandButton": "Я розумію", - "@settingsDevModeUnderstandButton": { - "description": "Button label to acknowledge developer mode warning" - }, - "settingsSuperuserModeDisabledMessage": "Відключений режим суперкористувача.", - "@settingsSuperuserModeDisabledMessage": { - "description": "Message shown when superuser mode is disabled" - }, - "settingsSuperuserModeUnlockedMessage": "Режим суперкористувацького розблокування!", - "@settingsSuperuserModeUnlockedMessage": { - "description": "Message shown when superuser mode is enabled" - }, - "walletOptionsUnnamedWalletFallback": "Без назви Wallet", - "@walletOptionsUnnamedWalletFallback": { - "description": "Fallback name displayed for wallets without a specified name" - }, - "walletOptionsNotFoundMessage": "Не знайдено", - "@walletOptionsNotFoundMessage": { - "description": "Error message displayed when a wallet cannot be found" - }, - "walletOptionsWalletDetailsTitle": "Деталі Wallet", - "@walletOptionsWalletDetailsTitle": { - "description": "Title for the wallet details screen" - }, - "addressViewAddressesTitle": "Контакти", - "@addressViewAddressesTitle": { - "description": "Title for the addresses section in wallet options" - }, - "walletDetailsSignerLabel": "Підписка", - "@walletDetailsSignerLabel": { - "description": "Label for the signer field in wallet details" - }, - "walletDetailsSignerDeviceLabel": "Пристрої сигналізації", - "@walletDetailsSignerDeviceLabel": { - "description": "Label for the signer device field in wallet details" - }, - "walletDetailsSignerDeviceNotSupported": "Не підтримується", - "@walletDetailsSignerDeviceNotSupported": { - "description": "Message displayed when a signer device is not supported" - }, - "exchangeRecipientsComingSoon": "Отримувачі - Складання Незабаром", - "@exchangeRecipientsComingSoon": { - "description": "Message indicating that the recipients feature is coming soon" - }, - "exchangeLogoutComingSoon": "Увійти - Складання Незабаром", - "@exchangeLogoutComingSoon": { - "description": "Message indicating that the log out feature is coming soon" - }, - "exchangeLegacyTransactionsTitle": "Заходи Legacy", - "@exchangeLegacyTransactionsTitle": { - "description": "Title for the legacy transactions section in exchange" - }, - "exchangeLegacyTransactionsComingSoon": "Заходи Legacy - Комбінація", - "@exchangeLegacyTransactionsComingSoon": { - "description": "Message indicating that the legacy transactions feature is coming soon" - }, - "exchangeFileUploadTitle": "Безпечний файл завантаження", - "@exchangeFileUploadTitle": { - "description": "Title for the secure file upload section in exchange" - }, - "walletDeletionErrorGeneric": "Не вдалося видалити гаманець, будь ласка, спробуйте знову.", - "@walletDeletionErrorGeneric": { - "description": "Generic error message when wallet deletion fails" - }, - "walletDeletionFailedOkButton": "ЗАРЕЄСТРУВАТИСЯ", - "@walletDeletionFailedOkButton": { - "description": "OK button label in wallet deletion failed dialog" - }, - "addressCardUsedLabel": "Використовується", - "@addressCardUsedLabel": { - "description": "Label indicating an address has been used" - }, - "addressCardUnusedLabel": "Непристойна", - "@addressCardUnusedLabel": { - "description": "Label indicating an address has not been used" - }, - "addressCardCopiedMessage": "Адреса копіюється на буфер", - "@addressCardCopiedMessage": { - "description": "Success message when an address is copied to clipboard" - }, - "onboardingOwnYourMoney": "Власні гроші", - "@onboardingOwnYourMoney": { - "description": "Tagline displayed in onboarding splash screen" - }, - "onboardingSplashDescription": "Bitcoin у USD.", - "@onboardingSplashDescription": { - "description": "Description of the app displayed in onboarding splash screen" - }, - "onboardingRecoverWallet": "Відновлення гаманця", - "@onboardingRecoverWallet": { - "description": "Title for the recover wallet screen in onboarding" - }, - "onboardingRecoverWalletButton": "Відновлення гаманця", - "@onboardingRecoverWalletButton": { - "description": "Button label for recovering a wallet in onboarding" - }, - "onboardingCreateNewWallet": "Створити новий гаманець", - "@onboardingCreateNewWallet": { - "description": "Button label for creating a new wallet in onboarding" - }, - "sendRecipientAddressOrInvoice": "Адреса або рахунок одержувача", - "@sendRecipientAddressOrInvoice": { - "description": "Label for the recipient address or invoice input field" - }, - "sendPasteAddressOrInvoice": "Введіть адресу платежу або рахунок-фактуру", - "@sendPasteAddressOrInvoice": { - "description": "Placeholder text for the payment address or invoice input field" - }, - "sendContinue": "Продовжити", - "@sendContinue": { - "description": "Button label for continuing in the send flow" - }, - "sendSelectNetworkFee": "Оберіть послугу", - "@sendSelectNetworkFee": { - "description": "Label for selecting the network fee in the send flow" - }, - "sendSelectAmount": "Оберіть розмір", - "@sendSelectAmount": { - "description": "Label for selecting the amount to send" - }, - "sendAmountRequested": "За запитом: ", - "@sendAmountRequested": { - "description": "Label for the requested amount in a payment request" - }, - "sendDone": "Сонце", - "@sendDone": { - "description": "Button label for completing the send flow" - }, - "sendSelectedUtxosInsufficient": "Вибраний utxos не покриває необхідну кількість", - "@sendSelectedUtxosInsufficient": { - "description": "Error message when selected UTXOs don't cover the required amount" - }, - "sendCustomFee": "Спеціальний Fee", - "@sendCustomFee": { - "description": "Label for setting a custom transaction fee" - }, - "sendAbsoluteFees": "Абсолютні збори", - "@sendAbsoluteFees": { - "description": "Label for absolute fee display mode (total sats)" - }, - "sendRelativeFees": "Відносні збори", - "@sendRelativeFees": { - "description": "Label for relative fee display mode (sats per vByte)" - }, - "sendSats": "атласне", - "@sendSats": { - "description": "Unit label for satoshis" - }, - "sendSatsPerVB": "сати/ВБ", - "@sendSatsPerVB": { - "description": "Unit label for satoshis per virtual byte" - }, - "sendConfirmCustomFee": "Підтвердити збір", - "@sendConfirmCustomFee": { - "description": "Button label for confirming a custom fee" - }, - "sendEstimatedDelivery10Minutes": "10 хвилин", - "@sendEstimatedDelivery10Minutes": { - "description": "Estimated delivery time of approximately 10 minutes" - }, - "sendEstimatedDelivery10to30Minutes": "10-30 хвилин", - "@sendEstimatedDelivery10to30Minutes": { - "description": "Estimated delivery time of 10 to 30 minutes" - }, - "sendEstimatedDeliveryFewHours": "кілька годин", - "@sendEstimatedDeliveryFewHours": { - "description": "Estimated delivery time of a few hours" - }, - "sendEstimatedDeliveryHoursToDays": "час", - "@sendEstimatedDeliveryHoursToDays": { - "description": "Estimated delivery time ranging from hours to days" - }, - "sendEstimatedDelivery": "Орієнтовна доставка ~ ", - "@sendEstimatedDelivery": { - "description": "Label prefix for estimated delivery time" - }, - "sendAddress": "Адреса: ", - "@sendAddress": { - "description": "Label prefix for address field" - }, - "sendType": "Тип: ", - "@sendType": { - "description": "Label prefix for transaction type field" - }, - "sendReceive": "Отримати", - "@sendReceive": { - "description": "Label for receive transaction type" - }, - "sendChange": "Зареєструватися", - "@sendChange": { - "description": "Label for change output in a transaction" - }, - "sendCouldNotBuildTransaction": "Чи не будувати транзакції", - "@sendCouldNotBuildTransaction": { - "description": "Error message when a transaction cannot be built" - }, - "sendHighFeeWarning": "Попередження про збір", - "@sendHighFeeWarning": { - "description": "Warning title for high transaction fees" - }, - "sendSlowPaymentWarning": "Попередження про платежі", - "@sendSlowPaymentWarning": { - "description": "Warning title for slow payment confirmation" - }, - "sendSlowPaymentWarningDescription": "Біткойн-повідачі запрошують підтвердження.", - "@sendSlowPaymentWarningDescription": { - "description": "Description for slow payment warning" - }, - "sendAdvancedSettings": "Розширені налаштування", - "@sendAdvancedSettings": { - "description": "Title for advanced settings in the send flow" - }, - "sendConfirm": "Підтвердження", - "@sendConfirm": { - "description": "Button label for confirming a send transaction" - }, - "sendBroadcastTransaction": "Трансмісія", - "@sendBroadcastTransaction": { - "description": "Button label for broadcasting a transaction to the network" - }, - "sendFrom": "З", - "@sendFrom": { - "description": "Label for the sender/source in a transaction" - }, - "receiveBitcoinTransactionWillTakeTime": "Біткойн-транзакція буде проходити під час підтвердження.", - "@receiveBitcoinTransactionWillTakeTime": { - "description": "Information message about Bitcoin transaction confirmation time" - }, - "receiveConfirmedInFewSeconds": "Це буде підтверджено протягом декількох секунд", - "@receiveConfirmedInFewSeconds": { - "description": "Message indicating quick confirmation time for Lightning transactions" - }, - "receiveWaitForSenderToFinish": "Зачекайте відправника, щоб закінчити операцію Payjoin", - "@receiveWaitForSenderToFinish": { - "description": "Instructions to wait for the sender during a payjoin transaction" - }, - "receiveNoTimeToWait": "Чи не встигли почекати, чи не зробив платник на боці відправника?", - "@receiveNoTimeToWait": { - "description": "Question prompting user if they want to proceed without payjoin" - }, - "receivePaymentNormally": "Отримуйте додаткову оплату", - "@receivePaymentNormally": { - "description": "Option to receive payment without payjoin if it fails" - }, - "receiveContinue": "Продовжити", - "@receiveContinue": { - "description": "Button label for continuing in the receive flow" - }, - "receiveCopyAddressOnly": "Статус на сервери", - "@receiveCopyAddressOnly": { - "description": "Option to copy or scan only the address without amount or other details" - }, - "receiveError": "{error}", - "@receiveError": { - "description": "Generic error message with error details", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "buyInstantPaymentWallet": "Миттєвий платіж гаманець", - "@buyInstantPaymentWallet": { - "description": "Label for instant payment (Liquid) wallet" - }, - "buyShouldBuyAtLeast": "Ви повинні придбати принаймні", - "@buyShouldBuyAtLeast": { - "description": "Error message for amount below minimum" - }, - "buyCantBuyMoreThan": "Ви не можете придбати більше", - "@buyCantBuyMoreThan": { - "description": "Error message for amount above maximum" - }, - "buyKycPendingTitle": "Перевірка ID KYC", - "@buyKycPendingTitle": { - "description": "Title for KYC verification required card" - }, - "buyKycPendingDescription": "Ви повинні завершити перевірку ID першим", - "@buyKycPendingDescription": { - "description": "Description for KYC verification required" - }, - "buyCompleteKyc": "Повний KYC", - "@buyCompleteKyc": { - "description": "Button to complete KYC verification" - }, - "buyInsufficientBalanceTitle": "Недостатній баланс", - "@buyInsufficientBalanceTitle": { - "description": "Title for insufficient balance error" - }, - "buyInsufficientBalanceDescription": "Ви не маєте достатнього балансу для створення цього замовлення.", - "@buyInsufficientBalanceDescription": { - "description": "Description for insufficient balance error" - }, - "buyFundYourAccount": "Оберіть Ваш рахунок", - "@buyFundYourAccount": { - "description": "Button to fund exchange account" - }, - "buyContinue": "Продовжити", - "@buyContinue": { - "description": "Button to continue to next step" - }, - "buyYouPay": "Ви платите", - "@buyYouPay": { - "description": "Label for amount user pays" - }, - "buyYouReceive": "Ви отримуєте", - "@buyYouReceive": { - "description": "Label for amount user receives" - }, - "buyBitcoinPrice": "Ціна Bitcoin", - "@buyBitcoinPrice": { - "description": "Label for Bitcoin exchange rate" - }, - "buyPayoutMethod": "Спосіб виплати", - "@buyPayoutMethod": { - "description": "Label for payout method" - }, - "buyAwaitingConfirmation": "Підтвердження ", - "@buyAwaitingConfirmation": { - "description": "Text shown while waiting for order confirmation" - }, - "buyConfirmPurchase": "Підтвердити покупку", - "@buyConfirmPurchase": { - "description": "Button to confirm purchase" - }, - "buyYouBought": "Ви придбали {amount}", - "@buyYouBought": { - "description": "Success message with amount bought", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "buyPayoutWillBeSentIn": "Ваша виплата буде відправлена в ", - "@buyPayoutWillBeSentIn": { - "description": "Text before countdown timer for payout" - }, - "buyViewDetails": "Докладніше", - "@buyViewDetails": { - "description": "Button to view order details" - }, - "buyAccelerateTransaction": "Прискорення транзакцій", - "@buyAccelerateTransaction": { - "description": "Title for transaction acceleration option" - }, - "buyGetConfirmedFaster": "Отримайте підтвердження швидше", - "@buyGetConfirmedFaster": { - "description": "Subtitle for acceleration option" - }, - "buyConfirmExpressWithdrawal": "Підтвердити виведення експресу", - "@buyConfirmExpressWithdrawal": { - "description": "Title for express withdrawal confirmation screen" - }, - "sellBelowMinAmountError": "Ви хочете продати нижче мінімальної суми, яку можна продати з цим гаманець.", - "@sellBelowMinAmountError": { - "description": "Error message for amount below minimum" - }, - "sellInsufficientBalanceError": "Недостатній баланс у вибраному гаманці для завершення цього замовлення продажу.", - "@sellInsufficientBalanceError": { - "description": "Error message for insufficient balance" - }, - "sellUnauthenticatedError": "Ви не автентифіковані. Будь ласка, увійдіть, щоб продовжити.", - "@sellUnauthenticatedError": { - "description": "Error message for unauthenticated user" - }, - "sellOrderNotFoundError": "Не знайдено замовлення продажу. Будь ласка, спробуйте знову.", - "@sellOrderNotFoundError": { - "description": "Error message for order not found" - }, - "sellOrderAlreadyConfirmedError": "Цей порядок продажу вже було підтверджено.", - "@sellOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed order" - }, - "sellSelectNetwork": "Оберіть мережу", - "@sellSelectNetwork": { - "description": "Screen title for network selection" - }, - "sellHowToPayInvoice": "Як ви хочете платити цей рахунок?", - "@sellHowToPayInvoice": { - "description": "Question for payment method selection" - }, - "sellBitcoinOnChain": "Bitcoin у USD", - "@sellBitcoinOnChain": { - "description": "Option for Bitcoin on-chain payment" - }, - "sellLightningNetwork": "Мережа Lightning", - "@sellLightningNetwork": { - "description": "Option for Lightning Network payment" - }, - "sellLiquidNetwork": "Мережа рідин", - "@sellLiquidNetwork": { - "description": "Option for Liquid Network payment" - }, - "sellConfirmPayment": "Підтвердження платежу", - "@sellConfirmPayment": { - "description": "Screen title for payment confirmation" - }, - "sellInstantPayments": "Миттєві платежі", - "@sellInstantPayments": { - "description": "Display text for instant payment wallet" - }, - "sellSecureBitcoinWallet": "Безпечний гаманець Bitcoin", - "@sellSecureBitcoinWallet": { - "description": "Display text for secure Bitcoin wallet" - }, - "sellFeePriority": "Пріоритетність", - "@sellFeePriority": { - "description": "Label for fee priority selection" - }, - "sellFastest": "Швидке", - "@sellFastest": { - "description": "Display text for fastest fee option" - }, - "sellCalculating": "Розрахунок...", - "@sellCalculating": { - "description": "Text shown while calculating fees" - }, - "payDefaultCommentHint": "Введіть коментар", - "@payDefaultCommentHint": { - "description": "Hint for default comment input" - }, - "payIban": "ІБАН", - "@payIban": { - "description": "Label for IBAN field" - }, - "payIbanHint": "Вхід", - "@payIbanHint": { - "description": "Hint for IBAN input" - }, - "payCorporate": "Корпоративний", - "@payCorporate": { - "description": "Label for corporate checkbox" - }, - "payIsCorporateAccount": "Чи є це корпоративний рахунок?", - "@payIsCorporateAccount": { - "description": "Question for corporate account checkbox" - }, - "payFirstName": "Ім'я", - "@payFirstName": { - "description": "Label for first name field" - }, - "payFirstNameHint": "Введіть ім'я", - "@payFirstNameHint": { - "description": "Hint for first name input" - }, - "payLastName": "Ім'я", - "@payLastName": { - "description": "Label for last name field" - }, - "payLastNameHint": "Введіть ім'я", - "@payLastNameHint": { - "description": "Hint for last name input" - }, - "payCorporateName": "Корпоративне найменування", - "@payCorporateName": { - "description": "Label for corporate name field" - }, - "payCorporateNameHint": "Ім'я користувача", - "@payCorporateNameHint": { - "description": "Hint for corporate name input" - }, - "payClabe": "КЛАБ", - "@payClabe": { - "description": "Label for CLABE field" - }, - "payClabeHint": "Введіть номер мобільного", - "@payClabeHint": { - "description": "Hint for CLABE input" - }, - "payInstitutionCode": "Контакти", - "@payInstitutionCode": { - "description": "Label for institution code field" - }, - "payCalculating": "Розрахунок...", - "@payCalculating": { - "description": "Text shown while calculating fees" - }, - "payCompletedDescription": "Після завершення платежу, одержувач отримав кошти.", - "@payCompletedDescription": { - "description": "Description for payment completed" - }, - "paySinpeEnviado": "СИНП ЕНВАДО!", - "@paySinpeEnviado": { - "description": "Success message for SINPE payment (Spanish, kept as is)" - }, - "payPaymentInProgressDescription": "Ваш платіж був ініційований, а одержувач отримає кошти після отримання вашої операції 1 підтвердження.", - "@payPaymentInProgressDescription": { - "description": "Description for payment in progress" - }, - "transactionDetailRetrySwap": "Заміна {action}", - "@transactionDetailRetrySwap": { - "description": "Button label to retry a failed swap action", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "transactionStatusTransferInProgress": "Трансфер в Прогрес", - "@transactionStatusTransferInProgress": { - "description": "Status label for transfers in progress" - }, - "transactionLabelSwapStatus": "Статус на сервери", - "@transactionLabelSwapStatus": { - "description": "Label for swap status" - }, - "transactionOrderLabelPayinMethod": "Метод Payin", - "@transactionOrderLabelPayinMethod": { - "description": "Label for order payin method" - }, - "transactionOrderLabelPayoutMethod": "Спосіб виплати", - "@transactionOrderLabelPayoutMethod": { - "description": "Label for order payout method" - }, - "transactionOrderLabelPayinStatus": "Статус на сервери", - "@transactionOrderLabelPayinStatus": { - "description": "Label for order payin status" - }, - "transactionOrderLabelOrderStatus": "Статус на сервери", - "@transactionOrderLabelOrderStatus": { - "description": "Label for order status" - }, - "transactionOrderLabelPayoutStatus": "Статус на сервери", - "@transactionOrderLabelPayoutStatus": { - "description": "Label for order payout status" - }, - "transactionSwapStatusSwapStatus": "Статус на сервери", - "@transactionSwapStatusSwapStatus": { - "description": "Header for swap status section" - }, - "transactionSwapDescLnSendCompleted": "Відшкодування відправлено успішно! Ваш ковпачок тепер завершено.", - "@transactionSwapDescLnSendCompleted": { - "description": "Description for completed Lightning send swap" - }, - "transactionSwapDescLnSendFailed": "Проблемою була проблема. Ваші кошти будуть повернені в ваш гаманець автоматично.", - "@transactionSwapDescLnSendFailed": { - "description": "Description for failed Lightning send swap" - }, - "transactionSwapDescLnSendExpired": "Це лебідка вибухнула. Ваші кошти будуть автоматично повертатися до вашого гаманця.", - "@transactionSwapDescLnSendExpired": { - "description": "Description for expired Lightning send swap" - }, - "transactionSwapDescLnSendDefault": "Ваше лебідка знаходиться в прогресі. Цей процес автоматизований і може зайняти деякий час для завершення.", - "@transactionSwapDescLnSendDefault": { - "description": "Default description for Lightning send swap" - }, - "transactionSwapDescChainPending": "Ваша передача була створена, але не ініційована.", - "@transactionSwapDescChainPending": { - "description": "Description for pending chain swap" - }, - "transactionSwapInfoRefundableSwap": "Цей клапт буде повернено автоматично протягом декількох секунд. Якщо ні, ви можете спробувати ручне повернення, натиснувши кнопку \"Поновити повернення\".", - "@transactionSwapInfoRefundableSwap": { - "description": "Additional info for refundable swaps" - }, - "transactionListOngoingTransfersTitle": "Похідні перекази", - "@transactionListOngoingTransfersTitle": { - "description": "Title for ongoing transfers section" - }, - "transactionListOngoingTransfersDescription": "Ці перекази в даний час знаходяться в стадії. Ваші кошти є безпечними і будуть доступні при заповненні переказу.", - "@transactionListOngoingTransfersDescription": { - "description": "Description for ongoing transfers section" - }, - "transactionListLoadingTransactions": "Завантаження операцій.", - "@transactionListLoadingTransactions": { - "description": "Message displayed while loading transactions" - }, - "transactionListNoTransactions": "Ніяких операцій.", - "@transactionListNoTransactions": { - "description": "Message displayed when there are no transactions" - }, - "transactionDetailLabelPayjoinCompleted": "Виконаний", - "@transactionDetailLabelPayjoinCompleted": { - "description": "Payjoin completed status" - }, - "transactionDetailLabelPayjoinExpired": "Зареєструватися", - "@transactionDetailLabelPayjoinExpired": { - "description": "Payjoin expired status" - }, - "transactionDetailLabelPayjoinCreationTime": "Час створення Payjoin", - "@transactionDetailLabelPayjoinCreationTime": { - "description": "Label for payjoin creation time" - }, - "globalDefaultBitcoinWalletLabel": "Bitcoin у USD", - "@globalDefaultBitcoinWalletLabel": { - "description": "Default label for Bitcoin wallets when used as the default wallet" - }, - "globalDefaultLiquidWalletLabel": "Миттєві платежі", - "@globalDefaultLiquidWalletLabel": { - "description": "Default label for Liquid/instant payments wallets when used as the default wallet" - }, - "walletTypeWatchOnly": "Відгуки", - "@walletTypeWatchOnly": { - "description": "Wallet type label for watch-only wallets" - }, - "fundExchangeWarningDescription": "Якщо хтось запитує вас купити Біткойн або \"допомоги вам\", будьте обережні, вони можуть бути намагатися з вами!", - "@fundExchangeWarningDescription": { - "description": "Warning message about potential scammers when funding account" - }, - "fundExchangeWarningTacticsTitle": "Поширена тактика шампана", - "@fundExchangeWarningTacticsTitle": { - "description": "Title for the list of common scammer tactics" - }, - "fundExchangeWarningTactic1": "Вони перспективні повернення інвестицій", - "@fundExchangeWarningTactic1": { - "description": "First scammer tactic warning" - }, - "fundExchangeWarningTactic8": "Натискаємо, щоб діяти швидко", - "@fundExchangeWarningTactic8": { - "description": "Eighth scammer tactic warning" - }, - "fundExchangeMethodEmailETransferSubtitle": "Найвищий і найшвидший метод (інстант)", - "@fundExchangeMethodEmailETransferSubtitle": { - "description": "Subtitle for Email E-Transfer payment method" - }, - "fundExchangeOnlineBillPaymentDescription": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації.", - "@fundExchangeOnlineBillPaymentDescription": { - "description": "Description of how online bill payment works and timeframe" - }, - "fundExchangeOnlineBillPaymentLabelBillerName": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації", - "@fundExchangeOnlineBillPaymentLabelBillerName": { - "description": "Label for biller name in online bill payment" - }, - "fundExchangeOnlineBillPaymentHelpBillerName": "Додайте цю компанію як Payee - це Біткойн-процесор", - "@fundExchangeOnlineBillPaymentHelpBillerName": { - "description": "Help text for biller name field" - }, - "fundExchangeOnlineBillPaymentLabelAccountNumber": "Додати це як номер облікового запису", - "@fundExchangeOnlineBillPaymentLabelAccountNumber": { - "description": "Label for account number in online bill payment" - }, - "fundExchangeOnlineBillPaymentHelpAccountNumber": "Цей унікальний номер облікового запису створений для вас", - "@fundExchangeOnlineBillPaymentHelpAccountNumber": { - "description": "Help text for account number field" - }, - "fundExchangeCanadaPostTitle": "Особистий готівковий або дебет в Канаді", - "@fundExchangeCanadaPostTitle": { - "description": "Screen title for Canada Post payment method" - }, - "fundExchangeCanadaPostStep1": "1,1 км Перейти на будь-яке місцезнаходження Канади", - "@fundExchangeCanadaPostStep1": { - "description": "Step 1 for Canada Post payment process" - }, - "fundExchangeCanadaPostStep2": "2,2 км Запитайте касіра для сканування QR-коду «Loadhub»", - "@fundExchangeCanadaPostStep2": { - "description": "Step 2 for Canada Post payment process" - }, - "fundExchangeCanadaPostStep3": "3. У Розкажіть касіра суму, яку ви хочете завантажити", - "@fundExchangeCanadaPostStep3": { - "description": "Step 3 for Canada Post payment process" - }, - "fundExchangeCanadaPostStep4": "4. У Касира попросить бачити шматок державної ідентифікаційної особи та перевірити, що ім'я на Ваш ідентифікатор відповідає обліковому запису Bull Bitcoin", - "@fundExchangeCanadaPostStep4": { - "description": "Step 4 for Canada Post payment process - ID verification" - }, - "fundExchangeCanadaPostStep5": "5. Умань Оплата готівкою або дебетовою карткою", - "@fundExchangeCanadaPostStep5": { - "description": "Step 5 for Canada Post payment process" - }, - "fundExchangeCanadaPostStep6": "6. Жнівень При отриманні грошового посередника ви зможете отримати квитанцію, зберігати її як підтвердження платежу", - "@fundExchangeCanadaPostStep6": { - "description": "Step 6 for Canada Post payment process" - }, - "fundExchangeCanadaPostStep7": "7. Про нас Кошти будуть додані в баланс облікового запису Bull Bitcoin протягом 30 хвилин", - "@fundExchangeCanadaPostStep7": { - "description": "Step 7 for Canada Post payment process - timeframe" - }, - "fundExchangeCanadaPostQrCodeLabel": "Код товару:", - "@fundExchangeCanadaPostQrCodeLabel": { - "description": "Label for the Loadhub QR code display" - }, - "fundExchangeSepaTitle": "Передача СПА", - "@fundExchangeSepaTitle": { - "description": "Screen title for SEPA transfer payment details" - }, - "fundExchangeSepaDescription": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації ", - "@fundExchangeSepaDescription": { - "description": "Description for SEPA transfer (first part, before 'exactly')" - }, - "fundExchangeSepaDescriptionExactly": "точно.", - "@fundExchangeSepaDescriptionExactly": { - "description": "Emphasized word 'exactly' in SEPA description" - }, - "fundExchangeInstantSepaInfo": "Тільки використовуйте для операцій нижче 20 000 євро. Для збільшення операцій використовуйте звичайний варіант СПА.", - "@fundExchangeInstantSepaInfo": { - "description": "Info message for Instant SEPA transaction limits" - }, - "fundExchangeLabelIban": "Номер рахунку IBAN", - "@fundExchangeLabelIban": { - "description": "Label for IBAN account number field" - }, - "fundExchangeLabelBicCode": "Код BIC", - "@fundExchangeLabelBicCode": { - "description": "Label for BIC code field" - }, - "fundExchangeInfoBankCountryUk": "EnglishDeutschPусский简体中文中國傳統EspañolالعربيةFrançaisελληνικάDanskАнглійскаябългарски.", - "@fundExchangeInfoBankCountryUk": { - "description": "Info message that bank country is United Kingdom" - }, - "fundExchangeInfoBeneficiaryNameLeonod": "Назва бенефіціара повинна бути LEONOD. Якщо ви поставите щось інше, то ваш платіж буде відхилений.", - "@fundExchangeInfoBeneficiaryNameLeonod": { - "description": "Critical info about beneficiary name being LEONOD" - }, - "fundExchangeInfoPaymentDescription": "У описі платежу додайте код переказу.", - "@fundExchangeInfoPaymentDescription": { - "description": "Info about adding transfer code to payment description" - }, - "fundExchangeHelpBeneficiaryAddress": "Наша офіційна адреса, якщо це необхідно для Вашого банку", - "@fundExchangeHelpBeneficiaryAddress": { - "description": "Help text for beneficiary address field" - }, - "fundExchangeLabelRecipientName": "Ім'я одержувача", - "@fundExchangeLabelRecipientName": { - "description": "Label for recipient name field (alternative to beneficiary name)" - }, - "fundExchangeLabelRecipientAddress": "Адреса одержувача", - "@fundExchangeLabelRecipientAddress": { - "description": "Label for recipient address field" - }, - "fundExchangeSpeiTitle": "Трансфер SPEI", - "@fundExchangeSpeiTitle": { - "description": "Screen title for SPEI transfer (Mexico)" - }, - "fundExchangeSpeiDescription": "Перерахування коштів за допомогою CLABE", - "@fundExchangeSpeiDescription": { - "description": "Description for SPEI transfer method" - }, - "fundExchangeSpeiInfo": "Зробіть депозит за допомогою SPEI переказу (вхід).", - "@fundExchangeSpeiInfo": { - "description": "Info message about SPEI transfer being instant" - }, - "fundExchangeCrBankTransferDescription2": "й Кошти будуть додані в баланс Вашого рахунку.", - "@fundExchangeCrBankTransferDescription2": { - "description": "Second part of Costa Rica bank transfer description" - }, - "fundExchangeLabelIbanCrcOnly": "Номер рахунку IBAN (тільки для колонок)", - "@fundExchangeLabelIbanCrcOnly": { - "description": "Label for IBAN field - Colones only" - }, - "fundExchangeLabelIbanUsdOnly": "Номер рахунку IBAN (тільки за долари США)", - "@fundExchangeLabelIbanUsdOnly": { - "description": "Label for IBAN field - US Dollars only" - }, - "fundExchangeLabelPaymentDescription": "Опис платежу", - "@fundExchangeLabelPaymentDescription": { - "description": "Label for payment description field" - }, - "fundExchangeHelpPaymentDescription": "Поштовий індекс.", - "@fundExchangeHelpPaymentDescription": { - "description": "Help text for payment description field" - }, - "fundExchangeInfoTransferCodeRequired": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації. Якщо ви забуваєте поставити цей код, ви можете відмовитися.", - "@fundExchangeInfoTransferCodeRequired": { - "description": "Important info about transfer code requirement for Costa Rica transfers" - }, - "fundExchangeArsBankTransferTitle": "Банківський переказ", - "@fundExchangeArsBankTransferTitle": { - "description": "Screen title for Argentina bank transfer" - }, - "fundExchangeLabelRecipientNameArs": "Ім'я одержувача", - "@fundExchangeLabelRecipientNameArs": { - "description": "Label for recipient name in Argentina transfer" - }, - "fundExchangeLabelCvu": "КВУ", - "@fundExchangeLabelCvu": { - "description": "Label for CVU (Clave Virtual Uniforme) number in Argentina" - }, - "fundExchangeErrorLoadingDetails": "У зв'язку з тим, що платіж не може бути завантажений. Будь ласка, поверніть і спробуйте знову, оберіть інший спосіб оплати або поверніть пізніше.", - "@fundExchangeErrorLoadingDetails": { - "description": "Error message when funding details fail to load" - }, - "fundExchangeSinpeDescriptionBold": "вона буде відхилена.", - "@fundExchangeSinpeDescriptionBold": { - "description": "Bold text warning that payment from wrong number will be rejected" - }, - "fundExchangeSinpeAddedToBalance": "Після того, як платіж буде відправлено, він буде додано до Вашого балансу рахунку.", - "@fundExchangeSinpeAddedToBalance": { - "description": "Message explaining that payment will be added to account balance" - }, - "fundExchangeSinpeWarningNoBitcoin": "Не покласти", - "@fundExchangeSinpeWarningNoBitcoin": { - "description": "Bold warning text at start of bitcoin warning message" - }, - "fundExchangeSinpeWarningNoBitcoinDescription": " слово \"Bitcoin\" або \"Crypto\" в описі платежу. Заблокувати платіж.", - "@fundExchangeSinpeWarningNoBitcoinDescription": { - "description": "Warning that including Bitcoin or Crypto in description will block payment" - }, - "fundExchangeSinpeLabelPhone": "Надіслати номер телефону", - "@fundExchangeSinpeLabelPhone": { - "description": "Label for SINPE Móvil phone number field" - }, - "fundExchangeSinpeLabelRecipientName": "Ім'я одержувача", - "@fundExchangeSinpeLabelRecipientName": { - "description": "Label for recipient name in SINPE transfer" - }, - "fundExchangeCrIbanCrcDescription": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації ", - "@fundExchangeCrIbanCrcDescription": { - "description": "First part of description for CR IBAN CRC transfer" - }, - "fundExchangeCrIbanCrcDescriptionBold": "до", - "@fundExchangeCrIbanCrcDescriptionBold": { - "description": "Bold emphasis word for CR IBAN transfer instructions" - }, - "fundExchangeCrIbanCrcDescriptionEnd": "й Кошти будуть додані в баланс Вашого рахунку.", - "@fundExchangeCrIbanCrcDescriptionEnd": { - "description": "End of description for CR IBAN CRC transfer" - }, - "fundExchangeCrIbanCrcLabelIban": "Номер облікового запису IBAN (тільки лишеклони)", - "@fundExchangeCrIbanCrcLabelIban": { - "description": "Label for IBAN number field for CRC (Colones) only" - }, - "fundExchangeCrIbanCrcLabelPaymentDescription": "Опис платежу", - "@fundExchangeCrIbanCrcLabelPaymentDescription": { - "description": "Label for payment description field in CR IBAN transfer" - }, - "fundExchangeCrIbanCrcPaymentDescriptionHelp": "Поштовий індекс.", - "@fundExchangeCrIbanCrcPaymentDescriptionHelp": { - "description": "Help text explaining payment description is the transfer code" - }, - "fundExchangeCrIbanCrcTransferCodeWarning": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації. Якщо ви забуваєте включити цей код, ваш платіж може бути відхилений.", - "@fundExchangeCrIbanCrcTransferCodeWarning": { - "description": "Warning about including transfer code in payment" - }, - "fundExchangeCrIbanCrcLabelRecipientName": "Ім'я одержувача", - "@fundExchangeCrIbanCrcLabelRecipientName": { - "description": "Label for recipient name in CR IBAN CRC transfer" - }, - "fundExchangeCrIbanCrcRecipientNameHelp": "Використовуйте нашу офіційну назву компанії. Не використовуйте \"Bull Bitcoin\".", - "@fundExchangeCrIbanCrcRecipientNameHelp": { - "description": "Help text for recipient name field explaining to use corporate name" - }, - "fundExchangeCrIbanCrcLabelCedulaJuridica": "Кедула Юрійівна", - "@fundExchangeCrIbanCrcLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (legal ID number in Costa Rica)" - }, - "fundExchangeCrIbanUsdDescription": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації ", - "@fundExchangeCrIbanUsdDescription": { - "description": "First part of description for CR IBAN USD transfer" - }, - "fundExchangeCrIbanUsdDescriptionBold": "до", - "@fundExchangeCrIbanUsdDescriptionBold": { - "description": "Bold emphasis word for CR IBAN USD transfer instructions" - }, - "fundExchangeCrIbanUsdDescriptionEnd": "й Кошти будуть додані в баланс Вашого рахунку.", - "@fundExchangeCrIbanUsdDescriptionEnd": { - "description": "End of description for CR IBAN USD transfer" - }, - "fundExchangeCrIbanUsdLabelIban": "Номер рахунку IBAN (тільки тільки США)", - "@fundExchangeCrIbanUsdLabelIban": { - "description": "Label for IBAN number field for USD only" - }, - "fundExchangeCrIbanUsdLabelPaymentDescription": "Опис платежу", - "@fundExchangeCrIbanUsdLabelPaymentDescription": { - "description": "Label for payment description field in CR IBAN USD transfer" - }, - "fundExchangeCrIbanUsdPaymentDescriptionHelp": "Поштовий індекс.", - "@fundExchangeCrIbanUsdPaymentDescriptionHelp": { - "description": "Help text explaining payment description is the transfer code" - }, - "fundExchangeCrIbanUsdTransferCodeWarning": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації. Якщо ви забуваєте включити цей код, ваш платіж може бути відхилений.", - "@fundExchangeCrIbanUsdTransferCodeWarning": { - "description": "Warning about including transfer code in payment for USD transfers" - }, - "fundExchangeCrIbanUsdLabelRecipientName": "Ім'я одержувача", - "@fundExchangeCrIbanUsdLabelRecipientName": { - "description": "Label for recipient name in CR IBAN USD transfer" - }, - "fundExchangeCrIbanUsdLabelCedulaJuridica": "Кедула Юрійівна", - "@fundExchangeCrIbanUsdLabelCedulaJuridica": { - "description": "Label for Cédula Jurídica (legal ID number in Costa Rica) for USD" - }, - "fundExchangeCostaRicaMethodSinpeTitle": "СИНПО Мохол", - "@fundExchangeCostaRicaMethodSinpeTitle": { - "description": "Payment method title for SINPE Móvil in method list" - }, - "fundExchangeCostaRicaMethodSinpeSubtitle": "Трансфер Колони за допомогою SINPE", - "@fundExchangeCostaRicaMethodSinpeSubtitle": { - "description": "Subtitle description for SINPE Móvil payment method" - }, - "fundExchangeCostaRicaMethodIbanCrcTitle": "IBAN Коста-Рика (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcTitle": { - "description": "Payment method title for IBAN CRC in method list" - }, - "fundExchangeCostaRicaMethodIbanCrcSubtitle": "Трансфер кошти в Коста-Рикан Колон (CRC)", - "@fundExchangeCostaRicaMethodIbanCrcSubtitle": { - "description": "Subtitle description for IBAN CRC payment method" - }, - "fundExchangeCostaRicaMethodIbanUsdTitle": "IBAN Коста-Рика (USD)", - "@fundExchangeCostaRicaMethodIbanUsdTitle": { - "description": "Payment method title for IBAN USD in method list" - }, - "fundExchangeCostaRicaMethodIbanUsdSubtitle": "Перерахування коштів у доларах США (USD)", - "@fundExchangeCostaRicaMethodIbanUsdSubtitle": { - "description": "Subtitle description for IBAN USD payment method" - }, - "backupWalletTitle": "Резервне копіювання гаманця", - "@backupWalletTitle": { - "description": "AppBar title for main backup options screen" - }, - "testBackupTitle": "Тестування резервної копії вашого гаманця", - "@testBackupTitle": { - "description": "AppBar title for main backup options screen" - }, - "backupImportanceMessage": "Без резервної копії ви в кінцевому підсумку втратите доступ до ваших грошей. Важливо зробити резервну копію.", - "@backupImportanceMessage": { - "description": "Critical warning message about the importance of backing up the wallet" - }, - "encryptedVaultTitle": "Зашифрована сорочка", - "@encryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, - "encryptedVaultDescription": "Анонімне резервне копіювання з використанням сильного шифрування за допомогою хмари.", - "@encryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, - "encryptedVaultTag": "Легкий і простий (1 хвилину)", - "@encryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, - "lastBackupTestLabel": "Останнє оновлення: {date}", - "@lastBackupTestLabel": { - "description": "Label showing the date of the last backup test", - "placeholders": { - "date": { - "type": "String", - "example": "2025-01-20 15:30:45" - } - } - }, - "backupInstruction1": "Якщо ви втратите резервну копію 12 слів, ви не зможете відновити доступ до біткоїнів.", - "@backupInstruction1": { - "description": "First backup instruction warning about losing 12 word backup" - }, - "backupInstruction2": "Якщо ви втратите або перейдете свій телефон, або якщо ви встановите додаток Bull Bitcoin, ваші біткоїни будуть втрачені назавжди.", - "@backupInstruction2": { - "description": "Second backup instruction warning about losing phone or app" - }, - "backupInstruction4": "Не робити цифрові копії вашого резервного копіювання. Написати його на шматку паперу, або гравійований в металі.", - "@backupInstruction4": { - "description": "Fourth backup instruction about not making digital copies" - }, - "backupInstruction5": "Ваше резервне копіювання не захищено пасфальним способом. Створіть новий гаманець.", - "@backupInstruction5": { - "description": "Fifth backup instruction about passphrase protection" - }, - "backupButton": "Зареєструватися", - "@backupButton": { - "description": "Button label to start backup process" - }, - "backupCompletedTitle": "Закінчення завершено!", - "@backupCompletedTitle": { - "description": "Title shown when backup is completed successfully" - }, - "backupCompletedDescription": "Тепер перевірте вашу резервну копію, щоб переконатися, що все було зроблено належним чином.", - "@backupCompletedDescription": { - "description": "Description prompting user to test their backup" - }, - "testBackupButton": "Тест резервного копіювання", - "@testBackupButton": { - "description": "Button label to test backup" - }, - "keyServerLabel": "Статус на сервери ", - "@keyServerLabel": { - "description": "Label for key server status" - }, - "physicalBackupStatusLabel": "Фізичний фон", - "@physicalBackupStatusLabel": { - "description": "Status label for physical backup" - }, - "encryptedVaultStatusLabel": "Зашифрований Vault", - "@encryptedVaultStatusLabel": { - "description": "Status label for encrypted vault" - }, - "testedStatus": "Тестування", - "@testedStatus": { - "description": "Status text indicating backup has been tested" - }, - "notTestedStatus": "Не тестувати", - "@notTestedStatus": { - "description": "Status text indicating backup has not been tested" - }, - "startBackupButton": "Початок резервного копіювання", - "@startBackupButton": { - "description": "Button label to start backup process" - }, - "exportVaultButton": "Експорт Vault", - "@exportVaultButton": { - "description": "Button label to export vault" - }, - "exportingVaultButton": "Експорт.", - "@exportingVaultButton": { - "description": "Button label shown while exporting vault" - }, - "viewVaultKeyButton": "Переглянути Vault Головна", - "@viewVaultKeyButton": { - "description": "Button label to view vault key" - }, - "revealingVaultKeyButton": "Відновлення ...", - "@revealingVaultKeyButton": { - "description": "Button label shown while revealing vault key" - }, - "errorLabel": "Помилка", - "@errorLabel": { - "description": "Label for error messages" - }, - "backupKeyTitle": "Зворотній зв'язок", - "@backupKeyTitle": { - "description": "Title for backup key screen" - }, - "failedToDeriveBackupKey": "Переміщений для відновлення ключа резервного копіювання", - "@failedToDeriveBackupKey": { - "description": "Error message when backup key derivation fails" - }, - "securityWarningTitle": "Попередження про безпеку", - "@securityWarningTitle": { - "description": "Title for security warning dialog" - }, - "backupKeyWarningMessage": "Попередження: Будьте обережні, де ви зберігаєте ключ резервного копіювання.", - "@backupKeyWarningMessage": { - "description": "Warning message about backup key storage" - }, - "backupKeySeparationWarning": "Важливо, що ви не зберігаєте ключ резервного копіювання на одному місці, де ви зберігаєте файл резервного копіювання. Завжди зберігати їх на окремих пристроях або окремих хмарних провайдерах.", - "@backupKeySeparationWarning": { - "description": "Warning about storing backup key and file separately" - }, - "backupKeyExampleWarning": "Наприклад, якщо ви використовували Google Диск для файлів резервної копії, не використовуйте Google Диск для ключа резервного копіювання.", - "@backupKeyExampleWarning": { - "description": "Example warning about not using same cloud provider" - }, - "cancelButton": "Зареєструватися", - "@cancelButton": { - "description": "Button to cancel logout action" - }, - "continueButton": "Продовжити", - "@continueButton": { - "description": "Default button text for success state" - }, - "testWalletTitle": "Тест {walletName}", - "@testWalletTitle": { - "description": "Title for testing wallet backup", - "placeholders": { - "walletName": { - "type": "String", - "example": "Default Wallets" - } - } - }, - "defaultWalletsLabel": "Гаманець за замовчуванням", - "@defaultWalletsLabel": { - "description": "Label for default wallets" - }, - "confirmButton": "Підтвердження", - "@confirmButton": { - "description": "Button label to confirm action" - }, - "recoveryPhraseTitle": "Напишіть слово відновлення\nв правильному порядку", - "@recoveryPhraseTitle": { - "description": "Title instructing user to write down recovery phrase" - }, - "storeItSafelyMessage": "Зберігайте його кудись безпечно.", - "@storeItSafelyMessage": { - "description": "Instruction to store recovery phrase safely" - }, - "doNotShareWarning": "НЕ ЗДОРОВ'Я", - "@doNotShareWarning": { - "description": "Warning to not share recovery phrase with anyone" - }, - "transcribeLabel": "Тран", - "@transcribeLabel": { - "description": "Label indicating user should transcribe the words" - }, - "digitalCopyLabel": "Цифрова копія", - "@digitalCopyLabel": { - "description": "Label for digital copy (with X mark)" - }, - "screenshotLabel": "Скріншоти", - "@screenshotLabel": { - "description": "Label for screenshot (with X mark)" - }, - "nextButton": "Про нас", - "@nextButton": { - "description": "Button label to go to next step" - }, - "tapWordsInOrderTitle": "Натисніть кнопку відновлення в\nправо", - "@tapWordsInOrderTitle": { - "description": "Title instructing user to tap words in order" - }, - "whatIsWordNumberPrompt": "Що таке слово {number}?", - "@whatIsWordNumberPrompt": { - "description": "Prompt asking for specific word number", - "placeholders": { - "number": { - "type": "int", - "example": "5" - } - } - }, - "allWordsSelectedMessage": "Ви вибрали всі слова", - "@allWordsSelectedMessage": { - "description": "Message shown when all words are selected" - }, - "verifyButton": "Видання", - "@verifyButton": { - "description": "Button label to verify recovery phrase" - }, - "passphraseLabel": "Проксимус", - "@passphraseLabel": { - "description": "Label for optional passphrase input field" - }, - "testYourWalletTitle": "Перевірте свій гаманець", - "@testYourWalletTitle": { - "description": "Title for test your wallet screen" - }, - "vaultSuccessfullyImported": "Ви успішно імпортували", - "@vaultSuccessfullyImported": { - "description": "Message shown when vault is imported successfully" - }, - "backupIdLabel": "Ідентифікатор резервного копіювання:", - "@backupIdLabel": { - "description": "Label for backup ID" - }, - "createdAtLabel": "Створено:", - "@createdAtLabel": { - "description": "Label for creation date" - }, - "enterBackupKeyManuallyButton": "Введіть ключ Backup вручну >>", - "@enterBackupKeyManuallyButton": { - "description": "Button label to enter backup key manually" - }, - "decryptVaultButton": "Розшифрування за замовчуванням", - "@decryptVaultButton": { - "description": "Button label to decrypt vault" - }, - "testCompletedSuccessTitle": "Випробувано успішно!", - "@testCompletedSuccessTitle": { - "description": "Title shown when backup test is successful" - }, - "testCompletedSuccessMessage": "Ви можете відновити доступ до втраченого біткойн-гаманця", - "@testCompletedSuccessMessage": { - "description": "Message shown when backup test is successful" - }, - "gotItButton": "Про нас", - "@gotItButton": { - "description": "Button label to acknowledge successful test" - }, - "legacySeedViewScreenTitle": "Насіння спадщини", - "@legacySeedViewScreenTitle": { - "description": "AppBar title for legacy seeds screen" - }, - "legacySeedViewNoSeedsMessage": "Не знайдено насіння спадщини.", - "@legacySeedViewNoSeedsMessage": { - "description": "Message shown when no legacy seeds are found" - }, - "legacySeedViewMnemonicLabel": "Мінуси", - "@legacySeedViewMnemonicLabel": { - "description": "Label for mnemonic words display" - }, - "legacySeedViewPassphrasesLabel": "Пасфраси:", - "@legacySeedViewPassphrasesLabel": { - "description": "Label for passphrases section" - }, - "legacySeedViewEmptyPassphrase": "(порожня)", - "@legacySeedViewEmptyPassphrase": { - "description": "Text shown for empty passphrase" - }, - "enterBackupKeyManuallyTitle": "Введіть ключ резервного копіювання вручну", - "@enterBackupKeyManuallyTitle": { - "description": "Title for enter backup key manually screen" - }, - "enterBackupKeyManuallyDescription": "Якщо ви експортували ключ резервного копіювання і зберігайте його в локації, що знаходиться на території, ви можете ввести його вручну тут. Інакше, повернутися до попереднього екрану.", - "@enterBackupKeyManuallyDescription": { - "description": "Description for entering backup key manually" - }, - "backupKeyHint": "acc8b7b12daf06412f45a90b7fd2..", - "@backupKeyHint": { - "description": "Hint text for backup key input" - }, - "automaticallyFetchKeyButton": "Автоматичний ключ Fetch >>", - "@automaticallyFetchKeyButton": { - "description": "Button label to automatically fetch key" - }, - "enterYourPinTitle": "{pinOrPassword}", - "@enterYourPinTitle": { - "description": "Title for entering PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "enterYourBackupPinTitle": "Введіть резервну копію {pinOrPassword}", - "@enterYourBackupPinTitle": { - "description": "Title for entering backup PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "enterPinToContinueMessage": "Введіть своє {pinOrPassword} для продовження", - "@enterPinToContinueMessage": { - "description": "Message prompting user to enter PIN/password to continue", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "testBackupPinMessage": "Тест, щоб переконатися, що ви пам'ятаєте резервну копію {pinOrPassword}", - "@testBackupPinMessage": { - "description": "Message prompting user to test backup PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "pickPasswordInsteadButton": "Виберіть пароль замість >>", - "@pickPasswordInsteadButton": { - "description": "Button label to switch to password input" - }, - "recoverYourWalletTitle": "Відновити гаманець", - "@recoverYourWalletTitle": { - "description": "Title for recover wallet screen" - }, - "recoverViaCloudDescription": "Відновити резервну копію через хмару за допомогою PIN.", - "@recoverViaCloudDescription": { - "description": "Description for recovering via cloud" - }, - "recoverVia12WordsDescription": "Відновити гаманець через 12 слів.", - "@recoverVia12WordsDescription": { - "description": "Description for recovering via 12 words" - }, - "recoverButton": "Відновити", - "@recoverButton": { - "description": "Button label to recover wallet" - }, - "recoverWalletButton": "Відновлення гаманця", - "@recoverWalletButton": { - "description": "Button label to recover wallet" - }, - "importMnemonicTitle": "Імпортний мнемічний", - "@importMnemonicTitle": { - "description": "AppBar title for mnemonic import screen" - }, - "howToDecideBackupTitle": "Як вирішити", - "@howToDecideBackupTitle": { - "description": "Title for how to decide backup method modal" - }, - "howToDecideBackupText1": "Один з найбільш поширених способів втратити Біткойн, тому що вони втрачають фізичну резервну копію. Будь-ласка, що знаходить вашу фізичну резервну копію, зможе прийняти всі ваші біткойни. Якщо ви дуже впевнені, що ви можете приховати його добре і ніколи не втратите його, це хороший варіант.", - "@howToDecideBackupText1": { - "description": "First paragraph explaining backup method decision" - }, - "dcaConfirmContinue": "Продовжити", - "@dcaConfirmContinue": { - "description": "Continue button on DCA confirmation" - }, - "buyInputTitle": "Bitcoin у USD", - "@buyInputTitle": { - "description": "AppBar title for buy input screen" - }, - "buyInputMinAmountError": "Ви повинні придбати принаймні", - "@buyInputMinAmountError": { - "description": "Minimum amount error message" - }, - "buyInputMaxAmountError": "Ви не можете придбати більше", - "@buyInputMaxAmountError": { - "description": "Maximum amount error message" - }, - "buyInputKycPending": "Перевірка ID KYC", - "@buyInputKycPending": { - "description": "KYC pending info card title" - }, - "buyInputKycMessage": "Ви повинні завершити перевірку ID першим", - "@buyInputKycMessage": { - "description": "KYC pending info card message" - }, - "buyInputCompleteKyc": "Повний KYC", - "@buyInputCompleteKyc": { - "description": "Button to complete KYC" - }, - "buyInputInsufficientBalance": "Недостатній баланс", - "@buyInputInsufficientBalance": { - "description": "Insufficient balance info card title" - }, - "buyInputInsufficientBalanceMessage": "Ви не маєте достатнього балансу для створення цього замовлення.", - "@buyInputInsufficientBalanceMessage": { - "description": "Insufficient balance message" - }, - "buyInputContinue": "Продовжити", - "@buyInputContinue": { - "description": "Continue button on buy input" - }, - "buyConfirmTitle": "Bitcoin у USD", - "@buyConfirmTitle": { - "description": "AppBar title for buy confirmation screen" - }, - "buyConfirmYouPay": "Ви платите", - "@buyConfirmYouPay": { - "description": "Field label for payment amount" - }, - "buyConfirmYouReceive": "Ви отримуєте", - "@buyConfirmYouReceive": { - "description": "Field label for receive amount" - }, - "buyConfirmBitcoinPrice": "Ціна Bitcoin", - "@buyConfirmBitcoinPrice": { - "description": "Field label for Bitcoin price" - }, - "buyConfirmPayoutMethod": "Спосіб виплати", - "@buyConfirmPayoutMethod": { - "description": "Field label for payout method" - }, - "buyConfirmExternalWallet": "Зовнішні біткоїни гаманець", - "@buyConfirmExternalWallet": { - "description": "External wallet payout method" - }, - "buyConfirmAwaitingConfirmation": "Підтвердження ", - "@buyConfirmAwaitingConfirmation": { - "description": "Awaiting confirmation label" - }, - "sellSendPaymentTitle": "Підтвердження платежу", - "@sellSendPaymentTitle": { - "description": "Title on sell payment screen" - }, - "sellSendPaymentPriceRefresh": "Ціна освіжає в ", - "@sellSendPaymentPriceRefresh": { - "description": "Price refresh countdown prefix" - }, - "sellSendPaymentOrderNumber": "Номер замовлення", - "@sellSendPaymentOrderNumber": { - "description": "Field label for order number" - }, - "sellSendPaymentPayoutRecipient": "Оплатити одержувачу", - "@sellSendPaymentPayoutRecipient": { - "description": "Field label for payout recipient" - }, - "sellSendPaymentCadBalance": "СКАЧАТИ Посилання", - "@sellSendPaymentCadBalance": { - "description": "CAD balance payout method" - }, - "sellSendPaymentCrcBalance": "КПП Посилання", - "@sellSendPaymentCrcBalance": { - "description": "CRC balance payout method" - }, - "sellSendPaymentEurBalance": "Євро Посилання", - "@sellSendPaymentEurBalance": { - "description": "EUR balance payout method" - }, - "sellSendPaymentUsdBalance": "Ціна Посилання", - "@sellSendPaymentUsdBalance": { - "description": "USD balance payout method" - }, - "sellSendPaymentMxnBalance": "МСН Посилання", - "@sellSendPaymentMxnBalance": { - "description": "MXN balance payout method" - }, - "sellSendPaymentPayinAmount": "Сума виплат", - "@sellSendPaymentPayinAmount": { - "description": "Field label for payin amount" - }, - "sellSendPaymentPayoutAmount": "Сума виплат", - "@sellSendPaymentPayoutAmount": { - "description": "Field label for payout amount" - }, - "sellSendPaymentExchangeRate": "Курс валют", - "@sellSendPaymentExchangeRate": { - "description": "Field label for exchange rate" - }, - "sellSendPaymentPayFromWallet": "Оплатити з гаманця", - "@sellSendPaymentPayFromWallet": { - "description": "Field label for source wallet" - }, - "sellSendPaymentInstantPayments": "Миттєві платежі", - "@sellSendPaymentInstantPayments": { - "description": "Instant payments wallet label" - }, - "sellSendPaymentSecureWallet": "Безпечний гаманець Bitcoin", - "@sellSendPaymentSecureWallet": { - "description": "Secure wallet label" - }, - "sellSendPaymentFeePriority": "Пріоритетність", - "@sellSendPaymentFeePriority": { - "description": "Field label for fee priority" - }, - "sellSendPaymentFastest": "Швидке", - "@sellSendPaymentFastest": { - "description": "Fastest fee priority option" - }, - "sellSendPaymentNetworkFees": "Мережеві збори", - "@sellSendPaymentNetworkFees": { - "description": "Field label for network fees" - }, - "sellSendPaymentContinue": "Продовжити", - "@sellSendPaymentContinue": { - "description": "Continue button on sell payment" - }, - "sellSendPaymentAboveMax": "Ви намагаєтеся продати над максимальною кількістю, яку можна продати з цим гаманець.", - "@sellSendPaymentAboveMax": { - "description": "Above max amount error" - }, - "bitboxErrorMultipleDevicesFound": "Знайдено кілька пристроїв BitBox. Будь ласка, забезпечте підключення лише одного пристрою.", - "@bitboxErrorMultipleDevicesFound": { - "description": "Error when multiple BitBox devices are connected" - }, - "payTransactionBroadcast": "Трансакція трансмісії", - "@payTransactionBroadcast": { - "description": "Success message after broadcasting" - }, - "swapMax": "МАКС", - "@swapMax": { - "description": "MAX button label" - }, - "importQrDeviceSpecterStep2": "Введіть Ваш кошик", - "@importQrDeviceSpecterStep2": { - "description": "Specter instruction step 2" - }, - "importColdcardInstructionsStep10": "Комплектація", - "@importColdcardInstructionsStep10": { - "description": "ImportColdcardQ: Final instruction step" - }, - "dcaChooseWalletTitle": "Виберіть гаманець Bitcoin", - "@dcaChooseWalletTitle": { - "description": "AppBar title for wallet selection screen" - }, - "torSettingsPortHint": "9050 р", - "@torSettingsPortHint": { - "description": "Hint text for port input showing default value" - }, - "electrumTimeoutPositiveError": "Потрібні бути позитивними", - "@electrumTimeoutPositiveError": { - "description": "Validation error for non-positive Timeout value" - }, - "bitboxScreenNeedHelpButton": "Потрібна допомога?", - "@bitboxScreenNeedHelpButton": { - "description": "Button to show help instructions" - }, - "fundExchangeETransferLabelSecretAnswer": "Секрет відповіді", - "@fundExchangeETransferLabelSecretAnswer": { - "description": "Label for E-transfer security answer" - }, - "jadeStep13": "Гаманець Bull Bitcoin попросить вас сканування QR-коду на Jade. Сканування.", - "@jadeStep13": { - "description": "Jade instruction for scanning signed PSBT" - }, - "sendScheduledPayment": "Графік роботи", - "@sendScheduledPayment": { - "description": "Feature to delay transaction" - }, - "withdrawOwnershipQuestion": "Хто такий обліковий запис належить?", - "@withdrawOwnershipQuestion": { - "description": "Question asking about account ownership" - }, - "sendSendNetworkFee": "Закупи хостинг »", - "@sendSendNetworkFee": { - "description": "Label for network fee on send side of swap" - }, - "exchangeDcaUnableToGetConfig": "Неможливо отримати конфігурацію DCA", - "@exchangeDcaUnableToGetConfig": { - "description": "Error message when DCA configuration cannot be retrieved" - }, - "psbtFlowClickScan": "Натисніть сканування", - "@psbtFlowClickScan": { - "description": "Instruction to click scan button on device" - }, - "sellInstitutionNumber": "Кількість установ", - "@sellInstitutionNumber": { - "description": "Label for bank institution code" - }, - "recoverbullGoogleDriveErrorDisplay": "{error}", - "@recoverbullGoogleDriveErrorDisplay": { - "description": "Error message display format", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "mempoolSettingsCustomServer": "Статус на сервери", - "@mempoolSettingsCustomServer": { - "description": "Label for custom mempool server section" - }, - "fundExchangeMethodRegularSepa": "Звичайна СПА", - "@fundExchangeMethodRegularSepa": { - "description": "Payment method: Regular SEPA (Europe)" - }, - "addressViewTransactions": "Твитнуть", - "@addressViewTransactions": { - "description": "Label for number of transactions" - }, - "importQrDeviceKruxStep3": "Натисніть XPUB - QR-код", - "@importQrDeviceKruxStep3": { - "description": "Krux instruction step 3" - }, - "passportStep1": "Увійти до пристрою Паспорт", - "@passportStep1": { - "description": "Passport instruction step 1" - }, - "electrumPrivacyNoticeSave": "Зберегти", - "@electrumPrivacyNoticeSave": { - "description": "Save button in privacy notice dialog" - }, - "bip329LabelsImportSuccess": "{count, plural, =1{1 етикетка імпортована} other{{count} етикеток імпортовано}}", - "@bip329LabelsImportSuccess": { - "description": "Success message after importing labels", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "withdrawOwnershipOtherAccount": "Це чужий рахунок", - "@withdrawOwnershipOtherAccount": { - "description": "Option indicating the account belongs to someone else" - }, - "receiveInvoice": "Блискавка Invoice", - "@receiveInvoice": { - "description": "Label for Lightning invoice" - }, - "receiveGenerateAddress": "Створити новий сайт", - "@receiveGenerateAddress": { - "description": "Button to create new on-chain address" - }, - "kruxStep3": "Натисніть PSBT", - "@kruxStep3": { - "description": "Krux instruction step 3" - }, - "hwColdcardQ": "Холодна картка Q", - "@hwColdcardQ": { - "description": "Name of Coldcard Q hardware wallet" - }, - "exchangeDcaAddressDisplay": "{addressLabel}: {address}", - "@exchangeDcaAddressDisplay": { - "description": "Format for displaying address label and address", - "placeholders": { - "addressLabel": { - "type": "String", - "description": "The address label (e.g., 'Bitcoin address')" - }, - "address": { - "type": "String", - "description": "The actual address" - } - } - }, - "autoswapAlwaysBlockEnabledInfo": "При включенні автоперевезення з комісією над встановленим лімітом завжди буде заблоковано", - "@autoswapAlwaysBlockEnabledInfo": { - "description": "Info text when always block is enabled" - }, - "electrumServerAlreadyExists": "Цей сервер вже існує", - "@electrumServerAlreadyExists": { - "description": "Error message when trying to add a duplicate server" - }, - "sellPaymentMethod": "Спосіб оплати", - "@sellPaymentMethod": { - "description": "Section for selecting how to receive fiat" - }, - "importColdcardInstructionsStep2": "Вкажіть прохід, якщо це можливо", - "@importColdcardInstructionsStep2": { - "description": "ImportColdcardQ: Second instruction step" - }, - "satsSuffix": " атласне", - "@satsSuffix": { - "description": "Unit suffix for satoshi amounts" - }, - "recoverbullErrorPasswordNotSet": "Пароль не встановлюється", - "@recoverbullErrorPasswordNotSet": { - "description": "Error when attempting operation without setting password" - }, - "systemLabelAutoSwap": "Автообмін", - "@systemLabelAutoSwap": { - "description": "System label for automatic swap transactions" - }, - "payExpiresIn": "Закінчується {time}", - "@payExpiresIn": { - "description": "Label showing invoice expiration time", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "importQrDeviceKruxName": "Кошик", - "@importQrDeviceKruxName": { - "description": "Name of Krux device" - }, - "addressViewNoAddressesFound": "Не знайдено адреси", - "@addressViewNoAddressesFound": { - "description": "Empty state message when no addresses are available" - }, - "backupWalletErrorSaveBackup": "Не вдалося зберегти резервну копію", - "@backupWalletErrorSaveBackup": { - "description": "Error when backup save operation fails" - }, - "bitboxScreenTroubleshootingStep2": "Переконайтеся, що ваш телефон має дозвіл на USB.", - "@bitboxScreenTroubleshootingStep2": { - "description": "Troubleshooting step 2" - }, - "replaceByFeeErrorNoFeeRateSelected": "Оберіть тариф", - "@replaceByFeeErrorNoFeeRateSelected": { - "description": "Error message when no fee rate is selected" - }, - "coreScreensTransferFeeLabel": "Плата за трансфер", - "@coreScreensTransferFeeLabel": { - "description": "Label for transfer fee field" - }, - "receiveInvoiceCopied": "Invoice copied до буфера", - "@receiveInvoiceCopied": { - "description": "Toast message after copying invoice" - }, - "kruxStep7": " - Збільшення яскравості екрану на вашому пристрої", - "@kruxStep7": { - "description": "Krux troubleshooting tip 1" - }, - "autoswapUpdateSettingsError": "Не вдалося оновити налаштування автоматичного затискання", - "@autoswapUpdateSettingsError": { - "description": "Error message when updating settings fails" - }, - "jadeStep11": "Після того, як Jade покаже вам власний QR-код.", - "@jadeStep11": { - "description": "Jade instruction about signed PSBT QR" - }, - "bitboxActionPairDeviceProcessing": "Пристрої для засмаги", - "@bitboxActionPairDeviceProcessing": { - "description": "Processing text for pair device" - }, - "exchangeCurrencyDropdownTitle": "Оберіть валюту", - "@exchangeCurrencyDropdownTitle": { - "description": "Title for the currency selection dropdown" - }, - "importQrDeviceImporting": "Імпорт гаманця ...", - "@importQrDeviceImporting": { - "description": "Status while importing from QR device" - }, - "rbfFastest": "Швидке", - "@rbfFastest": { - "description": "Label for fastest fee option" - }, - "arkReceiveBoardingAddress": "Bitcoin до USD", - "@arkReceiveBoardingAddress": { - "description": "Label for BTC boarding address" - }, - "recoverbullReenterConfirm": "Будь ласка, перейменуйте свій {inputType}, щоб підтвердити.", - "@recoverbullReenterConfirm": { - "description": "Instruction to re-enter PIN or password for confirmation", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "importWatchOnlyCopiedToClipboard": "Скопіювати до буферу", - "@importWatchOnlyCopiedToClipboard": { - "description": "Snackbar message shown when QR code content is copied" - }, - "dcaLightningAddressInvalidError": "Будь ласка, введіть дійсну адресу Lightning", - "@dcaLightningAddressInvalidError": { - "description": "Validation error when Lightning address format is invalid" - }, - "ledgerButtonNeedHelp": "Потрібна допомога?", - "@ledgerButtonNeedHelp": { - "description": "Button label to show help/troubleshooting instructions" - }, - "hwKrux": "Кошик", - "@hwKrux": { - "description": "Name of Krux hardware wallet" - }, - "recoverbullSelectVaultImportSuccess": "Ви успішно імпортували", - "@recoverbullSelectVaultImportSuccess": { - "description": "Success message shown on vault selected page" - }, - "mempoolServerNotUsed": "Не використовується (активний сервер)", - "@mempoolServerNotUsed": { - "description": "Label shown when default server is not used because custom server is active" - }, - "recoverbullSelectErrorPrefix": "Помилка:", - "@recoverbullSelectErrorPrefix": { - "description": "Prefix text shown before error messages" - }, - "bitboxErrorDeviceMismatch": "Виявлено неправильний пристрій.", - "@bitboxErrorDeviceMismatch": { - "description": "Error when connected device does not match expected device" - }, - "arkReceiveBtcAddress": "Bitcoin у USD", - "@arkReceiveBtcAddress": { - "description": "Label for Bitcoin address" - }, - "exchangeLandingRecommendedExchange": "Bitcoin у USD", - "@exchangeLandingRecommendedExchange": { - "description": "Subtitle on landing screen v2 describing Bull Bitcoin as recommended" - }, - "backupWalletHowToDecideVaultMoreInfo": "Відвідайте rebull.com для отримання додаткової інформації.", - "@backupWalletHowToDecideVaultMoreInfo": { - "description": "Link text to external resource about vault locations" - }, - "recoverbullGoBackEdit": "<< Повернутися і редагувати", - "@recoverbullGoBackEdit": { - "description": "Button text to return to previous screen for editing" - }, - "importWatchOnlyWalletGuides": "Направлення стін", - "@importWatchOnlyWalletGuides": { - "description": "Button label for wallet documentation and guides" - }, - "receiveConfirming": "Підтвердження... ({count}/{required})", - "@receiveConfirming": { - "description": "Shows confirmation progress", - "placeholders": { - "count": { - "type": "int" - }, - "required": { - "type": "int" - } - } - }, - "importWatchOnlyImportButton": "Імпорт Watch-Only Wallet", - "@importWatchOnlyImportButton": { - "description": "Button to confirm watch-only import" - }, - "electrumTitle": "Налаштування серверів Electrum", - "@electrumTitle": { - "description": "AppBar title for Electrum settings screen" - }, - "importQrDeviceJadeStep7": "Щоб змінити тип адреси", - "@importQrDeviceJadeStep7": { - "description": "Jade instruction step 7" - }, - "sendBroadcastingTransaction": "Трансляція угоди.", - "@sendBroadcastingTransaction": { - "description": "Message shown while broadcasting transaction to network" - }, - "swapReceiveExactAmountLabel": "Отримати точний розмір", - "@swapReceiveExactAmountLabel": { - "description": "Label when receive exact amount toggle is on" - }, - "arkContinueButton": "Продовжити", - "@arkContinueButton": { - "description": "Continue button text used in ark send flow" - }, - "ledgerImportButton": "Імпорт", - "@ledgerImportButton": { - "description": "Button label to start importing Ledger wallet" - }, - "dcaActivate": "Активувати продаж", - "@dcaActivate": { - "description": "Label to activate DCA" - }, - "labelInputLabel": "Етикетка", - "@labelInputLabel": { - "description": "Label for wallet label input field" - }, - "bitboxActionPairDeviceButton": "Старт Пірсінг", - "@bitboxActionPairDeviceButton": { - "description": "Button text for pair device" - }, - "importQrDeviceSpecterName": "Спектр", - "@importQrDeviceSpecterName": { - "description": "Name of Specter device" - }, - "broadcastSignedTxFee": "Плей", - "@broadcastSignedTxFee": { - "description": "Label for transaction fee" - }, - "recoverbullRecoveryBalanceLabel": "Баланс: {amount}", - "@recoverbullRecoveryBalanceLabel": { - "description": "Label showing total wallet balance found", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "arkAboutServerUrl": "Статус на сервери", - "@arkAboutServerUrl": { - "description": "Field label for server URL" - }, - "save": "Зберегти", - "@save": { - "description": "Generic save button label" - }, - "dcaWalletLiquidSubtitle": "Вимагає сумісний гаманець", - "@dcaWalletLiquidSubtitle": { - "description": "Subtitle/description for Liquid wallet option" - }, - "appUnlockButton": "Розблокувати", - "@appUnlockButton": { - "description": "Button label to unlock the app" - }, - "payServiceFee": "Плата за обслуговування", - "@payServiceFee": { - "description": "Label for service provider fee" - }, - "swapAmountPlaceholder": "0 р", - "@swapAmountPlaceholder": { - "description": "Placeholder for amount input fields" - }, - "fundExchangeMethodInstantSepaSubtitle": "Найшвидший - Тільки для операцій нижче €20,000", - "@fundExchangeMethodInstantSepaSubtitle": { - "description": "Subtitle for Instant SEPA payment method" - }, - "dcaConfirmError": "Хтось пішов неправильно: {error}", - "@dcaConfirmError": { - "description": "DCA confirmation error message", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "exchangeDcaNetworkLiquid": "Мережа рідин", - "@exchangeDcaNetworkLiquid": { - "description": "DCA network option: Liquid" - }, - "receiveBitcoinNetwork": "Bitcoin у USD", - "@receiveBitcoinNetwork": { - "description": "Bitcoin on-chain network option" - }, - "testBackupWriteDownPhrase": "Напишіть слово відновлення\nв правильному порядку", - "@testBackupWriteDownPhrase": { - "description": "Main instruction header for physical backup screen" - }, - "jadeStep8": " - Спробуйте перемістити пристрій ближче або далі", - "@jadeStep8": { - "description": "Jade troubleshooting tip 3" - }, - "importQrDeviceSpecterStep7": "Вимкнено \"Використання SLIP-132\"", - "@importQrDeviceSpecterStep7": { - "description": "Specter instruction step 7" - }, - "customLocationTitle": "Місцезнаходження", - "@customLocationTitle": { - "description": "Title for custom location screen" - }, - "importQrDeviceJadeStep5": "Виберіть \"Валет\" з списку варіантів", - "@importQrDeviceJadeStep5": { - "description": "Jade instruction step 5" - }, - "arkSettled": "Шахрайство", - "@arkSettled": { - "description": "Label for settled balance in Ark balance breakdown" - }, - "approximateFiatPrefix": "до", - "@approximateFiatPrefix": { - "description": "Prefix indicating approximate fiat equivalent value" - }, - "ledgerActionFailedMessage": "{action} В’язаний", - "@ledgerActionFailedMessage": { - "description": "Error message when a Ledger action fails", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "testBackupErrorLoadWallets": "Надіслане на завантаження гаманців: {error}", - "@testBackupErrorLoadWallets": { - "description": "Error when loading wallets fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "dcaConfirmDeactivate": "Так, деактивація", - "@dcaConfirmDeactivate": { - "description": "Confirm deactivation button" - }, - "exchangeLandingFeature2": "DCA, Обмеження замовлень і автокупе", - "@exchangeLandingFeature2": { - "description": "Second feature bullet point" - }, - "payPaymentPending": "Кредитне кредитування", - "@payPaymentPending": { - "description": "Status message for in-flight payment" - }, - "payConfirmHighFee": "Плата за цей платіж {percentage}% від суми. Продовжити?", - "@payConfirmHighFee": { - "description": "Confirmation prompt when fee percentage is high", - "placeholders": { - "percentage": { - "type": "String" - } - } - }, - "autoswapMaxBalanceInfo": "Коли баланс гаманця перевищує подвійну цю суму, автотранспортер запускає зниження балансу на цей рівень", - "@autoswapMaxBalanceInfo": { - "description": "Info tooltip for max balance field" - }, - "recoverbullTorNetwork": "Веб-сайт", - "@recoverbullTorNetwork": { - "description": "Label for Tor network connection status" - }, - "importColdcardInstructionsTitle": "Coldcard Q Інструкції", - "@importColdcardInstructionsTitle": { - "description": "ImportColdcardQ: Title of instructions bottom sheet" - }, - "sendVerifyOnDevice": "Перевірити на пристрої", - "@sendVerifyOnDevice": { - "description": "Instruction to check hardware wallet screen" - }, - "payRoutingFailed": "Маршрутизація", - "@payRoutingFailed": { - "description": "Error when Lightning payment routing fails" - }, - "sendFreezeCoin": "Freeze Монета", - "@sendFreezeCoin": { - "description": "Action to prevent UTXO from being spent" - }, - "fundExchangeLabelTransitNumber": "Кількість переходів", - "@fundExchangeLabelTransitNumber": { - "description": "Label for transit number field" - }, - "buyDocumentUpload": "Документи", - "@buyDocumentUpload": { - "description": "Section for ID document submission" - }, - "sendTransferFeeDescription": "Це загальна плата, яка відхилена від суми, відправленого", - "@sendTransferFeeDescription": { - "description": "Explanation of what the transfer fee represents" - }, - "arkReceiveSegmentBoarding": "Дошка", - "@arkReceiveSegmentBoarding": { - "description": "Segment option for Boarding (BTC) address type" - }, - "seedsignerStep12": "Гаманець Bull Bitcoin попросить вас сканування QR-коду на SeedSigner. Сканування.", - "@seedsignerStep12": { - "description": "SeedSigner instruction for scanning signed PSBT" - }, - "psbtFlowKeystoneTitle": "Інструкція Keystone", - "@psbtFlowKeystoneTitle": { - "description": "Title for Keystone device signing instructions" - }, - "arkSessionDuration": "Тривалість сеансу", - "@arkSessionDuration": { - "description": "Label for session duration field" - }, - "buyAboveMaxAmountError": "Ви намагаєтеся придбати над максимальною кількістю.", - "@buyAboveMaxAmountError": { - "description": "Error message for amount above maximum during buy" - }, - "electrumTimeoutWarning": "Ваш час ({timeoutValue} секунди) нижче рекомендованого значення ({recommended} секунд) для цього Stop Gap.", - "@electrumTimeoutWarning": { - "description": "Warning message when timeout is too low for the configured Stop Gap", - "placeholders": { - "timeoutValue": { - "type": "String" - }, - "recommended": { - "type": "String" - } - } - }, - "sendShowPsbt": "Показати PSBT", - "@sendShowPsbt": { - "description": "Button to display PSBT for external signing" - }, - "ledgerErrorUnknownOccurred": "Невідомі помилки", - "@ledgerErrorUnknownOccurred": { - "description": "Error message when an unknown error occurs during Ledger operation" - }, - "broadcastSignedTxAmount": "Сума", - "@broadcastSignedTxAmount": { - "description": "Label for transaction amount" - }, - "hwJade": "Блокстрім Jade", - "@hwJade": { - "description": "Name of Blockstream Jade hardware wallet" - }, - "keystoneStep14": "Зараз готовий до трансляції! Як тільки ви натиснете трансляцію, операція буде опублікована на мережі Біткойн і будуть відправлені кошти.", - "@keystoneStep14": { - "description": "Keystone final instruction about broadcasting" - }, - "recoverbullErrorConnectionFailed": "Заборонено підключення до цільового сервера ключа. Будь ласка, спробуйте ще раз!", - "@recoverbullErrorConnectionFailed": { - "description": "Error message when server connection fails" - }, - "testBackupDigitalCopy": "Цифрова копія", - "@testBackupDigitalCopy": { - "description": "Label with X mark warning against making digital copies" - }, - "paySearchPayments": "Пошук платежів.", - "@paySearchPayments": { - "description": "Search box placeholder" - }, - "payPendingPayments": "Закінчення", - "@payPendingPayments": { - "description": "Filter for pending payments" - }, - "passwordMinLengthError": "{pinOrPassword} повинен бути принаймні 6 цифр довго", - "@passwordMinLengthError": { - "description": "Error message for password minimum length", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "backupWalletEncryptedVaultTag": "Легкий і простий (1 хвилину)", - "@backupWalletEncryptedVaultTag": { - "description": "Tag indicating difficulty and time for encrypted vault backup" - }, - "payBroadcastFailed": "Радіоканал не вдалося", - "@payBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, - "arkSettleTransactions": "Шахрайські операції", - "@arkSettleTransactions": { - "description": "Bottom sheet title for settling pending transactions" - }, - "bitboxScreenSegwitBip84": "Сегвейт (BIP84)", - "@bitboxScreenSegwitBip84": { - "description": "Script type display name for BIP84" - }, - "bitboxScreenConnectingSubtext": "Створення безпечного підключення...", - "@bitboxScreenConnectingSubtext": { - "description": "Subtext when connecting" - }, - "receiveShareAddress": "Адреса електронної пошти", - "@receiveShareAddress": { - "description": "Button to share via system share sheet" - }, - "arkTxPending": "Закінчення", - "@arkTxPending": { - "description": "Status label for pending Ark transactions" - }, - "sharedWithBullBitcoin": "bitcoin у USD.", - "@sharedWithBullBitcoin": { - "description": "End part of privacy assurance message" - }, - "jadeStep7": " - Утримайте QR-код стаціонарним і відцентровим", - "@jadeStep7": { - "description": "Jade troubleshooting tip 2" - }, - "allSeedViewIUnderstandButton": "Я витримую", - "@allSeedViewIUnderstandButton": { - "description": "Button label to acknowledge security warning" - }, - "coreScreensExternalTransfer": "Зовнішня передача", - "@coreScreensExternalTransfer": { - "description": "Title for external transfer action" - }, - "ledgerHelpStep3": "Переконайтеся, що ваш Ledger має Bluetooth перетворений.", - "@ledgerHelpStep3": { - "description": "Third troubleshooting step for Ledger connection issues" - }, - "sellKYCRejected": "Перевірка KYC відхилено", - "@sellKYCRejected": { - "description": "Error when verification fails" - }, - "electrumNetworkLiquid": "Рідина", - "@electrumNetworkLiquid": { - "description": "Liquid network tab label" - }, - "buyBelowMinAmountError": "Ви намагаєтеся придбати нижче мінімальної суми.", - "@buyBelowMinAmountError": { - "description": "Error message for amount below minimum during buy" - }, - "exchangeLandingFeature6": "Історія угод", - "@exchangeLandingFeature6": { - "description": "Sixth feature bullet point" - }, - "bitboxActionImportWalletSuccessSubtext": "Ваш гаманець BitBox успішно імпортується.", - "@bitboxActionImportWalletSuccessSubtext": { - "description": "Success subtext for import wallet" - }, - "electrumEmptyFieldError": "Це поле не може бути порожнім", - "@electrumEmptyFieldError": { - "description": "Validation error for empty field" - }, - "connectHardwareWalletKrux": "Кошик", - "@connectHardwareWalletKrux": { - "description": "Krux hardware wallet option" - }, - "receiveSelectNetwork": "Оберіть мережу", - "@receiveSelectNetwork": { - "description": "Dropdown to choose receiving network" - }, - "sellLoadingGeneric": "Завантаження.", - "@sellLoadingGeneric": { - "description": "Generic loading message" - }, - "ledgerWalletTypeSegwit": "Сегвейт (BIP84)", - "@ledgerWalletTypeSegwit": { - "description": "Display name for Segwit wallet type (BIP84)" - }, - "bip85Mnemonic": "Мінуси", - "@bip85Mnemonic": { - "description": "Label for mnemonic type entropy" - }, - "importQrDeviceSeedsignerName": "НасінняСинер", - "@importQrDeviceSeedsignerName": { - "description": "Name of SeedSigner device" - }, - "payFeeTooHigh": "Фей незвичайно високий", - "@payFeeTooHigh": { - "description": "Warning when calculated fee is higher than expected" - }, - "fundExchangeBankTransferWireTitle": "Банківський переказ", - "@fundExchangeBankTransferWireTitle": { - "description": "Screen title for bank transfer wire payment details" - }, - "psbtFlowPartProgress": "Частина {current} {total}", - "@psbtFlowPartProgress": { - "description": "Progress indicator for animated QR code parts", - "placeholders": { - "current": { - "type": "String" - }, - "total": { - "type": "String" - } - } - }, - "receiveShareInvoice": "Надіслати запит", - "@receiveShareInvoice": { - "description": "Button to share invoice" - }, - "dcaUnableToGetConfig": "Неможливо отримати конфігурацію DCA", - "@dcaUnableToGetConfig": { - "description": "Error message when DCA config unavailable" - }, - "exchangeAuthLoginFailed": "Логін", - "@exchangeAuthLoginFailed": { - "description": "Login failure dialog title" - }, - "arkAvailable": "В наявності", - "@arkAvailable": { - "description": "Label for available balance in Ark balance breakdown" - }, - "testBackupWarningMessage": "Без резервної копії ви в кінцевому підсумку втратите доступ до ваших грошей. Важливо зробити резервну копію.", - "@testBackupWarningMessage": { - "description": "Warning message emphasizing importance of backups" - }, - "arkNetwork": "Мережа", - "@arkNetwork": { - "description": "Label for network field" - }, - "importWatchOnlyYpub": "й", - "@importWatchOnlyYpub": { - "description": "Label for ypub import method" - }, - "ledgerVerifyTitle": "Перевірити адресу на Ledger", - "@ledgerVerifyTitle": { - "description": "Title for verifying an address on Ledger device" - }, - "recoverbullSwitchToPassword": "Підберіть пароль замість", - "@recoverbullSwitchToPassword": { - "description": "Button text to switch from PIN to password input" - }, - "exchangeDcaNetworkBitcoin": "Bitcoin мережа", - "@exchangeDcaNetworkBitcoin": { - "description": "DCA network option: Bitcoin" - }, - "autoswapWarningTitle": "Autoswap включений до наступних налаштувань:", - "@autoswapWarningTitle": { - "description": "Title text in the autoswap warning bottom sheet" - }, - "seedsignerStep1": "Увімкніть пристрій для насінництва", - "@seedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, - "backupWalletHowToDecideBackupLosePhysical": "Один з найбільш поширених способів втратити Біткойн, тому що вони втрачають фізичну резервну копію. Будь-ласка, що знаходить вашу фізичну резервну копію, зможе прийняти всі ваші біткойни. Якщо ви дуже впевнені, що ви можете приховати його добре і ніколи не втратите його, це хороший варіант.", - "@backupWalletHowToDecideBackupLosePhysical": { - "description": "Explanation of physical backup risks in decision help modal" - }, - "recoverbullErrorMissingBytes": "Пропускання байтів від реагування тор. Ретри, але якщо питання зберігається, це відомий питання для деяких пристроїв з Tor.", - "@recoverbullErrorMissingBytes": { - "description": "Error message when Tor response is incomplete" - }, - "coreScreensReceiveNetworkFeeLabel": "Отримувати Мережі", - "@coreScreensReceiveNetworkFeeLabel": { - "description": "Label for receive network fee field" - }, - "payEstimatedFee": "Орієнтовна Fee", - "@payEstimatedFee": { - "description": "Label for estimated network fee" - }, - "sendSendAmount": "Надіслати", - "@sendSendAmount": { - "description": "Label for amount being sent in swap" - }, - "swapErrorBalanceTooLow": "Баланс занадто низький для мінімальної кількості клаптів", - "@swapErrorBalanceTooLow": { - "description": "Error when balance is below minimum swap limit" - }, - "replaceByFeeErrorGeneric": "При спробі замінити операцію", - "@replaceByFeeErrorGeneric": { - "description": "Generic error message for replace-by-fee operation failures" - }, - "rbfCustomFee": "Спеціальний Fee", - "@rbfCustomFee": { - "description": "Label for custom fee option" - }, - "importQrDeviceFingerprint": "Друк", - "@importQrDeviceFingerprint": { - "description": "Label for device fingerprint" - }, - "importWatchOnlyDescriptor": "Дескриптор", - "@importWatchOnlyDescriptor": { - "description": "Label for descriptor import method" - }, - "recoverbullFailed": "В'язниця", - "@recoverbullFailed": { - "description": "Status label indicating operation failure" - }, - "ledgerProcessingSign": "Вивіска", - "@ledgerProcessingSign": { - "description": "Status message shown while signing transaction with Ledger" - }, - "jadeStep6": " - Збільшення яскравості екрану на вашому пристрої", - "@jadeStep6": { - "description": "Jade troubleshooting tip 1" - }, - "fundExchangeETransferLabelEmail": "Надіслати E-переказ на електронну пошту", - "@fundExchangeETransferLabelEmail": { - "description": "Label for E-transfer recipient email" - }, - "fromLabel": "З", - "@fromLabel": { - "description": "Label for source wallet in transaction details" - }, - "sellCompleteKYC": "Повний KYC", - "@sellCompleteKYC": { - "description": "Button to start verification process" - }, - "hwConnectTitle": "Підключіть обладнання Wallet", - "@hwConnectTitle": { - "description": "AppBar title for hardware wallet selection screen" - }, - "payRequiresSwap": "Цей платіж вимагає", - "@payRequiresSwap": { - "description": "Info message when payment needs submarine swap" - }, - "backupWalletSuccessTitle": "Закінчення завершено!", - "@backupWalletSuccessTitle": { - "description": "Success screen title after backup is completed" - }, - "sendCoinAmount": "Кількість: {amount}", - "@sendCoinAmount": { - "description": "Label for UTXO amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "payTotalFees": "Всього коштів", - "@payTotalFees": { - "description": "Label for sum of all fees" - }, - "ledgerVerifyButton": "Адреса електронної пошти", - "@ledgerVerifyButton": { - "description": "Button label to start address verification on Ledger" - }, - "sendErrorSwapFeesNotLoaded": "Обмін не завантажується", - "@sendErrorSwapFeesNotLoaded": { - "description": "Error when swap fee information is unavailable" - }, - "backupWalletGoogleDrivePrivacyMessage3": "залишити свій телефон і ", - "@backupWalletGoogleDrivePrivacyMessage3": { - "description": "Third part of privacy message" - }, - "sendErrorInsufficientFundsForFees": "Не достатньо коштів для покриття суми та комісій", - "@sendErrorInsufficientFundsForFees": { - "description": "Error when wallet cannot cover transaction amount plus fees" - }, - "dcaCancelButton": "Зареєструватися", - "@dcaCancelButton": { - "description": "Cancel button in DCA dialog" - }, - "dcaConfirmNetworkLiquid": "Рідина", - "@dcaConfirmNetworkLiquid": { - "description": "Liquid network label" - }, - "emptyMnemonicWordsError": "Введіть всі слова вашої мнемоніки", - "@emptyMnemonicWordsError": { - "description": "Error message when not all mnemonic words are filled in" - }, - "arkSettleCancel": "Зареєструватися", - "@arkSettleCancel": { - "description": "Cancel button on settle bottom sheet" - }, - "testBackupTapWordsInOrder": "Натисніть кнопку відновлення в\nправо", - "@testBackupTapWordsInOrder": { - "description": "Instruction header for word selection quiz" - }, - "coreScreensInternalTransfer": "Внутрішній переказ", - "@coreScreensInternalTransfer": { - "description": "Title for internal transfer action" - }, - "sendSwapWillTakeTime": "Під час підтвердження", - "@sendSwapWillTakeTime": { - "description": "Message warning swap confirmation takes time" - }, - "autoswapSelectWalletError": "Будь ласка, виберіть одержувача Bitcoin гаманець", - "@autoswapSelectWalletError": { - "description": "Validation error when trying to enable auto transfer without selecting a wallet" - }, - "sellServiceFee": "Плата за обслуговування", - "@sellServiceFee": { - "description": "Label for Bull Bitcoin service fee" - }, - "connectHardwareWalletTitle": "Підключіть обладнання Wallet", - "@connectHardwareWalletTitle": { - "description": "Title for connect hardware wallet page" - }, - "replaceByFeeCustomFeeTitle": "Спеціальний Fee", - "@replaceByFeeCustomFeeTitle": { - "description": "Title for custom fee input section" - }, - "kruxStep14": "Гаманець Bull Bitcoin попросить вас сканування QR-коду на Krux. Сканування.", - "@kruxStep14": { - "description": "Krux instruction for scanning signed PSBT" - }, - "payAvailableBalance": "Доступно: {amount}", - "@payAvailableBalance": { - "description": "Label showing available wallet balance", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "payCheckingStatus": "Перевірка стану оплати...", - "@payCheckingStatus": { - "description": "Loading message while verifying payment status" - }, - "payMemo": "Мамо", - "@payMemo": { - "description": "Label for optional payment note" - }, - "fundExchangeMethodCrIbanCrc": "Коста-Рика IBAN (CRC)", - "@fundExchangeMethodCrIbanCrc": { - "description": "Payment method: Costa Rica IBAN in Colones" - }, - "broadcastSignedTxNfcTitle": "НФК", - "@broadcastSignedTxNfcTitle": { - "description": "Title for NFC scanning page" - }, - "passportStep12": "Біткойн-гаманець Bull попросить вас сканування QR-коду на Паспорті. Сканування.", - "@passportStep12": { - "description": "Passport instruction for scanning signed PSBT" - }, - "payNoActiveWallet": "Немає активного гаманця", - "@payNoActiveWallet": { - "description": "Error when no wallet is selected" - }, - "importQrDeviceKruxStep4": "Натисніть кнопку \"відкрита камера\"", - "@importQrDeviceKruxStep4": { - "description": "Krux instruction step 4" - }, - "appStartupErrorMessageWithBackup": "На v5.4.0 критична помилка була виявлена в одному з наших залежностей, які впливають на зберігання приватного ключа. Ваш додаток був уражений цим. Ви повинні видалити цей додаток і перевстановити його з заднім насінням.", - "@appStartupErrorMessageWithBackup": { - "description": "Error message shown when app startup fails due to seed storage issue and user has a backup" - }, - "payPasteInvoice": "Паста Invoice", - "@payPasteInvoice": { - "description": "Button text to paste invoice from clipboard" - }, - "labelErrorUnexpected": "Несподівана помилка: {message}", - "@labelErrorUnexpected": { - "description": "Error message for unexpected label errors", - "placeholders": { - "message": { - "type": "String" - } - } - }, - "arkStatusSettled": "Шахрайство", - "@arkStatusSettled": { - "description": "Status label for settled redeem transactions" - }, - "dcaWalletBitcoinSubtitle": "Міні 0.001 BTC", - "@dcaWalletBitcoinSubtitle": { - "description": "Subtitle/description for Bitcoin wallet option" - }, - "bitboxScreenEnterPasswordSubtext": "Введіть пароль на пристрої BitBox.", - "@bitboxScreenEnterPasswordSubtext": { - "description": "Subtext when waiting for password" - }, - "systemLabelSwaps": "Обмін", - "@systemLabelSwaps": { - "description": "System label for swap transactions" - }, - "passportStep11": "Натисніть \"Я зробив\" в Гаманець Біткойн.", - "@passportStep11": { - "description": "Passport instruction to return to app" - }, - "sendSwapId": "Обмін ID", - "@sendSwapId": { - "description": "Label for swap identifier in transaction details" - }, - "electrumServerOnline": "Інтернет", - "@electrumServerOnline": { - "description": "Status text for online servers" - }, - "testBackupDefaultWallets": "Гаманець за замовчуванням", - "@testBackupDefaultWallets": { - "description": "Label shown when testing the default wallets" - }, - "autoswapRecipientWalletInfoText": "Виберіть який гаманець Bitcoin отримає передані кошти (обов'язково)", - "@autoswapRecipientWalletInfoText": { - "description": "Help text explaining wallet selection" - }, - "withdrawAboveMaxAmountError": "Ви намагаєтеся виводити над максимальною кількістю.", - "@withdrawAboveMaxAmountError": { - "description": "Error message for amount above maximum during withdraw" - }, - "psbtFlowScanDeviceQr": "Гаманець Bull Bitcoin попросить вас сканування QR-коду на {device}. Сканування.", - "@psbtFlowScanDeviceQr": { - "description": "Instruction to scan QR code from hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "exchangeAuthLoginFailedMessage": "Помилкові помилки, будь ласка, спробуйте увійти знову.", - "@exchangeAuthLoginFailedMessage": { - "description": "Message shown when exchange login fails" - }, - "okButton": "ЗАРЕЄСТРУВАТИСЯ", - "@okButton": { - "description": "Button to dismiss coming soon message" - }, - "passportStep13": "Операція буде імпортована в гаманці Bull Bitcoin.", - "@passportStep13": { - "description": "Passport instruction about import completion" - }, - "importQrDeviceKeystoneStep3": "Натисніть три крапки вгорі праворуч", - "@importQrDeviceKeystoneStep3": { - "description": "Keystone instruction step 3" - }, - "exchangeAmountInputValidationInvalid": "Сума недійсна", - "@exchangeAmountInputValidationInvalid": { - "description": "Validation message when amount is invalid" - }, - "dcaWalletSelectionContinueButton": "Продовжити", - "@dcaWalletSelectionContinueButton": { - "description": "Button label to proceed to confirmation screen" - }, - "pinButtonChange": "Зміна PIN", - "@pinButtonChange": { - "description": "Button label when PIN already exists" - }, - "sendErrorInsufficientFundsForPayment": "Не вистачає коштів, доступних для цього платежу.", - "@sendErrorInsufficientFundsForPayment": { - "description": "Error when insufficient funds available" - }, - "arkAboutShow": "Почати", - "@arkAboutShow": { - "description": "Button text to show hidden secret key" - }, - "fundExchangeETransferTitle": "Деталі E-Transfer", - "@fundExchangeETransferTitle": { - "description": "Screen title for E-Transfer payment details" - }, - "autoswapWarningOkButton": "ЗАРЕЄСТРУВАТИСЯ", - "@autoswapWarningOkButton": { - "description": "OK button label in the autoswap warning bottom sheet" - }, - "swapTitle": "Внутрішній переказ", - "@swapTitle": { - "description": "AppBar title for swap/internal transfer screen" - }, - "sendOutputTooSmall": "Вихід нижче обмеження пилу", - "@sendOutputTooSmall": { - "description": "Error for tiny output amount" - }, - "copiedToClipboardMessage": "Скопіювати до буферу", - "@copiedToClipboardMessage": { - "description": "Snackbar confirmation message after copying to clipboard" - }, - "torSettingsStatusConnected": "Зв'язатися", - "@torSettingsStatusConnected": { - "description": "Status title when Tor is connected" - }, - "arkCopiedToClipboard": "{label} скопіювати до буферу", - "@arkCopiedToClipboard": { - "description": "SnackBar message when field is copied", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "arkRecipientAddress": "Адреса одержувача", - "@arkRecipientAddress": { - "description": "Label for recipient address input field" - }, - "shareLogsLabel": "Журнали", - "@shareLogsLabel": { - "description": "List tile label to share application logs" - }, - "ledgerSuccessVerifyTitle": "Перевірити адресу на Ledger ...", - "@ledgerSuccessVerifyTitle": { - "description": "Success message title for address verification on Ledger" - }, - "backupSettingsFailedToDeriveKey": "Переміщений для відновлення ключа резервного копіювання", - "@backupSettingsFailedToDeriveKey": { - "description": "Error message when backup key derivation fails" - }, - "googleDriveProvider": "Українська", - "@googleDriveProvider": { - "description": "Name of Google Drive provider" - }, - "sellAccountName": "Назва облікового запису", - "@sellAccountName": { - "description": "Label for bank account holder name" - }, - "statusCheckUnknown": "Невідомо", - "@statusCheckUnknown": { - "description": "Status text when service status is unknown" - }, - "howToDecideVaultLocationText2": "Зручне розташування може бути набагато більш безпечною, в залежності від місця розташування, яку ви обираєте. Ви також повинні переконатися, що не втратити файл резервного копіювання або втратити пристрій, на якому зберігаються файли резервного копіювання.", - "@howToDecideVaultLocationText2": { - "description": "Second paragraph explaining custom location benefits" - }, - "psbtFlowReadyToBroadcast": "Зараз готовий до трансляції! Як тільки ви натиснете трансляцію, операція буде опублікована на мережі Біткойн і будуть відправлені кошти.", - "@psbtFlowReadyToBroadcast": { - "description": "Final message that transaction is ready to broadcast" - }, - "sendErrorLiquidWalletRequired": "Рідкий гаманець повинен використовуватися для рідини для блискавки", - "@sendErrorLiquidWalletRequired": { - "description": "Error when wrong wallet type used for Liquid to Lightning swap" - }, - "dcaSetupInsufficientBalance": "Недостатній баланс", - "@dcaSetupInsufficientBalance": { - "description": "Insufficient balance error title" - }, - "swapTransferRefundedMessage": "Переказ було успішно повернено.", - "@swapTransferRefundedMessage": { - "description": "Refund completion message" - }, - "seedsignerStep5": " - Збільшення яскравості екрану на вашому пристрої", - "@seedsignerStep5": { - "description": "SeedSigner troubleshooting tip 1" - }, - "sellKYCApproved": "KYC затверджено", - "@sellKYCApproved": { - "description": "Status when verification complete" - }, - "arkTransaction": "контакти", - "@arkTransaction": { - "description": "Singular form for transaction count" - }, - "dcaFrequencyMonthly": "місяць", - "@dcaFrequencyMonthly": { - "description": "Monthly DCA frequency" - }, - "buyKYCLevel": "КИЇВ Рівень", - "@buyKYCLevel": { - "description": "Label for verification tier" - }, - "passportInstructionsTitle": "Інструкції щодо Паспорту Фонду", - "@passportInstructionsTitle": { - "description": "Title for Passport signing instructions modal" - }, - "ledgerSuccessImportTitle": "Гаманець Імпорт", - "@ledgerSuccessImportTitle": { - "description": "Success message title after importing Ledger wallet" - }, - "swapTransferPendingMessage": "Передача здійснюється в процесі. Біткойн-транзакції можуть зайняти під час підтвердження. Ви можете повернутися додому і чекати.", - "@swapTransferPendingMessage": { - "description": "Message shown during pending swap" - }, - "testBackupDecryptVault": "Розшифрування за замовчуванням", - "@testBackupDecryptVault": { - "description": "Button text to decrypt the vault" - }, - "psbtFlowNoPartsToDisplay": "Немає частин для відображення", - "@psbtFlowNoPartsToDisplay": { - "description": "Message when there are no QR code parts to show" - }, - "totalFeeLabel": "Всього Фе", - "@totalFeeLabel": { - "description": "Label for expandable total fee breakdown in swap" - }, - "mempoolCustomServerBottomSheetDescription": "Введіть URL-адресу вашого користувацького сервера mempool. Сервер буде дійсний до економії.", - "@mempoolCustomServerBottomSheetDescription": { - "description": "Description in bottom sheet for adding/editing custom server" - }, - "payExpired": "Зареєструватися", - "@payExpired": { - "description": "Status label for expired invoice" - }, - "recoverbullBalance": "Баланс: {balance}", - "@recoverbullBalance": { - "description": "Label showing wallet balance during vault recovery", - "placeholders": { - "balance": { - "type": "String" - } - } - }, - "payPaymentSuccessful": "Вдалий платіж", - "@payPaymentSuccessful": { - "description": "Success message after payment completes" - }, - "exchangeHomeWithdraw": "Зняття", - "@exchangeHomeWithdraw": { - "description": "Withdraw button label" - }, - "importMnemonicSegwit": "Сегвейт", - "@importMnemonicSegwit": { - "description": "Label for Segwit (BIP84) wallet type" - }, - "importQrDeviceJadeStep6": "Виберіть \"Експорт Xpub\" з меню гаманця", - "@importQrDeviceJadeStep6": { - "description": "Jade instruction step 6" - }, - "recoverbullEnterToDecrypt": "Будь ласка, введіть своє {inputType}, щоб розшифрувати вашу скриньку.", - "@recoverbullEnterToDecrypt": { - "description": "Instruction to enter PIN or password for vault decryption", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "swapTransferTitle": "Передача", - "@swapTransferTitle": { - "description": "AppBar title on the main swap page" - }, - "testBackupSuccessTitle": "Випробувано успішно!", - "@testBackupSuccessTitle": { - "description": "Success screen title after completing backup verification" - }, - "recoverbullSelectTakeYourTime": "Зробіть свій час", - "@recoverbullSelectTakeYourTime": { - "description": "Description tag for custom location provider option" - }, - "coreScreensTotalFeesLabel": "Загальна вартість", - "@coreScreensTotalFeesLabel": { - "description": "Label for total fees field" - }, - "mempoolSettingsDescription": "Налаштування користувацького мемпул-сервера для різних мереж. Кожна мережа може використовувати власний сервер для блочного дослідника та оцінки комісій.", - "@mempoolSettingsDescription": { - "description": "Description text for mempool settings screen" - }, - "exchangeHomeDeposit": "Депозити", - "@exchangeHomeDeposit": { - "description": "Deposit button label" - }, - "sendTransactionBuilt": "Трансакція готова", - "@sendTransactionBuilt": { - "description": "Success after transaction constructed" - }, - "bitboxErrorOperationCancelled": "Операція скасована. Будь ласка, спробуйте знову.", - "@bitboxErrorOperationCancelled": { - "description": "Error when BitBox operation is cancelled" - }, - "dcaOrderTypeLabel": "Тип замовлення", - "@dcaOrderTypeLabel": { - "description": "Label for order type detail row" - }, - "withdrawConfirmCard": "Карта сайту", - "@withdrawConfirmCard": { - "description": "Field label for debit card" - }, - "dcaSuccessMessageHourly": "Ви купуєте {amount} кожен час", - "@dcaSuccessMessageHourly": { - "description": "Success message for hourly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "loginButton": "ЛОГІН", - "@loginButton": { - "description": "Button to navigate to login screen" - }, - "arkAboutNetwork": "Мережа", - "@arkAboutNetwork": { - "description": "Field label for network" - }, - "psbtFlowLoginToDevice": "Увійти до пристрою {device}", - "@psbtFlowLoginToDevice": { - "description": "Instruction to login to hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "sendUnfreezeCoin": "Нефризе Монета", - "@sendUnfreezeCoin": { - "description": "Action to allow spending frozen UTXO" - }, - "jadeInstructionsTitle": "Блокстрім Jade PSBT Інструкції", - "@jadeInstructionsTitle": { - "description": "Title for Jade signing instructions modal" - }, - "scanNfcButton": "Сканер NFC", - "@scanNfcButton": { - "description": "Button label to initiate NFC scanning" - }, - "testBackupChooseVaultLocation": "Виберіть місце розташування", - "@testBackupChooseVaultLocation": { - "description": "AppBar title for encrypted vault provider selection screen" - }, - "torSettingsInfoDescription": "• Tor proxy only стосується Біткойн (не Рідкий)\n• Портфоліо Орбота 9050\n• Забезпечити Орбот, що працює перед наданням\n• Підключення може бути повільніше через Tor", - "@torSettingsInfoDescription": { - "description": "Information about Tor proxy usage" - }, - "dcaAddressBitcoin": "Bitcoin адреса", - "@dcaAddressBitcoin": { - "description": "Bitcoin address label" - }, - "sendErrorAmountBelowMinimum": "Розмір нижче мінімального ліміту застібки: {minLimit} sats", - "@sendErrorAmountBelowMinimum": { - "description": "Error with specific minimum swap amount", - "placeholders": { - "minLimit": { - "type": "String" - } - } - }, - "recoverbullGoogleDriveErrorFetchFailed": "Заборонено фіксувати помилки з Google Диску", - "@recoverbullGoogleDriveErrorFetchFailed": { - "description": "Error message when fetching drive backups fails" - }, - "systemLabelExchangeBuy": "Купити", - "@systemLabelExchangeBuy": { - "description": "System label for exchange buy transactions" - }, - "arkTxTypeBoarding": "Дошка", - "@arkTxTypeBoarding": { - "description": "Transaction type label for boarding transactions" - }, - "exchangeAmountInputValidationInsufficient": "Недостатній баланс", - "@exchangeAmountInputValidationInsufficient": { - "description": "Validation message when amount exceeds available balance" - }, - "psbtFlowReviewTransaction": "Після того, як угода імпортується в {device}, перевірте адресу призначення та суму.", - "@psbtFlowReviewTransaction": { - "description": "Instruction to review transaction details on device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "arkTransactions": "операції", - "@arkTransactions": { - "description": "Plural form for transaction count" - }, - "broadcastSignedTxCameraButton": "Камери", - "@broadcastSignedTxCameraButton": { - "description": "Button to open camera QR scanner" - }, - "importQrDeviceJadeName": "Блокстрім Jade", - "@importQrDeviceJadeName": { - "description": "Name of Blockstream Jade device" - }, - "importWalletImportMnemonic": "Імпортний мнемічний", - "@importWalletImportMnemonic": { - "description": "Button to import wallet from seed phrase" - }, - "bip85NextMnemonic": "Далі Mnemonic", - "@bip85NextMnemonic": { - "description": "Button to derive next mnemonic entropy" - }, - "bitboxErrorNoActiveConnection": "Не активне підключення до пристрою BitBox.", - "@bitboxErrorNoActiveConnection": { - "description": "Error when there is no active connection to BitBox" - }, - "dcaFundAccountButton": "Оберіть Ваш рахунок", - "@dcaFundAccountButton": { - "description": "Button label to navigate to funding screen" - }, - "arkSendTitle": "Відправити", - "@arkSendTitle": { - "description": "AppBar title for Ark send screen" - }, - "recoverbullVaultRecovery": "Відновлення файлів", - "@recoverbullVaultRecovery": { - "description": "Screen title for vault recovery process" - }, - "bitboxCubitOperationTimeout": "Час роботи. Будь ласка, спробуйте знову.", - "@bitboxCubitOperationTimeout": { - "description": "Error interpretation for timeout" - }, - "backupWalletHowToDecideVaultCloudSecurity": "Ми не маємо доступу до вашого біткойн, оскільки пароль шифрування занадто сильний. Вони можуть мати доступ до вашого біткойн в малоймовірному випадку, вони з'єднуються з ключовим сервером (онлайн-сервіс, який зберігає пароль шифрування). Якщо сервер ключа коли-небудь отримує зламаний, ваш Біткойн може бути на ризику з Google або Apple хмарою.", - "@backupWalletHowToDecideVaultCloudSecurity": { - "description": "Explanation of cloud storage security in vault location decision help modal" - }, - "coldcardStep13": "Гаманець Bull Bitcoin попросить вас сканування QR-коду на Coldcard. Сканування.", - "@coldcardStep13": { - "description": "Coldcard instruction for scanning signed PSBT" - }, - "psbtFlowIncreaseBrightness": "Збільшення яскравості екрану на вашому пристрої", - "@psbtFlowIncreaseBrightness": { - "description": "Troubleshooting tip to increase brightness" - }, - "payCoinjoinCompleted": "CoinJoin завершено", - "@payCoinjoinCompleted": { - "description": "Success message after CoinJoin" - }, - "electrumAddCustomServer": "Додати користувальницький сервер", - "@electrumAddCustomServer": { - "description": "Add custom server bottom sheet title" - }, - "psbtFlowClickSign": "Натисніть кнопку", - "@psbtFlowClickSign": { - "description": "Instruction to click sign button on device" - }, - "rbfSatsPerVbyte": "сати/ВБ", - "@rbfSatsPerVbyte": { - "description": "Unit label for fee rate input" - }, - "broadcastSignedTxDoneButton": "Сонце", - "@broadcastSignedTxDoneButton": { - "description": "Button to finish after successful broadcast" - }, - "sendRecommendedFee": "{rate} sat/vB", - "@sendRecommendedFee": { - "description": "Suggested fee rate", - "placeholders": { - "rate": { - "type": "String" - } - } - }, - "mempoolCustomServerUrl": "Статус на сервери", - "@mempoolCustomServerUrl": { - "description": "Label for custom mempool server URL input field" - }, - "buyOrderAlreadyConfirmedError": "Цей замовлення було підтверджено.", - "@buyOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed buy order" - }, - "sendServerNetworkFees": "Статус на сервери", - "@sendServerNetworkFees": { - "description": "Label for Boltz server fees" - }, - "importWatchOnlyImport": "Імпорт", - "@importWatchOnlyImport": { - "description": "Button label to import watch-only wallet" - }, - "backupWalletBackupButton": "Зареєструватися", - "@backupWalletBackupButton": { - "description": "Button text to proceed with physical backup" - }, - "mempoolSettingsTitle": "Статус на сервери", - "@mempoolSettingsTitle": { - "description": "Title for mempool settings screen" - }, - "recoverbullErrorVaultCreationFailed": "Створення Vault не вдалося, це може бути файл або ключ", - "@recoverbullErrorVaultCreationFailed": { - "description": "Error message when overall vault creation fails" - }, - "bitboxActionSignTransactionProcessing": "Вивіска", - "@bitboxActionSignTransactionProcessing": { - "description": "Processing text for sign transaction" - }, - "sellWalletBalance": "Баланс: {amount}", - "@sellWalletBalance": { - "description": "Shows available balance", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "recoverbullGoogleDriveNoBackupsFound": "Не знайдено резервних копій", - "@recoverbullGoogleDriveNoBackupsFound": { - "description": "Message displayed when no backups are found in Google Drive" - }, - "arkDust": "Пиломатеріали", - "@arkDust": { - "description": "Label for dust amount field" - }, - "dcaConfirmPaymentMethod": "Спосіб оплати", - "@dcaConfirmPaymentMethod": { - "description": "Field label for payment method" - }, - "backupWalletErrorGoogleDriveConnection": "З'єднання з Google Диском", - "@backupWalletErrorGoogleDriveConnection": { - "description": "Error when Google Drive connection fails" - }, - "payEnterInvoice": "Вхід", - "@payEnterInvoice": { - "description": "Placeholder text for invoice input field" - }, - "broadcastSignedTxPasteHint": "Вставити PSBT або транзакцій HEX", - "@broadcastSignedTxPasteHint": { - "description": "Hint text for paste input field" - }, - "testBackupPassphrase": "Проксимус", - "@testBackupPassphrase": { - "description": "Label for optional passphrase field" - }, - "arkSetupEnable": "Увімкнути Ark", - "@arkSetupEnable": { - "description": "Button to enable Ark" - }, - "confirmTransferTitle": "Підтвердження трансферу", - "@confirmTransferTitle": { - "description": "Title for confirmation screen when transferring between wallets" - }, - "payFeeBreakdown": "Fee Покарання", - "@payFeeBreakdown": { - "description": "Section header for detailed fee information" - }, - "sellAmount": "Сума на продаж", - "@sellAmount": { - "description": "Label for Bitcoin amount input" - }, - "ledgerErrorDeviceLocked": "Заблоковано пристрій Ledger. Будь ласка, розблокуйте пристрій і спробуйте знову.", - "@ledgerErrorDeviceLocked": { - "description": "Error message when Ledger device is locked (error code 5515)" - }, - "importQrDeviceSeedsignerStep5": "Виберіть \"Single Sig\", після чого виберіть бажаний тип скрипта (хозо Native Segwit, якщо невірно).", - "@importQrDeviceSeedsignerStep5": { - "description": "SeedSigner instruction step 5" - }, - "recoverbullRecoveryErrorWalletMismatch": "За замовчуванням гаманець вже існує. Ви можете мати один гаманець за замовчуванням.", - "@recoverbullRecoveryErrorWalletMismatch": { - "description": "Error when different default wallet already exists" - }, - "recoverbullErrorInvalidCredentials": "Wrong пароль для цього резервного файлу", - "@recoverbullErrorInvalidCredentials": { - "description": "Error message when wrong password is entered for vault" - }, - "importQrDevicePassportStep11": "Введіть мітку для вашого паспорта гаманця і натисніть \"Імпорт\"", - "@importQrDevicePassportStep11": { - "description": "Passport instruction step 11" - }, - "withdrawBelowMinAmountError": "Ви намагаєтеся виводити нижче мінімальної суми.", - "@withdrawBelowMinAmountError": { - "description": "Error message for amount below minimum during withdraw" - }, - "recoverbullTransactions": "{count}", - "@recoverbullTransactions": { - "description": "Label showing transaction count during vault recovery", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "swapYouPay": "Оплатити", - "@swapYouPay": { - "description": "Label in swap card for payment amount" - }, - "chooseAccessPinTitle": "Виберіть доступ {pinOrPassword}", - "@chooseAccessPinTitle": { - "description": "Title for choosing access PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "importWalletSeedSigner": "НасінняСинер", - "@importWalletSeedSigner": { - "description": "Button label for SeedSigner hardware wallet" - }, - "featureComingSoonTitle": "Характеристика Сходження Незабаром", - "@featureComingSoonTitle": { - "description": "Title for coming soon bottom sheet" - }, - "swapProgressRefundInProgress": "Повернення коштів в Прогрес", - "@swapProgressRefundInProgress": { - "description": "Refund in progress status" - }, - "sendErrorBitcoinWalletRequired": "Біткойн-гаманець повинен бути використаний для блискавки", - "@sendErrorBitcoinWalletRequired": { - "description": "Error when wrong wallet type used for Bitcoin to Lightning swap" - }, - "arkUnifiedAddressCopied": "Єдиний адресний скопійований", - "@arkUnifiedAddressCopied": { - "description": "SnackBar message when unified address is copied to clipboard" - }, - "exchangeDcaCancelDialogCancelButton": "Зареєструватися", - "@exchangeDcaCancelDialogCancelButton": { - "description": "Button label to cancel the DCA cancellation dialog" - }, - "withdrawConfirmPhone": "Зареєструватися", - "@withdrawConfirmPhone": { - "description": "Field label for phone number" - }, - "allSeedViewOldWallets": "Старі Wallets ({count})", - "@allSeedViewOldWallets": { - "description": "Section header for old wallets with count", - "placeholders": { - "count": { - "type": "int", - "format": "decimalPattern" - } - } - }, - "sellOrderPlaced": "Продати замовлення успішно", - "@sellOrderPlaced": { - "description": "Success message after order submission" - }, - "buyInsufficientFundsError": "Недостатні кошти в обліковому записі Bull Bitcoin для завершення цього замовлення.", - "@buyInsufficientFundsError": { - "description": "Error message for insufficient funds during buy" - }, - "ledgerHelpStep4": "Переконайтеся, що ви встановили останню версію додатку Bitcoin від Ledger Live.", - "@ledgerHelpStep4": { - "description": "Fourth troubleshooting step for Ledger connection issues" - }, - "recoverbullPleaseWait": "Будь ласка, почекайте, коли ми встановлюємо безпечне підключення...", - "@recoverbullPleaseWait": { - "description": "Message shown during connection establishment" - }, - "broadcastSignedTxBroadcast": "Радіоканал", - "@broadcastSignedTxBroadcast": { - "description": "Button to broadcast signed transaction" - }, - "lastKnownEncryptedVault": "Останній Знаний Зашифрований {date}", - "@lastKnownEncryptedVault": { - "description": "Label showing last known encrypted vault date", - "placeholders": { - "date": { - "type": "String", - "example": "2025-01-20 15:30:45" - } - } - }, - "fundExchangeInfoTransferCode": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації.", - "@fundExchangeInfoTransferCode": { - "description": "Info card message about transfer code importance" - }, - "hwChooseDevice": "Виберіть апаратний гаманець, який ви хочете підключитися", - "@hwChooseDevice": { - "description": "Instruction text for hardware wallet selection" - }, - "torSettingsConnectionStatus": "Статус на сервери", - "@torSettingsConnectionStatus": { - "description": "Title for connection status card" - }, - "sendErrorInvalidAddressOrInvoice": "Плата за неоплату Bitcoin або Invoice", - "@sendErrorInvalidAddressOrInvoice": { - "description": "Error when payment request is invalid" - }, - "recoverbullRecoveryTitle": "Recoverbull відновлення", - "@recoverbullRecoveryTitle": { - "description": "AppBar title for vault recovery screen" - }, - "broadcastSignedTxScanQR": "Сканування QR-коду з вашого апаратного гаманця", - "@broadcastSignedTxScanQR": { - "description": "Instruction to scan signed PSBT QR code" - }, - "ledgerSuccessSignDescription": "Ви успішно підписалися на Вашу операцію.", - "@ledgerSuccessSignDescription": { - "description": "Success message description after signing transaction with Ledger" - }, - "exchangeSupportChatMessageRequired": "Необхідне повідомлення", - "@exchangeSupportChatMessageRequired": { - "description": "Placeholder text when attachments are present but no message text" - }, - "sendSignWithBitBox": "Підписатися на BitBox", - "@sendSignWithBitBox": { - "description": "Button to sign transaction with BitBox hardware wallet" - }, - "sendSwapRefundInProgress": "Повернення коштів в прогрес", - "@sendSwapRefundInProgress": { - "description": "Title when swap failed and refund is processing" - }, - "exchangeKycLimited": "Об'єм", - "@exchangeKycLimited": { - "description": "Limited KYC level label" - }, - "backupWalletHowToDecideVaultCustomRecommendationText": "ви впевнені, що ви не втратите файл за замовчуванням і він все ще буде доступний, якщо ви втратите свій телефон.", - "@backupWalletHowToDecideVaultCustomRecommendationText": { - "description": "Recommendation text for when to use custom location" - }, - "swapErrorAmountBelowMinimum": "Сума нижче мінімальна сума затиску: {min} сати", - "@swapErrorAmountBelowMinimum": { - "description": "Error shown when amount is below minimum", - "placeholders": { - "min": { - "type": "String" - } - } - }, - "sellTransactionFee": "Плата за транзакції", - "@sellTransactionFee": { - "description": "Label for Bitcoin network fee" - }, - "coldcardStep5": "Якщо у вас є проблеми сканування:", - "@coldcardStep5": { - "description": "Coldcard troubleshooting header" - }, - "buyExpressWithdrawal": "Експрес Зняття", - "@buyExpressWithdrawal": { - "description": "Fast withdrawal option" - }, - "payPaymentConfirmed": "Підтвердження платежу", - "@payPaymentConfirmed": { - "description": "Status message for confirmed payment" - }, - "receiveConfirmed": "Підтвердження", - "@receiveConfirmed": { - "description": "Status when fully confirmed" - }, - "ledgerWalletTypeLegacy": "Поза «69»", - "@ledgerWalletTypeLegacy": { - "description": "Display name for Legacy wallet type (BIP44)" - }, - "sendNormalFee": "Нормативно", - "@sendNormalFee": { - "description": "Standard fee tier" - }, - "importWalletConnectHardware": "Підключіть обладнання Wallet", - "@importWalletConnectHardware": { - "description": "Button to connect hardware wallet" - }, - "importWatchOnlyType": "Тип", - "@importWatchOnlyType": { - "description": "Label for wallet script type field" - }, - "importWalletSectionHardware": "Апаратні гаманці", - "@importWalletSectionHardware": { - "description": "Section header for hardware wallet types" - }, - "connectHardwareWalletDescription": "Виберіть апаратний гаманець, який ви хочете підключитися", - "@connectHardwareWalletDescription": { - "description": "Description text on connect hardware wallet page" - }, - "swapTransferFrom": "Трансфер з", - "@swapTransferFrom": { - "description": "Label for source wallet dropdown" - }, - "errorSharingLogsMessage": "Журнали обміну повідомленнями: {error}", - "@errorSharingLogsMessage": { - "description": "Error message when log sharing fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "torSettingsPortValidationEmpty": "Будь ласка, введіть номер порту", - "@torSettingsPortValidationEmpty": { - "description": "Validation error when port is empty" - }, - "ledgerHelpStep1": "Перезапустіть пристрій Ledger.", - "@ledgerHelpStep1": { - "description": "First troubleshooting step for Ledger connection issues" - }, - "swapAvailableBalance": "Доступний баланс", - "@swapAvailableBalance": { - "description": "Available balance label" - }, - "ledgerConnectingSubtext": "Створення безпечного підключення...", - "@ledgerConnectingSubtext": { - "description": "Subtext shown while connecting to Ledger" - }, - "electrumPrivacyNoticeCancel": "Зареєструватися", - "@electrumPrivacyNoticeCancel": { - "description": "Cancel button in privacy notice dialog" - }, - "recoverbullVaultCreatedSuccess": "Vault створений успішно", - "@recoverbullVaultCreatedSuccess": { - "description": "Success message after vault creation" - }, - "sellMaximumAmount": "Максимальна сума продажу: {amount}", - "@sellMaximumAmount": { - "description": "Error for amount above maximum", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellViewDetailsButton": "Докладніше", - "@sellViewDetailsButton": { - "description": "Button text to view order details" - }, - "receiveGenerateInvoice": "Генерувати інвойси", - "@receiveGenerateInvoice": { - "description": "Button to create Lightning invoice" - }, - "kruxStep8": " - Перемістити червоному лазеру вгору і вниз по QR-коду", - "@kruxStep8": { - "description": "Krux troubleshooting tip 2" - }, - "coreScreensFeeDeductionExplanation": "Це загальна плата, яка відхилена від суми, відправленого", - "@coreScreensFeeDeductionExplanation": { - "description": "Explanation text for fee deduction" - }, - "dcaNetworkValidationError": "Виберіть мережу", - "@dcaNetworkValidationError": { - "description": "Form validation error when no network is selected" - }, - "coldcardStep12": "Натисніть \"Я зробив\" в Гаманець Біткойн.", - "@coldcardStep12": { - "description": "Coldcard instruction to return to app" - }, - "autoswapAlwaysBlockDisabledInfo": "Коли вимкнено, вам буде запропоновано варіант, щоб дозволити автотранспорт, який заблоковано через високі збори", - "@autoswapAlwaysBlockDisabledInfo": { - "description": "Info text when always block is disabled" - }, - "bip85Index": "Індекс: {index}", - "@bip85Index": { - "description": "Shows derivation index", - "placeholders": { - "index": { - "type": "int" - } - } - }, - "broadcastSignedTxPageTitle": "Трансляція підписана угода", - "@broadcastSignedTxPageTitle": { - "description": "Page title for broadcast signed transaction screen" - }, - "importQrDeviceError": "Заборонено імпортувати гаманець", - "@importQrDeviceError": { - "description": "Error message when import fails" - }, - "statusCheckOffline": "Оффлайн", - "@statusCheckOffline": { - "description": "Status text when a service is offline" - }, - "testBackupGoogleDrivePrivacyPart2": "не буде ", - "@testBackupGoogleDrivePrivacyPart2": { - "description": "Second part (emphasized) of privacy message" - }, - "buyOrderNotFoundError": "Не знайдено замовлення. Будь ласка, спробуйте знову.", - "@buyOrderNotFoundError": { - "description": "Error message for order not found during buy" - }, - "backupWalletGoogleDrivePrivacyMessage2": "не буде ", - "@backupWalletGoogleDrivePrivacyMessage2": { - "description": "Second part of privacy message (bold)" - }, - "payAddressRequired": "Обов'язкова інформація", - "@payAddressRequired": { - "description": "Validation error for empty address field" - }, - "arkTransactionDetails": "Деталі транзакції", - "@arkTransactionDetails": { - "description": "AppBar title for transaction details page" - }, - "payTotalAmount": "Загальна кількість", - "@payTotalAmount": { - "description": "Label for sum of all payment amounts" - }, - "autoswapWarningDontShowAgain": "Не показувати цю попередження знову.", - "@autoswapWarningDontShowAgain": { - "description": "Checkbox label for dismissing the autoswap warning" - }, - "sellInsufficientBalance": "Недостатній баланс гаманця", - "@sellInsufficientBalance": { - "description": "Error when wallet lacks funds" - }, - "mempoolCustomServerDeleteMessage": "Ви впевнені, що ви хочете видалити цей користувальницький сервер? Сервер за замовчуванням буде використаний замість.", - "@mempoolCustomServerDeleteMessage": { - "description": "Message for delete custom server confirmation dialog" - }, - "coldcardStep6": " - Збільшення яскравості екрану на вашому пристрої", - "@coldcardStep6": { - "description": "Coldcard troubleshooting tip 1" - }, - "sellCashPickup": "Готівковий пікап", - "@sellCashPickup": { - "description": "Option for in-person cash" - }, - "recoverbullRecoveryErrorKeyDerivationFailed": "Не вдалося відхилити локальну резервну копію ключа.", - "@recoverbullRecoveryErrorKeyDerivationFailed": { - "description": "Error when app fails to derive backup encryption key" - }, - "swapValidationInsufficientBalance": "Недостатній баланс", - "@swapValidationInsufficientBalance": { - "description": "Validation error when amount exceeds wallet balance" - }, - "recoverbullErrorRateLimited": "Тарифи обмежені. Будь ласка, спробуйте знову в {retryIn}", - "@recoverbullErrorRateLimited": { - "description": "Error message when rate limited by the server", - "placeholders": { - "retryIn": { - "type": "String" - } - } - }, - "importWatchOnlyExtendedPublicKey": "Продовжити громадськість Головна", - "@importWatchOnlyExtendedPublicKey": { - "description": "Label for extended public key (xpub/ypub/zpub) display" - }, - "autoswapAlwaysBlock": "Завжди блокувати високі Fees", - "@autoswapAlwaysBlock": { - "description": "Toggle label for always block high fees" - }, - "mempoolNetworkBitcoinMainnet": "Bitcoin у USD", - "@mempoolNetworkBitcoinMainnet": { - "description": "Label for Bitcoin Mainnet network" - }, - "networkFeeLabel": "Партнерство", - "@networkFeeLabel": { - "description": "Breakdown component showing network fee portion" - }, - "recoverbullMemorizeWarning": "Ви повинні запам'ятати цей {inputType} для відновлення доступу до вашого гаманця. Потрібно не менше 6 цифр. Якщо ви втратите це {inputType} ви не можете відновити резервну копію.", - "@recoverbullMemorizeWarning": { - "description": "Warning message about memorizing PIN or password", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "kruxStep15": "Операція буде імпортована в гаманці Bull Bitcoin.", - "@kruxStep15": { - "description": "Krux instruction about import completion" - }, - "fundExchangeETransferLabelSecretQuestion": "Таємне питання", - "@fundExchangeETransferLabelSecretQuestion": { - "description": "Label for E-transfer security question" - }, - "importColdcardButtonPurchase": "Пристрої закупівель", - "@importColdcardButtonPurchase": { - "description": "ImportColdcardQ: Button to navigate to Coinkite store" - }, - "jadeStep15": "Зараз готовий до трансляції! Як тільки ви натиснете трансляцію, операція буде опублікована на мережі Біткойн і будуть відправлені кошти.", - "@jadeStep15": { - "description": "Jade final instruction about broadcasting" - }, - "payActualFee": "Актуальна Fee", - "@payActualFee": { - "description": "Label for actual fee paid after transaction" - }, - "electrumValidateDomain": "Діє домен", - "@electrumValidateDomain": { - "description": "Validate Domain switch label in advanced options" - }, - "importQrDeviceJadeFirmwareWarning": "Переконайтеся, що ваш пристрій оновлено до останньої прошивки", - "@importQrDeviceJadeFirmwareWarning": { - "description": "Warning message to update Jade firmware" - }, - "arkPreconfirmed": "Підтвердження", - "@arkPreconfirmed": { - "description": "Label for preconfirmed balance in Ark balance breakdown" - }, - "recoverbullSelectFileNotSelectedError": "Файл не вибрано", - "@recoverbullSelectFileNotSelectedError": { - "description": "Error when user cancels file selection" - }, - "arkDurationDay": "{days} день", - "@arkDurationDay": { - "description": "Duration format for singular day", - "placeholders": { - "days": { - "type": "String" - } - } - }, - "arkSendButton": "Відправити", - "@arkSendButton": { - "description": "Bottom button to navigate to send page" - }, - "fundExchangeMethodSpeiTransferSubtitle": "Перерахування коштів за допомогою CLABE", - "@fundExchangeMethodSpeiTransferSubtitle": { - "description": "Subtitle for SPEI transfer payment method" - }, - "importQrDeviceJadeStep3": "Дотримуйтесь інструкцій пристрою, щоб розблокувати Jade", - "@importQrDeviceJadeStep3": { - "description": "Jade instruction step 3" - }, - "sendSigningFailed": "Не вдалося", - "@sendSigningFailed": { - "description": "Error during hardware wallet signing" - }, - "bitboxErrorDeviceNotPaired": "Пристрої непаровані. Будь ласка, заповніть процес паріння першим.", - "@bitboxErrorDeviceNotPaired": { - "description": "Error when BitBox device is not paired" - }, - "transferIdLabel": "Трансфер ID", - "@transferIdLabel": { - "description": "Label for swap transfer ID" - }, - "paySelectActiveWallet": "Виберіть гаманець", - "@paySelectActiveWallet": { - "description": "Prompt to choose a wallet" - }, - "arkDurationHours": "{hours} годин", - "@arkDurationHours": { - "description": "Duration format for plural hours", - "placeholders": { - "hours": { - "type": "String" - } - } - }, - "dcaFrequencyHourly": "час", - "@dcaFrequencyHourly": { - "description": "Hourly DCA frequency" - }, - "swapValidationSelectFromWallet": "Будь ласка, виберіть гаманець для перенесення", - "@swapValidationSelectFromWallet": { - "description": "Validation error when no source wallet selected" - }, - "sendSwapInitiated": "Обмін ініціюється", - "@sendSwapInitiated": { - "description": "Title when chain swap begins" - }, - "backupSettingsKeyWarningMessage": "Важливо, що ви не зберігаєте ключ резервного копіювання на одному місці, де ви зберігаєте файл резервного копіювання. Завжди зберігати їх на окремих пристроях або окремих хмарних провайдерах.", - "@backupSettingsKeyWarningMessage": { - "description": "Detailed warning about storing backup key separately" - }, - "recoverbullEnterToTest": "Будь ласка, введіть своє {inputType}, щоб перевірити вашу скриньку.", - "@recoverbullEnterToTest": { - "description": "Instruction to enter PIN or password to test vault recovery", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "fundExchangeHelpBeneficiaryName": "Використовуйте нашу офіційну назву компанії. Не використовуйте \"Bull Bitcoin\".", - "@fundExchangeHelpBeneficiaryName": { - "description": "Help text for beneficiary name field" - }, - "importQrDeviceSpecterStep10": "Введіть етикетку для свого гаманця Specter і натисніть Імпорт", - "@importQrDeviceSpecterStep10": { - "description": "Specter instruction step 10" - }, - "recoverbullSelectVaultSelected": "Вибрані", - "@recoverbullSelectVaultSelected": { - "description": "AppBar title shown after vault has been selected" - }, - "dcaWalletTypeBitcoin": "Біткін (BTC)", - "@dcaWalletTypeBitcoin": { - "description": "Radio button option for Bitcoin wallet" - }, - "payNoPayments": "Ніяких платежів", - "@payNoPayments": { - "description": "Empty state message" - }, - "exchangeDcaActivateTitle": "Активувати продаж", - "@exchangeDcaActivateTitle": { - "description": "Title shown when DCA is inactive and can be activated" - }, - "payLightningInvoice": "Блискавка Invoice", - "@payLightningInvoice": { - "description": "Label indicating invoice type is Lightning Network" - }, - "recoverbullSelectEnterBackupKeyManually": "Введіть ключ Backup вручну >>", - "@recoverbullSelectEnterBackupKeyManually": { - "description": "Button text to manually enter backup key" - }, - "payCoinjoinInProgress": "CoinJoin в прогрес ...", - "@payCoinjoinInProgress": { - "description": "Status during CoinJoin process" - }, - "testBackupAllWordsSelected": "Ви вибрали всі слова", - "@testBackupAllWordsSelected": { - "description": "Message shown when user has selected all 12 words" - }, - "ledgerProcessingImportSubtext": "Налаштування вашого годинникового гаманця ...", - "@ledgerProcessingImportSubtext": { - "description": "Processing subtext shown while importing Ledger wallet" - }, - "arkAmount": "Сума", - "@arkAmount": { - "description": "Label for transaction amount field in details table" - }, - "importQrDeviceSpecterStep1": "Потужність на пристрої Specter", - "@importQrDeviceSpecterStep1": { - "description": "Specter instruction step 1" - }, - "bitboxActionImportWalletTitle": "Імпорт BitBox Wallet", - "@bitboxActionImportWalletTitle": { - "description": "Title for import wallet action" - }, - "backupSettingsError": "Помилка", - "@backupSettingsError": { - "description": "Header text for error message display" - }, - "exchangeFeatureCustomerSupport": "• Чат з підтримкою клієнтів", - "@exchangeFeatureCustomerSupport": { - "description": "Feature bullet point describing customer support chat feature" - }, - "fundExchangeMethodCanadaPost": "Особистий готівковий або дебет в Канаді", - "@fundExchangeMethodCanadaPost": { - "description": "Payment method: In-person at Canada Post" - }, - "payInvoiceDecoded": "Войце декодовано успішно", - "@payInvoiceDecoded": { - "description": "Success message after decoding" - }, - "coreScreensAmountLabel": "Сума", - "@coreScreensAmountLabel": { - "description": "Label for amount field" - }, - "swapTransferRefundInProgressTitle": "Повернення коштів в Прогрес", - "@swapTransferRefundInProgressTitle": { - "description": "Title when swap is being refunded" - }, - "swapYouReceive": "Ви отримуєте", - "@swapYouReceive": { - "description": "Label in swap card for receiving amount" - }, - "recoverbullSelectCustomLocationProvider": "Місцезнаходження", - "@recoverbullSelectCustomLocationProvider": { - "description": "Name label for custom location backup provider option" - }, - "electrumInvalidRetryError": "Інвалідна птиця Кількість: {value}", - "@electrumInvalidRetryError": { - "description": "Error message for invalid Retry Count value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "informationWillNotLeave": "Інформація ", - "@informationWillNotLeave": { - "description": "First part of privacy assurance message" - }, - "backupWalletInstructionSecurityRisk": "Будь-який з доступом до вашого 12 резервного копіювання може вкрасти ваші біткоїни. Приховати його добре.", - "@backupWalletInstructionSecurityRisk": { - "description": "Security warning about protecting backup from theft" - }, - "torSettingsPortNumber": "Номер порту", - "@torSettingsPortNumber": { - "description": "Label for port number input field" - }, - "autoswapWarningTriggerAmount": "Обсяг l2 кешу 0.02 BTC", - "@autoswapWarningTriggerAmount": { - "description": "Trigger amount text shown in the autoswap warning bottom sheet" - }, - "recoverbullErrorCheckStatusFailed": "Не вдалося перевірити статус за замовчуванням", - "@recoverbullErrorCheckStatusFailed": { - "description": "Error message when vault status check fails" - }, - "pleaseWaitFetching": "Будь ласка, почекайте, коли ми фіксуємо файл резервного копіювання.", - "@pleaseWaitFetching": { - "description": "Message asking user to wait while fetching backup" - }, - "backupWalletPhysicalBackupTag": "Бездоганний (забрати час)", - "@backupWalletPhysicalBackupTag": { - "description": "Tag indicating difficulty and trust model for physical backup" - }, - "electrumReset": "Зареєструватися", - "@electrumReset": { - "description": "Reset button label in advanced options" - }, - "arkDate": "Дата", - "@arkDate": { - "description": "Label for transaction date field in details table" - }, - "psbtFlowInstructions": "Інструкції", - "@psbtFlowInstructions": { - "description": "Instructions section header in psbt flow" - }, - "systemLabelExchangeSell": "Продати", - "@systemLabelExchangeSell": { - "description": "System label for exchange sell transactions" - }, - "electrumStopGapNegativeError": "Стоп Gap не може бути негативним", - "@electrumStopGapNegativeError": { - "description": "Validation error for negative Stop Gap value" - }, - "importColdcardInstructionsStep9": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації", - "@importColdcardInstructionsStep9": { - "description": "ImportColdcardQ: Ninth instruction step" - }, - "bitboxScreenTroubleshootingStep1": "Переконайтеся, що у вас є остання прошивка, встановлена на вашому BitBox.", - "@bitboxScreenTroubleshootingStep1": { - "description": "Troubleshooting step 1" - }, - "backupSettingsExportVault": "Експорт Vault", - "@backupSettingsExportVault": { - "description": "Button text to export encrypted vault file" - }, - "bitboxActionUnlockDeviceTitle": "Розблокування пристрою BitBox", - "@bitboxActionUnlockDeviceTitle": { - "description": "Title for unlock device action" - }, - "withdrawRecipientsNewTab": "Новий одержувач", - "@withdrawRecipientsNewTab": { - "description": "Tab label for new recipient" - }, - "autoswapRecipientRequired": "Ім'я *", - "@autoswapRecipientRequired": { - "description": "Required field indicator" - }, - "exchangeLandingFeature4": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком -", - "@exchangeLandingFeature4": { - "description": "Fourth feature bullet point" - }, - "labelDeleteFailed": "Неможливо видалити \"{label}. Будь ласка, спробуйте знову.", - "@labelDeleteFailed": { - "description": "Error message when label deletion fails", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "kruxStep16": "Зараз готовий до трансляції! Як тільки ви натиснете трансляцію, операція буде опублікована на мережі Біткойн і будуть відправлені кошти.", - "@kruxStep16": { - "description": "Krux final instruction about broadcasting" - }, - "recoverbullRecoveryErrorVaultCorrupted": "Вибраний файл резервного копіювання пошкоджений.", - "@recoverbullRecoveryErrorVaultCorrupted": { - "description": "Error when vault backup file cannot be decrypted or is invalid" - }, - "buyVerifyIdentity": "Перевірити ідентичність", - "@buyVerifyIdentity": { - "description": "Button to start KYC process" - }, - "exchangeDcaCancelDialogConfirmButton": "Так, деактивація", - "@exchangeDcaCancelDialogConfirmButton": { - "description": "Button label to confirm DCA deactivation" - }, - "electrumServerUrlHint": "{network} {environment} URL сервера", - "@electrumServerUrlHint": { - "description": "Hint text for server URL input", - "placeholders": { - "network": { - "type": "String" - }, - "environment": { - "type": "String" - } - } - }, - "backupWalletGoogleDrivePermissionWarning": "Google попросить Вас поділитися персональною інформацією з цією програмою.", - "@backupWalletGoogleDrivePermissionWarning": { - "description": "Warning message about Google Drive permission request" - }, - "bitboxScreenVerifyAddressSubtext": "Порівняйте цю адресу з екраном BitBox02", - "@bitboxScreenVerifyAddressSubtext": { - "description": "Subtext when showing address verification" - }, - "importQrDeviceSeedsignerStep9": "Введіть етикетку для свого гаманця SeedSigner та натисніть Імпорт", - "@importQrDeviceSeedsignerStep9": { - "description": "SeedSigner instruction step 9" - }, - "importWatchOnlyScanQR": "Сканування QR", - "@importWatchOnlyScanQR": { - "description": "Button to scan QR code for watch-only import" - }, - "selectAmountTitle": "Оберіть розмір", - "@selectAmountTitle": { - "description": "Title for manual coin selection bottom sheet" - }, - "routeErrorMessage": "Не знайдено", - "@routeErrorMessage": { - "description": "Error message displayed when user navigates to non-existent route" - }, - "connectHardwareWalletPassport": "Паспорт Фундації", - "@connectHardwareWalletPassport": { - "description": "Foundation Passport hardware wallet option" - }, - "autoswapTriggerBalanceError": "Тригерний баланс повинен бути принаймні 2х базовий баланс", - "@autoswapTriggerBalanceError": { - "description": "Validation error shown when trigger balance is less than 2x the base balance" - }, - "payLiquidFee": "Рідкий корм", - "@payLiquidFee": { - "description": "Label for Liquid Network transaction fee" - }, - "autoswapLoadSettingsError": "Переміщення для завантаження параметрів автоматичного затискання", - "@autoswapLoadSettingsError": { - "description": "Error message when loading settings fails" - }, - "broadcastSignedTxReviewTransaction": "Огляд транзакцій", - "@broadcastSignedTxReviewTransaction": { - "description": "Section header for transaction review" - }, - "importQrDeviceKeystoneStep5": "Виберіть опцію BULL гаманця", - "@importQrDeviceKeystoneStep5": { - "description": "Keystone instruction step 5" - }, - "electrumLoadFailedError": "Переміщені на серверах навантаження{reason}", - "@electrumLoadFailedError": { - "description": "Error message when loading servers fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "ledgerVerifyAddressLabel": "Адреса для перевірки:", - "@ledgerVerifyAddressLabel": { - "description": "Label for the address being verified on Ledger" - }, - "backupSettingsTested": "Тестування", - "@backupSettingsTested": { - "description": "Status text shown when backup has been tested" - }, - "jadeStep1": "Увійти на пристрій Jade", - "@jadeStep1": { - "description": "Jade instruction step 1" - }, - "recoverbullSelectDriveBackups": "Приводні резервні копії", - "@recoverbullSelectDriveBackups": { - "description": "AppBar title for screen showing list of Google Drive backups" - }, - "exchangeAuthOk": "ЗАРЕЄСТРУВАТИСЯ", - "@exchangeAuthOk": { - "description": "OK button in error dialog" - }, - "testBackupErrorFailedToFetch": "Надіслане до резервного копіювання: {error}", - "@testBackupErrorFailedToFetch": { - "description": "Error when backup fetch fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "psbtFlowTroubleScanningTitle": "Якщо у вас є проблеми сканування:", - "@psbtFlowTroubleScanningTitle": { - "description": "Header for troubleshooting scanning issues" - }, - "arkReceiveUnifiedCopied": "Єдиний адресний скопійований", - "@arkReceiveUnifiedCopied": { - "description": "Snackbar message when unified address copied" - }, - "importQrDeviceJadeStep9": "Скануйте QR-код, який ви бачите на вашому пристрої.", - "@importQrDeviceJadeStep9": { - "description": "Jade instruction step 9" - }, - "exchangeKycLight": "Світло", - "@exchangeKycLight": { - "description": "Light KYC level label" - }, - "seedsignerInstructionsTitle": "SeedSigner Інструкції", - "@seedsignerInstructionsTitle": { - "description": "Title for SeedSigner signing instructions modal" - }, - "exchangeAmountInputValidationEmpty": "Введіть суму", - "@exchangeAmountInputValidationEmpty": { - "description": "Validation message when amount field is empty" - }, - "bitboxActionPairDeviceProcessingSubtext": "Будь ласка, перевірте код пари на пристрої BitBox ...", - "@bitboxActionPairDeviceProcessingSubtext": { - "description": "Processing subtext for pair device" - }, - "recoverbullKeyServer": "Статус на сервери ", - "@recoverbullKeyServer": { - "description": "Label for key server connection status" - }, - "recoverbullPasswordTooCommon": "Цей пароль занадто поширений. Будь ласка, оберіть інший", - "@recoverbullPasswordTooCommon": { - "description": "Validation error for commonly used passwords" - }, - "arkRedeemButton": "Мали", - "@arkRedeemButton": { - "description": "Confirm button to execute collaborative redeem" - }, - "fundExchangeLabelBeneficiaryAddress": "Адреса отримувача", - "@fundExchangeLabelBeneficiaryAddress": { - "description": "Label for beneficiary address field" - }, - "testBackupVerify": "Видання", - "@testBackupVerify": { - "description": "Button text to verify the selected word order" - }, - "electrumAdvancedOptions": "Додаткові параметри", - "@electrumAdvancedOptions": { - "description": "Advanced options button label" - }, - "autoswapWarningCardSubtitle": "Запуск буде тривати, якщо ваш баланс миттєвих платежів перевищує 0.02 BTC.", - "@autoswapWarningCardSubtitle": { - "description": "Subtitle text shown on the autoswap warning card on home screen" - }, - "dcaFrequencyDaily": "день", - "@dcaFrequencyDaily": { - "description": "Daily DCA frequency" - }, - "payFilterPayments": "Фільтр платежів", - "@payFilterPayments": { - "description": "Button to filter payment list" - }, - "electrumCancel": "Зареєструватися", - "@electrumCancel": { - "description": "Cancel button label in delete dialog" - }, - "bitboxScreenTroubleshootingTitle": "BitBox02 усунення несправностей", - "@bitboxScreenTroubleshootingTitle": { - "description": "Title for troubleshooting instructions" - }, - "broadcastSignedTxPushTxButton": "Кошик", - "@broadcastSignedTxPushTxButton": { - "description": "Button to use PushTx NFC device" - }, - "fundExchangeSelectCountry": "Оберіть країну та спосіб оплати", - "@fundExchangeSelectCountry": { - "description": "Instruction text" - }, - "kruxStep2": "Натисніть кнопку", - "@kruxStep2": { - "description": "Krux instruction step 2" - }, - "importWatchOnlyFingerprint": "Друк", - "@importWatchOnlyFingerprint": { - "description": "Label for wallet fingerprint field" - }, - "dcaViewSettings": "Перегляд налаштувань", - "@dcaViewSettings": { - "description": "Link to view DCA settings" - }, - "withdrawAmountContinue": "Продовжити", - "@withdrawAmountContinue": { - "description": "Continue button on amount screen" - }, - "allSeedViewSecurityWarningMessage": "Відображення слів насіння є ризиком безпеки. Будь-який, хто бачить ваше слово насіння, може отримати доступ до ваших коштів. Переконайтеся, що ви перебуваєте в приватному місці і що ніхто не може бачити ваш екран.", - "@allSeedViewSecurityWarningMessage": { - "description": "Security warning message about displaying seed phrases" - }, - "recoverbullSeeMoreVaults": "Більше снів", - "@recoverbullSeeMoreVaults": { - "description": "Button text to view additional vault options" - }, - "pinProtectionDescription": "Ваш PIN захищає доступ до вашого гаманця та налаштувань. Збережіть його незабутнім.", - "@pinProtectionDescription": { - "description": "Informational text explaining PIN purpose" - }, - "kruxStep5": "Сканування QR-коду, показаного в булл-гаманці", - "@kruxStep5": { - "description": "Krux instruction step 5" - }, - "backupSettingsLabelsButton": "Етикетки", - "@backupSettingsLabelsButton": { - "description": "Button text to manage transaction labels" - }, - "payMediumPriority": "Середній", - "@payMediumPriority": { - "description": "Medium fee priority option" - }, - "dcaHideSettings": "Приховати налаштування", - "@dcaHideSettings": { - "description": "Link to hide DCA settings" - }, - "exchangeDcaCancelDialogMessage": "Зареєструвати тарифний план біткойн-продажу буде припинено, а регулярні покупки будуть завершені. Щоб перезапустити, потрібно налаштувати новий план.", - "@exchangeDcaCancelDialogMessage": { - "description": "Message explaining the consequences of canceling DCA" - }, - "importColdcardInstructionsStep1": "Ввійти до пристрою Coldcard Q", - "@importColdcardInstructionsStep1": { - "description": "ImportColdcardQ: First instruction step" - }, - "payInvoiceTitle": "Оплатити рахунок", - "@payInvoiceTitle": { - "description": "AppBar title for the pay invoice screen" - }, - "swapProgressGoHome": "Головна", - "@swapProgressGoHome": { - "description": "Go home button on progress screen" - }, - "replaceByFeeSatsVbUnit": "сати/ВБ", - "@replaceByFeeSatsVbUnit": { - "description": "Unit label for satoshis per virtual byte" - }, - "coreScreensSendAmountLabel": "Надіслати", - "@coreScreensSendAmountLabel": { - "description": "Label for send amount field" - }, - "backupSettingsRecoverBullSettings": "Реcoverbull", - "@backupSettingsRecoverBullSettings": { - "description": "Button text for Recoverbull" - }, - "fundExchangeLabelBankAddress": "Адреса банку", - "@fundExchangeLabelBankAddress": { - "description": "Label for bank address field" - }, - "exchangeDcaAddressLabelLiquid": "Контакти", - "@exchangeDcaAddressLabelLiquid": { - "description": "Label for Liquid address in DCA settings" - }, - "backupWalletGoogleDrivePrivacyMessage5": "bitcoin у USD.", - "@backupWalletGoogleDrivePrivacyMessage5": { - "description": "Fifth part of privacy message" - }, - "recoverbullSelectQuickAndEasy": "Швидкий і простий", - "@recoverbullSelectQuickAndEasy": { - "description": "Description tag for Google Drive and iCloud provider options" - }, - "backupWalletHowToDecideBackupPhysicalRecommendationText": "Ви впевнені, що ваші можливості оперативної безпеки приховати і зберегти ваші слова насіннєвих.", - "@backupWalletHowToDecideBackupPhysicalRecommendationText": { - "description": "Recommendation text for when to use physical backup" - }, - "bitboxCubitHandshakeFailed": "Не вдалося встановити безпечне з'єднання. Будь ласка, спробуйте знову.", - "@bitboxCubitHandshakeFailed": { - "description": "Error interpretation for handshake failure" - }, - "sendErrorAmountAboveSwapLimits": "Сума вище лімітів закрутки", - "@sendErrorAmountAboveSwapLimits": { - "description": "Error when amount exceeds maximum swap limit" - }, - "backupWalletHowToDecideBackupEncryptedVault": "Зашифрована схованка запобігає вам з тих, хто шукає крадіжку вашої резервної копії. Ви також не зможете втратити резервну копію, оскільки вона буде зберігатися у хмарі. Ми не маємо доступу до вашого біткойн, оскільки пароль шифрування занадто сильний. Існує невелика ймовірність, що веб-сервер, який зберігає ключ шифрування резервної копії. У цьому випадку безпека резервного копіювання у хмарному обліковому записі може бути на ризику.", - "@backupWalletHowToDecideBackupEncryptedVault": { - "description": "Explanation of encrypted vault benefits and risks in decision help modal" - }, - "seedsignerStep11": "Натисніть \"Я зробив\" в Гаманець Біткойн.", - "@seedsignerStep11": { - "description": "SeedSigner instruction to return to app" - }, - "fundExchangeBankTransferSubtitle": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації", - "@fundExchangeBankTransferSubtitle": { - "description": "Bank transfer subtitle" - }, - "recoverbullErrorInvalidVaultFile": "Недійсний файл схову.", - "@recoverbullErrorInvalidVaultFile": { - "description": "Error message when vault file format is invalid" - }, - "sellProcessingOrder": "Порядок обробки.", - "@sellProcessingOrder": { - "description": "Loading message during order submission" - }, - "sellUpdatingRate": "Оновлення курсу обміну...", - "@sellUpdatingRate": { - "description": "Loading message while fetching new rate" - }, - "importQrDeviceKeystoneStep6": "На мобільному пристрої натисніть Open Camera", - "@importQrDeviceKeystoneStep6": { - "description": "Keystone instruction step 6" - }, - "bip85Hex": "ХЕКС", - "@bip85Hex": { - "description": "Label for hex type entropy" - }, - "receiveLightningNetwork": "Освітлення", - "@receiveLightningNetwork": { - "description": "Lightning Network option" - }, - "arkForfeitAddress": "Реєстрація", - "@arkForfeitAddress": { - "description": "Label for forfeit address field" - }, - "swapTransferRefundedTitle": "Повернення коштів", - "@swapTransferRefundedTitle": { - "description": "Title when swap has been refunded" - }, - "bitboxErrorConnectionFailed": "Ввімкніть підключення до пристрою BitBox. Будь ласка, перевірте підключення.", - "@bitboxErrorConnectionFailed": { - "description": "Error when connection to BitBox device fails" - }, - "dcaInsufficientBalanceDescription": "Ви не маєте достатнього балансу для створення цього замовлення.", - "@dcaInsufficientBalanceDescription": { - "description": "InfoCard description explaining insufficient balance error" - }, - "pinButtonContinue": "Продовжити", - "@pinButtonContinue": { - "description": "Button label to proceed after entering new PIN" - }, - "importColdcardSuccess": "Гаманець холодної картки імпортований", - "@importColdcardSuccess": { - "description": "Success message" - }, - "withdrawUnauthenticatedError": "Ви не автентифіковані. Будь ласка, увійдіть, щоб продовжити.", - "@withdrawUnauthenticatedError": { - "description": "Error message for unauthenticated user during withdraw" - }, - "recoverbullTestCompletedTitle": "Випробувано успішно!", - "@recoverbullTestCompletedTitle": { - "description": "Success title after completing backup test" - }, - "arkBtcAddress": "Bitcoin у USD", - "@arkBtcAddress": { - "description": "Label for the Bitcoin address field" - }, - "recoverbullErrorInvalidFlow": "Інвалідний потік", - "@recoverbullErrorInvalidFlow": { - "description": "Error message for invalid operation flow" - }, - "exchangeDcaFrequencyDay": "день", - "@exchangeDcaFrequencyDay": { - "description": "DCA frequency unit: day" - }, - "payBumpFee": "Бампер Фе", - "@payBumpFee": { - "description": "Button to increase fee of pending transaction" - }, - "arkCancelButton": "Зареєструватися", - "@arkCancelButton": { - "description": "Cancel button label in settle bottom sheet" - }, - "bitboxActionImportWalletProcessingSubtext": "Налаштування вашого годинникового гаманця ...", - "@bitboxActionImportWalletProcessingSubtext": { - "description": "Processing subtext for import wallet" - }, - "psbtFlowDone": "Я зробив", - "@psbtFlowDone": { - "description": "Button to complete psbt flow signing process" - }, - "exchangeHomeDepositButton": "Депозити", - "@exchangeHomeDepositButton": { - "description": "Button label for depositing funds to the exchange" - }, - "testBackupRecoverWallet": "Відновлення гаманця", - "@testBackupRecoverWallet": { - "description": "AppBar title for fetched backup info screen" - }, - "fundExchangeMethodSinpeTransferSubtitle": "Трансфер Колони за допомогою SINPE", - "@fundExchangeMethodSinpeTransferSubtitle": { - "description": "Subtitle for SINPE Transfer payment method" - }, - "arkInstantPayments": "Миттєві платежі Ark", - "@arkInstantPayments": { - "description": "Main page title in top bar" - }, - "coreScreensTransferIdLabel": "Трансфер ID", - "@coreScreensTransferIdLabel": { - "description": "Label for transfer ID field" - }, - "anErrorOccurred": "Помилки", - "@anErrorOccurred": { - "description": "Generic error message" - }, - "sellIBAN": "ІБАН", - "@sellIBAN": { - "description": "Label for International Bank Account Number" - }, - "allSeedViewPassphraseLabel": "Пасфрак:", - "@allSeedViewPassphraseLabel": { - "description": "Label for passphrase display" - }, - "dcaBuyingMessage": "Ви купуєте {amount} кожен {frequency} через {network} до тих пір, поки є кошти в обліковому записі.", - "@dcaBuyingMessage": { - "description": "DCA status message", - "placeholders": { - "amount": { - "type": "String" - }, - "frequency": { - "type": "String" - }, - "network": { - "type": "String" - } - } - }, - "exchangeCurrencyDropdownValidation": "Оберіть валюту", - "@exchangeCurrencyDropdownValidation": { - "description": "Validation message when no currency is selected" - }, - "withdrawConfirmTitle": "Підтвердження виведення", - "@withdrawConfirmTitle": { - "description": "Title on confirmation screen" - }, - "importQrDeviceSpecterStep3": "Вкажіть Ваше насіння/під ключ, який будь-який варіант підходить вам)", - "@importQrDeviceSpecterStep3": { - "description": "Specter instruction step 3" - }, - "importMnemonicBalanceLabel": "Баланс: {amount}", - "@importMnemonicBalanceLabel": { - "description": "ImportMnemonic: Balance label with amount in wallet type card", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "recoverbullSelectCustomLocationError": "Вимкнено вибрати файл з індивідуального розташування", - "@recoverbullSelectCustomLocationError": { - "description": "Error when file selection from custom location fails" - }, - "mempoolCustomServerDeleteTitle": "Видалити користувальницький сервер?", - "@mempoolCustomServerDeleteTitle": { - "description": "Title for delete custom server confirmation dialog" - }, - "confirmSendTitle": "Підтвердження", - "@confirmSendTitle": { - "description": "Title for send confirmation screen when sending bitcoin" - }, - "buyKYCLevel1": "Рівень 1 - Базовий", - "@buyKYCLevel1": { - "description": "Basic verification tier" - }, - "sendErrorAmountAboveMaximum": "Кількість вище максимальна кількість ковпачок: {maxLimit} сати", - "@sendErrorAmountAboveMaximum": { - "description": "Error with specific maximum swap amount", - "placeholders": { - "maxLimit": { - "type": "String" - } - } - }, - "importColdcardScanning": "Сканування ...", - "@importColdcardScanning": { - "description": "Status while scanning" - }, - "exchangeLandingFeature1": "Купити Bitcoin прямо на самоктоди", - "@exchangeLandingFeature1": { - "description": "First feature bullet point" - }, - "bitboxCubitPermissionDenied": "Відхилено дозвіл USB. Будь ласка, надайте дозвіл на доступ до пристрою BitBox.", - "@bitboxCubitPermissionDenied": { - "description": "Error interpretation for permission denied" - }, - "swapTransferTo": "Трансфер до", - "@swapTransferTo": { - "description": "Label for destination wallet dropdown" - }, - "bitcoinSettingsMempoolServerTitle": "Налаштування сервера Mempool", - "@bitcoinSettingsMempoolServerTitle": { - "description": "Title for the Mempool server settings section in Bitcoin settings" - }, - "selectCoinsManuallyLabel": "Виберіть монети вручну", - "@selectCoinsManuallyLabel": { - "description": "List tile option to manually select UTXOs" - }, - "psbtFlowSeedSignerTitle": "SeedSigner Інструкції", - "@psbtFlowSeedSignerTitle": { - "description": "Title for SeedSigner device signing instructions" - }, - "appUnlockAttemptSingular": "невдала спроба", - "@appUnlockAttemptSingular": { - "description": "Singular form of 'attempt' for failed unlock attempts" - }, - "importQrDevicePassportStep2": "Введіть Ваш кошик", - "@importQrDevicePassportStep2": { - "description": "Passport instruction step 2" - }, - "recoverbullErrorRecoveryFailed": "Зловживати, щоб відновити спереду", - "@recoverbullErrorRecoveryFailed": { - "description": "Error message when vault recovery fails" - }, - "buyExpressWithdrawalDesc": "Отримати Bitcoin миттєво після оплати", - "@buyExpressWithdrawalDesc": { - "description": "Explanation of express withdrawal feature" - }, - "arkSendRecipientTitle": "Надіслати одержувачу", - "@arkSendRecipientTitle": { - "description": "Title for the ark send recipient page" - }, - "importMnemonicImport": "Імпорт", - "@importMnemonicImport": { - "description": "Button to import selected wallet type" - }, - "recoverbullPasswordTooShort": "Пароль має бути принаймні 6 символів", - "@recoverbullPasswordTooShort": { - "description": "Validation error for passwords under minimum length" - }, - "arkAddressPlaceholder": "ark1qp9wsjfpsj5v5ex022v6 ..", - "@arkAddressPlaceholder": { - "description": "Placeholder text for recipient address input" - }, - "sendBuildFailed": "Не вдалося побудувати операцію", - "@sendBuildFailed": { - "description": "Error during transaction construction" - }, - "paySwapFee": "Обмін Fee", - "@paySwapFee": { - "description": "Label for submarine swap fee" - }, - "arkBoardingConfirmed": "Підтвердження", - "@arkBoardingConfirmed": { - "description": "Label for confirmed boarding balance in Ark balance breakdown" - }, - "broadcastSignedTxTitle": "Трансмісія", - "@broadcastSignedTxTitle": { - "description": "AppBar title for broadcast signed transaction screen" - }, - "backupWalletVaultProviderTakeYourTime": "Зробіть свій час", - "@backupWalletVaultProviderTakeYourTime": { - "description": "Tag for custom location provider" - }, - "arkSettleIncludeRecoverable": "Включіть відновлені vtxos", - "@arkSettleIncludeRecoverable": { - "description": "Toggle label for including recoverable vtxos" - }, - "ledgerWalletTypeSegwitDescription": "Native SegWit - Рекомендований", - "@ledgerWalletTypeSegwitDescription": { - "description": "Description for Segwit wallet type" - }, - "payPaymentFailed": "Не вдалося", - "@payPaymentFailed": { - "description": "Error message when payment fails" - }, - "sendRefundProcessed": "Опрацьовується Ваше повернення.", - "@sendRefundProcessed": { - "description": "Message confirming refund completion" - }, - "exchangeKycCardSubtitle": "Щоб видалити ліміти транзакцій", - "@exchangeKycCardSubtitle": { - "description": "Subtitle explaining why to complete KYC" - }, - "importColdcardInvalidQR": "Invalid Coldcard QR код", - "@importColdcardInvalidQR": { - "description": "Error for invalid QR format" - }, - "testBackupTranscribe": "Тран", - "@testBackupTranscribe": { - "description": "Label with checkmark indicating users should transcribe the phrase" - }, - "sendUnconfirmed": "Підтвердити", - "@sendUnconfirmed": { - "description": "Status for 0-conf UTXO" - }, - "testBackupRetrieveVaultDescription": "Перевірте, щоб переконатися, що ви можете отримати зашифрований за замовчуванням.", - "@testBackupRetrieveVaultDescription": { - "description": "Description explaining purpose of vault location selection" - }, - "electrumStopGap": "Зупинити Gap", - "@electrumStopGap": { - "description": "Stop Gap field label and hint in advanced options" - }, - "payBroadcastingTransaction": "Трансляція транзакцій...", - "@payBroadcastingTransaction": { - "description": "Status message while broadcasting to network" - }, - "bip329LabelsImportButton": "Імпорт етикеток", - "@bip329LabelsImportButton": { - "description": "Button text to import labels" - }, - "arkStatusConfirmed": "Підтвердження", - "@arkStatusConfirmed": { - "description": "Status label for confirmed boarding transactions" - }, - "withdrawConfirmAmount": "Сума", - "@withdrawConfirmAmount": { - "description": "Field label for withdrawal amount" - }, - "labelErrorSystemCannotDelete": "Система не може бути видалена.", - "@labelErrorSystemCannotDelete": { - "description": "Error message when trying to delete a system label" - }, - "copyDialogButton": "Партнерство", - "@copyDialogButton": { - "description": "Button in modal dialog to copy value to clipboard" - }, - "bitboxActionImportWalletProcessing": "Імпорт гаманця", - "@bitboxActionImportWalletProcessing": { - "description": "Processing text for import wallet" - }, - "swapConfirmTransferTitle": "Підтвердження трансферу", - "@swapConfirmTransferTitle": { - "description": "AppBar title on the confirmation page" - }, - "recoverbullSwitchToPIN": "Підібрати PIN замість", - "@recoverbullSwitchToPIN": { - "description": "Button text to switch from password to PIN input" - }, - "electrumServerOffline": "Оффлайн", - "@electrumServerOffline": { - "description": "Status text for offline servers" - }, - "sendTransferFee": "Плата за трансфер", - "@sendTransferFee": { - "description": "Label for total swap transfer fee" - }, - "arkServerPubkey": "Статус на сервери", - "@arkServerPubkey": { - "description": "Label for server public key field" - }, - "testBackupPhysicalBackupDescription": "Написати 12 слів на аркуші паперу. Збережіть їх безпечно і переконайтеся, що не втратити їх.", - "@testBackupPhysicalBackupDescription": { - "description": "Description for physical backup option" - }, - "sendInitiatingSwap": "Ініціюється ковпа ...", - "@sendInitiatingSwap": { - "description": "Loading message during swap setup" - }, - "testBackupErrorIncorrectOrder": "Некоректне слово замовлення. Будь ласка, спробуйте знову.", - "@testBackupErrorIncorrectOrder": { - "description": "Error when words are selected in wrong order" - }, - "importColdcardInstructionsStep6": "Виберіть \"Bull Bitcoin\" як варіант експорту", - "@importColdcardInstructionsStep6": { - "description": "ImportColdcardQ: Sixth instruction step" - }, - "swapValidationSelectToWallet": "Будь ласка, виберіть гаманець для перенесення", - "@swapValidationSelectToWallet": { - "description": "Validation error when no destination wallet selected" - }, - "arkSetupTitle": "Арк Настроювання", - "@arkSetupTitle": { - "description": "AppBar title for Ark setup screen" - }, - "seedsignerStep3": "Сканування QR-коду, показаного в булл-гаманці", - "@seedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, - "sellErrorLoadUtxos": "Надіслане навантаження UTXOs: {error}", - "@sellErrorLoadUtxos": { - "description": "Error message when loading UTXOs fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "payDecodingInvoice": "Випадковий рахунок ...", - "@payDecodingInvoice": { - "description": "Loading message while parsing invoice" - }, - "importColdcardInstructionsStep5": "Виберіть \"Експорт Гаманець\"", - "@importColdcardInstructionsStep5": { - "description": "ImportColdcardQ: Fifth instruction step" - }, - "electrumStopGapTooHighError": "Stop Gap здається занадто високою. {maxStopGap})", - "@electrumStopGapTooHighError": { - "description": "Validation error for Stop Gap exceeding maximum", - "placeholders": { - "maxStopGap": { - "type": "String" - } - } - }, - "electrumTimeoutTooHighError": "Час видається занадто високим. {maxTimeout} секунди)", - "@electrumTimeoutTooHighError": { - "description": "Validation error for Timeout exceeding maximum", - "placeholders": { - "maxTimeout": { - "type": "String" - } - } - }, - "priceChartFetchingHistory": "Історія ціни.", - "@priceChartFetchingHistory": { - "description": "Message shown while fetching price history when no local data is available" - }, - "payFromWallet": "Від Wallet", - "@payFromWallet": { - "description": "Label showing source wallet" - }, - "dcaConfirmRecurringBuyTitle": "Підтвердження Купити", - "@dcaConfirmRecurringBuyTitle": { - "description": "AppBar title for confirmation screen" - }, - "sellBankDetails": "Банк Детальніше", - "@sellBankDetails": { - "description": "Section header for bank account info" - }, - "pinStatusCheckingDescription": "Перевірка стану PIN", - "@pinStatusCheckingDescription": { - "description": "Status screen description during initialization" - }, - "coreScreensConfirmButton": "Підтвердження", - "@coreScreensConfirmButton": { - "description": "Text for confirm button" - }, - "passportStep6": " - Перемістити червоному лазеру вгору і вниз по QR-коду", - "@passportStep6": { - "description": "Passport troubleshooting tip 2" - }, - "importQrDeviceSpecterStep8": "На мобільному пристрої натисніть Open Camera", - "@importQrDeviceSpecterStep8": { - "description": "Specter instruction step 8" - }, - "electrumDragToReorder": "(Довговий прес для перетягування та зміни пріоритету)", - "@electrumDragToReorder": { - "description": "Instruction text for reordering servers" - }, - "keystoneStep4": "Якщо у вас є проблеми сканування:", - "@keystoneStep4": { - "description": "Keystone troubleshooting header" - }, - "autoswapTriggerAtBalanceInfoText": "Autoswap буде викликати, коли ваш баланс над цією кількістю.", - "@autoswapTriggerAtBalanceInfoText": { - "description": "Info text explaining when autoswap will trigger" - }, - "exchangeLandingDisclaimerNotAvailable": "Послуги обміну криптовалют не доступні в додатку Bull Bitcoin.", - "@exchangeLandingDisclaimerNotAvailable": { - "description": "Disclaimer informing users that exchange services are not available in the mobile app" - }, - "sendCustomFeeRate": "Спеціальна ціна", - "@sendCustomFeeRate": { - "description": "Option to manually set fee" - }, - "swapErrorAmountExceedsMaximum": "Сума перевищена максимальна сума затиску", - "@swapErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum swap limit" - }, - "receiveInsufficientInboundLiquidity": "Недостатня вантажопідйомність", - "@receiveInsufficientInboundLiquidity": { - "description": "Error when Lightning channels lack inbound capacity" - }, - "withdrawRecipientsMyTab": "Мій одержувачів", - "@withdrawRecipientsMyTab": { - "description": "Tab label for existing recipients" - }, - "sendFeeRateTooLow": "Платна швидкість занадто низька", - "@sendFeeRateTooLow": { - "description": "Error for insufficient fee" - }, - "exchangeLandingRestriction": "Доступ до обмінних послуг буде обмежений для країн, де Біткойн може легально працювати і може вимагати KYC.", - "@exchangeLandingRestriction": { - "description": "Legal restriction notice" - }, - "payFailedPayments": "В'язниця", - "@payFailedPayments": { - "description": "Filter for failed payments" - }, - "arkToday": "Сьогодні", - "@arkToday": { - "description": "Date label for transactions from today" - }, - "importQrDeviceJadeStep2": "Виберіть \"QR Mode\" з основного меню", - "@importQrDeviceJadeStep2": { - "description": "Jade instruction step 2" - }, - "rbfErrorAlreadyConfirmed": "Підтверджено оригінальну операцію", - "@rbfErrorAlreadyConfirmed": { - "description": "Error when trying to RBF a confirmed transaction" - }, - "psbtFlowMoveBack": "Спробуйте перемістити пристрій назад трохи", - "@psbtFlowMoveBack": { - "description": "Troubleshooting tip to adjust scanning distance" - }, - "swapProgressCompleted": "Трансфер завершено", - "@swapProgressCompleted": { - "description": "Completed transfer status" - }, - "keystoneStep2": "Натисніть сканування", - "@keystoneStep2": { - "description": "Keystone instruction step 2" - }, - "sendErrorSwapCreationFailed": "В'язаний для створення застібки.", - "@sendErrorSwapCreationFailed": { - "description": "Error when swap creation fails" - }, - "arkNoBalanceData": "Немає даних балансу", - "@arkNoBalanceData": { - "description": "Message shown when Ark balance data is not available" - }, - "autoswapWarningCardTitle": "Увімкнення Autoswap.", - "@autoswapWarningCardTitle": { - "description": "Title text shown on the autoswap warning card on home screen" - }, - "autoswapMaxBalance": "Max Миттєвий баланс гаманця", - "@autoswapMaxBalance": { - "description": "Field label for max balance threshold" - }, - "importQrDeviceImport": "Імпорт", - "@importQrDeviceImport": { - "description": "Button to confirm import from QR device" - }, - "importQrDeviceScanPrompt": "Скануйте QR-код {deviceName}", - "@importQrDeviceScanPrompt": { - "description": "Instruction to scan QR from device", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "ledgerWalletTypeLabel": "Тип гаманця:", - "@ledgerWalletTypeLabel": { - "description": "Label for wallet type/script type selection" - }, - "bip85ExperimentalWarning": "Експериментальні\nРезервне копіювання стежок видалення вручну", - "@bip85ExperimentalWarning": { - "description": "Warning message about experimental feature" - }, - "addressViewBalance": "Посилання", - "@addressViewBalance": { - "description": "Label for address balance" - }, - "recoverbullLookingForBalance": "Шукаємо баланс і операції..", - "@recoverbullLookingForBalance": { - "description": "Loading message while scanning wallet" - }, - "recoverbullSelectNoBackupsFound": "Не знайдено резервних копій", - "@recoverbullSelectNoBackupsFound": { - "description": "Empty state message when no backup files found in Google Drive" - }, - "importMnemonicNestedSegwit": "Нескінченний Segwit", - "@importMnemonicNestedSegwit": { - "description": "Label for Nested Segwit (BIP49) wallet type" - }, - "psbtFlowScanQrOption": "Виберіть опцію \"Scan QR\"", - "@psbtFlowScanQrOption": { - "description": "Instruction to select scan QR menu option" - }, - "importQrDeviceSpecterStep9": "Сканування QR-коду, що відображається на вашому Specter", - "@importQrDeviceSpecterStep9": { - "description": "Specter instruction step 9" - }, - "importWatchOnlySelectDerivation": "Виберіть заборгованість", - "@importWatchOnlySelectDerivation": { - "description": "Title for bottom sheet to select wallet derivation type" - }, - "hwPassport": "Паспорт Фундації", - "@hwPassport": { - "description": "Name of Foundation Passport hardware wallet" - }, - "electrumInvalidStopGapError": "Інвалідний стоп {value}", - "@electrumInvalidStopGapError": { - "description": "Error message for invalid Stop Gap value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "dcaFrequencyWeekly": "тиждень", - "@dcaFrequencyWeekly": { - "description": "Weekly DCA frequency" - }, - "fundExchangeMethodRegularSepaSubtitle": "Тільки для збільшення операцій над €20,000", - "@fundExchangeMethodRegularSepaSubtitle": { - "description": "Subtitle for Regular SEPA payment method" - }, - "exchangeLandingDisclaimerLegal": "Доступ до обмінних послуг буде обмежений для країн, де Біткойн може легально працювати і може вимагати KYC.", - "@exchangeLandingDisclaimerLegal": { - "description": "Legal disclaimer about exchange service availability and KYC requirements" - }, - "backupWalletEncryptedVaultTitle": "Зашифрована сорочка", - "@backupWalletEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option" - }, - "mempoolNetworkLiquidMainnet": "Головна", - "@mempoolNetworkLiquidMainnet": { - "description": "Label for Liquid Mainnet network" - }, - "importColdcardButtonOpenCamera": "Відкрийте камеру", - "@importColdcardButtonOpenCamera": { - "description": "ImportColdcardQ: Button to open camera for QR scanning" - }, - "recoverbullReenterRequired": "Завантажити {inputType}", - "@recoverbullReenterRequired": { - "description": "Label for confirmation input field", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "exchangeDcaFrequencyWeek": "тиждень", - "@exchangeDcaFrequencyWeek": { - "description": "DCA frequency unit: week" - }, - "keystoneStep6": " - Перемістити червоному лазеру вгору і вниз по QR-коду", - "@keystoneStep6": { - "description": "Keystone troubleshooting tip 2" - }, - "fundExchangeLabelTransferCode": "Поштовий індекс (за умови оплати)", - "@fundExchangeLabelTransferCode": { - "description": "Label for transfer code field" - }, - "ledgerInstructionsIos": "Переконайтеся, що ваш Ledger розблоковується з підтримкою Bitcoin і Bluetooth.", - "@ledgerInstructionsIos": { - "description": "Connection instructions for iOS devices (Bluetooth only)" - }, - "replaceByFeeScreenTitle": "Замінити платіж", - "@replaceByFeeScreenTitle": { - "description": "Screen title for replace by fee feature" - }, - "arkReceiveCopyAddress": "Статус на сервери", - "@arkReceiveCopyAddress": { - "description": "Copy address button label" - }, - "testBackupErrorWriteFailed": "{error}", - "@testBackupErrorWriteFailed": { - "description": "Error when writing verification status to storage fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "exchangeDcaNetworkLightning": "Мережа Lightning", - "@exchangeDcaNetworkLightning": { - "description": "DCA network option: Lightning" - }, - "exchangeHomeWithdrawButton": "Зняття", - "@exchangeHomeWithdrawButton": { - "description": "Button label for withdrawing funds from the exchange" - }, - "arkSendAmountTitle": "Вхід", - "@arkSendAmountTitle": { - "description": "Title for the ark send amount page" - }, - "addressViewAddress": "Контакти", - "@addressViewAddress": { - "description": "Label for address field" - }, - "payOnChainFee": "На-Чаїн Фе", - "@payOnChainFee": { - "description": "Label for Bitcoin on-chain transaction fee" - }, - "arkReceiveUnifiedAddress": "Єдина адреса (BIP21)", - "@arkReceiveUnifiedAddress": { - "description": "Label for unified BIP21 address" - }, - "payUseCoinjoin": "Використовуйте CoinJoin", - "@payUseCoinjoin": { - "description": "Option to use CoinJoin for privacy" - }, - "autoswapWarningExplanation": "При перевищенні суми запобіжника, запобіжник буде спрацьовуватися. Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації.", - "@autoswapWarningExplanation": { - "description": "Explanation text in the autoswap warning bottom sheet" - }, - "recoverbullVaultRecoveryTitle": "Recoverbull відновлення", - "@recoverbullVaultRecoveryTitle": { - "description": "Title for recoverbull vault recovery screen" - }, - "passportStep14": "Зараз готовий до трансляції! Як тільки ви натиснете трансляцію, операція буде опублікована на мережі Біткойн і будуть відправлені кошти.", - "@passportStep14": { - "description": "Passport final instruction about broadcasting" - }, - "sendSwapDetails": "Обмін подробиці", - "@sendSwapDetails": { - "description": "Section header for swap information" - }, - "psbtFlowSelectSeed": "Після того, як угода була імпортована в {device}, ви повинні вибрати насіння, яке ви хочете зареєструватися.", - "@psbtFlowSelectSeed": { - "description": "Instruction to select seed on device for signing", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "pinStatusLoading": "Завантаження", - "@pinStatusLoading": { - "description": "Status screen title during initialization" - }, - "ledgerSuccessAddressVerified": "Адреса перевірено успішно!", - "@ledgerSuccessAddressVerified": { - "description": "Success snackbar message after address verification" - }, - "arkSettleDescription": "Закінчуйте операції з кредитування та включають відновлювані vtxos, якщо це потрібно", - "@arkSettleDescription": { - "description": "Description explaining what settling transactions does" - }, - "backupWalletHowToDecideVaultCustomRecommendation": "Місцезнаходження: ", - "@backupWalletHowToDecideVaultCustomRecommendation": { - "description": "Bold label for custom location recommendation" - }, - "arkSendSuccessMessage": "Ваша угода Ark була успішною!", - "@arkSendSuccessMessage": { - "description": "Success message shown after Ark send transaction completes" - }, - "electrumInvalidTimeoutError": "Нормативне визначення часу: {value}", - "@electrumInvalidTimeoutError": { - "description": "Error message for invalid Timeout value from backend", - "placeholders": { - "value": { - "type": "String" - } - } - }, - "exchangeKycLevelLimited": "Об'єм", - "@exchangeKycLevelLimited": { - "description": "KYC verification level: Limited" - }, - "withdrawConfirmEmail": "Веб-сайт", - "@withdrawConfirmEmail": { - "description": "Field label for email (Interac)" - }, - "coldcardStep7": " - Перемістити червоному лазеру вгору і вниз по QR-коду", - "@coldcardStep7": { - "description": "Coldcard troubleshooting tip 2" - }, - "sendPaymentWillTakeTime": "Оплата буде приймати час", - "@sendPaymentWillTakeTime": { - "description": "Title warning of delayed payment" - }, - "kruxStep10": "Після того, як угода імпортується в Krux, перевірте адресу призначення і суму.", - "@kruxStep10": { - "description": "Krux instruction for reviewing transaction" - }, - "bitboxErrorHandshakeFailed": "Не вдалося встановити безпечне з'єднання. Будь ласка, спробуйте знову.", - "@bitboxErrorHandshakeFailed": { - "description": "Error when handshake with BitBox device fails" - }, - "sellKYCRequired": "Необхідна перевірка KYC", - "@sellKYCRequired": { - "description": "Error when identity verification needed" - }, - "coldcardStep8": " - Спробуйте перемістити пристрій назад трохи", - "@coldcardStep8": { - "description": "Coldcard troubleshooting tip 3" - }, - "bitboxScreenDefaultWalletLabel": "BitBox Гаманець", - "@bitboxScreenDefaultWalletLabel": { - "description": "Default label for imported BitBox wallet" - }, - "replaceByFeeBroadcastButton": "Радіоканал", - "@replaceByFeeBroadcastButton": { - "description": "Button to broadcast the replacement transaction" - }, - "swapExternalTransferLabel": "Зовнішня передача", - "@swapExternalTransferLabel": { - "description": "Label for external transfer toggle" - }, - "importQrDevicePassportStep4": "Виберіть \"Підключити гаманець\"", - "@importQrDevicePassportStep4": { - "description": "Passport instruction step 4" - }, - "payAddRecipient": "Додати одержувач", - "@payAddRecipient": { - "description": "Button to add another payment recipient" - }, - "recoverbullVaultImportedSuccess": "Ви успішно імпортували", - "@recoverbullVaultImportedSuccess": { - "description": "Success message after vault import" - }, - "confirmAccessPinTitle": "Підтвердження доступу {pinOrPassword}", - "@confirmAccessPinTitle": { - "description": "Title for confirming access PIN or password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "sellErrorUnexpectedOrderType": "Розширений SellOrder, але отримав інший тип замовлення", - "@sellErrorUnexpectedOrderType": { - "description": "Error message when wrong order type is received" - }, - "pinCreateHeadline": "Створення нового штифта", - "@pinCreateHeadline": { - "description": "Headline text on PIN creation screen" - }, - "sellRoutingNumber": "Номер маршрутизації", - "@sellRoutingNumber": { - "description": "Label for bank routing/transit number" - }, - "sellDailyLimitReached": "Щоденне обмеження продажу", - "@sellDailyLimitReached": { - "description": "Error when hitting daily maximum" - }, - "requiredHint": "Потрібні", - "@requiredHint": { - "description": "Placeholder hint for required label field" - }, - "arkUnilateralExitDelay": "Затримка одностороннього виходу", - "@arkUnilateralExitDelay": { - "description": "Label for unilateral exit delay field" - }, - "arkStatusPending": "Закінчення", - "@arkStatusPending": { - "description": "Status label for pending transactions" - }, - "importWatchOnlyXpub": "хаб", - "@importWatchOnlyXpub": { - "description": "Label for xpub import method" - }, - "dcaInsufficientBalanceTitle": "Недостатній баланс", - "@dcaInsufficientBalanceTitle": { - "description": "InfoCard title when user has insufficient funds" - }, - "arkType": "Тип", - "@arkType": { - "description": "Label for transaction type field in details table" - }, - "testBackupGoogleDrivePermission": "Google попросить Вас поділитися персональною інформацією з цією програмою.", - "@testBackupGoogleDrivePermission": { - "description": "Progress screen description explaining Google Drive permission request" - }, - "testBackupErrorUnexpectedSuccess": "Невибагливий успіх: резервне копіювання повинно відповідати існуючому гаманцю", - "@testBackupErrorUnexpectedSuccess": { - "description": "Error for unexpected successful vault restoration" - }, - "coreScreensReceiveAmountLabel": "Отримувати Amount", - "@coreScreensReceiveAmountLabel": { - "description": "Label for receive amount field" - }, - "systemLabelPayjoin": "Офіціант", - "@systemLabelPayjoin": { - "description": "System label for payjoin transactions" - }, - "arkSetupExperimentalWarning": "Арк ще експериментальний.\n\nВаш гаманець Ark виводиться з вашого основного гаманця. Немає додаткового резервного копіювання, ваш існуючий резервний гаманець відновлює ваші кошти Ark.\n\nПродовжуючи визнаєте експериментальну природу Арка і ризик втрати коштів.\n\nЗамітка розробника : секрет Ark походить від основного насіння гаманця за допомогою довільного видалення BIP-85 (index 11811).", - "@arkSetupExperimentalWarning": { - "description": "Ark experimental warning text" - }, - "recoverbullEnterToView": "Будь ласка, введіть {inputType}, щоб переглянути свій ключ за замовчуванням.", - "@recoverbullEnterToView": { - "description": "Instruction to enter PIN or password to view vault key", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "payReviewPayment": "Огляд платежів", - "@payReviewPayment": { - "description": "Title for payment review screen" - }, - "electrumBitcoinSslInfo": "Якщо не вказано протокол, ssl буде використовуватися за замовчуванням.", - "@electrumBitcoinSslInfo": { - "description": "Info text for Bitcoin server protocol" - }, - "buyKYCLevel3": "Рівень 3 - Повний", - "@buyKYCLevel3": { - "description": "Full verification tier" - }, - "appStartupErrorMessageNoBackup": "На v5.4.0 критична помилка була виявлена в одному з наших залежностей, які впливають на зберігання приватного ключа. Ваш додаток був уражений цим. Зв'язатися з нашою командою підтримки.", - "@appStartupErrorMessageNoBackup": { - "description": "Error message shown when app startup fails due to seed storage issue and user has no backup" - }, - "keystoneStep8": "Після того, як угода була імпортована у Keystone, перевірте адресу призначення та суму.", - "@keystoneStep8": { - "description": "Keystone instruction for reviewing transaction" - }, - "psbtFlowSpecterTitle": "Інструкція Specter", - "@psbtFlowSpecterTitle": { - "description": "Title for Specter device signing instructions" - }, - "importMnemonicChecking": "Перевірити...", - "@importMnemonicChecking": { - "description": "Status while checking wallet type" - }, - "sendConnectDevice": "Підключення пристрою", - "@sendConnectDevice": { - "description": "Prompt to plug in hardware wallet" - }, - "connectHardwareWalletSeedSigner": "НасінняСинер", - "@connectHardwareWalletSeedSigner": { - "description": "SeedSigner hardware wallet option" - }, - "importQrDevicePassportStep7": "Виберіть \"QR Code\"", - "@importQrDevicePassportStep7": { - "description": "Passport instruction step 7" - }, - "delete": "Видалення", - "@delete": { - "description": "Generic delete button label" - }, - "connectingToKeyServer": "Підключення до Key Server над Tor.\nЦе може прийняти до хвилини.", - "@connectingToKeyServer": { - "description": "Message shown while connecting to key server via Tor" - }, - "bitboxErrorDeviceNotFound": "Пристрій BitBox не знайдено.", - "@bitboxErrorDeviceNotFound": { - "description": "Error when BitBox device cannot be found" - }, - "ledgerScanningMessage": "Шукайте пристрої Ledger поблизу...", - "@ledgerScanningMessage": { - "description": "Message shown while scanning for Ledger devices" - }, - "tryAgainButton": "Зареєструватися", - "@tryAgainButton": { - "description": "Default button text for error state" - }, - "psbtFlowHoldSteady": "Утриманий QR-код, стійкий до центру", - "@psbtFlowHoldSteady": { - "description": "Troubleshooting tip to hold QR code still" - }, - "swapConfirmTitle": "Підтвердження трансферу", - "@swapConfirmTitle": { - "description": "AppBar title for swap confirmation screen" - }, - "testBackupGoogleDrivePrivacyPart1": "Інформація ", - "@testBackupGoogleDrivePrivacyPart1": { - "description": "First part of privacy message" - }, - "connectHardwareWalletKeystone": "Головна", - "@connectHardwareWalletKeystone": { - "description": "Keystone hardware wallet option" - }, - "importWalletTitle": "Додати новий гаманець", - "@importWalletTitle": { - "description": "AppBar title for wallet import selection screen" - }, - "mempoolSettingsDefaultServer": "Статус на сервери", - "@mempoolSettingsDefaultServer": { - "description": "Label for default mempool server section" - }, - "swapToLabel": "До", - "@swapToLabel": { - "description": "Label for destination wallet dropdown or address input" - }, - "sendSignatureReceived": "Отримали підпис", - "@sendSignatureReceived": { - "description": "Success after hardware wallet signs" - }, - "recoverbullGoogleDriveErrorExportFailed": "Заборонено експортувати сховище з Google Drive", - "@recoverbullGoogleDriveErrorExportFailed": { - "description": "Error message when exporting a drive backup fails" - }, - "exchangeKycLevelLight": "Світло", - "@exchangeKycLevelLight": { - "description": "KYC verification level: Light" - }, - "bip329LabelsExportSuccess": "{count, plural, =1{1 етикетка експортована} other{{count} етикеток експортовано}}", - "@bip329LabelsExportSuccess": { - "description": "Success message after exporting labels", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "fundExchangeMethodOnlineBillPaymentSubtitle": "Найменший варіант, але можна зробити через онлайн-банкінг (3-4 робочих днів)", - "@fundExchangeMethodOnlineBillPaymentSubtitle": { - "description": "Subtitle for Online Bill Payment method" - }, - "payEnableRBF": "Увімкнути RBF", - "@payEnableRBF": { - "description": "Checkbox to enable Replace-By-Fee" - }, - "importQrDeviceInvalidQR": "Неточний QR-код", - "@importQrDeviceInvalidQR": { - "description": "Error for invalid QR code format" - }, - "addressViewShowQR": "Показати QR-код", - "@addressViewShowQR": { - "description": "Button to display address as QR code" - }, - "testBackupVaultSuccessMessage": "Ви успішно імпортували", - "@testBackupVaultSuccessMessage": { - "description": "Success message after vault is imported" - }, - "exchangeSupportChatInputHint": "Тип повідомлення...", - "@exchangeSupportChatInputHint": { - "description": "Placeholder text for the message input field" - }, - "electrumTestnet": "Тестування", - "@electrumTestnet": { - "description": "Testnet environment label" - }, - "mempoolCustomServerAdd": "Додати користувальницький сервер", - "@mempoolCustomServerAdd": { - "description": "Button text to add custom mempool server" - }, - "sendHighFeeWarningDescription": "Сумарний збір {feePercent}% від суми, яку ви відправили", - "@sendHighFeeWarningDescription": { - "description": "Warning message showing fee as percentage of send amount", - "placeholders": { - "feePercent": { - "type": "String" - } - } - }, - "withdrawConfirmButton": "Підтвердження виведення", - "@withdrawConfirmButton": { - "description": "Button to confirm withdrawal" - }, - "fundExchangeLabelBankAccountDetails": "Деталі банківського рахунку", - "@fundExchangeLabelBankAccountDetails": { - "description": "Label for bank account details field" - }, - "payLiquidAddress": "Рідкий Адреса", - "@payLiquidAddress": { - "description": "Label indicating payment destination is Liquid address" - }, - "sellTotalFees": "Всього коштів", - "@sellTotalFees": { - "description": "Label for sum of all fees" - }, - "importWatchOnlyUnknown": "Невідомо", - "@importWatchOnlyUnknown": { - "description": "Default value when signing device is unknown" - }, - "bitboxScreenNestedSegwitBip49": "Нестередний Segwit (BIP49)", - "@bitboxScreenNestedSegwitBip49": { - "description": "Script type display name for BIP49" - }, - "importColdcardInstructionsStep8": "Сканування QR-коду, що відображається на вашому пристрої Coldcard Q", - "@importColdcardInstructionsStep8": { - "description": "ImportColdcardQ: Eighth instruction step" - }, - "dcaSuccessMessageMonthly": "Купити {amount} щомісяця", - "@dcaSuccessMessageMonthly": { - "description": "Success message for monthly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sendSelectedCoins": "{count} монети вибрані", - "@sendSelectedCoins": { - "description": "Label showing number of UTXOs selected", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "rbfErrorNoFeeRate": "Оберіть тариф", - "@rbfErrorNoFeeRate": { - "description": "Error when no fee rate is selected" - }, - "backupWalletGoogleDrivePrivacyMessage1": "Інформація ", - "@backupWalletGoogleDrivePrivacyMessage1": { - "description": "First part of privacy message about Google Drive data" - }, - "labelErrorUnsupportedType": "Цей тип {type} не підтримується", - "@labelErrorUnsupportedType": { - "description": "Error message when label type is not supported", - "placeholders": { - "type": { - "type": "String" - } - } - }, - "paySatsPerByte": "{sats} sat/vB", - "@paySatsPerByte": { - "description": "Fee rate format", - "placeholders": { - "sats": { - "type": "String" - } - } - }, - "dcaConfirmNetworkLightning": "Освітлення", - "@dcaConfirmNetworkLightning": { - "description": "Lightning network label" - }, - "ledgerDefaultWalletLabel": "Ledger гаманець", - "@ledgerDefaultWalletLabel": { - "description": "Default label for imported Ledger wallet" - }, - "importWalletSpecter": "Спектр", - "@importWalletSpecter": { - "description": "Button label for Specter hardware wallet" - }, - "customLocationProvider": "Місцезнаходження", - "@customLocationProvider": { - "description": "Name of custom location provider" - }, - "dcaSelectFrequencyLabel": "Виберіть частоту", - "@dcaSelectFrequencyLabel": { - "description": "Label above frequency selection radio buttons" - }, - "autoswapSave": "Зберегти", - "@autoswapSave": { - "description": "Save button label" - }, - "swapGoHomeButton": "Головна", - "@swapGoHomeButton": { - "description": "Button to return home from progress page" - }, - "sendFeeRateTooHigh": "Витрата здається дуже високою", - "@sendFeeRateTooHigh": { - "description": "Warning for excessive fee" - }, - "ledgerHelpStep2": "Ми впевнені, що ваш телефон перетворився на Bluetooth.", - "@ledgerHelpStep2": { - "description": "Second troubleshooting step for Ledger connection issues" - }, - "fundExchangeFundAccount": "Оберіть Ваш рахунок", - "@fundExchangeFundAccount": { - "description": "Main heading on funding screen" - }, - "dcaEnterLightningAddressLabel": "Вхід Lightning Адреса", - "@dcaEnterLightningAddressLabel": { - "description": "Label for Lightning address text input field" - }, - "statusCheckOnline": "Інтернет", - "@statusCheckOnline": { - "description": "Status text when a service is online" - }, - "exchangeAmountInputTitle": "Вхід", - "@exchangeAmountInputTitle": { - "description": "Title for the amount input field" - }, - "electrumCloseTooltip": "Закрити", - "@electrumCloseTooltip": { - "description": "Close button tooltip" - }, - "sendCoinConfirmations": "{count} підтвердження", - "@sendCoinConfirmations": { - "description": "Label for UTXO confirmation count", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "importMnemonicTransactionsLabel": "{count}", - "@importMnemonicTransactionsLabel": { - "description": "ImportMnemonic: Transactions label with count in wallet type card", - "placeholders": { - "count": { - "type": "String" - } - } - }, - "autoswapAlwaysBlockInfoEnabled": "При включенні автоперевезення з комісією над встановленим лімітом завжди буде заблоковано", - "@autoswapAlwaysBlockInfoEnabled": { - "description": "Help text when always block is enabled" - }, - "importMnemonicSelectScriptType": "Імпортний мнемічний", - "@importMnemonicSelectScriptType": { - "description": "AppBar title for script type selection" - }, - "recoverbullConnectingTor": "Підключення до Key Server над Tor.\nЦе може прийняти до хвилини.", - "@recoverbullConnectingTor": { - "description": "Message shown while establishing Tor connection" - }, - "recoverbullEnterVaultKeyInstead": "Введіть ключ vault замість", - "@recoverbullEnterVaultKeyInstead": { - "description": "Button text to switch to manual vault key entry" - }, - "arkAboutDustValue": "{dust} SATS", - "@arkAboutDustValue": { - "description": "Dust value format", - "placeholders": { - "dust": { - "type": "int" - } - } - }, - "keystoneStep5": " - Збільшення яскравості екрану на вашому пристрої", - "@keystoneStep5": { - "description": "Keystone troubleshooting tip 1" - }, - "importMnemonicEmpty": "Зручність", - "@importMnemonicEmpty": { - "description": "Status for wallet type with no transactions" - }, - "electrumBitcoinServerInfo": "Адреса сервера в форматі: host:port (наприклад, приклад.com:50001)", - "@electrumBitcoinServerInfo": { - "description": "Info text for Bitcoin server URL format" - }, - "recoverbullErrorServiceUnavailable": "Сервіс 0 Будь ласка, перевірте підключення.", - "@recoverbullErrorServiceUnavailable": { - "description": "Error message when key server service is unavailable" - }, - "arkSettleTitle": "Шахрайські операції", - "@arkSettleTitle": { - "description": "Settle bottom sheet title" - }, - "sendErrorInsufficientBalanceForSwap": "Чи не достатньо балансу для оплати за допомогою Рідини і не в межах обмежених обмежень для оплати через Біткойн.", - "@sendErrorInsufficientBalanceForSwap": { - "description": "Error when balance insufficient for swap through either network" - }, - "psbtFlowJadeTitle": "Блокстрім Jade PSBT Інструкції", - "@psbtFlowJadeTitle": { - "description": "Title for Blockstream Jade PSBT signing instructions" - }, - "torSettingsDescUnknown": "Неможливо визначити Статус на сервери Забезпечити Orbot встановлюється і працює.", - "@torSettingsDescUnknown": { - "description": "Description when Tor status is unknown" - }, - "importQrDeviceKeystoneStep8": "Введіть етикетку для вашого гаманця Keystone та натисніть Імпорт", - "@importQrDeviceKeystoneStep8": { - "description": "Keystone instruction step 8" - }, - "dcaContinueButton": "Продовжити", - "@dcaContinueButton": { - "description": "Button label to proceed to next step in DCA flow" - }, - "buyStandardWithdrawalDesc": "Отримуйте Біткойн після сплати очистки (1-3 днів)", - "@buyStandardWithdrawalDesc": { - "description": "Explanation of standard withdrawal timing" - }, - "psbtFlowColdcardTitle": "Coldcard Q Інструкції", - "@psbtFlowColdcardTitle": { - "description": "Title for Coldcard Q device signing instructions" - }, - "payToAddress": "Адреса", - "@payToAddress": { - "description": "Label showing destination address" - }, - "coreScreensNetworkFeesLabel": "Мережеві збори", - "@coreScreensNetworkFeesLabel": { - "description": "Label for network fees field" - }, - "kruxStep9": " - Спробуйте перемістити пристрій назад трохи", - "@kruxStep9": { - "description": "Krux troubleshooting tip 3" - }, - "sendReceiveNetworkFee": "Отримувати Мережі", - "@sendReceiveNetworkFee": { - "description": "Label for network fee on receive side" - }, - "arkTxPayment": "Оплата", - "@arkTxPayment": { - "description": "Transaction type label for Ark payment transactions" - }, - "importQrDeviceSeedsignerStep6": "Виберіть \"Воронь\" як варіант експорту", - "@importQrDeviceSeedsignerStep6": { - "description": "SeedSigner instruction step 6" - }, - "swapValidationMaximumAmount": "Максимальна сума {amount} {currency}", - "@swapValidationMaximumAmount": { - "description": "Validation error when amount exceeds maximum", - "placeholders": { - "amount": { - "type": "String" - }, - "currency": { - "type": "String" - } - } - }, - "fundExchangeETransferLabelBeneficiaryName": "Використовуйте це як доменне ім'я E-transfer", - "@fundExchangeETransferLabelBeneficiaryName": { - "description": "Label for E-transfer beneficiary name" - }, - "backupWalletErrorFileSystemPath": "Не вдалося вибрати шлях файлової системи", - "@backupWalletErrorFileSystemPath": { - "description": "Error when file system path selection fails" - }, - "electrumServerNotUsed": "Не використовується", - "@electrumServerNotUsed": { - "description": "Status text for disabled servers" - }, - "backupWalletHowToDecideBackupPhysicalRecommendation": "Фізична резервна копія: ", - "@backupWalletHowToDecideBackupPhysicalRecommendation": { - "description": "Bold label for physical backup recommendation" - }, - "receiveRequestInboundLiquidity": "Запит Отримання ємності", - "@receiveRequestInboundLiquidity": { - "description": "Button to open channel for receiving" - }, - "backupWalletHowToDecideBackupMoreInfo": "Відвідайте rebull.com для отримання додаткової інформації.", - "@backupWalletHowToDecideBackupMoreInfo": { - "description": "Link text to external resource" - }, - "walletAutoTransferBlockedMessage": "Спогади про передачу {amount} BTC. Поточна комісія {currentFee}% від суми переказу та порогу винагороди встановлюється на {thresholdFee}%", - "@walletAutoTransferBlockedMessage": { - "description": "Message explaining why auto-transfer was blocked", - "placeholders": { - "amount": { - "type": "String" - }, - "currentFee": { - "type": "String" - }, - "thresholdFee": { - "type": "String" - } - } - }, - "kruxStep11": "Натисніть кнопку, щоб зареєструвати операцію на сайті Krux.", - "@kruxStep11": { - "description": "Krux instruction for signing" - }, - "exchangeSupportChatEmptyState": "Немає повідомлень. Почати розмову!", - "@exchangeSupportChatEmptyState": { - "description": "Message shown when there are no chat messages" - }, - "electrumRetryCountEmptyError": "Рятівний граф не може бути порожнім", - "@electrumRetryCountEmptyError": { - "description": "Validation error for empty Retry Count field" - }, - "ledgerErrorBitcoinAppNotOpen": "Будь ласка, відкрийте додаток Bitcoin на пристрої Ledger і спробуйте знову.", - "@ledgerErrorBitcoinAppNotOpen": { - "description": "Error message when Bitcoin app is not open on Ledger (error codes 6e01, 6a87, 6d02, 6511, 6e00)" - }, - "arkIncludeRecoverableVtxos": "Включіть відновлені vtxos", - "@arkIncludeRecoverableVtxos": { - "description": "Label for toggle switch to include recoverable vtxos when settling" - }, - "recoverbullConnecting": "Підключення", - "@recoverbullConnecting": { - "description": "Status label indicating connection in progress" - }, - "swapExternalAddressHint": "Введіть адресу зовнішнього гаманця", - "@swapExternalAddressHint": { - "description": "Hint text for external address input" - }, - "torSettingsDescConnecting": "Створення Тор підключення", - "@torSettingsDescConnecting": { - "description": "Description when Tor is connecting" - }, - "ledgerWalletTypeLegacyDescription": "P2PKH - Старший формат", - "@ledgerWalletTypeLegacyDescription": { - "description": "Description for Legacy wallet type" - }, - "dcaConfirmationDescription": "Купити замовлення будуть розміщені автоматично на ці налаштування. Ви можете відключити їх в будь-який час.", - "@dcaConfirmationDescription": { - "description": "Explanation text at the top of confirmation screen" - }, - "appleICloudProvider": "Яблуко iCloud", - "@appleICloudProvider": { - "description": "Name of Apple iCloud provider" - }, - "arkReceiveTitle": "Ark Отримати", - "@arkReceiveTitle": { - "description": "AppBar title for Ark receive screen" - }, - "backupWalletHowToDecideBackupEncryptedRecommendation": "Зашифрована сорочка: ", - "@backupWalletHowToDecideBackupEncryptedRecommendation": { - "description": "Bold label for encrypted vault recommendation" - }, - "seedsignerStep9": "Огляд адреси призначення та суми, а також підтвердження реєстрації на вашому SeedSigner.", - "@seedsignerStep9": { - "description": "SeedSigner instruction for reviewing and signing" - }, - "logoutButton": "Зареєструватися", - "@logoutButton": { - "description": "Button to confirm logout action" - }, - "payReplaceByFee": "Заміна-By-Fee (RBF)", - "@payReplaceByFee": { - "description": "Label for RBF feature" - }, - "pinButtonCreate": "Створення PIN", - "@pinButtonCreate": { - "description": "Button label when no PIN exists" - }, - "exchangeFeatureSelfCustody": "• Купити Біткойн прямо на самоктоди", - "@exchangeFeatureSelfCustody": { - "description": "Feature bullet point describing self-custody Bitcoin purchases" - }, - "arkBoardingUnconfirmed": "Посадка Непідтверджена", - "@arkBoardingUnconfirmed": { - "description": "Label for unconfirmed boarding balance in Ark balance breakdown" - }, - "payAmountTooHigh": "Сума перевищує максимальну кількість", - "@payAmountTooHigh": { - "description": "Error when payment amount exceeds maximum allowed" - }, - "dcaConfirmPaymentBalance": "{currency} баланс", - "@dcaConfirmPaymentBalance": { - "description": "Payment method balance format", - "placeholders": { - "currency": { - "type": "String" - } - } - }, - "torSettingsPortValidationInvalid": "Введіть дійсний номер", - "@torSettingsPortValidationInvalid": { - "description": "Validation error when port is not a valid number" - }, - "sellBankTransfer": "Банківський переказ", - "@sellBankTransfer": { - "description": "Option for bank deposit" - }, - "importQrDeviceSeedsignerStep3": "Скануйте SeedQR або введіть фразу 12- або 24- фразу", - "@importQrDeviceSeedsignerStep3": { - "description": "SeedSigner instruction step 3" - }, - "replaceByFeeFastestTitle": "Швидке", - "@replaceByFeeFastestTitle": { - "description": "Title for fastest fee option" - }, - "exchangeKycRemoveLimits": "Щоб видалити ліміти транзакцій", - "@exchangeKycRemoveLimits": { - "description": "KYC card subtitle" - }, - "autoswapMaxBalanceInfoText": "Коли баланс гаманця перевищує подвійну цю суму, автотранспортер запускає зниження балансу на цей рівень", - "@autoswapMaxBalanceInfoText": { - "description": "Help text explaining how the max balance threshold works" - }, - "sellSendPaymentBelowMin": "Ви хочете продати нижче мінімальної суми, яку можна продати з цим гаманець.", - "@sellSendPaymentBelowMin": { - "description": "Below min amount error" - }, - "dcaWalletSelectionDescription": "Біткіні покупки будуть розміщені автоматично за цей графік.", - "@dcaWalletSelectionDescription": { - "description": "Explanation text at the top of wallet selection screen" - }, - "sendTypeSend": "Відправити", - "@sendTypeSend": { - "description": "Send type name for Bitcoin/Liquid transactions" - }, - "payFeeBumpSuccessful": "Фей Бампер успішним", - "@payFeeBumpSuccessful": { - "description": "Success message after fee bump" - }, - "importQrDeviceKruxStep1": "Увімкніть пристрій Krux", - "@importQrDeviceKruxStep1": { - "description": "Krux instruction step 1" - }, - "recoverbullSelectAppleIcloud": "Яблуко iCloud", - "@recoverbullSelectAppleIcloud": { - "description": "Name label for Apple iCloud backup provider option" - }, - "dcaAddressLightning": "Адреса блискавки", - "@dcaAddressLightning": { - "description": "Lightning address label" - }, - "keystoneStep13": "Операція буде імпортована в гаманці Bull Bitcoin.", - "@keystoneStep13": { - "description": "Keystone instruction about import completion" - }, - "receiveGenerationFailed": "Вимкнено для створення {type}", - "@receiveGenerationFailed": { - "description": "Error when address/invoice generation fails", - "placeholders": { - "type": { - "type": "String" - } - } - }, - "withdrawRecipientsNoRecipients": "Не знайдено одержувачів для виведення.", - "@withdrawRecipientsNoRecipients": { - "description": "Empty state message" - }, - "importQrDeviceSpecterStep4": "Дотримуйтесь запитань щодо обраного способу", - "@importQrDeviceSpecterStep4": { - "description": "Specter instruction step 4" - }, - "importWalletImportWatchOnly": "Імпорт годинник", - "@importWalletImportWatchOnly": { - "description": "Button to import watch-only wallet" - }, - "coldcardStep9": "Після того, як угода була імпортована в холодильнику, перевірте адресу призначення і суму.", - "@coldcardStep9": { - "description": "Coldcard instruction for reviewing transaction" - }, - "sendErrorArkExperimentalOnly": "Від експериментальної функції Ark доступні платіжні запити ARK.", - "@sendErrorArkExperimentalOnly": { - "description": "Error when ARK payment is attempted without experimental feature enabled" - }, - "exchangeKycComplete": "Завершіть КИЇВ", - "@exchangeKycComplete": { - "description": "KYC card title" - }, - "sellBitcoinPriceLabel": "Ціна Bitcoin", - "@sellBitcoinPriceLabel": { - "description": "Label for Bitcoin price display" - }, - "receiveCopyAddress": "Статус на сервери", - "@receiveCopyAddress": { - "description": "Button to copy address to clipboard" - }, - "mempoolNetworkBitcoinTestnet": "Біткойн Testnet", - "@mempoolNetworkBitcoinTestnet": { - "description": "Label for Bitcoin Testnet network" - }, - "passportStep2": "Натисніть кнопку Вхід з QR-кодом", - "@passportStep2": { - "description": "Passport instruction step 2" - }, - "withdrawOwnershipMyAccount": "Це мій обліковий запис", - "@withdrawOwnershipMyAccount": { - "description": "Option indicating the account belongs to the user" - }, - "payAddMemo": "Додати мемо (необов'язково)", - "@payAddMemo": { - "description": "Placeholder for memo input field" - }, - "recoverbullSelectVaultProvider": "Виберіть постачальник Vault", - "@recoverbullSelectVaultProvider": { - "description": "Screen title for vault provider selection" - }, - "replaceByFeeOriginalTransactionTitle": "Оригінальна угода", - "@replaceByFeeOriginalTransactionTitle": { - "description": "Title for original transaction section" - }, - "testBackupPhysicalBackupTag": "Бездоганний (забрати час)", - "@testBackupPhysicalBackupTag": { - "description": "Tag indicating physical backup is trustless but takes longer" - }, - "recoverbullErrorDecryptFailed": "Не вдалося розшифрувати запобіжник", - "@recoverbullErrorDecryptFailed": { - "description": "Error message when vault decryption fails" - }, - "keystoneStep9": "Натисніть кнопку, щоб зареєструвати операцію на вашому пристрої.", - "@keystoneStep9": { - "description": "Keystone instruction for signing" - }, - "totalFeesLabel": "Загальна вартість", - "@totalFeesLabel": { - "description": "Label for total fees in lightning swap" - }, - "importQrDevicePassportStep10": "У додатку BULL гаманця виберіть пункт \"Segwit (BIP84)\" як варіант виведення", - "@importQrDevicePassportStep10": { - "description": "Passport instruction step 10" - }, - "payHighPriority": "Висока якість", - "@payHighPriority": { - "description": "High fee priority option" - }, - "sendFrozenCoin": "Заморожені", - "@sendFrozenCoin": { - "description": "Status for manually frozen UTXO" - }, - "importColdcardInstructionsStep4": "Перевірити, що ваша прошивка оновлена до версії 1.3.4Q", - "@importColdcardInstructionsStep4": { - "description": "ImportColdcardQ: Fourth instruction step" - }, - "psbtFlowKruxTitle": "Krux Інструкції", - "@psbtFlowKruxTitle": { - "description": "Title for Krux device signing instructions" - }, - "recoverbullDecryptVault": "Розшифрування за замовчуванням", - "@recoverbullDecryptVault": { - "description": "Button text to decrypt the selected vault" - }, - "connectHardwareWalletJade": "Блокстрім Jade", - "@connectHardwareWalletJade": { - "description": "Blockstream Jade hardware wallet option" - }, - "autoswapMaxFee": "Макс Трансфер Fee", - "@autoswapMaxFee": { - "description": "Field label for max fee threshold" - }, - "sellReviewOrder": "Огляд Sell Замовити", - "@sellReviewOrder": { - "description": "Title for order confirmation screen" - }, - "payDescription": "Опис", - "@payDescription": { - "description": "Label for payment description/memo field" - }, - "sendEnterRelativeFee": "Введіть відносну плату в sats/vB", - "@sendEnterRelativeFee": { - "description": "Placeholder for relative fee rate input field" - }, - "importQrDevicePassportStep1": "Потужність на пристрої Паспорту", - "@importQrDevicePassportStep1": { - "description": "Passport instruction step 1" - }, - "fundExchangeMethodArsBankTransferSubtitle": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації", - "@fundExchangeMethodArsBankTransferSubtitle": { - "description": "Subtitle for Argentina bank transfer payment method" - }, - "fundExchangeBankTransferWireDescription": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації. Введіть номер мобільного, який Ви вказали при укладаннi договору.", - "@fundExchangeBankTransferWireDescription": { - "description": "Description of how to use bank transfer wire method" - }, - "importQrDeviceKeystoneStep7": "Сканування QR-коду, що відображається на вашому пристрої", - "@importQrDeviceKeystoneStep7": { - "description": "Keystone instruction step 7" - }, - "coldcardStep3": "Виберіть параметр \"Зберегти будь-який QR-код\"", - "@coldcardStep3": { - "description": "Coldcard instruction step 3" - }, - "coldcardStep14": "Операція буде імпортована в гаманці Bull Bitcoin.", - "@coldcardStep14": { - "description": "Coldcard instruction about import completion" - }, - "passwordTooCommonError": "Це {pinOrPassword} занадто поширений. Будь ласка, оберіть інший.", - "@passwordTooCommonError": { - "description": "Error message for common password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "importWalletJade": "Блокстрім Jade", - "@importWalletJade": { - "description": "Button label for Blockstream Jade hardware wallet" - }, - "payInvalidInvoice": "Гарантований рахунок", - "@payInvalidInvoice": { - "description": "Error message when invoice format is invalid" - }, - "importQrDeviceButtonOpenCamera": "Відкрийте камеру", - "@importQrDeviceButtonOpenCamera": { - "description": "ImportQrDevice: Button to open camera for QR scanning" - }, - "recoverbullFetchingVaultKey": "Fetching Вейф Головна", - "@recoverbullFetchingVaultKey": { - "description": "Screen title while fetching vault key from server" - }, - "dcaConfirmFrequency": "Кількість", - "@dcaConfirmFrequency": { - "description": "Field label for frequency" - }, - "recoverbullGoogleDriveDeleteVaultTitle": "Видалити Vault", - "@recoverbullGoogleDriveDeleteVaultTitle": { - "description": "Title for delete vault confirmation dialog" - }, - "advancedOptionsTitle": "Додаткові параметри", - "@advancedOptionsTitle": { - "description": "Bottom sheet header/title for advanced sending options" - }, - "dcaConfirmOrderType": "Тип замовлення", - "@dcaConfirmOrderType": { - "description": "Field label for order type" - }, - "recoverbullGoogleDriveErrorDeleteFailed": "Заборонено видалити сховище з Google Диску", - "@recoverbullGoogleDriveErrorDeleteFailed": { - "description": "Error message when deleting a drive backup fails" - }, - "broadcastSignedTxTo": "До", - "@broadcastSignedTxTo": { - "description": "Label for destination address" - }, - "arkAboutDurationDays": "{days} дні", - "@arkAboutDurationDays": { - "description": "Duration format for plural days", - "placeholders": { - "days": { - "type": "int" - } - } - }, - "payPaymentDetails": "Деталі оплати", - "@payPaymentDetails": { - "description": "Section header for payment information" - }, - "bitboxActionVerifyAddressTitle": "Перевірити адресу на BitBox", - "@bitboxActionVerifyAddressTitle": { - "description": "Title for verify address action" - }, - "psbtSignTransaction": "Реєстрація", - "@psbtSignTransaction": { - "description": "AppBar title for PSBT signing screen" - }, - "sellRemainingLimit": "Зменшення сьогодні: {amount}", - "@sellRemainingLimit": { - "description": "Shows remaining daily limit", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "bitboxActionImportWalletSuccess": "Гаманець Імпорт", - "@bitboxActionImportWalletSuccess": { - "description": "Success text for import wallet" - }, - "ledgerSignButton": "Зареєструватися", - "@ledgerSignButton": { - "description": "Button label to start signing transaction with Ledger" - }, - "recoverbullPassword": "Логін", - "@recoverbullPassword": { - "description": "Label for password input type" - }, - "dcaNetworkLiquid": "Мережа рідин", - "@dcaNetworkLiquid": { - "description": "Liquid network label for DCA" - }, - "fundExchangeMethodSinpeTransfer": "Трансфер SINPE", - "@fundExchangeMethodSinpeTransfer": { - "description": "Payment method: SINPE Transfer (Costa Rica)" - }, - "dcaCancelTitle": "Скасувати Bitcoin Recurring Купити?", - "@dcaCancelTitle": { - "description": "Dialog title for DCA cancellation" - }, - "importMnemonicHasBalance": "Має баланс", - "@importMnemonicHasBalance": { - "description": "Status for wallet type with balance" - }, - "dcaLightningAddressEmptyError": "Будь ласка, введіть адресу Lightning", - "@dcaLightningAddressEmptyError": { - "description": "Validation error when Lightning address field is empty" - }, - "googleAppleCloudRecommendationText": "ви хочете переконатися, що ви ніколи не втратите доступ до файлу за замовчуванням, навіть якщо ви втратите ваші пристрої.", - "@googleAppleCloudRecommendationText": { - "description": "Text explaining when to use Google/Apple cloud" - }, - "closeDialogButton": "Закрити", - "@closeDialogButton": { - "description": "Button to close the value display modal dialog" - }, - "jadeStep14": "Операція буде імпортована в гаманці Bull Bitcoin.", - "@jadeStep14": { - "description": "Jade instruction about import completion" - }, - "importColdcardError": "Заборонено імпортувати Coldcard", - "@importColdcardError": { - "description": "Error message" - }, - "customLocationRecommendationText": "ви впевнені, що ви не втратите файл за замовчуванням і він все ще буде доступний, якщо ви втратите свій телефон.", - "@customLocationRecommendationText": { - "description": "Text explaining when to use custom location" - }, - "arkAboutForfeitAddress": "Реєстрація", - "@arkAboutForfeitAddress": { - "description": "Field label for forfeit address" - }, - "kruxStep13": "Натисніть \"Я зробив\" в Гаманець Біткойн.", - "@kruxStep13": { - "description": "Krux instruction to return to app" - }, - "confirmLogoutMessage": "Ви впевнені, що ви хочете увійти з вашого облікового запису Bitcoin Bull? Щоб отримати доступ до функцій обміну.", - "@confirmLogoutMessage": { - "description": "Confirmation message explaining logout consequences" - }, - "dcaSuccessMessageDaily": "Купити {amount} кожен день", - "@dcaSuccessMessageDaily": { - "description": "Success message for daily frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "electrumDeleteFailedError": "Видаліть користувальницький сервер{reason}", - "@electrumDeleteFailedError": { - "description": "Error message when deleting custom server fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "swapInfoBanner": "Трансфер Біткойн безшовно між вашими гаманцями. Тільки тримайте кошти в Миттєвій Платіжній гаманці на день-на добу.", - "@swapInfoBanner": { - "description": "Info banner on swap amount screen" - }, - "payRBFEnabled": "РБФ включено", - "@payRBFEnabled": { - "description": "Status when RBF is enabled" - }, - "takeYourTimeTag": "Зробіть свій час", - "@takeYourTimeTag": { - "description": "Tag for options requiring more time" - }, - "arkAboutDust": "Пиломатеріали", - "@arkAboutDust": { - "description": "Field label for dust amount" - }, - "ledgerSuccessVerifyDescription": "Адреса була перевірена на пристрої Ledger.", - "@ledgerSuccessVerifyDescription": { - "description": "Success message description after verifying address on Ledger" - }, - "bip85Title": "BIP85 Визначення ентропії", - "@bip85Title": { - "description": "AppBar title for BIP85 entropy derivation screen" - }, - "sendSwapTimeout": "Обмін часу", - "@sendSwapTimeout": { - "description": "Error when swap expires" - }, - "networkFeesLabel": "Мережеві збори", - "@networkFeesLabel": { - "description": "Label for network transaction fees in onchain send" - }, - "backupWalletPhysicalBackupDescription": "Написати 12 слів на аркуші паперу. Збережіть їх безпечно і переконайтеся, що не втратити їх.", - "@backupWalletPhysicalBackupDescription": { - "description": "Description of physical backup method" - }, - "sendSwapInProgressBitcoin": "Ведуться ковпа. Біткойн-транзакції можуть зайняти під час підтвердження. Ви можете повернутися додому і чекати.", - "@sendSwapInProgressBitcoin": { - "description": "Message for Bitcoin swap in progress" - }, - "electrumDeleteServerTitle": "Видалити користувальницький сервер", - "@electrumDeleteServerTitle": { - "description": "Delete server dialog title" - }, - "buySelfie": "Селфі з ID", - "@buySelfie": { - "description": "Type of document required" - }, - "arkAboutSecretKey": "Таємний ключ", - "@arkAboutSecretKey": { - "description": "Label for secret key field in about page" - }, - "wordsDropdownSuffix": " слова", - "@wordsDropdownSuffix": { - "description": "Suffix for mnemonic length dropdown" - }, - "arkTxTypeRedeem": "Мали", - "@arkTxTypeRedeem": { - "description": "Transaction type label for redeem transactions" - }, - "backupSettingsKeyWarningBold": "Попередження: Будьте обережні, де ви зберігаєте ключ резервного копіювання.", - "@backupSettingsKeyWarningBold": { - "description": "Bold warning message in backup key warning modal" - }, - "exchangeLandingConnectAccount": "Підключіть свій обліковий запис Біткойн", - "@exchangeLandingConnectAccount": { - "description": "Subtitle text on the exchange landing screen encouraging users to connect" - }, - "importWatchOnlyLabel": "Етикетка", - "@importWatchOnlyLabel": { - "description": "Label for wallet name/label input field" - }, - "dcaWalletLightningSubtitle": "Вимагає сумісний гаманець, макс. 0.25 BTC", - "@dcaWalletLightningSubtitle": { - "description": "Subtitle/description for Lightning wallet option" - }, - "dcaNetworkBitcoin": "Bitcoin мережа", - "@dcaNetworkBitcoin": { - "description": "Bitcoin network label for DCA" - }, - "swapTransferRefundInProgressMessage": "Помилки з переказом. Ваше повернення здійснюється в процесі.", - "@swapTransferRefundInProgressMessage": { - "description": "Message during refund process" - }, - "importQrDevicePassportName": "Паспорт Фундації", - "@importQrDevicePassportName": { - "description": "Name of Foundation Passport device" - }, - "fundExchangeMethodCanadaPostSubtitle": "Найкращі для тих, хто віддає перевагу оплаті", - "@fundExchangeMethodCanadaPostSubtitle": { - "description": "Subtitle for Canada Post payment method" - }, - "importColdcardMultisigPrompt": "Для багатосигових гаманців сканування дескриптора гаманця QR коду", - "@importColdcardMultisigPrompt": { - "description": "Additional instruction for multisig" - }, - "recoverbullConfirmInput": "Підтвердження {inputType}", - "@recoverbullConfirmInput": { - "description": "Label to confirm input (PIN or password)", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "psbtFlowSignTransaction": "Реєстрація", - "@psbtFlowSignTransaction": { - "description": "Title for psbt flow signing screen" - }, - "payAllPayments": "Всі платежі", - "@payAllPayments": { - "description": "Filter option to show all" - }, - "importWatchOnlyZpub": "зоп", - "@importWatchOnlyZpub": { - "description": "Label for zpub import method" - }, - "testBackupNext": "Про нас", - "@testBackupNext": { - "description": "Button to proceed to verification quiz" - }, - "mempoolCustomServerLabel": "КУСТОМ", - "@mempoolCustomServerLabel": { - "description": "Label badge for custom server" - }, - "arkAboutSessionDuration": "Тривалість сеансу", - "@arkAboutSessionDuration": { - "description": "Field label for session duration" - }, - "transferFeeLabel": "Плата за трансфер", - "@transferFeeLabel": { - "description": "Breakdown component showing Boltz transfer fee portion" - }, - "pinValidationError": "PIN повинен бути принаймні {minLength} цифр довго", - "@pinValidationError": { - "description": "Error message when PIN is too short", - "placeholders": { - "minLength": { - "type": "String" - } - } - }, - "dcaOrderTypeValue": "Закупівля", - "@dcaOrderTypeValue": { - "description": "Value for order type" - }, - "ledgerConnectingMessage": "Підключення до {deviceName}", - "@ledgerConnectingMessage": { - "description": "Message shown while connecting to a specific Ledger device", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "torSettingsSaveButton": "Зберегти", - "@torSettingsSaveButton": { - "description": "Save button label for Tor port settings" - }, - "allSeedViewShowSeedsButton": "Показати насіння", - "@allSeedViewShowSeedsButton": { - "description": "Button label to show seed phrases" - }, - "importQrDeviceSpecterInstructionsTitle": "Інструкція Specter", - "@importQrDeviceSpecterInstructionsTitle": { - "description": "Title for Specter setup instructions" - }, - "testBackupScreenshot": "Скріншоти", - "@testBackupScreenshot": { - "description": "Label with X mark warning against taking screenshots" - }, - "dcaSuccessTitle": "Покупка є активним!", - "@dcaSuccessTitle": { - "description": "Success screen title after DCA is activated" - }, - "receiveAwaitingPayment": "Відкликання платежу...", - "@receiveAwaitingPayment": { - "description": "Status while waiting for payment" - }, - "recoverbullGoogleDriveScreenTitle": "Google Диски", - "@recoverbullGoogleDriveScreenTitle": { - "description": "Screen title for Google Drive vaults management" - }, - "receiveQRCode": "QR-код", - "@receiveQRCode": { - "description": "Section header for QR code display" - }, - "payDecodeFailed": "Заборонено декодувати рахунок", - "@payDecodeFailed": { - "description": "Error when invoice parsing fails" - }, - "arkSendConfirm": "Підтвердження", - "@arkSendConfirm": { - "description": "Confirm button on send screen" - }, - "replaceByFeeErrorTransactionConfirmed": "Підтверджено оригінальну операцію", - "@replaceByFeeErrorTransactionConfirmed": { - "description": "Error message when original transaction is already confirmed" - }, - "rbfErrorFeeTooLow": "Ви повинні збільшити плату за принаймні 1 sat/vbyte порівняно з оригінальною угодою", - "@rbfErrorFeeTooLow": { - "description": "Error when new fee rate is not high enough" - }, - "ledgerErrorMissingDerivationPathSign": "Зняття потрібно для підписання", - "@ledgerErrorMissingDerivationPathSign": { - "description": "Error message when derivation path is missing for signing" - }, - "jadeStep10": "Натисніть кнопку, щоб зареєструвати операцію на Jade.", - "@jadeStep10": { - "description": "Jade instruction for signing" - }, - "arkAboutDurationHour": "{hours} час", - "@arkAboutDurationHour": { - "description": "Duration format for singular hour", - "placeholders": { - "hours": { - "type": "int" - } - } - }, - "bitboxScreenUnknownError": "Невідомі помилки", - "@bitboxScreenUnknownError": { - "description": "Fallback error message" - }, - "electrumPrivacyNoticeTitle": "Повідомлення про конфіденційність", - "@electrumPrivacyNoticeTitle": { - "description": "Title for privacy notice bottom sheet" - }, - "payOpenChannelRequired": "Відкриття телеканалу необхідно для оплати", - "@payOpenChannelRequired": { - "description": "Message indicating a new Lightning channel is needed" - }, - "coldcardStep1": "Ввійти до пристрою Coldcard Q", - "@coldcardStep1": { - "description": "Coldcard instruction step 1" - }, - "arkSendRecipientHint": "ark1qp9wsjfpsj5v5ex022v6 ..", - "@arkSendRecipientHint": { - "description": "Hint text for recipient address field" - }, - "arkRecoverableVtxos": "Відновлений Vtxos", - "@arkRecoverableVtxos": { - "description": "Label for switch to include recoverable vtxos in redeem" - }, - "psbtFlowTransactionImported": "Операція буде імпортована в гаманці Bull Bitcoin.", - "@psbtFlowTransactionImported": { - "description": "Confirmation that transaction was imported successfully" - }, - "testBackupGoogleDriveSignIn": "Ви повинні зареєструватися на Google Диску", - "@testBackupGoogleDriveSignIn": { - "description": "Progress screen title when fetching from Google Drive" - }, - "sendTransactionSignedLedger": "Заява, підписана успішно з Ledger", - "@sendTransactionSignedLedger": { - "description": "Success message after Ledger signing" - }, - "recoverbullRecoveryContinueButton": "Продовжити", - "@recoverbullRecoveryContinueButton": { - "description": "Button text to proceed with importing the wallet" - }, - "payTimeoutError": "Розстрочка платежу. Будь ласка, перевірте статус", - "@payTimeoutError": { - "description": "Error when payment takes too long to complete" - }, - "kruxStep4": "Натисніть завантаження з камери", - "@kruxStep4": { - "description": "Krux instruction step 4" - }, - "bitboxErrorInvalidMagicBytes": "Виявлено неточний формат PSBT.", - "@bitboxErrorInvalidMagicBytes": { - "description": "Error when PSBT has invalid magic bytes" - }, - "sellErrorRecalculateFees": "Плата за перерахунок: {error}", - "@sellErrorRecalculateFees": { - "description": "Error message when fee recalculation fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "dcaSetupFrequencyError": "Виберіть частоту", - "@dcaSetupFrequencyError": { - "description": "Frequency validation error" - }, - "testBackupErrorNoMnemonic": "Немає мнемічних навантажень", - "@testBackupErrorNoMnemonic": { - "description": "Error when mnemonic is not loaded" - }, - "payInvoiceExpired": "Войце розширюється", - "@payInvoiceExpired": { - "description": "Error message when Lightning invoice has expired" - }, - "confirmButtonLabel": "Підтвердження", - "@confirmButtonLabel": { - "description": "Button label to confirm and execute the transaction" - }, - "autoswapMaxFeeInfo": "Якщо сума переказу перевищує встановлений відсоток, автотранспорт буде заблоковано", - "@autoswapMaxFeeInfo": { - "description": "Info tooltip for max fee field" - }, - "importQrDevicePassportStep9": "Сканування QR-коду, що відображається на вашому паспорті", - "@importQrDevicePassportStep9": { - "description": "Passport instruction step 9" - }, - "swapProgressRefundedMessage": "Переказ було припинено.", - "@swapProgressRefundedMessage": { - "description": "Refunded transfer message" - }, - "sendEconomyFee": "Економ", - "@sendEconomyFee": { - "description": "Lowest fee tier" - }, - "exchangeLandingFeature5": "Чат з підтримкою клієнтів", - "@exchangeLandingFeature5": { - "description": "Fifth feature bullet point" - }, - "electrumMainnet": "Головна", - "@electrumMainnet": { - "description": "Mainnet environment label" - }, - "importWalletPassport": "Паспорт Фундації", - "@importWalletPassport": { - "description": "Button label for Foundation Passport hardware wallet" - }, - "buyExpressWithdrawalFee": "Плата за експрес: {amount}", - "@buyExpressWithdrawalFee": { - "description": "Additional fee for instant withdrawal", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sellDailyLimit": "Поточний ліміт: {amount}", - "@sellDailyLimit": { - "description": "Shows maximum daily sell amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "recoverbullConnectionFailed": "Підключення не вдалося", - "@recoverbullConnectionFailed": { - "description": "Status label indicating connection failure" - }, - "sellCurrentRate": "Поточний курс", - "@sellCurrentRate": { - "description": "Label for BTC/fiat exchange rate" - }, - "payAmountTooLow": "Кількість нижче мінімальна", - "@payAmountTooLow": { - "description": "Error when payment amount is below minimum allowed" - }, - "bitboxScreenVerifyOnDevice": "Будь ласка, перевірте цю адресу на пристрої BitBox", - "@bitboxScreenVerifyOnDevice": { - "description": "Instruction to verify address on device" - }, - "ledgerConnectTitle": "Підключення пристрою Ledger", - "@ledgerConnectTitle": { - "description": "Title for initial Ledger connection screen" - }, - "withdrawAmountTitle": "Зняття фіат", - "@withdrawAmountTitle": { - "description": "AppBar title for withdraw amount screen" - }, - "coreScreensServerNetworkFeesLabel": "Статус на сервери", - "@coreScreensServerNetworkFeesLabel": { - "description": "Label for server network fees field" - }, - "dcaFrequencyValidationError": "Виберіть частоту", - "@dcaFrequencyValidationError": { - "description": "Form validation error when no frequency is selected" - }, - "recoverbullVaultSelected": "Вибрані", - "@recoverbullVaultSelected": { - "description": "Screen title after vault has been selected" - }, - "arkBoardingExitDelay": "Затримка виходу", - "@arkBoardingExitDelay": { - "description": "Label for boarding exit delay field" - }, - "exchangeDcaFrequencyHour": "час", - "@exchangeDcaFrequencyHour": { - "description": "DCA frequency unit: hour" - }, - "payRBFDisabled": "RBF відключені", - "@payRBFDisabled": { - "description": "Status when RBF is disabled" - }, - "exchangeAuthLoginFailedOkButton": "ЗАРЕЄСТРУВАТИСЯ", - "@exchangeAuthLoginFailedOkButton": { - "description": "OK button label in the login failed dialog" - }, - "exchangeKycCardTitle": "Завершіть КИЇВ", - "@exchangeKycCardTitle": { - "description": "Title of the KYC completion card" - }, - "importQrDeviceSuccess": "Гаманець імпортований успішно", - "@importQrDeviceSuccess": { - "description": "Success message after import" - }, - "arkTxSettlement": "Проживання", - "@arkTxSettlement": { - "description": "Transaction type label for Ark settlement transactions" - }, - "autoswapEnable": "Увімкнути автоматичне перенесення", - "@autoswapEnable": { - "description": "Toggle label to enable auto transfer" - }, - "coreScreensFromLabel": "З", - "@coreScreensFromLabel": { - "description": "Label for source/sender field" - }, - "backupWalletGoogleDriveSignInTitle": "Ви повинні зареєструватися на Google Диску", - "@backupWalletGoogleDriveSignInTitle": { - "description": "Loading screen title when initiating Google Drive backup" - }, - "testBackupBackupId": "Ідентифікатор резервного копіювання:", - "@testBackupBackupId": { - "description": "Label for backup ID field" - }, - "bitboxScreenConnecting": "Підключення до BitBox", - "@bitboxScreenConnecting": { - "description": "Main text when connecting to device" - }, - "psbtFlowScanAnyQr": "Виберіть параметр \"Зберегти будь-який QR-код\"", - "@psbtFlowScanAnyQr": { - "description": "Instruction to select scan any QR code option" - }, - "importQrDeviceSeedsignerStep10": "Комплектація", - "@importQrDeviceSeedsignerStep10": { - "description": "SeedSigner instruction step 10" - }, - "sellKycPendingDescription": "Ви повинні завершити перевірку ID першим", - "@sellKycPendingDescription": { - "description": "Description explaining user must complete KYC before proceeding" - }, - "fundExchangeETransferDescription": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації.", - "@fundExchangeETransferDescription": { - "description": "Description of how E-Transfer works and timeframe" - }, - "sendClearSelection": "Очистити вибір", - "@sendClearSelection": { - "description": "Button to deselect all UTXOs" - }, - "statusCheckLastChecked": "Останнє повідомлення: {time}", - "@statusCheckLastChecked": { - "description": "Label showing when services were last checked", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "backupWalletVaultProviderQuickEasy": "Швидкий і простий", - "@backupWalletVaultProviderQuickEasy": { - "description": "Tag for Google Drive and iCloud providers" - }, - "dcaConfirmFrequencyDaily": "Щодня", - "@dcaConfirmFrequencyDaily": { - "description": "Daily frequency label" - }, - "importQrDeviceKeystoneStep9": "Комплектація", - "@importQrDeviceKeystoneStep9": { - "description": "Keystone instruction step 9" - }, - "payEnterAmountTitle": "Вхід", - "@payEnterAmountTitle": { - "description": "Title for amount entry screen in payment flow" - }, - "payInvalidAddress": "Неоплатна адреса", - "@payInvalidAddress": { - "description": "Error for malformed address" - }, - "appUnlockAttemptPlural": "невдалих спроб", - "@appUnlockAttemptPlural": { - "description": "Plural form of 'attempts' for failed unlock attempts" - }, - "arkConfirmed": "Підтвердження", - "@arkConfirmed": { - "description": "Label for confirmed balance in breakdown" - }, - "importQrDevicePassportStep6": "Виберіть \"Single-sig\"", - "@importQrDevicePassportStep6": { - "description": "Passport instruction step 6" - }, - "withdrawRecipientsContinue": "Продовжити", - "@withdrawRecipientsContinue": { - "description": "Continue button on recipients screen" - }, - "enterPinAgainMessage": "Введіть своє {pinOrPassword} знову, щоб продовжити.", - "@enterPinAgainMessage": { - "description": "Message asking to re-enter PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "importColdcardButtonInstructions": "Інструкції", - "@importColdcardButtonInstructions": { - "description": "ImportColdcardQ: Button to show setup instructions" - }, - "bitboxActionUnlockDeviceProcessingSubtext": "Будь ласка, введіть пароль на пристрій BitBox ...", - "@bitboxActionUnlockDeviceProcessingSubtext": { - "description": "Processing subtext for unlock device" - }, - "autoswapAlwaysBlockLabel": "Завжди блокувати високі Fees", - "@autoswapAlwaysBlockLabel": { - "description": "Label for toggle to always block high fee transfers" - }, - "receiveFixedAmount": "Сума", - "@receiveFixedAmount": { - "description": "Required amount field" - }, - "bitboxActionVerifyAddressSuccessSubtext": "Ця адреса була перевірена на пристрої BitBox.", - "@bitboxActionVerifyAddressSuccessSubtext": { - "description": "Success subtext for verify address" - }, - "dcaNetworkLightning": "Мережа Lightning", - "@dcaNetworkLightning": { - "description": "Lightning network label for DCA" - }, - "backupWalletHowToDecideVaultCloudRecommendationText": "ви хочете переконатися, що ви ніколи не втратите доступ до файлу за замовчуванням, навіть якщо ви втратите ваші пристрої.", - "@backupWalletHowToDecideVaultCloudRecommendationText": { - "description": "Recommendation text for when to use cloud storage" - }, - "arkAboutEsploraUrl": "Веб-сайт", - "@arkAboutEsploraUrl": { - "description": "Field label for Esplora URL" - }, - "importColdcardInstructionsStep3": "Navigate до \"Advanced/Tools\"", - "@importColdcardInstructionsStep3": { - "description": "ImportColdcardQ: Third instruction step" - }, - "buyPhotoID": "Фото ID", - "@buyPhotoID": { - "description": "Type of document required" - }, - "appStartupErrorTitle": "Помилка старту", - "@appStartupErrorTitle": { - "description": "Title shown when the app fails to start up properly" - }, - "withdrawOrderNotFoundError": "Порядок виведення не знайдено. Будь ласка, спробуйте знову.", - "@withdrawOrderNotFoundError": { - "description": "Error message for order not found during withdraw" - }, - "importQrDeviceSeedsignerStep4": "Виберіть \"Експорт Xpub\"", - "@importQrDeviceSeedsignerStep4": { - "description": "SeedSigner instruction step 4" - }, - "seedsignerStep6": " - Перемістити червоному лазеру вгору і вниз по QR-коду", - "@seedsignerStep6": { - "description": "SeedSigner troubleshooting tip 2" - }, - "ledgerHelpStep5": "Зареєструватися Пристрої Ledger використовують останню прошивку, можна оновити прошивку за допомогою додатку Ledger Live.", - "@ledgerHelpStep5": { - "description": "Fifth troubleshooting step for Ledger connection issues" - }, - "torSettingsPortDisplay": "Порт: {port}", - "@torSettingsPortDisplay": { - "description": "Display text showing current port number", - "placeholders": { - "port": { - "type": "int" - } - } - }, - "importQrDeviceSpecterStep5": "Виберіть \"Майстерські публічні ключі\"", - "@importQrDeviceSpecterStep5": { - "description": "Specter instruction step 5" - }, - "allSeedViewDeleteWarningTitle": "УВАГА!", - "@allSeedViewDeleteWarningTitle": { - "description": "Title for delete seed warning dialog" - }, - "backupSettingsBackupKey": "Зворотній зв'язок", - "@backupSettingsBackupKey": { - "description": "AppBar title for view backup key screen" - }, - "arkTransactionId": "Код транзакції", - "@arkTransactionId": { - "description": "Label for transaction ID field in details table" - }, - "payInvoiceCopied": "Invoice copied до буфера", - "@payInvoiceCopied": { - "description": "Toast message after copying invoice" - }, - "recoverbullEncryptedVaultCreated": "Зашифрований Vault створений!", - "@recoverbullEncryptedVaultCreated": { - "description": "Success message title after vault creation" - }, - "addressViewChangeAddressesComingSoon": "Змінити адреси, що надходяться", - "@addressViewChangeAddressesComingSoon": { - "description": "Empty state message for change addresses feature that is coming soon" - }, - "psbtFlowScanQrShown": "Сканування QR-коду, показаного в булл-гаманці", - "@psbtFlowScanQrShown": { - "description": "Instruction to scan QR code displayed in app" - }, - "testBackupErrorInvalidFile": "Інвалідний вміст файлу", - "@testBackupErrorInvalidFile": { - "description": "Error when selected file has invalid content" - }, - "bitboxActionVerifyAddressProcessingSubtext": "Будь ласка, підтвердіть адресу на пристрої BitBox.", - "@bitboxActionVerifyAddressProcessingSubtext": { - "description": "Processing subtext for verify address" - }, - "pinConfirmHeadline": "Підтвердити новий штифт", - "@pinConfirmHeadline": { - "description": "Headline text on PIN confirmation screen" - }, - "payConfirmationRequired": "Підтвердження", - "@payConfirmationRequired": { - "description": "Message when user confirmation is needed" - }, - "bip85NextHex": "Далі HEX", - "@bip85NextHex": { - "description": "Button to derive next hex entropy" - }, - "recoverWalletScreenTitle": "Відновлення гаманця", - "@recoverWalletScreenTitle": { - "description": "Title for recover wallet screen" - }, - "rbfEstimatedDelivery": "Орієнтовна доставка ~ 10 хвилин", - "@rbfEstimatedDelivery": { - "description": "Estimated confirmation time for fastest fee" - }, - "sendSwapCancelled": "Заміна", - "@sendSwapCancelled": { - "description": "Message when user cancels swap" - }, - "backupWalletGoogleDrivePrivacyMessage4": "ні ", - "@backupWalletGoogleDrivePrivacyMessage4": { - "description": "Fourth part of privacy message (bold)" - }, - "dcaPaymentMethodValue": "{currency} баланс", - "@dcaPaymentMethodValue": { - "description": "Value for payment method with currency code placeholder", - "placeholders": { - "currency": { - "type": "String" - } - } - }, - "swapTransferCompletedTitle": "Трансфер завершено", - "@swapTransferCompletedTitle": { - "description": "Title when swap completes successfully" - }, - "torSettingsStatusDisconnected": "Відключені", - "@torSettingsStatusDisconnected": { - "description": "Status title when Tor is disconnected" - }, - "exchangeDcaCancelDialogTitle": "Скасувати Bitcoin Recurring Купити?", - "@exchangeDcaCancelDialogTitle": { - "description": "Title of the dialog confirming DCA cancellation" - }, - "dcaScheduleDescription": "Біткіні покупки будуть розміщені автоматично за цей графік.", - "@dcaScheduleDescription": { - "description": "Explanation text at the top of DCA setup form" - }, - "keystoneInstructionsTitle": "Інструкція Keystone", - "@keystoneInstructionsTitle": { - "description": "Title for Keystone signing instructions modal" - }, - "hwLedger": "Клей", - "@hwLedger": { - "description": "Name of Ledger hardware wallet" - }, - "dcaConfirmButton": "Продовжити", - "@dcaConfirmButton": { - "description": "Button label to confirm and activate DCA" - }, - "dcaBackToHomeButton": "Головна", - "@dcaBackToHomeButton": { - "description": "Button label to return to exchange home screen" - }, - "importQrDeviceKruxInstructionsTitle": "Krux Інструкції", - "@importQrDeviceKruxInstructionsTitle": { - "description": "Title for Krux setup instructions" - }, - "importQrDeviceKeystoneInstructionsTitle": "Інструкція Keystone", - "@importQrDeviceKeystoneInstructionsTitle": { - "description": "Title for Keystone setup instructions" - }, - "electrumSavePriorityFailedError": "Не вдалося зберегти пріоритет сервера {reason}", - "@electrumSavePriorityFailedError": { - "description": "Error message when saving server priority fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "bitboxActionVerifyAddressProcessing": "Показати адресу на BitBox ...", - "@bitboxActionVerifyAddressProcessing": { - "description": "Processing text for verify address" - }, - "sendTypeSwap": "Обмін", - "@sendTypeSwap": { - "description": "Send type name for Lightning swap transactions" - }, - "sendErrorAmountExceedsMaximum": "Сума перевищена максимальна сума затиску", - "@sendErrorAmountExceedsMaximum": { - "description": "Error when amount is above maximum allowed for swap" - }, - "bitboxActionSignTransactionSuccess": "Успішно заблоковано операцію", - "@bitboxActionSignTransactionSuccess": { - "description": "Success text for sign transaction" - }, - "fundExchangeMethodInstantSepa": "Миттєвий СЕПА", - "@fundExchangeMethodInstantSepa": { - "description": "Payment method: Instant SEPA (Europe)" - }, - "buyVerificationFailed": "Перевірка не вдалося: {reason}", - "@buyVerificationFailed": { - "description": "Error message with failure reason", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "importWatchOnlyBuyDevice": "Купити пристрій", - "@importWatchOnlyBuyDevice": { - "description": "Button label to purchase a hardware wallet device" - }, - "sellMinimumAmount": "Мінімальна сума продажу: {amount}", - "@sellMinimumAmount": { - "description": "Error for amount below minimum", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "importColdcardTitle": "Підключення холодної картки Р", - "@importColdcardTitle": { - "description": "AppBar title for Coldcard Q import" - }, - "ledgerSuccessImportDescription": "Ваш гаманець Ledger успішно імпортується.", - "@ledgerSuccessImportDescription": { - "description": "Success message description after importing Ledger wallet" - }, - "pinStatusProcessing": "Переробка", - "@pinStatusProcessing": { - "description": "Status screen title during PIN save/delete operations" - }, - "dcaCancelMessage": "Зареєструвати тарифний план біткойн-продажу буде припинено, а регулярні покупки будуть завершені. Щоб перезапустити, потрібно налаштувати новий план.", - "@dcaCancelMessage": { - "description": "Dialog message for DCA cancellation" - }, - "dcaConfirmNetwork": "Мережа", - "@dcaConfirmNetwork": { - "description": "Field label for network" - }, - "allSeedViewDeleteWarningMessage": "Видалення насіння незворотної дії. Тільки робіть це, якщо у вас є безпечні резервні копії цього насіння або асоційованих гаманців повністю зливаються.", - "@allSeedViewDeleteWarningMessage": { - "description": "Warning message about deleting a seed" - }, - "bip329LabelsTitle": "BIP329 етикетки", - "@bip329LabelsTitle": { - "description": "Title for BIP329 labels page" - }, - "walletAutoTransferAllowButton": "Смоктати", - "@walletAutoTransferAllowButton": { - "description": "Button to allow auto-transfer despite high fees" - }, - "autoswapSelectWalletRequired": "Виберіть гаманець Bitcoin *", - "@autoswapSelectWalletRequired": { - "description": "Placeholder for wallet dropdown when required" - }, - "exchangeFeatureSellBitcoin": "• Продати Bitcoin, оплачується з Bitcoin", - "@exchangeFeatureSellBitcoin": { - "description": "Feature bullet point describing selling Bitcoin functionality" - }, - "hwSeedSigner": "НасінняСинер", - "@hwSeedSigner": { - "description": "Name of SeedSigner hardware wallet" - }, - "bitboxActionUnlockDeviceButton": "Розблокувати пристрій", - "@bitboxActionUnlockDeviceButton": { - "description": "Button text for unlock device" - }, - "payNetworkError": "Мережеві помилки. Будь ласка, спробуйте", - "@payNetworkError": { - "description": "Error message for network connectivity issues during payment" - }, - "sendNetworkFeesLabel": "Відправка мереж", - "@sendNetworkFeesLabel": { - "description": "Label for sending network fees in chain swap" - }, - "electrumUnknownError": "Помилки", - "@electrumUnknownError": { - "description": "Generic error message for unknown errors" - }, - "autoswapBaseBalanceInfoText": "Ваш миттєвий залишок гаманця повернеться до цього балансу після автозавантаження.", - "@autoswapBaseBalanceInfoText": { - "description": "Info text explaining what happens to the balance after an autoswap" - }, - "recoverbullSelectDecryptVault": "Розшифрування за замовчуванням", - "@recoverbullSelectDecryptVault": { - "description": "Primary button text to proceed with vault decryption" - }, - "buyUpgradeKYC": "Оновлення KYC Рівень", - "@buyUpgradeKYC": { - "description": "Button to increase verification tier" - }, - "autoswapEnableToggleLabel": "Увімкнути автоматичне перенесення", - "@autoswapEnableToggleLabel": { - "description": "Label for the main toggle switch to enable/disable auto transfer feature" - }, - "sendDustAmount": "Кріплення занадто малий (пило)", - "@sendDustAmount": { - "description": "Error for uneconomical amount" - }, - "allSeedViewExistingWallets": "Надходження на гаманці ({count})", - "@allSeedViewExistingWallets": { - "description": "Section header for existing wallets with count", - "placeholders": { - "count": { - "type": "int", - "format": "decimalPattern" - } - } - }, - "arkSendConfirmedBalance": "Підтверджений баланс", - "@arkSendConfirmedBalance": { - "description": "Confirmed balance label" - }, - "payCancelPayment": "Відправити платіж", - "@payCancelPayment": { - "description": "Button text to cancel payment flow" - }, - "ledgerInstructionsAndroidUsb": "Зареєструватися Ledger розблоковано за допомогою додатку Bitcoin, що відкривається і з'єднує його через USB.", - "@ledgerInstructionsAndroidUsb": { - "description": "Connection instructions for Android devices (USB only)" - }, - "allSeedViewTitle": "Вид на насіння", - "@allSeedViewTitle": { - "description": "Title for the seed viewer screen" - }, - "connectHardwareWalletLedger": "Клей", - "@connectHardwareWalletLedger": { - "description": "Ledger hardware wallet option" - }, - "importQrDevicePassportInstructionsTitle": "Інструкції щодо Паспорту Фонду", - "@importQrDevicePassportInstructionsTitle": { - "description": "Title for Passport setup instructions" - }, - "rbfFeeRate": "{rate} sat/vbyte", - "@rbfFeeRate": { - "description": "Label showing fee rate", - "placeholders": { - "rate": { - "type": "String" - } - } - }, - "leaveYourPhone": "залишити свій телефон і ", - "@leaveYourPhone": { - "description": "Middle part of privacy assurance message" - }, - "sendFastFee": "Швидкий", - "@sendFastFee": { - "description": "Highest fee tier" - }, - "exchangeBrandName": "БУЛ БІТКОІН", - "@exchangeBrandName": { - "description": "The Bull Bitcoin brand name displayed on exchange screens" - }, - "torSettingsPortHelper": "Портфоліо Орбота: 9050", - "@torSettingsPortHelper": { - "description": "Helper text explaining default Orbot port" - }, - "submitButton": "Подати заявку", - "@submitButton": { - "description": "Default button label to submit mnemonic" - }, - "bitboxScreenTryAgainButton": "Зареєструватися", - "@bitboxScreenTryAgainButton": { - "description": "Button to retry failed action" - }, - "dcaConfirmTitle": "Підтвердження Купити", - "@dcaConfirmTitle": { - "description": "AppBar title for DCA confirmation screen" - }, - "recoverbullPasswordMismatch": "Пароль не відповідає", - "@recoverbullPasswordMismatch": { - "description": "Validation error when passwords don't match" - }, - "backupSettingsPhysicalBackup": "Фізичний фон", - "@backupSettingsPhysicalBackup": { - "description": "Label for physical backup status row" - }, - "importColdcardDescription": "Імпорт сканера гаманця QR-коду від вашого Coldcard Q", - "@importColdcardDescription": { - "description": "ImportColdcardQ: Main instruction text on import page" - }, - "backupSettingsSecurityWarning": "Попередження про безпеку", - "@backupSettingsSecurityWarning": { - "description": "Title for backup key security warning modal" - }, - "arkCopyAddress": "Статус на сервери", - "@arkCopyAddress": { - "description": "Button label to expand and show address details for copying" - }, - "sendScheduleFor": "Графік роботи {date}", - "@sendScheduleFor": { - "description": "Label for scheduled date", - "placeholders": { - "date": { - "type": "String" - } - } - }, - "psbtFlowClickDone": "Натисніть \"Я зробив\" в Гаманець Біткойн.", - "@psbtFlowClickDone": { - "description": "Instruction to click done button in app" - }, - "bitboxActionUnlockDeviceSuccess": "Пристрої розблоковані Успішно", - "@bitboxActionUnlockDeviceSuccess": { - "description": "Success text for unlock device" - }, - "payEnterValidAmount": "Введіть дійсну суму", - "@payEnterValidAmount": { - "description": "Validation error for invalid amount format" - }, - "pinButtonRemove": "Видалення безпеки PIN", - "@pinButtonRemove": { - "description": "Button label to delete existing PIN" - }, - "urProgressLabel": "UR Progress: {parts} частини", - "@urProgressLabel": { - "description": "Progress message showing parts processed for multi-part UR codes", - "placeholders": { - "parts": { - "type": "String" - } - } - }, - "coldcardInstructionsTitle": "Coldcard Q Інструкції", - "@coldcardInstructionsTitle": { - "description": "Title for Coldcard Q signing instructions modal" - }, - "electrumDefaultServers": "Статус на сервери", - "@electrumDefaultServers": { - "description": "Section header for default servers list" - }, - "scanningProgressLabel": "Сканер: {percent}%", - "@scanningProgressLabel": { - "description": "Progress indicator for UR QR code scanning", - "placeholders": { - "percent": { - "type": "String" - } - } - }, - "backupWalletHowToDecide": "Як вирішити?", - "@backupWalletHowToDecide": { - "description": "Link text to open modal explaining how to choose backup method" - }, - "recoverbullTestBackupDescription": "Тепер перевірте вашу резервну копію, щоб переконатися, що все було зроблено належним чином.", - "@recoverbullTestBackupDescription": { - "description": "Description message before testing backup" - }, - "bitboxErrorOperationTimeout": "Час роботи. Будь ласка, спробуйте знову.", - "@bitboxErrorOperationTimeout": { - "description": "Error when BitBox operation times out" - }, - "mempoolCustomServerUrlEmpty": "Введіть URL-адресу сервера", - "@mempoolCustomServerUrlEmpty": { - "description": "Error message when server URL is empty" - }, - "importQrDeviceKeystoneName": "Головна", - "@importQrDeviceKeystoneName": { - "description": "Name of Keystone device" - }, - "payBitcoinAddress": "Bitcoin адреса", - "@payBitcoinAddress": { - "description": "Label indicating payment destination is on-chain address" - }, - "swapProgressPending": "Передача", - "@swapProgressPending": { - "description": "Pending transfer status" - }, - "exchangeDcaAddressLabelBitcoin": "Bitcoin адреса", - "@exchangeDcaAddressLabelBitcoin": { - "description": "Label for Bitcoin address in DCA settings" - }, - "loadingBackupFile": "Завантаження файлів резервного копіювання ...", - "@loadingBackupFile": { - "description": "Message shown while loading backup file" - }, - "recoverbullContinue": "Продовжити", - "@recoverbullContinue": { - "description": "Button text to proceed to next step" - }, - "receiveAddressCopied": "Адреса копіюється на буфер", - "@receiveAddressCopied": { - "description": "Toast message after copying address" - }, - "psbtFlowTurnOnDevice": "Увімкніть пристрій {device}", - "@psbtFlowTurnOnDevice": { - "description": "Instruction to power on hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "backupSettingsKeyServer": "Статус на сервери ", - "@backupSettingsKeyServer": { - "description": "Label for key server connection status indicator" - }, - "connectHardwareWalletColdcardQ": "Холодна картка Q", - "@connectHardwareWalletColdcardQ": { - "description": "Coldcard Q hardware wallet option" - }, - "seedsignerStep2": "Натисніть сканування", - "@seedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, - "ledgerErrorMissingDerivationPathVerify": "Для перевірки необхідно пройти процедуру зарахування", - "@ledgerErrorMissingDerivationPathVerify": { - "description": "Error message when derivation path is missing for verification" - }, - "recoverbullErrorVaultNotSet": "Не встановлено", - "@recoverbullErrorVaultNotSet": { - "description": "Error when attempting operation without selected vault" - }, - "ledgerErrorMissingScriptTypeSign": "Тип скрипта необхідний для підписання", - "@ledgerErrorMissingScriptTypeSign": { - "description": "Error message when script type is missing for signing" - }, - "dcaSetupContinue": "Продовжити", - "@dcaSetupContinue": { - "description": "Continue button on DCA setup" - }, - "electrumFormatError": "Використовуйте хост:порт формат (наприклад, приклад.com:50001)", - "@electrumFormatError": { - "description": "Validation error for incorrect server URL format" - }, - "arkAboutDurationDay": "{days} день", - "@arkAboutDurationDay": { - "description": "Duration format for singular day", - "placeholders": { - "days": { - "type": "int" - } - } - }, - "arkDurationHour": "{hours} час", - "@arkDurationHour": { - "description": "Duration format for singular hour", - "placeholders": { - "hours": { - "type": "String" - } - } - }, - "importWatchOnlyTitle": "Імпорт годинник", - "@importWatchOnlyTitle": { - "description": "AppBar title for watch-only import screen" - }, - "cancel": "Зареєструватися", - "@cancel": { - "description": "Generic cancel button label" - }, - "logsViewerTitle": "Логін", - "@logsViewerTitle": { - "description": "AppBar title for logs viewer screen" - }, - "recoverbullTorNotStarted": "Не розпочато", - "@recoverbullTorNotStarted": { - "description": "Error message when Tor is not started" - }, - "arkPending": "Закінчення", - "@arkPending": { - "description": "Label for pending balance in breakdown" - }, - "testBackupCreatedAt": "Створено:", - "@testBackupCreatedAt": { - "description": "Label for vault creation timestamp field" - }, - "dcaSetRecurringBuyTitle": "Встановити Recurring Купити", - "@dcaSetRecurringBuyTitle": { - "description": "AppBar title for the main DCA setup screen" - }, - "psbtFlowSignTransactionOnDevice": "Натисніть кнопку, щоб зареєструвати операцію {device}.", - "@psbtFlowSignTransactionOnDevice": { - "description": "Instruction to sign transaction on hardware device", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "bitboxCubitConnectionFailed": "Ввімкніть підключення до пристрою BitBox. Будь ласка, перевірте підключення.", - "@bitboxCubitConnectionFailed": { - "description": "Error interpretation for connection failure" - }, - "importQrDeviceScanning": "Сканування ...", - "@importQrDeviceScanning": { - "description": "Status while scanning QR code" - }, - "importWalletKeystone": "Головна", - "@importWalletKeystone": { - "description": "Button label for Keystone hardware wallet" - }, - "testBackupConfirm": "Підтвердження", - "@testBackupConfirm": { - "description": "Button text to confirm wallet selection" - }, - "urProcessingFailedMessage": "UR обробка не вдалося", - "@urProcessingFailedMessage": { - "description": "Error message when UR processing encounters an exception" - }, - "backupWalletChooseVaultLocationTitle": "Виберіть місце розташування", - "@backupWalletChooseVaultLocationTitle": { - "description": "AppBar title for choosing encrypted vault provider screen" - }, - "testBackupErrorTestFailed": "Надійшла до резервного копіювання: {error}", - "@testBackupErrorTestFailed": { - "description": "Generic error message for backup test failure", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payLightningFee": "Освітлення Fee", - "@payLightningFee": { - "description": "Label for Lightning Network routing fee" - }, - "recoverbullGoogleDriveDeleteButton": "Видалення", - "@recoverbullGoogleDriveDeleteButton": { - "description": "Delete button text for vault backup" - }, - "arkBalanceBreakdownTooltip": "Поломка балансу", - "@arkBalanceBreakdownTooltip": { - "description": "Tooltip for info button that opens balance breakdown" - }, - "exchangeDcaDeactivateTitle": "Deactivate Recurring Купити", - "@exchangeDcaDeactivateTitle": { - "description": "Title shown when DCA is active and can be deactivated" - }, - "testBackupLastBackupTest": "Останнє оновлення: {timestamp}", - "@testBackupLastBackupTest": { - "description": "Shows timestamp of last physical backup test", - "placeholders": { - "timestamp": { - "type": "String" - } - } - }, - "payAmountRequired": "Необхідність монтажу", - "@payAmountRequired": { - "description": "Validation error for empty amount field" - }, - "keystoneStep7": " - Спробуйте перемістити пристрій назад трохи", - "@keystoneStep7": { - "description": "Keystone troubleshooting tip 3" - }, - "buyLevel2Limit": "Рівень 2 ліміт: {amount}", - "@buyLevel2Limit": { - "description": "Purchase limit for enhanced KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "bitboxCubitDeviceNotPaired": "Пристрої непаровані. Будь ласка, заповніть процес паріння першим.", - "@bitboxCubitDeviceNotPaired": { - "description": "Error interpretation for device not paired" - }, - "replaceByFeeActivatedLabel": "Замініть активоване", - "@replaceByFeeActivatedLabel": { - "description": "Label for RBF toggle switch" - }, - "sendPaymentProcessing": "Опрацьовується платіж. До хвилини", - "@sendPaymentProcessing": { - "description": "Message while payment processes" - }, - "electrumDefaultServersInfo": "Щоб захистити конфіденційність, сервери за замовчуванням не використовуються при налаштуванні користувацьких серверів.", - "@electrumDefaultServersInfo": { - "description": "Info message explaining default servers behavior" - }, - "testBackupErrorLoadMnemonic": "Надійшла до навантаження мнемоніки: {error}", - "@testBackupErrorLoadMnemonic": { - "description": "Error when loading mnemonic fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "bitboxCubitOperationCancelled": "Операція скасована. Будь ласка, спробуйте знову.", - "@bitboxCubitOperationCancelled": { - "description": "Error interpretation for cancelled operation" - }, - "passportStep3": "Сканування QR-коду, показаного в булл-гаманці", - "@passportStep3": { - "description": "Passport instruction step 3" - }, - "jadeStep5": "Якщо у вас є проблеми сканування:", - "@jadeStep5": { - "description": "Jade troubleshooting header" - }, - "electrumProtocolError": "Не містить протоколу (ssl:// або tcp://).", - "@electrumProtocolError": { - "description": "Validation error when protocol is included in server URL" - }, - "arkSendConfirmTitle": "Підтвердження", - "@arkSendConfirmTitle": { - "description": "Title for the ark send confirmation page" - }, - "importQrDeviceSeedsignerStep1": "Потужність на пристрої SeedSigner", - "@importQrDeviceSeedsignerStep1": { - "description": "SeedSigner instruction step 1" - }, - "importWatchOnlyDerivationPath": "Деприація шлях", - "@importWatchOnlyDerivationPath": { - "description": "Label for derivation path field" - }, - "sendErrorBroadcastFailed": "Ввімкнути трансляцію. Перевірити підключення мережі і спробувати знову.", - "@sendErrorBroadcastFailed": { - "description": "Error when transaction broadcast fails" - }, - "dcaSelectWalletTypeLabel": "Виберіть тип Bitcoin Wallet", - "@dcaSelectWalletTypeLabel": { - "description": "Label above wallet type selection radio buttons" - }, - "backupWalletHowToDecideVaultModalTitle": "Як вирішити", - "@backupWalletHowToDecideVaultModalTitle": { - "description": "Modal title for vault location comparison help" - }, - "importQrDeviceJadeStep1": "Увімкніть пристрій Jade", - "@importQrDeviceJadeStep1": { - "description": "Jade instruction step 1" - }, - "testBackupEncryptedVaultTag": "Легкий і простий (1 хвилину)", - "@testBackupEncryptedVaultTag": { - "description": "Tag indicating encrypted vault is quick and easy" - }, - "bitboxScreenTroubleshootingStep3": "Перезапустіть пристрій BitBox02, відключивши його.", - "@bitboxScreenTroubleshootingStep3": { - "description": "Troubleshooting step 3" - }, - "torSettingsProxyPort": "Тор Проксі Порт", - "@torSettingsProxyPort": { - "description": "Title for Tor proxy port settings" - }, - "fundExchangeSpeiTransfer": "Трансфер SPEI", - "@fundExchangeSpeiTransfer": { - "description": "SPEI transfer method title (Mexico)" - }, - "recoverbullUnexpectedError": "Несподівана помилка", - "@recoverbullUnexpectedError": { - "description": "Short unexpected error message" - }, - "fundExchangeMethodSpeiTransfer": "Трансфер SPEI", - "@fundExchangeMethodSpeiTransfer": { - "description": "Payment method: SPEI transfer (Mexico)" - }, - "electrumAddServer": "Додати сервер", - "@electrumAddServer": { - "description": "Add server button label" - }, - "addressViewCopyAddress": "Статус на сервери", - "@addressViewCopyAddress": { - "description": "Button to copy address to clipboard" - }, - "pinAuthenticationTitle": "Аутентифікація", - "@pinAuthenticationTitle": { - "description": "AppBar title for create/confirm PIN screens" - }, - "sellErrorNoWalletSelected": "Немає гаманця, обраного для відправки оплати", - "@sellErrorNoWalletSelected": { - "description": "Error message when no wallet is selected for payment" - }, - "testBackupFetchingFromDevice": "Захоплення від пристрою.", - "@testBackupFetchingFromDevice": { - "description": "Progress screen title when fetching from local device" - }, - "backupWalletHowToDecideVaultCustomLocation": "Зручне розташування може бути набагато більш безпечною, в залежності від місця розташування, яку ви обираєте. Ви також повинні переконатися, що не втратити файл резервного копіювання або втратити пристрій, на якому зберігаються файли резервного копіювання.", - "@backupWalletHowToDecideVaultCustomLocation": { - "description": "Explanation of custom location benefits and risks" - }, - "buyProofOfAddress": "Адреса", - "@buyProofOfAddress": { - "description": "Type of document required" - }, - "backupWalletInstructionNoDigitalCopies": "Не робити цифрові копії вашого резервного копіювання. Написати його на шматку паперу, або гравійований в металі.", - "@backupWalletInstructionNoDigitalCopies": { - "description": "Instruction to avoid digital copies and use physical medium" - }, - "psbtFlowError": "{error}", - "@psbtFlowError": { - "description": "Error message in psbt flow", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "replaceByFeeFastestDescription": "Орієнтовна доставка ~ 10 хвилин", - "@replaceByFeeFastestDescription": { - "description": "Description for fastest fee option" - }, - "importQrDeviceSeedsignerStep2": "Відкрийте меню \"Шведи\"", - "@importQrDeviceSeedsignerStep2": { - "description": "SeedSigner instruction step 2" - }, - "exchangeAmountInputValidationZero": "Кількість повинна бути більшою, ніж нуль", - "@exchangeAmountInputValidationZero": { - "description": "Validation message when amount is zero or negative" - }, - "importWatchOnlyRequired": "Потрібні", - "@importWatchOnlyRequired": { - "description": "Placeholder hint for required input fields" - }, - "payWalletNotSynced": "Гаманець не синхронізується. Будь ласка, почекайте", - "@payWalletNotSynced": { - "description": "Error when wallet sync is incomplete" - }, - "recoverbullRecoveryLoadingMessage": "Шукаємо баланс і операції..", - "@recoverbullRecoveryLoadingMessage": { - "description": "Loading message while checking wallet balance and transactions" - }, - "importMnemonicLegacy": "Спадщина", - "@importMnemonicLegacy": { - "description": "Label for Legacy (BIP44) wallet type" - }, - "recoverbullVaultKey": "Vault ключ", - "@recoverbullVaultKey": { - "description": "Screen title and label for vault key" - }, - "keystoneStep12": "Гаманець Bull Bitcoin попросить вас сканування QR-коду на Keystone. Сканування.", - "@keystoneStep12": { - "description": "Keystone instruction for scanning signed PSBT" - }, - "ledgerErrorRejectedByUser": "Переказ було відхилено користувачем на пристрої Ledger.", - "@ledgerErrorRejectedByUser": { - "description": "Error message when user rejects transaction on Ledger (error code 6985)" - }, - "payFeeRate": "Тарифи", - "@payFeeRate": { - "description": "Label for fee rate (sat/vB)" - }, - "autoswapWarningDescription": "Autoswap забезпечує, що хороший баланс підтримується між вашими миттєвими платежами та захищеним біткойн-гаманцем.", - "@autoswapWarningDescription": { - "description": "Description text at the top of the autoswap warning bottom sheet" - }, - "recoverbullErrorDecryptedVaultNotSet": "Розшифрована сорочка не встановлена", - "@recoverbullErrorDecryptedVaultNotSet": { - "description": "Error when attempting operation without decrypted vault" - }, - "autoswapRecipientWalletPlaceholderRequired": "Виберіть гаманець Bitcoin *", - "@autoswapRecipientWalletPlaceholderRequired": { - "description": "Dropdown placeholder with required indicator when auto transfer is enabled" - }, - "recoverbullGoogleDriveErrorGeneric": "Помилки. Будь ласка, спробуйте знову.", - "@recoverbullGoogleDriveErrorGeneric": { - "description": "Generic error message for unknown errors" - }, - "coreScreensConfirmSend": "Підтвердження", - "@coreScreensConfirmSend": { - "description": "Title for confirm send action" - }, - "passportStep10": "Після цього паспорт покаже вам власний QR-код.", - "@passportStep10": { - "description": "Passport instruction about signed PSBT QR" - }, - "electrumStopGapEmptyError": "Стоп Gap не може бути порожнім", - "@electrumStopGapEmptyError": { - "description": "Validation error for empty Stop Gap field" - }, - "typeLabel": "Тип: ", - "@typeLabel": { - "description": "Label for address type (Receive/Change)" - }, - "ledgerProcessingSignSubtext": "Будь ласка, підтвердіть операцію на пристрої Ledger ...", - "@ledgerProcessingSignSubtext": { - "description": "Processing subtext shown while signing transaction" - }, - "withdrawConfirmClabe": "КЛАБ", - "@withdrawConfirmClabe": { - "description": "Field label for CLABE (Mexico)" - }, - "amountLabel": "Сума", - "@amountLabel": { - "description": "Label for transaction amount display" - }, - "payScanQRCode": "Сканування QR Коди", - "@payScanQRCode": { - "description": "Button text to open QR code scanner for payment" - }, - "seedsignerStep10": "Після того, як SeedSigner покаже вам власний QR-код.", - "@seedsignerStep10": { - "description": "SeedSigner instruction about signed PSBT QR" - }, - "psbtInstructions": "Інструкції", - "@psbtInstructions": { - "description": "Button text to show device-specific signing instructions" - }, - "swapProgressCompletedMessage": "Ви чекали! Передавання завершено.", - "@swapProgressCompletedMessage": { - "description": "Completed transfer message" - }, - "recoverbullPIN": "ПІН", - "@recoverbullPIN": { - "description": "Label for PIN input type" - }, - "swapInternalTransferTitle": "Внутрішній переказ", - "@swapInternalTransferTitle": { - "description": "AppBar title on the amount entry page" - }, - "withdrawConfirmPayee": "Оплатити", - "@withdrawConfirmPayee": { - "description": "Field label for payee (Bill Payment)" - }, - "importQrDeviceJadeStep8": "Натисніть кнопку \"відкрита камера\"", - "@importQrDeviceJadeStep8": { - "description": "Jade instruction step 8" - }, - "navigationTabExchange": "Обмін", - "@navigationTabExchange": { - "description": "Label for the Exchange tab in bottom navigation" - }, - "dcaSuccessMessageWeekly": "Купити {amount} щотижня", - "@dcaSuccessMessageWeekly": { - "description": "Success message for weekly frequency", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "withdrawConfirmRecipientName": "Ім'я одержувача", - "@withdrawConfirmRecipientName": { - "description": "Field label for recipient name" - }, - "autoswapRecipientWalletPlaceholder": "Виберіть гаманець Bitcoin", - "@autoswapRecipientWalletPlaceholder": { - "description": "Dropdown placeholder text when no wallet is selected" - }, - "backupSettingsExporting": "Експорт.", - "@backupSettingsExporting": { - "description": "Button text while vault export is in progress" - }, - "importQrDeviceSpecterStep11": "Комплектація", - "@importQrDeviceSpecterStep11": { - "description": "Specter instruction step 11" - }, - "mempoolSettingsUseForFeeEstimationDescription": "При включенні цей сервер буде використовуватися для оцінки комісій. Коли вимкнено, на сервері Биткойн буде використовуватися замість.", - "@mempoolSettingsUseForFeeEstimationDescription": { - "description": "Description for use for fee estimation toggle" - }, - "seedsignerStep7": " - Спробуйте перемістити пристрій назад трохи", - "@seedsignerStep7": { - "description": "SeedSigner troubleshooting tip 3" - }, - "recoverbullSelectBackupFileNotValidError": "Recoverbull резервний файл не діє", - "@recoverbullSelectBackupFileNotValidError": { - "description": "Error when selected file is not a valid RecoverBull backup format" - }, - "swapErrorInsufficientFunds": "Не вдалося побудувати операцію. Як правило, через недостатні кошти для покриття зборів і суми.", - "@swapErrorInsufficientFunds": { - "description": "Error when transaction cannot be built due to insufficient funds" - }, - "dcaConfirmAmount": "Сума", - "@dcaConfirmAmount": { - "description": "Field label for amount" - }, - "arkBalanceBreakdown": "Поломка балансу", - "@arkBalanceBreakdown": { - "description": "Title of bottom sheet showing balance breakdown" - }, - "seedsignerStep8": "Після того, як угода була імпортована у вашому SeedSigner, ви повинні вибрати насіння, яке ви хочете зареєструватися.", - "@seedsignerStep8": { - "description": "SeedSigner instruction for seed selection" - }, - "arkAboutCopy": "Партнерство", - "@arkAboutCopy": { - "description": "Copy button label" - }, - "recoverbullPasswordRequired": "Необхідний пароль", - "@recoverbullPasswordRequired": { - "description": "Validation error when password field is empty" - }, - "arkNoTransactionsYet": "Ніяких операцій.", - "@arkNoTransactionsYet": { - "description": "Empty state message shown when user has no transaction history" - }, - "importWatchOnlySigningDevice": "Пристрої реєстрації", - "@importWatchOnlySigningDevice": { - "description": "Label for signing device selection field" - }, - "receiveInvoiceExpired": "Войце розширюється", - "@receiveInvoiceExpired": { - "description": "Status when invoice is no longer valid" - }, - "ledgerButtonManagePermissions": "Керування додатками", - "@ledgerButtonManagePermissions": { - "description": "Button label to open app permissions settings" - }, - "autoswapMinimumThresholdErrorSats": "Мінімальний поріг балансу {amount} сати", - "@autoswapMinimumThresholdErrorSats": { - "description": "Validation error shown when amount threshold is below minimum (sats display)", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "payRemoveRecipient": "Видалити одержувача", - "@payRemoveRecipient": { - "description": "Button to remove a recipient from batch" - }, - "pasteInputDefaultHint": "Введіть адресу платежу або рахунок-фактуру", - "@pasteInputDefaultHint": { - "description": "Default placeholder hint for paste input field" - }, - "sellKycPendingTitle": "Перевірка ID KYC", - "@sellKycPendingTitle": { - "description": "Title shown when KYC verification is pending" - }, - "withdrawRecipientsFilterAll": "Всі види", - "@withdrawRecipientsFilterAll": { - "description": "Filter option for all recipient types" - }, - "bitboxScreenSegwitBip84Subtitle": "Native SegWit - Рекомендований", - "@bitboxScreenSegwitBip84Subtitle": { - "description": "Subtitle for BIP84 option" - }, - "fundExchangeSpeiSubtitle": "Перерахування коштів за допомогою CLABE", - "@fundExchangeSpeiSubtitle": { - "description": "SPEI transfer subtitle" - }, - "urDecodingFailedMessage": "Ур декодування не вдалося", - "@urDecodingFailedMessage": { - "description": "Error message when UR decoding fails" - }, - "bitboxScreenWaitingConfirmation": "Очікується підтвердження на BitBox02...", - "@bitboxScreenWaitingConfirmation": { - "description": "Message shown while waiting for device confirmation" - }, - "payCannotBumpFee": "Не платите за цю операцію", - "@payCannotBumpFee": { - "description": "Error when RBF is not available" - }, - "arkSatsUnit": "атласне", - "@arkSatsUnit": { - "description": "Unit label for satoshis in Ark transaction details" - }, - "payMinimumAmount": "Мінімальне: {amount}", - "@payMinimumAmount": { - "description": "Label showing minimum payment amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "sendSwapRefundCompleted": "Повернення коштів завершено", - "@sendSwapRefundCompleted": { - "description": "Title when refund has completed" - }, - "torSettingsStatusUnknown": "Статус Невідомий", - "@torSettingsStatusUnknown": { - "description": "Status title when Tor status is unknown" - }, - "sendConfirmSwap": "Підтвердити обмін", - "@sendConfirmSwap": { - "description": "Button to proceed with swap" - }, - "sendSending": "Відправити", - "@sendSending": { - "description": "Title shown while transaction is being sent" - }, - "withdrawConfirmAccount": "Облік", - "@withdrawConfirmAccount": { - "description": "Field label for bank account" - }, - "sendErrorConfirmationFailed": "Підтвердження", - "@sendErrorConfirmationFailed": { - "description": "Error title when transaction confirmation fails" - }, - "recoverbullWaiting": "Чекати", - "@recoverbullWaiting": { - "description": "Status label indicating waiting state" - }, - "backupWalletVaultProviderGoogleDrive": "Українська", - "@backupWalletVaultProviderGoogleDrive": { - "description": "Name of Google Drive vault provider option" - }, - "bitboxCubitDeviceNotFound": "Не знайдено пристрій BitBox. Будь ласка, підключіть пристрій і спробуйте знову.", - "@bitboxCubitDeviceNotFound": { - "description": "Error interpretation for device not found" - }, - "autoswapSaveError": "Не вдалося зберегти налаштування: {error}", - "@autoswapSaveError": { - "description": "Error message when save fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "buyStandardWithdrawal": "Стандартний знімок", - "@buyStandardWithdrawal": { - "description": "Regular withdrawal option" - }, - "swapContinue": "Продовжити", - "@swapContinue": { - "description": "Continue button on swap amount screen" - }, - "arkSettleButton": "Смітт", - "@arkSettleButton": { - "description": "Settle button label" - }, - "electrumAddFailedError": "Заборонено додавати користувацький сервер{reason}", - "@electrumAddFailedError": { - "description": "Error message when adding custom server fails", - "placeholders": { - "reason": { - "type": "String" - } - } - }, - "arkAboutDurationHours": "{hours} годин", - "@arkAboutDurationHours": { - "description": "Duration format for plural hours", - "placeholders": { - "hours": { - "type": "int" - } - } - }, - "importWalletSectionGeneric": "Генетичні гаманці", - "@importWalletSectionGeneric": { - "description": "Section header for generic wallet types" - }, - "arkEsploraUrl": "Веб-сайт", - "@arkEsploraUrl": { - "description": "Label for Esplora URL field" - }, - "backupSettingsNotTested": "Не тестувати", - "@backupSettingsNotTested": { - "description": "Status text shown when backup has not been tested" - }, - "googleDrivePrivacyMessage": "Google попросить Вас поділитися персональною інформацією з цією програмою.", - "@googleDrivePrivacyMessage": { - "description": "Message about Google requesting personal information" - }, - "errorGenericTitle": "Опери Хтось пішов неправильно", - "@errorGenericTitle": { - "description": "Generic error title when hasError is true" - }, - "bitboxActionPairDeviceSuccess": "Пристрої, що поставляються успішно", - "@bitboxActionPairDeviceSuccess": { - "description": "Success text for pair device" - }, - "bitboxErrorNoDevicesFound": "Не знайдено пристроїв BitBox. Переконайтеся, що ваш пристрій працює і підключений через USB.", - "@bitboxErrorNoDevicesFound": { - "description": "Error when no BitBox devices are detected" - }, - "torSettingsStatusConnecting": "З'єднання.", - "@torSettingsStatusConnecting": { - "description": "Status title when Tor is connecting" - }, - "backupWalletHowToDecideBackupModalTitle": "Як вирішити", - "@backupWalletHowToDecideBackupModalTitle": { - "description": "Modal title for backup method comparison help" - }, - "ledgerWalletTypeNestedSegwit": "Нестередний Segwit (BIP49)", - "@ledgerWalletTypeNestedSegwit": { - "description": "Display name for Nested Segwit wallet type (BIP49)" - }, - "sellInteracEmail": "Веб-сайт", - "@sellInteracEmail": { - "description": "Label for email to receive Interac payment" - }, - "kruxStep6": "Якщо у вас є проблеми сканування:", - "@kruxStep6": { - "description": "Krux troubleshooting header" - }, - "autoswapMaximumFeeError": "Максимальний термін оплати {threshold}%", - "@autoswapMaximumFeeError": { - "description": "Validation error shown when fee threshold exceeds maximum", - "placeholders": { - "threshold": { - "type": "String" - } - } - }, - "swapValidationEnterAmount": "Введіть суму", - "@swapValidationEnterAmount": { - "description": "Validation error when amount is empty" - }, - "recoverbullErrorVaultCreatedKeyNotStored": "Переміщений файл Vault створений, але ключ не зберігається в сервері", - "@recoverbullErrorVaultCreatedKeyNotStored": { - "description": "Error when vault file created but server key storage failed" - }, - "exchangeSupportChatWalletIssuesInfo": "Цей чат є тільки для обміну пов'язаними з питань, пов'язаних з фондуванням / купівлі / продажу / виведення / оплати.\nДля гаманця пов'язані питання, приєднатися до групи телеграм, натиснувши тут.", - "@exchangeSupportChatWalletIssuesInfo": { - "description": "Info message about wallet issues and telegram group link" - }, - "exchangeLoginButton": "Увійти", - "@exchangeLoginButton": { - "description": "Button label for logging in or signing up to the exchange" - }, - "arkAboutHide": "Приват", - "@arkAboutHide": { - "description": "Button text to hide visible secret key" - }, - "ledgerProcessingVerify": "Показати адресу на Ledger ...", - "@ledgerProcessingVerify": { - "description": "Status message shown while verifying address on Ledger" - }, - "coreScreensFeePriorityLabel": "Пріоритетність", - "@coreScreensFeePriorityLabel": { - "description": "Label for fee priority field" - }, - "arkSendPendingBalance": "Торговий баланс ", - "@arkSendPendingBalance": { - "description": "Pending balance label" - }, - "coreScreensLogsTitle": "Логін", - "@coreScreensLogsTitle": { - "description": "AppBar title for logs viewer screen" - }, - "recoverbullVaultKeyInput": "Vault ключ", - "@recoverbullVaultKeyInput": { - "description": "Input field label for vault key entry" - }, - "testBackupErrorWalletMismatch": "Резервне копіювання не відповідає існуючому гаманцю", - "@testBackupErrorWalletMismatch": { - "description": "Error when backup doesn't match current wallet" - }, - "bip329LabelsHeading": "BIP329 Етикетки Імпорт / Експорт", - "@bip329LabelsHeading": { - "description": "Main heading on BIP329 labels page" - }, - "jadeStep2": "Якщо у вас є одна (необов'язково)", - "@jadeStep2": { - "description": "Jade instruction step 2" - }, - "coldcardStep4": "Сканування QR-коду, показаного в булл-гаманці", - "@coldcardStep4": { - "description": "Coldcard instruction step 4" - }, - "importQrDevicePassportStep5": "Виберіть опцію \"Ворна\"", - "@importQrDevicePassportStep5": { - "description": "Passport instruction step 5" - }, - "psbtFlowClickPsbt": "Натисніть PSBT", - "@psbtFlowClickPsbt": { - "description": "Instruction to click PSBT option on device" - }, - "sendInvoicePaid": "Пайд пароля", - "@sendInvoicePaid": { - "description": "Title when Lightning invoice payment succeeds" - }, - "arkReceiveSegmentArk": "Арк", - "@arkReceiveSegmentArk": { - "description": "Segment option for Ark address type" - }, - "autoswapRecipientWalletInfo": "Виберіть який гаманець Bitcoin отримає передані кошти (обов'язково)", - "@autoswapRecipientWalletInfo": { - "description": "Info tooltip for recipient wallet field" - }, - "importWalletKrux": "Кошик", - "@importWalletKrux": { - "description": "Button label for Krux hardware wallet" - }, - "swapContinueButton": "Продовжити", - "@swapContinueButton": { - "description": "Button to proceed from amount page to confirmation" - }, - "sendSignWithLedger": "Знак з Ledger", - "@sendSignWithLedger": { - "description": "Button to sign transaction with Ledger hardware wallet" - }, - "pinSecurityTitle": "Безпека PIN", - "@pinSecurityTitle": { - "description": "AppBar title for PIN settings screen" - }, - "swapValidationPositiveAmount": "Введіть позитивну суму", - "@swapValidationPositiveAmount": { - "description": "Validation error when amount is not positive" - }, - "exchangeDcaSummaryMessage": "Ви купуєте {amount} кожен {frequency} через {network} до тих пір, поки є кошти в обліковому записі.", - "@exchangeDcaSummaryMessage": { - "description": "Summary message describing the DCA configuration", - "placeholders": { - "amount": { - "type": "String", - "description": "The amount being purchased (e.g., '$100 CAD')" - }, - "frequency": { - "type": "String" - }, - "network": { - "type": "String" - } - } - }, - "addressLabel": "Адреса: ", - "@addressLabel": { - "description": "Label for UTXO address in coin selection tile" - }, - "testBackupWalletTitle": "Тест {walletName}", - "@testBackupWalletTitle": { - "description": "Dynamic AppBar title showing which wallet is being tested", - "placeholders": { - "walletName": { - "type": "String" - } - } - }, - "withdrawRecipientsPrompt": "Де і як ми надішлемо гроші?", - "@withdrawRecipientsPrompt": { - "description": "Instructions on recipients screen" - }, - "withdrawRecipientsTitle": "Оберіть одержувач", - "@withdrawRecipientsTitle": { - "description": "AppBar title for recipients screen" - }, - "backupWalletLastBackupTest": "Останній тест резервного копіювання: ", - "@backupWalletLastBackupTest": { - "description": "Label prefix for displaying timestamp of last physical backup test" - }, - "keystoneStep1": "Увійти на пристрій Keystone", - "@keystoneStep1": { - "description": "Keystone instruction step 1" - }, - "keystoneStep3": "Сканування QR-коду, показаного в булл-гаманці", - "@keystoneStep3": { - "description": "Keystone instruction step 3" - }, - "arkSendSuccessTitle": "Відправити", - "@arkSendSuccessTitle": { - "description": "Title shown after successful Ark send transaction" - }, - "importQrDevicePassportStep3": "Виберіть \"Управлінський рахунок\"", - "@importQrDevicePassportStep3": { - "description": "Passport instruction step 3" - }, - "exchangeAuthErrorMessage": "Помилкові помилки, будь ласка, спробуйте увійти знову.", - "@exchangeAuthErrorMessage": { - "description": "Login error message" - }, - "bitboxActionSignTransactionTitle": "Реєстрація", - "@bitboxActionSignTransactionTitle": { - "description": "Title for sign transaction action" - }, - "testBackupGoogleDrivePrivacyPart3": "залишити свій телефон і ", - "@testBackupGoogleDrivePrivacyPart3": { - "description": "Third part of privacy message" - }, - "dcaAmountLabel": "Сума", - "@dcaAmountLabel": { - "description": "Label for amount detail row" - }, - "receiveArkNetwork": "Арк", - "@receiveArkNetwork": { - "description": "Ark Instant Payments option" - }, - "swapMaxButton": "МАКС", - "@swapMaxButton": { - "description": "Button to use maximum available balance" - }, - "importQrDeviceSeedsignerStep8": "Сканування QR-коду, що відображається на вашому SeedSigner", - "@importQrDeviceSeedsignerStep8": { - "description": "SeedSigner instruction step 8" - }, - "electrumDeletePrivacyNotice": "Повідомлення про конфіденційність:\n\nВикористання власного вузла забезпечує, що жодна третя сторона може зв'язатися з вашим IP-адресою з вашими операціями. Після видалення останнього користувацького сервера ви будете підключені до сервера BullBitcoin.\n.\n", - "@electrumDeletePrivacyNotice": { - "description": "Privacy notice shown when deleting last custom server" - }, - "dcaConfirmFrequencyWeekly": "Щодня", - "@dcaConfirmFrequencyWeekly": { - "description": "Weekly frequency label" - }, - "quickAndEasyTag": "Швидкий і простий", - "@quickAndEasyTag": { - "description": "Tag for quick and easy options" - }, - "settingsThemeTitle": "Головна", - "@settingsThemeTitle": { - "description": "Title for the theme selection in app settings" - }, - "exchangeSupportChatYesterday": "Погода", - "@exchangeSupportChatYesterday": { - "description": "Label for yesterday in date formatting" - }, - "jadeStep3": "Виберіть опцію \"Scan QR\"", - "@jadeStep3": { - "description": "Jade instruction step 3" - }, - "dcaSetupFundAccount": "Оберіть Ваш рахунок", - "@dcaSetupFundAccount": { - "description": "Button to fund account" - }, - "coldcardStep10": "Натисніть кнопку, щоб записати операцію на холодильнику.", - "@coldcardStep10": { - "description": "Coldcard instruction for signing" - }, - "sendErrorAmountBelowSwapLimits": "Сума нижче лімітів закрутки", - "@sendErrorAmountBelowSwapLimits": { - "description": "Error when amount is below minimum swap limit" - }, - "labelErrorNotFound": "Етикетка \"X7X\" не знайдено.", - "@labelErrorNotFound": { - "description": "Error message when a label is not found", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "payPrivatePayment": "Приватний платіж", - "@payPrivatePayment": { - "description": "Label for privacy-enhanced payment option" - }, - "autoswapDefaultWalletLabel": "Bitcoin гаманець", - "@autoswapDefaultWalletLabel": { - "description": "Default label for unnamed Bitcoin wallet" - }, - "recoverbullTestSuccessDescription": "Ви можете відновити доступ до втраченого біткойн-гаманця", - "@recoverbullTestSuccessDescription": { - "description": "Description shown after successful recovery test" - }, - "dcaDeactivate": "Deactivate Recurring Купити", - "@dcaDeactivate": { - "description": "Label to deactivate DCA" - }, - "exchangeAuthLoginFailedTitle": "Логін", - "@exchangeAuthLoginFailedTitle": { - "description": "Title of the dialog shown when exchange login fails" - }, - "autoswapRecipientWallet": "Отримувач Bitcoin Wallet", - "@autoswapRecipientWallet": { - "description": "Field label for recipient wallet dropdown" - }, - "arkUnifiedAddressBip21": "Єдина адреса (BIP21)", - "@arkUnifiedAddressBip21": { - "description": "Label for the BIP21 unified address field" - }, - "pickPasswordOrPinButton": "Виберіть {pinOrPassword} замість >>", - "@pickPasswordOrPinButton": { - "description": "Button to switch between PIN and password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "password" - } - } - }, - "autoswapWarningSettingsLink": "Візьміть мене на налаштування автозавантаження", - "@autoswapWarningSettingsLink": { - "description": "Link text to navigate to autoswap settings from the warning bottom sheet" - }, - "backupSettingsKeyWarningExample": "Наприклад, якщо ви використовували Google Диск для файлів резервної копії, не використовуйте Google Диск для ключа резервного копіювання.", - "@backupSettingsKeyWarningExample": { - "description": "Example explaining backup key storage separation" - }, - "backupWalletHowToDecideVaultCloudRecommendation": "Українська Хмара яблука: ", - "@backupWalletHowToDecideVaultCloudRecommendation": { - "description": "Bold label for cloud storage recommendation" - }, - "testBackupEncryptedVaultDescription": "Анонімне резервне копіювання з використанням сильного шифрування за допомогою хмари.", - "@testBackupEncryptedVaultDescription": { - "description": "Description for encrypted vault backup option" - }, - "payNetworkType": "Мережа", - "@payNetworkType": { - "description": "Label for network type (Lightning/Bitcoin/Liquid)" - }, - "addressViewChangeType": "Зареєструватися", - "@addressViewChangeType": { - "description": "Address type label for internal/change addresses" - }, - "confirmLogoutTitle": "Підтвердити запис", - "@confirmLogoutTitle": { - "description": "Dialog title for logout confirmation" - }, - "ledgerWalletTypeSelectTitle": "Виберіть гаманець Тип", - "@ledgerWalletTypeSelectTitle": { - "description": "Title for wallet type selection modal" - }, - "swapTransferCompletedMessage": "Ви чекали! Передача успішно завершено.", - "@swapTransferCompletedMessage": { - "description": "Success message after transfer completion" - }, - "electrumDelete": "Видалення", - "@electrumDelete": { - "description": "Delete button label in delete dialog" - }, - "testBackupGoogleDrivePrivacyPart4": "ні ", - "@testBackupGoogleDrivePrivacyPart4": { - "description": "Fourth part (emphasized) of privacy message" - }, - "arkConfirmButton": "Підтвердження", - "@arkConfirmButton": { - "description": "Confirm button to proceed with send transaction" - }, - "sendCoinControl": "Монета управління", - "@sendCoinControl": { - "description": "Feature to manually select UTXOs" - }, - "withdrawSuccessOrderDetails": "Деталі замовлення", - "@withdrawSuccessOrderDetails": { - "description": "Button label to view order details after withdrawal" - }, - "exchangeLandingConnect": "Підключіть свій обліковий запис Біткойн", - "@exchangeLandingConnect": { - "description": "Subtitle on exchange landing screen" - }, - "payProcessingPayment": "Операції по переробці.", - "@payProcessingPayment": { - "description": "Loading message while payment is being processed" - }, - "ledgerImportTitle": "Імпорт Ledger Wallet", - "@ledgerImportTitle": { - "description": "Title for importing a Ledger hardware wallet" - }, - "exchangeDcaFrequencyMonth": "місяць", - "@exchangeDcaFrequencyMonth": { - "description": "DCA frequency unit: month" - }, - "paySuccessfulPayments": "Успішний", - "@paySuccessfulPayments": { - "description": "Filter for successful payments" - }, - "navigationTabWallet": "Гаманець", - "@navigationTabWallet": { - "description": "Label for the Wallet tab in bottom navigation" - }, - "bitboxScreenScanning": "Сканування пристроїв", - "@bitboxScreenScanning": { - "description": "Main text when scanning for devices" - }, - "statusCheckTitle": "Статус на сервери", - "@statusCheckTitle": { - "description": "Title for the service status screen" - }, - "ledgerHelpSubtitle": "По-перше, переконайтеся, що ваш пристрій Ledger розблоковується і додаток Bitcoin відкритий. Якщо пристрій все ще не підключений до програми, спробуйте наступне:", - "@ledgerHelpSubtitle": { - "description": "Subtitle/introduction for Ledger troubleshooting help" - }, - "savingToDevice": "Збереження вашого пристрою.", - "@savingToDevice": { - "description": "Message shown when saving to device" - }, - "bitboxActionImportWalletButton": "Імпорт", - "@bitboxActionImportWalletButton": { - "description": "Button text for import wallet" - }, - "fundExchangeLabelSwiftCode": "SWIFT код", - "@fundExchangeLabelSwiftCode": { - "description": "Label for SWIFT code field" - }, - "autoswapWarningBaseBalance": "Базовий баланс 0.01 BTC", - "@autoswapWarningBaseBalance": { - "description": "Base balance text shown in the autoswap warning bottom sheet" - }, - "importQrDeviceSpecterStep6": "Виберіть \"Single key\"", - "@importQrDeviceSpecterStep6": { - "description": "Specter instruction step 6" - }, - "importQrDeviceJadeStep10": "Що це!", - "@importQrDeviceJadeStep10": { - "description": "Jade instruction step 10" - }, - "importQrDevicePassportStep8": "На мобільному пристрої натисніть \"відкрита камера\"", - "@importQrDevicePassportStep8": { - "description": "Passport instruction step 8" - }, - "dcaConfirmationError": "Хтось пішов неправильно: {error}", - "@dcaConfirmationError": { - "description": "Error message displayed when confirmation fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "oopsSomethingWentWrong": "Опери Хтось пішов неправильно", - "@oopsSomethingWentWrong": { - "description": "Error title when something goes wrong" - }, - "pinStatusSettingUpDescription": "Налаштування коду PIN", - "@pinStatusSettingUpDescription": { - "description": "Status screen description during PIN save/delete operations" - }, - "swapFromLabel": "З", - "@swapFromLabel": { - "description": "Label for source wallet dropdown" - }, - "importQrDeviceKeystoneStep4": "Виберіть роз'єм програмного забезпечення Wallet", - "@importQrDeviceKeystoneStep4": { - "description": "Keystone instruction step 4" - }, - "rbfOriginalTransaction": "Оригінальна угода", - "@rbfOriginalTransaction": { - "description": "Header label for original transaction details" - }, - "bip329LabelsExportButton": "Експорт етикеток", - "@bip329LabelsExportButton": { - "description": "Button text to export labels" - }, - "jadeStep4": "Сканування QR-коду, показаного в булл-гаманці", - "@jadeStep4": { - "description": "Jade instruction step 4" - }, - "recoverbullRecoveryErrorWalletExists": "Цей гаманець вже існує.", - "@recoverbullRecoveryErrorWalletExists": { - "description": "Error when attempting to restore vault that already exists" - }, - "sendSelectCoins": "Виберіть монети", - "@sendSelectCoins": { - "description": "Button to open UTXO selector" - }, - "fundExchangeLabelRoutingNumber": "Номер маршрутизації", - "@fundExchangeLabelRoutingNumber": { - "description": "Label for routing number field" - }, - "paySyncingWallet": "Syncing гаманець ...", - "@paySyncingWallet": { - "description": "Status message during wallet sync" - }, - "allSeedViewLoadingMessage": "Це може зайняти деякий час для завантаження, якщо у вас є багато насіння на цьому пристрої.", - "@allSeedViewLoadingMessage": { - "description": "Loading message shown while fetching seeds" - }, - "ledgerErrorMissingPsbt": "ПСБТ необхідний для підписання", - "@ledgerErrorMissingPsbt": { - "description": "Error message when PSBT parameter is missing for signing" - }, - "importWatchOnlyPasteHint": "Паста xpub, ypub, zpub або descriptor", - "@importWatchOnlyPasteHint": { - "description": "Placeholder hint for paste input field" - }, - "sellAccountNumber": "Номер рахунку", - "@sellAccountNumber": { - "description": "Label for bank account number" - }, - "backupWalletLastKnownEncryptedVault": "Останній Знаний Зашифрований За замовчуванням: ", - "@backupWalletLastKnownEncryptedVault": { - "description": "Label prefix for displaying timestamp of last encrypted vault backup" - }, - "dcaSetupInsufficientBalanceMessage": "Ви не маєте достатнього балансу для створення цього замовлення.", - "@dcaSetupInsufficientBalanceMessage": { - "description": "Insufficient balance error message" - }, - "recoverbullGotIt": "Про нас", - "@recoverbullGotIt": { - "description": "Button text to acknowledge and dismiss message" - }, - "sellRateValidFor": "Тарифи на {seconds}", - "@sellRateValidFor": { - "description": "Shows rate expiration countdown", - "placeholders": { - "seconds": { - "type": "int" - } - } - }, - "autoswapAutoSaveError": "Не вдалося зберегти налаштування", - "@autoswapAutoSaveError": { - "description": "Error message when auto-save on disable fails" - }, - "exchangeFeatureBankTransfers": "• Введіть номер мобільного, який Ви вказали при укладаннi договору з банком -", - "@exchangeFeatureBankTransfers": { - "description": "Feature bullet point describing bank transfer and bill payment features" - }, - "dcaConfirmAutoMessage": "Купити замовлення будуть розміщені автоматично на ці налаштування. Ви можете відключити їх в будь-який час.", - "@dcaConfirmAutoMessage": { - "description": "DCA auto-placement message" - }, - "arkCollaborativeRedeem": "Колегативний червоний", - "@arkCollaborativeRedeem": { - "description": "Bottom sheet title for collaborative redeem for BTC address sends" - }, - "usePasswordInsteadButton": "{pinOrPassword} замість >>", - "@usePasswordInsteadButton": { - "description": "Button to use password/PIN instead", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "password" - } - } - }, - "dcaWalletTypeLightning": "Lightning Network (LN)", - "@dcaWalletTypeLightning": { - "description": "Radio button option for Lightning wallet" - }, - "backupWalletVaultProviderAppleICloud": "Яблуко iCloud", - "@backupWalletVaultProviderAppleICloud": { - "description": "Name of Apple iCloud vault provider option" - }, - "swapValidationMinimumAmount": "Мінімальна сума {amount} {currency}", - "@swapValidationMinimumAmount": { - "description": "Validation error when amount is below minimum", - "placeholders": { - "amount": { - "type": "String" - }, - "currency": { - "type": "String" - } - } - }, - "testBackupDoNotShare": "НЕ ЗДОРОВ'Я", - "@testBackupDoNotShare": { - "description": "Warning header about keeping recovery phrase secret" - }, - "kruxInstructionsTitle": "Krux Інструкції", - "@kruxInstructionsTitle": { - "description": "Title for Krux signing instructions modal" - }, - "backupSettingsViewVaultKey": "Переглянути Vault Головна", - "@backupSettingsViewVaultKey": { - "description": "Button text to view vault decryption key" - }, - "ledgerErrorNoConnection": "Немає підключень Ledger", - "@ledgerErrorNoConnection": { - "description": "Error message when no Ledger connection is available" - }, - "testBackupSuccessButton": "Про нас", - "@testBackupSuccessButton": { - "description": "Button to dismiss success screen" - }, - "importWalletLedger": "Клей", - "@importWalletLedger": { - "description": "Button label for Ledger hardware wallet" - }, - "recoverbullCheckingConnection": "Перевірка підключення до RecoverBull", - "@recoverbullCheckingConnection": { - "description": "Screen title while checking connection status" - }, - "exchangeLandingTitle": "БУЛ БІТКОІН", - "@exchangeLandingTitle": { - "description": "Main title on exchange landing screen" - }, - "psbtFlowSignWithQr": "Натисніть кнопку Вхід з QR-кодом", - "@psbtFlowSignWithQr": { - "description": "Instruction to select QR code signing method" - }, - "doneButton": "Сонце", - "@doneButton": { - "description": "Button to close advanced options bottom sheet" - }, - "withdrawSuccessTitle": "Зняття ініціації", - "@withdrawSuccessTitle": { - "description": "Title shown when withdrawal is successfully initiated" - }, - "paySendAll": "Відправити", - "@paySendAll": { - "description": "Button to send entire wallet balance" - }, - "payLowPriority": "Низький", - "@payLowPriority": { - "description": "Low fee priority option" - }, - "arkSendConfirmMessage": "Будь ласка, підтвердіть деталі вашої угоди перед відправленням.", - "@arkSendConfirmMessage": { - "description": "Message displayed on send confirmation page" - }, - "backupWalletBestPracticesTitle": "Кращі практики", - "@backupWalletBestPracticesTitle": { - "description": "AppBar title for physical backup checklist screen" - }, - "memorizePasswordWarning": "Ви повинні запам'ятати цей {pinOrPassword} для відновлення доступу до вашого гаманця. Потрібно не менше 6 цифр. Якщо ви втратите це {pinOrPassword} ви не можете відновити резервну копію.", - "@memorizePasswordWarning": { - "description": "Warning about memorizing PIN/password", - "placeholders": { - "pinOrPassword": { - "type": "String", - "example": "PIN" - } - } - }, - "googleAppleCloudRecommendation": "Українська Хмара яблука: ", - "@googleAppleCloudRecommendation": { - "description": "Bold label for Google/Apple cloud recommendation" - }, - "exchangeGoToWebsiteButton": "Перейти на сайт Bull Біткойн", - "@exchangeGoToWebsiteButton": { - "description": "Button label for navigating to the Bull Bitcoin exchange website" - }, - "backupWalletSuccessTestButton": "Тест резервного копіювання", - "@backupWalletSuccessTestButton": { - "description": "Button text to proceed to backup testing" - }, - "replaceByFeeErrorFeeRateTooLow": "Ви повинні збільшити плату за принаймні 1 sat/vbyte порівняно з оригінальною угодою", - "@replaceByFeeErrorFeeRateTooLow": { - "description": "Error message when new fee rate is not high enough" - }, - "payPriority": "Головна", - "@payPriority": { - "description": "Label for transaction priority/fee level" - }, - "payChannelBalanceLow": "Невисокий баланс каналу", - "@payChannelBalanceLow": { - "description": "Error when Lightning channel lacks sufficient outbound liquidity" - }, - "allSeedViewNoSeedsFound": "Не знайдено насіння.", - "@allSeedViewNoSeedsFound": { - "description": "Message shown when no seeds are found" - }, - "bitboxScreenActionFailed": "{action} В’язаний", - "@bitboxScreenActionFailed": { - "description": "Main text when action fails", - "placeholders": { - "action": { - "type": "String" - } - } - }, - "dcaSetupScheduleMessage": "Біткіні покупки будуть розміщені автоматично за цей графік.", - "@dcaSetupScheduleMessage": { - "description": "DCA schedule explanation" - }, - "systemLabelSelfSpend": "Самопоширення", - "@systemLabelSelfSpend": { - "description": "System label for self-spend transactions" - }, - "swapProgressRefundMessage": "Помилки з переказом. Ваше повернення здійснюється в процесі.", - "@swapProgressRefundMessage": { - "description": "Refund in progress message" - }, - "passportStep4": "Якщо у вас є проблеми сканування:", - "@passportStep4": { - "description": "Passport troubleshooting header" - }, - "electrumNetworkBitcoin": "Bitcoin у USD", - "@electrumNetworkBitcoin": { - "description": "Bitcoin network tab label" - }, - "arkSendRecipientError": "Введіть одержувача", - "@arkSendRecipientError": { - "description": "Error message when recipient field is empty" - }, - "arkArkAddress": "Арк адреса", - "@arkArkAddress": { - "description": "Label for the Ark address field" - }, - "bitboxActionVerifyAddressButton": "Адреса електронної пошти", - "@bitboxActionVerifyAddressButton": { - "description": "Button text for verify address" - }, - "torSettingsInfoTitle": "Важлива інформація", - "@torSettingsInfoTitle": { - "description": "Title for the Tor information card" - }, - "importColdcardInstructionsStep7": "На мобільному пристрої натисніть \"відкрита камера\"", - "@importColdcardInstructionsStep7": { - "description": "ImportColdcardQ: Seventh instruction step" - }, - "testBackupStoreItSafe": "Зберігайте його кудись безпечно.", - "@testBackupStoreItSafe": { - "description": "Sub-instruction telling users to store recovery phrase safely" - }, - "bitboxScreenTroubleshootingSubtitle": "По-перше, переконайтеся, що пристрій BitBox02 підключений до вашого телефону USB-порту. Якщо пристрій все ще не підключений до програми, спробуйте наступне:", - "@bitboxScreenTroubleshootingSubtitle": { - "description": "Subtitle for troubleshooting instructions" - }, - "never": "ні ", - "@never": { - "description": "Bold part of privacy assurance (never)" - }, - "notLoggedInTitle": "Ви не зареєстровані", - "@notLoggedInTitle": { - "description": "Title for not logged in state" - }, - "testBackupWhatIsWordNumber": "Що таке слово {number}?", - "@testBackupWhatIsWordNumber": { - "description": "Quiz prompt asking for specific word number", - "placeholders": { - "number": { - "type": "int" - } - } - }, - "payInvoiceDetails": "Деталі вступу", - "@payInvoiceDetails": { - "description": "Section header for invoice information" - }, - "exchangeLandingLoginButton": "Увійти", - "@exchangeLandingLoginButton": { - "description": "Button to proceed to login/signup" - }, - "torSettingsEnableProxy": "Увімкнути Tor Proxy", - "@torSettingsEnableProxy": { - "description": "Label for the toggle to enable/disable Tor proxy" - }, - "bitboxScreenAddressToVerify": "Адреса для перевірки:", - "@bitboxScreenAddressToVerify": { - "description": "Label for address verification" - }, - "bitboxErrorPermissionDenied": "Для підключення до пристроїв BitBox потрібні дозволи на USB.", - "@bitboxErrorPermissionDenied": { - "description": "Error when USB permissions are not granted for BitBox" - }, - "bitboxActionSignTransactionProcessingSubtext": "Будь ласка, підтвердіть операцію на пристрої BitBox ...", - "@bitboxActionSignTransactionProcessingSubtext": { - "description": "Processing subtext for sign transaction" - }, - "addressViewReceiveType": "Отримати", - "@addressViewReceiveType": { - "description": "Address type label for external/receive addresses" - }, - "coldcardStep11": "Холодна листівка Після того, як ви покажете свій власний QR-код.", - "@coldcardStep11": { - "description": "Coldcard instruction about signed PSBT QR" - }, - "swapDoNotUninstallWarning": "Не встановіть додаток до завершення переказу!", - "@swapDoNotUninstallWarning": { - "description": "Warning message during pending transfer" - }, - "testBackupErrorVerificationFailed": "Перевірка не вдалося: {error}", - "@testBackupErrorVerificationFailed": { - "description": "Generic error message for verification failure", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "sendViewDetails": "Переглянути подробиці", - "@sendViewDetails": { - "description": "Button to view transaction details" - }, - "recoverbullErrorUnexpected": "Несподівана помилка, див. журнали", - "@recoverbullErrorUnexpected": { - "description": "Error message for unexpected errors" - }, - "sendSubmarineSwap": "Submarine Заміна", - "@sendSubmarineSwap": { - "description": "Feature to swap on-chain to Lightning" - }, - "allSeedViewSecurityWarningTitle": "Попередження про безпеку", - "@allSeedViewSecurityWarningTitle": { - "description": "Title for security warning dialog" - }, - "sendSwapFeeEstimate": "Орієнтовна плата за косу: {amount}", - "@sendSwapFeeEstimate": { - "description": "Estimated cost of swap", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "recoverbullSelectFetchDriveFilesError": "Заборонено фіксувати всі резервні копії приводу", - "@recoverbullSelectFetchDriveFilesError": { - "description": "Error when unable to retrieve backup list from Google Drive" - }, - "psbtFlowLoadFromCamera": "Натисніть завантаження з камери", - "@psbtFlowLoadFromCamera": { - "description": "Instruction to select camera load option on device" - }, - "addressViewErrorLoadingMoreAddresses": "{error}", - "@addressViewErrorLoadingMoreAddresses": { - "description": "Error message displayed when pagination of addresses fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "arkCopy": "Партнерство", - "@arkCopy": { - "description": "Button label to copy field value to clipboard" - }, - "sendBuildingTransaction": "Будівельна угода...", - "@sendBuildingTransaction": { - "description": "Status while constructing transaction" - }, - "electrumConfirm": "Підтвердження", - "@electrumConfirm": { - "description": "Confirm button label in advanced options" - }, - "bitboxActionPairDeviceSuccessSubtext": "Пристрій BitBox тепер попарюється і готовий до використання.", - "@bitboxActionPairDeviceSuccessSubtext": { - "description": "Success subtext for pair device" - }, - "coreScreensSendNetworkFeeLabel": "Закупи хостинг »", - "@coreScreensSendNetworkFeeLabel": { - "description": "Label for send network fee field" - }, - "bitboxScreenScanningSubtext": "Шукаєте пристрій BitBox ...", - "@bitboxScreenScanningSubtext": { - "description": "Subtext when scanning" - }, - "sellOrderFailed": "Продати замовлення", - "@sellOrderFailed": { - "description": "Error message when order fails" - }, - "payInvalidAmount": "Сума недійсна", - "@payInvalidAmount": { - "description": "Error when entered amount is invalid" - }, - "fundExchangeLabelBankName": "Назва банку", - "@fundExchangeLabelBankName": { - "description": "Label for bank name field" - }, - "ledgerErrorMissingScriptTypeVerify": "Тип скрипта необхідний для перевірки", - "@ledgerErrorMissingScriptTypeVerify": { - "description": "Error message when script type is missing for verification" - }, - "backupWalletEncryptedVaultDescription": "Анонімне резервне копіювання з використанням сильного шифрування за допомогою хмари.", - "@backupWalletEncryptedVaultDescription": { - "description": "Description of encrypted vault backup method" - }, - "sellRateExpired": "Курс обміну. Відновити ...", - "@sellRateExpired": { - "description": "Message when rate quote times out" - }, - "recoverbullConfirm": "Підтвердження", - "@recoverbullConfirm": { - "description": "Button text to confirm an action" - }, - "arkPendingBalance": "Торговий баланс", - "@arkPendingBalance": { - "description": "Label for pending balance row" - }, - "dcaConfirmNetworkBitcoin": "Bitcoin у USD", - "@dcaConfirmNetworkBitcoin": { - "description": "Bitcoin network label" - }, - "seedsignerStep14": "Зараз готовий до трансляції! Як тільки ви натиснете трансляцію, операція буде опублікована на мережі Біткойн і будуть відправлені кошти.", - "@seedsignerStep14": { - "description": "SeedSigner final instruction about broadcasting" - }, - "importMnemonicTransactions": "{count} операції", - "@importMnemonicTransactions": { - "description": "Shows number of transactions for wallet type", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "rbfTitle": "Замінити платіж", - "@rbfTitle": { - "description": "AppBar title for Replace-By-Fee screen" - }, - "backupWalletVaultProviderCustomLocation": "Місцезнаходження", - "@backupWalletVaultProviderCustomLocation": { - "description": "Name of custom location vault provider option" - }, - "addressViewErrorLoadingAddresses": "Адреса завантаження: {error}", - "@addressViewErrorLoadingAddresses": { - "description": "Error message displayed when addresses fail to load", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "bitboxErrorConnectionTypeNotInitialized": "Тип підключення не ініціюється.", - "@bitboxErrorConnectionTypeNotInitialized": { - "description": "Error when connection type is not initialized" - }, - "ledgerErrorUnknown": "Невідома помилка", - "@ledgerErrorUnknown": { - "description": "Generic error message for unknown Ledger errors" - }, - "ledgerProcessingVerifySubtext": "Будь ласка, підтвердіть адресу на пристрої Ledger.", - "@ledgerProcessingVerifySubtext": { - "description": "Processing subtext shown while verifying address" - }, - "recoverbullRecoveryTransactionsLabel": "{count}", - "@recoverbullRecoveryTransactionsLabel": { - "description": "Label showing total number of transactions found", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "paySwapFailed": "Не вдалося", - "@paySwapFailed": { - "description": "Error message when swap fails" - }, - "autoswapMaxFeeLabel": "Макс Трансфер Fee", - "@autoswapMaxFeeLabel": { - "description": "Label for fee threshold percentage input field" - }, - "importMnemonicBalance": "Баланс: {amount}", - "@importMnemonicBalance": { - "description": "Shows balance for wallet type", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "appUnlockScreenTitle": "Аутентифікація", - "@appUnlockScreenTitle": { - "description": "Title of the app unlock screen" - }, - "importQrDeviceWalletName": "Назва гаманця", - "@importQrDeviceWalletName": { - "description": "Label for wallet name field" - }, - "payNoRouteFound": "Не знайдено маршруту для цього платежу", - "@payNoRouteFound": { - "description": "Error when Lightning routing cannot find a path" - }, - "fundExchangeLabelBeneficiaryName": "Ім'я одержувача", - "@fundExchangeLabelBeneficiaryName": { - "description": "Label for beneficiary name field" - }, - "exchangeSupportChatMessageEmptyError": "Повідомлення не може бути порожнім", - "@exchangeSupportChatMessageEmptyError": { - "description": "Error message when trying to send an empty message" - }, - "payViewTransaction": "Перегляд транзакцій", - "@payViewTransaction": { - "description": "Button text to view transaction details" - }, - "ledgerInstructionsAndroidDual": "Зареєструватися Ledger розблоковано за допомогою програми Bitcoin, відкритого та Bluetooth ввімкнено, або підключіть пристрій через USB.", - "@ledgerInstructionsAndroidDual": { - "description": "Connection instructions for Android devices (Bluetooth or USB)" - }, - "arkSendRecipientLabel": "Адреса одержувача", - "@arkSendRecipientLabel": { - "description": "Label for recipient address field" - }, - "jadeStep9": "Після того, як угода імпортується в Jade, перевірте адресу призначення і суму.", - "@jadeStep9": { - "description": "Jade instruction for reviewing transaction" - }, - "ledgerWalletTypeNestedSegwitDescription": "П2ВПХ-нестед-в-П2Ш", - "@ledgerWalletTypeNestedSegwitDescription": { - "description": "Technical description for Nested Segwit wallet type" - }, - "dcaConfirmFrequencyHourly": "Час", - "@dcaConfirmFrequencyHourly": { - "description": "Hourly frequency label" - }, - "sellSwiftCode": "SWIFT/BIC код", - "@sellSwiftCode": { - "description": "Label for international bank code" - }, - "receiveInvoiceExpiry": "Invoice закінчується {time}", - "@receiveInvoiceExpiry": { - "description": "Shows expiration countdown", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "testBackupGoogleDrivePrivacyPart5": "bitcoin у USD.", - "@testBackupGoogleDrivePrivacyPart5": { - "description": "Fifth part of privacy message" - }, - "arkTotal": "Всього", - "@arkTotal": { - "description": "Label for total balance in breakdown" - }, - "bitboxActionSignTransactionSuccessSubtext": "Ви успішно підписалися на Вашу операцію.", - "@bitboxActionSignTransactionSuccessSubtext": { - "description": "Success subtext for sign transaction" - }, - "backupWalletInstructionLosePhone": "Якщо ви втратите або перейдете свій телефон, або якщо ви встановите додаток Bull Bitcoin, ваші біткоїни будуть втрачені назавжди.", - "@backupWalletInstructionLosePhone": { - "description": "Warning instruction about consequences without backup" - }, - "recoverbullConnected": "Зв'язатися", - "@recoverbullConnected": { - "description": "Status label indicating successful connection" - }, - "dcaConfirmLightningAddress": "Адреса блискавки", - "@dcaConfirmLightningAddress": { - "description": "Field label for Lightning address" - }, - "backupWalletErrorGoogleDriveSave": "Не вдалося зберегти Google диск", - "@backupWalletErrorGoogleDriveSave": { - "description": "Error when saving to Google Drive fails" - }, - "importQrDeviceKeystoneStep2": "Введіть Ваш кошик", - "@importQrDeviceKeystoneStep2": { - "description": "Keystone instruction step 2" - }, - "sellErrorPrepareTransaction": "Не вдалося підготувати операцію: {error}", - "@sellErrorPrepareTransaction": { - "description": "Error message when transaction preparation fails", - "placeholders": { - "error": { - "type": "String", - "description": "The error message" - } - } - }, - "fundExchangeOnlineBillPaymentTitle": "Онлайн платіж", - "@fundExchangeOnlineBillPaymentTitle": { - "description": "Screen title for Online Bill Payment details" - }, - "importQrDeviceSeedsignerStep7": "На мобільному пристрої натисніть Open Camera", - "@importQrDeviceSeedsignerStep7": { - "description": "SeedSigner instruction step 7" - }, - "addressViewChangeAddressesDescription": "Показати гаманець Зміна адрес", - "@addressViewChangeAddressesDescription": { - "description": "Description for the coming soon dialog when trying to view change addresses" - }, - "sellReceiveAmount": "Ви отримаєте", - "@sellReceiveAmount": { - "description": "Label showing fiat amount to receive" - }, - "bitboxCubitInvalidResponse": "Інвалідна відповідь від пристрою BitBox. Будь ласка, спробуйте знову.", - "@bitboxCubitInvalidResponse": { - "description": "Error interpretation for invalid response" - }, - "importQrDeviceKruxStep5": "Скануйте QR-код, який ви бачите на вашому пристрої.", - "@importQrDeviceKruxStep5": { - "description": "Krux instruction step 5" - }, - "arkStatus": "Статус на сервери", - "@arkStatus": { - "description": "Label for transaction status field in details table" - }, - "fundExchangeHelpTransferCode": "Додати це з причини передачі", - "@fundExchangeHelpTransferCode": { - "description": "Help text for transfer code field" - }, - "mempoolCustomServerEdit": "Редагування", - "@mempoolCustomServerEdit": { - "description": "Button text to edit custom mempool server" - }, - "importQrDeviceKruxStep2": "Натисніть розширений публічний ключ", - "@importQrDeviceKruxStep2": { - "description": "Krux instruction step 2" - }, - "passportStep5": " - Збільшення яскравості екрану на вашому пристрої", - "@passportStep5": { - "description": "Passport troubleshooting tip 1" - }, - "bitboxScreenConnectSubtext": "Переконайтеся, що ваш BitBox02 розблокований і підключений через USB.", - "@bitboxScreenConnectSubtext": { - "description": "Subtext for initial state" - }, - "payEstimatedConfirmation": "Орієнтовне підтвердження: {time}", - "@payEstimatedConfirmation": { - "description": "Estimated time until confirmation", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "bitboxErrorInvalidResponse": "Інвалідна відповідь від пристрою BitBox. Будь ласка, спробуйте знову.", - "@bitboxErrorInvalidResponse": { - "description": "Error when BitBox returns an invalid response" - }, - "psbtFlowAddPassphrase": "Якщо у вас є одна (необов'язково)", - "@psbtFlowAddPassphrase": { - "description": "Optional instruction to add BIP39 passphrase" - }, - "sendSigningTransaction": "Реєстрація.", - "@sendSigningTransaction": { - "description": "Status while hardware wallet signs" - }, - "sellErrorFeesNotCalculated": "Комісія не розраховується. Будь ласка, спробуйте знову.", - "@sellErrorFeesNotCalculated": { - "description": "Error message when transaction fees calculation failed" - }, - "dcaAddressLiquid": "Контакти", - "@dcaAddressLiquid": { - "description": "Liquid address label" - }, - "buyVerificationInProgress": "Перевірка в прогресі ...", - "@buyVerificationInProgress": { - "description": "Status during KYC review" - }, - "mempoolSettingsUseForFeeEstimation": "Використання для оцінки Fee", - "@mempoolSettingsUseForFeeEstimation": { - "description": "Label for use for fee estimation toggle" - }, - "psbtFlowMoveCloserFurther": "Спробуйте перемістити пристрій ближче або далі", - "@psbtFlowMoveCloserFurther": { - "description": "Troubleshooting tip to adjust distance" - }, - "swapProgressTitle": "Внутрішній переказ", - "@swapProgressTitle": { - "description": "AppBar title for swap progress screen" - }, - "pinButtonConfirm": "Підтвердження", - "@pinButtonConfirm": { - "description": "Button label to submit confirmed PIN" - }, - "coldcardStep2": "Якщо у вас є одна (необов'язково)", - "@coldcardStep2": { - "description": "Coldcard instruction step 2" - }, - "electrumInvalidNumberError": "Введіть дійсний номер", - "@electrumInvalidNumberError": { - "description": "Validation error for non-numeric input" - }, - "recoverbullSelectGoogleDrive": "Українська", - "@recoverbullSelectGoogleDrive": { - "description": "Name label for Google Drive backup provider option" - }, - "recoverbullEnterInput": "{inputType}", - "@recoverbullEnterInput": { - "description": "Input field label prompting for PIN or password", - "placeholders": { - "inputType": { - "type": "String" - } - } - }, - "importQrDevicePassportStep12": "Настроювання завершено.", - "@importQrDevicePassportStep12": { - "description": "Passport instruction step 12" - }, - "electrumRetryCount": "Птиця графа", - "@electrumRetryCount": { - "description": "Retry Count field label and hint in advanced options" - }, - "importQrDeviceSeedsignerInstructionsTitle": "SeedSigner Інструкції", - "@importQrDeviceSeedsignerInstructionsTitle": { - "description": "Title for SeedSigner setup instructions" - }, - "jadeStep12": "Натисніть \"Я зробив\" в Гаманець Біткойн.", - "@jadeStep12": { - "description": "Jade instruction to return to app" - }, - "importMnemonicImporting": "Імпорт.", - "@importMnemonicImporting": { - "description": "Loading message while importing wallet" - }, - "recoverbullGoogleDriveExportButton": "Експорт", - "@recoverbullGoogleDriveExportButton": { - "description": "Export button text for vault backup" - }, - "bip329LabelsDescription": "Імпорт або експорт етикеток гаманця за допомогою стандартного формату BIP329.", - "@bip329LabelsDescription": { - "description": "Description of BIP329 labels functionality" - }, - "backupWalletHowToDecideBackupEncryptedRecommendationText": "Ви не впевнені, що вам потрібно більше часу, щоб дізнатися про методи резервної копії.", - "@backupWalletHowToDecideBackupEncryptedRecommendationText": { - "description": "Recommendation text for when to use encrypted vault" - }, - "backupWalletImportanceWarning": "Без резервної копії ви в кінцевому підсумку втратите доступ до ваших грошей. Важливо зробити резервну копію.", - "@backupWalletImportanceWarning": { - "description": "Warning message emphasizing the importance of creating a backup" - }, - "autoswapMaxFeeInfoText": "Якщо сума переказу перевищує встановлений відсоток, автотранспорт буде заблоковано", - "@autoswapMaxFeeInfoText": { - "description": "Help text explaining how the max fee threshold works" - }, - "recoverbullGoogleDriveCancelButton": "Зареєструватися", - "@recoverbullGoogleDriveCancelButton": { - "description": "Cancel button text for delete confirmation dialog" - }, - "backupWalletSuccessDescription": "Тепер перевірте вашу резервну копію, щоб переконатися, що все було зроблено належним чином.", - "@backupWalletSuccessDescription": { - "description": "Success screen description prompting user to test backup" - }, - "rbfBroadcast": "Радіоканал", - "@rbfBroadcast": { - "description": "Button text to broadcast the bumped transaction" - }, - "dcaConfirmFrequencyMonthly": "Місяць", - "@dcaConfirmFrequencyMonthly": { - "description": "Monthly frequency label" - }, - "importWatchOnlyScriptType": "Тип сценарію", - "@importWatchOnlyScriptType": { - "description": "Label for script type field" - }, - "electrumCustomServers": "Статус на сервери", - "@electrumCustomServers": { - "description": "Section header for custom servers list" - }, - "payBatchPayment": "Пакетний платіж", - "@payBatchPayment": { - "description": "Option to combine multiple payments" - }, - "payRecipientCount": "{count} одержувачів", - "@payRecipientCount": { - "description": "Label showing number of recipients", - "placeholders": { - "count": { - "type": "int" - } - } - }, - "sendErrorBuildFailed": "Побудова в'язниці", - "@sendErrorBuildFailed": { - "description": "Error title when transaction build fails" - }, - "backupWalletInstructionLoseBackup": "Якщо ви втратите резервну копію 12 слів, ви не зможете відновити доступ до біткоїнів.", - "@backupWalletInstructionLoseBackup": { - "description": "Warning instruction about losing backup" - }, - "sellSendPaymentInsufficientBalance": "Недостатній баланс у вибраному гаманці для завершення цього замовлення продажу.", - "@sellSendPaymentInsufficientBalance": { - "description": "Insufficient balance error" - }, - "swapTransferPendingTitle": "Передача", - "@swapTransferPendingTitle": { - "description": "Title during pending swap status" - }, - "mempoolCustomServerSaveSuccess": "Користувальницький сервер успішно збережений", - "@mempoolCustomServerSaveSuccess": { - "description": "Success message when custom server is saved" - }, - "sendErrorBalanceTooLowForMinimum": "Баланс занадто низький для мінімальної кількості клаптів", - "@sendErrorBalanceTooLowForMinimum": { - "description": "Error when balance is below minimum required for swap" - }, - "testBackupSuccessMessage": "Ви можете відновити доступ до втраченого біткойн-гаманця", - "@testBackupSuccessMessage": { - "description": "Success screen message confirming recovery capability" - }, - "electrumTimeout": "Розклад (секунди)", - "@electrumTimeout": { - "description": "Timeout field label and hint in advanced options" - }, - "electrumSaveFailedError": "Не вдалося зберегти розширені параметри", - "@electrumSaveFailedError": { - "description": "Error message when saving advanced options fails" - }, - "arkSettleTransactionCount": "Сіетл {count} {transaction}", - "@arkSettleTransactionCount": { - "description": "Button label showing number of unsettled transactions", - "placeholders": { - "count": { - "type": "String" - }, - "transaction": { - "type": "String" - } - } - }, - "bitboxScreenWalletTypeLabel": "Тип гаманця:", - "@bitboxScreenWalletTypeLabel": { - "description": "Label for wallet type selector" - }, - "importQrDeviceKruxStep6": "Що це!", - "@importQrDeviceKruxStep6": { - "description": "Krux instruction step 6" - }, - "recoverbullRecoveryErrorMissingDerivationPath": "Файл резервного копіювання відсутній шлях видалення.", - "@recoverbullRecoveryErrorMissingDerivationPath": { - "description": "Error when vault backup file is missing required derivation path" - }, - "mempoolCustomServerDelete": "Видалення", - "@mempoolCustomServerDelete": { - "description": "Button text to delete custom mempool server" - }, - "optionalPassphraseHint": "Додатковий Пасфрас", - "@optionalPassphraseHint": { - "description": "Placeholder hint for passphrase field" - }, - "importColdcardImporting": "Імпортування холодної картки гаманець ...", - "@importColdcardImporting": { - "description": "Status while importing" - }, - "exchangeDcaHideSettings": "Приховати налаштування", - "@exchangeDcaHideSettings": { - "description": "Link text to hide DCA settings details" - }, - "appUnlockIncorrectPinError": "Некоректний ПІН. Будь ласка, спробуйте знову. {failedAttempts} {attemptsWord})", - "@appUnlockIncorrectPinError": { - "description": "Error message shown when user enters incorrect PIN", - "placeholders": { - "failedAttempts": { - "type": "int" - }, - "attemptsWord": { - "type": "String" - } - } - }, - "coreScreensPageNotFound": "Не знайдено", - "@coreScreensPageNotFound": { - "description": "Error message shown when a page/route is not found" - }, - "passportStep8": "Після того, як угода імпортується в паспорті, перевірте адресу призначення та суму.", - "@passportStep8": { - "description": "Passport instruction for reviewing transaction" - }, - "importQrDeviceTitle": "Підключення {deviceName}", - "@importQrDeviceTitle": { - "description": "AppBar title for QR device import", - "placeholders": { - "deviceName": { - "type": "String" - } - } - }, - "exchangeFeatureDcaOrders": "• DCA, Обмеження замовлень та автокупе", - "@exchangeFeatureDcaOrders": { - "description": "Feature bullet point describing DCA and automated buying features" - }, - "swapInfoDescription": "Трансфер Біткойн безшовно між вашими гаманцями. Тільки тримайте кошти в Миттєвій Платіжній гаманці на день-на добу.", - "@swapInfoDescription": { - "description": "Information banner text on amount page" - }, - "autoswapSaveButton": "Зберегти", - "@autoswapSaveButton": { - "description": "Save button label at bottom of settings sheet" - }, - "importWatchOnlyDisclaimerDescription": "Переконайтеся, що шлях деривативації ви обираєтеся відповідати одному, який виготовив даний xpub, перевіривши першу адресу, отриману з гаманця перед використанням. Використання неправильного шляху може призвести до втрати коштів", - "@importWatchOnlyDisclaimerDescription": { - "description": "Description explaining derivation path matching requirement" - }, - "sendConfirmSend": "Підтвердження", - "@sendConfirmSend": { - "description": "Title for send confirmation screen" - }, - "fundExchangeBankTransfer": "Банківський переказ", - "@fundExchangeBankTransfer": { - "description": "Bank transfer method title" - }, - "importQrDeviceButtonInstructions": "Інструкції", - "@importQrDeviceButtonInstructions": { - "description": "ImportQrDevice: Button to show setup instructions" - }, - "buyLevel3Limit": "Рівень 3 ліміт: {amount}", - "@buyLevel3Limit": { - "description": "Purchase limit for full KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "electrumLiquidSslInfo": "Не потрібно вказати протокол, SSL буде автоматично використовуватися.", - "@electrumLiquidSslInfo": { - "description": "Info text for Liquid server protocol" - }, - "sendDeviceConnected": "Пристрій підключений", - "@sendDeviceConnected": { - "description": "Status when hardware wallet is detected" - }, - "swapErrorAmountAboveMaximum": "Сума перевищила максимальну кількість ковпачок: {max} сати", - "@swapErrorAmountAboveMaximum": { - "description": "Error shown when amount is above maximum", - "placeholders": { - "max": { - "type": "String" - } - } - }, - "psbtFlowPassportTitle": "Інструкції щодо Паспорту Фонду", - "@psbtFlowPassportTitle": { - "description": "Title for Foundation Passport device signing instructions" - }, - "exchangeLandingFeature3": "Bitcoin у USD", - "@exchangeLandingFeature3": { - "description": "Third feature bullet point" - }, - "notLoggedInMessage": "Будь ласка, ввійдіть в обліковий запис Bull Bitcoin для налаштування обміну доступом.", - "@notLoggedInMessage": { - "description": "Message prompting user to log in for exchange features" - }, - "swapTotalFees": "Всього коштів ", - "@swapTotalFees": { - "description": "Total fees label" - }, - "keystoneStep11": "Натисніть \"Я зробив\" в Гаманець Біткойн.", - "@keystoneStep11": { - "description": "Keystone instruction to return to app" - }, - "scanningCompletedMessage": "Сканування завершено", - "@scanningCompletedMessage": { - "description": "Success message when UR scanning completes" - }, - "recoverbullSecureBackup": "Забезпечити резервну копію", - "@recoverbullSecureBackup": { - "description": "Screen title for backup security setup" - }, - "buyUnauthenticatedError": "Ви не автентифіковані. Будь ласка, увійдіть, щоб продовжити.", - "@buyUnauthenticatedError": { - "description": "Error message for unauthenticated user during buy" - }, - "bitboxActionSignTransactionButton": "Зареєструватися", - "@bitboxActionSignTransactionButton": { - "description": "Button text for sign transaction" - }, - "sendEnterAbsoluteFee": "Введіть абсолютний внесок у сати", - "@sendEnterAbsoluteFee": { - "description": "Placeholder for absolute fee input field" - }, - "importWatchOnlyDisclaimerTitle": "Попередження про заставу", - "@importWatchOnlyDisclaimerTitle": { - "description": "Title for derivation path warning disclaimer" - }, - "withdrawConfirmIban": "ІБАН", - "@withdrawConfirmIban": { - "description": "Field label for IBAN" - }, - "testBackupLastKnownVault": "Останній Знаний Зашифрований {timestamp}", - "@testBackupLastKnownVault": { - "description": "Shows timestamp of last encrypted vault backup", - "placeholders": { - "timestamp": { - "type": "String" - } - } - }, - "recoverbullErrorFetchKeyFailed": "Вимкнено до ключа за замовчуванням від сервера", - "@recoverbullErrorFetchKeyFailed": { - "description": "Error message when server key fetch fails" - }, - "sendSwapInProgressInvoice": "Ведуться ковпа. Оплатити рахунок за кілька секунд.", - "@sendSwapInProgressInvoice": { - "description": "Message for Liquid swap in progress" - }, - "arkReceiveButton": "Отримати", - "@arkReceiveButton": { - "description": "Bottom button to navigate to receive page" - }, - "electrumRetryCountNegativeError": "Рівний граф не може бути негативним", - "@electrumRetryCountNegativeError": { - "description": "Validation error for negative Retry Count value" - }, - "importQrDeviceJadeStep4": "Виберіть \"Оптіони\" з основного меню", - "@importQrDeviceJadeStep4": { - "description": "Jade instruction step 4" - }, - "backupWalletSavingToDeviceTitle": "Збереження вашого пристрою.", - "@backupWalletSavingToDeviceTitle": { - "description": "Loading screen title when saving to custom location" - }, - "paySwapInProgress": "Обмін в прогрес ...", - "@paySwapInProgress": { - "description": "Status message during submarine swap" - }, - "importMnemonicSyncMessage": "Усі три типи гаманця є синхронізацією та їх балансом та операціями. Якщо ви впевнені, що тип гаманця ви хочете імпортувати.", - "@importMnemonicSyncMessage": { - "description": "Message explaining wallet type syncing process" - }, - "fundExchangeMethodCrIbanCrcSubtitle": "Трансфер кошти в Коста-Рикан Колон (CRC)", - "@fundExchangeMethodCrIbanCrcSubtitle": { - "description": "Subtitle for Costa Rica IBAN CRC payment method" - }, - "autoswapRecipientWalletLabel": "Отримувач Bitcoin Wallet", - "@autoswapRecipientWalletLabel": { - "description": "Label for wallet selection dropdown" - }, - "coreScreensConfirmTransfer": "Підтвердження трансферу", - "@coreScreensConfirmTransfer": { - "description": "Title for confirm transfer action" - }, - "recoverbullRetry": "Птиця", - "@recoverbullRetry": { - "description": "Button text to retry failed operation" - }, - "arkSettleMessage": "Закінчуйте операції з кредитування та включають відновлювані vtxos, якщо це потрібно", - "@arkSettleMessage": { - "description": "Settle bottom sheet explanation" - }, - "receiveCopyInvoice": "Статус на сервери", - "@receiveCopyInvoice": { - "description": "Button to copy invoice to clipboard" - }, - "walletAutoTransferBlockedTitle": "Авто Трансфер блокується", - "@walletAutoTransferBlockedTitle": { - "description": "Title for auto-swap fee warning when fees exceed threshold" - }, - "importQrDeviceJadeInstructionsTitle": "Blockstream Jade Інструкції", - "@importQrDeviceJadeInstructionsTitle": { - "description": "Title for Jade setup instructions" - }, - "paySendMax": "Макс", - "@paySendMax": { - "description": "Button to set amount to maximum available" - }, - "recoverbullGoogleDriveDeleteConfirmation": "Ви впевнені, що ви хочете видалити цю резервну копію? Ця дія не може бути неоновою.", - "@recoverbullGoogleDriveDeleteConfirmation": { - "description": "Confirmation message for deleting a vault backup" - }, - "arkReceiveArkAddress": "Арк адреса", - "@arkReceiveArkAddress": { - "description": "Label for Ark address" - }, - "googleDriveSignInMessage": "Ви повинні зареєструватися на Google Диску", - "@googleDriveSignInMessage": { - "description": "Message about needing to sign in to Google Drive" - }, - "passportStep9": "Натисніть кнопку, щоб зареєструвати операцію на паспорті.", - "@passportStep9": { - "description": "Passport instruction for signing" - }, - "electrumDeleteConfirmation": "Ви впевнені, що ви хочете видалити цей сервер?\n\n{serverUrl}", - "@electrumDeleteConfirmation": { - "description": "Confirmation message for server deletion", - "placeholders": { - "serverUrl": { - "type": "String" - } - } - }, - "arkServerUrl": "Статус на сервери", - "@arkServerUrl": { - "description": "Label for server URL field" - }, - "importMnemonicSelectType": "Виберіть тип гаманця для імпорту", - "@importMnemonicSelectType": { - "description": "Instruction to select wallet type" - }, - "fundExchangeMethodArsBankTransfer": "Банківський переказ", - "@fundExchangeMethodArsBankTransfer": { - "description": "Payment method: Bank Transfer (Argentina)" - }, - "importQrDeviceKeystoneStep1": "Потужність на пристрої Keystone", - "@importQrDeviceKeystoneStep1": { - "description": "Keystone instruction step 1" - }, - "arkDurationDays": "{days} дні", - "@arkDurationDays": { - "description": "Duration format for plural days", - "placeholders": { - "days": { - "type": "String" - } - } - }, - "swapTransferAmount": "Сума переказу", - "@swapTransferAmount": { - "description": "Label for amount input field" - }, - "feePriorityLabel": "Пріоритетність", - "@feePriorityLabel": { - "description": "Label for fee selection priority option" - }, - "coreScreensToLabel": "До", - "@coreScreensToLabel": { - "description": "Label for destination/receiver field" - }, - "backupSettingsTestBackup": "Тест резервного копіювання", - "@backupSettingsTestBackup": { - "description": "Button text to test existing backup" - }, - "viewLogsLabel": "Перегляд журналів", - "@viewLogsLabel": { - "description": "List tile label to view logs inline or in viewer" - }, - "sendSwapTimeEstimate": "Оцініть час: {time}", - "@sendSwapTimeEstimate": { - "description": "Expected swap duration", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "hwKeystone": "Головна", - "@hwKeystone": { - "description": "Name of Keystone hardware wallet" - }, - "kruxStep12": "Після того, як Krux покаже вам власний QR-код.", - "@kruxStep12": { - "description": "Krux instruction about signed PSBT QR" - }, - "ledgerScanningTitle": "Сканування пристроїв", - "@ledgerScanningTitle": { - "description": "Title shown while scanning for Ledger devices" - }, - "recoverbullFetchVaultKey": "Фетиш Vault Головна", - "@recoverbullFetchVaultKey": { - "description": "Screen title for vault key fetch screen" - }, - "bitboxActionUnlockDeviceSuccessSubtext": "Ваш пристрій BitBox тепер розблокований і готовий до використання.", - "@bitboxActionUnlockDeviceSuccessSubtext": { - "description": "Success subtext for unlock device" - }, - "payShareInvoice": "Надіслати запит", - "@payShareInvoice": { - "description": "Button text to share payment invoice" - }, - "bitboxScreenEnterPassword": "Введіть пароль", - "@bitboxScreenEnterPassword": { - "description": "Main text when waiting for password" - }, - "keystoneStep10": "Після того, щоб показати вам власний QR-код.", - "@keystoneStep10": { - "description": "Keystone instruction about signed PSBT QR" - }, - "ledgerSuccessSignTitle": "Успішно заблоковано операцію", - "@ledgerSuccessSignTitle": { - "description": "Success message title after signing transaction with Ledger" - }, - "electrumPrivacyNoticeContent1": "Повідомлення про конфіденційність: Використання власного вузла забезпечує, що жодна сторона не може зв'язатися з вашим IP-адресою, з вашими операціями.", - "@electrumPrivacyNoticeContent1": { - "description": "First paragraph of privacy notice" - }, - "testBackupEnterKeyManually": "Введіть ключ Backup вручну >>", - "@testBackupEnterKeyManually": { - "description": "Button text to manually enter backup key" - }, - "payCoinjoinFailed": "CoinJoin не вдалося", - "@payCoinjoinFailed": { - "description": "Error when CoinJoin fails" - }, - "bitboxActionPairDeviceTitle": "Пристрої BitBox", - "@bitboxActionPairDeviceTitle": { - "description": "Title for pair device action" - }, - "buyKYCLevel2": "Рівень 2 - Покращений", - "@buyKYCLevel2": { - "description": "Enhanced verification tier" - }, - "testBackupErrorSelectAllWords": "Будь ласка, оберіть всі слова", - "@testBackupErrorSelectAllWords": { - "description": "Error when not all words are selected" - }, - "buyLevel1Limit": "Рівень 1 ліміт: {amount}", - "@buyLevel1Limit": { - "description": "Purchase limit for basic KYC", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "dcaNetworkLabel": "Мережа", - "@dcaNetworkLabel": { - "description": "Label for network detail row" - }, - "toLabel": "До", - "@toLabel": { - "description": "Label for destination address in transaction details" - }, - "passportStep7": " - Спробуйте перемістити пристрій назад трохи", - "@passportStep7": { - "description": "Passport troubleshooting tip 3" - }, - "sendInsufficientFunds": "Недостатні кошти", - "@sendInsufficientFunds": { - "description": "Error when balance too low" - }, - "sendSuccessfullySent": "Успішно", - "@sendSuccessfullySent": { - "description": "Title for successful send completion" - }, - "sendSwapAmount": "Обмін Amount", - "@sendSwapAmount": { - "description": "Label for amount being swapped" - }, - "autoswapTitle": "Налаштування автопередача", - "@autoswapTitle": { - "description": "Header title for auto transfer settings bottom sheet" - }, - "sellInteracTransfer": "Інтерак e-Transfer", - "@sellInteracTransfer": { - "description": "Option for Interac payment (Canada)" - }, - "bitboxScreenPairingCodeSubtext": "Перевірити цей код відповідає екрану BitBox02, потім підтвердити на пристрої.", - "@bitboxScreenPairingCodeSubtext": { - "description": "Subtext when showing pairing code" - }, - "pinConfirmMismatchError": "ПІНС не відповідає", - "@pinConfirmMismatchError": { - "description": "Error message when confirmation PIN doesn't match original" - }, - "autoswapMinimumThresholdErrorBtc": "Мінімальний поріг балансу {amount} BTC", - "@autoswapMinimumThresholdErrorBtc": { - "description": "Validation error shown when amount threshold is below minimum (BTC display)", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "receiveLiquidNetwork": "Рідина", - "@receiveLiquidNetwork": { - "description": "Liquid Network option" - }, - "autoswapSettingsTitle": "Налаштування автопередача", - "@autoswapSettingsTitle": { - "description": "Main header/title of the auto swap settings bottom sheet" - }, - "arkAboutBoardingExitDelay": "Затримка виходу", - "@arkAboutBoardingExitDelay": { - "description": "Field label for boarding exit delay" - }, - "backupWalletInstructionNoPassphrase": "Ваше резервне копіювання не захищено пасфальним способом. Створіть новий гаманець.", - "@backupWalletInstructionNoPassphrase": { - "description": "Information about passphrase protection option" - }, - "sendSwapFailed": "Не вдалося. Ваше повернення буде оброблятися найближчим часом.", - "@sendSwapFailed": { - "description": "Message explaining swap failure and refund" - }, - "sellNetworkError": "Мережеві помилки. Будь ласка, спробуйте", - "@sellNetworkError": { - "description": "Error for connectivity issues" - }, - "sendHardwareWallet": "Обладнання гаманець", - "@sendHardwareWallet": { - "description": "Option to sign with hardware device" - }, - "sendUserRejected": "Користувач відхилений від пристрою", - "@sendUserRejected": { - "description": "Error when user declines on hardware wallet" - }, - "swapSubtractFeesLabel": "Відрахування платежів від суми", - "@swapSubtractFeesLabel": { - "description": "Label when receive exact amount toggle is off" - }, - "buyVerificationRequired": "Перевірка необхідної для цієї суми", - "@buyVerificationRequired": { - "description": "Error when KYC needed for purchase size" - }, - "withdrawConfirmBankAccount": "Банківський рахунок", - "@withdrawConfirmBankAccount": { - "description": "Default label for bank account in confirmation screen" - }, - "kruxStep1": "Вхід до пристрою Krux", - "@kruxStep1": { - "description": "Krux instruction step 1" - }, - "dcaUseDefaultLightningAddress": "Використовуйте свою адресу за замовчуванням.", - "@dcaUseDefaultLightningAddress": { - "description": "Checkbox label to use default Lightning address" - }, - "recoverbullErrorRejected": "Відхилено Key Server", - "@recoverbullErrorRejected": { - "description": "Error message when request is rejected by the key server" - }, - "sellEstimatedArrival": "Орієнтовне прибуття: {time}", - "@sellEstimatedArrival": { - "description": "Expected time to receive fiat", - "placeholders": { - "time": { - "type": "String" - } - } - }, - "arkConfirmedBalance": "Підтверджений баланс", - "@arkConfirmedBalance": { - "description": "Label for confirmed balance row" - }, - "payMaximumAmount": "{amount}", - "@payMaximumAmount": { - "description": "Label showing maximum payment amount", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "receiveNetworkUnavailable": "{network} в даний час 0", - "@receiveNetworkUnavailable": { - "description": "Error when network is down", - "placeholders": { - "network": { - "type": "String" - } - } - }, - "backupWalletPhysicalBackupTitle": "Фізична резервна копія", - "@backupWalletPhysicalBackupTitle": { - "description": "Title for physical backup option" - }, - "arkTxBoarding": "Дошка", - "@arkTxBoarding": { - "description": "Transaction type label for Ark boarding transactions" - }, - "bitboxActionVerifyAddressSuccess": "Адреса Успішно", - "@bitboxActionVerifyAddressSuccess": { - "description": "Success text for verify address" - }, - "psbtImDone": "Я зробив", - "@psbtImDone": { - "description": "Button text to proceed after signing transaction on hardware device" - }, - "bitboxScreenSelectWalletType": "Виберіть гаманець Тип", - "@bitboxScreenSelectWalletType": { - "description": "Title for wallet type selection modal" - }, - "appUnlockEnterPinMessage": "Введіть код шпильки для розблокування", - "@appUnlockEnterPinMessage": { - "description": "Message prompting user to enter their PIN code to unlock the app" - }, - "torSettingsTitle": "Налаштування Tor", - "@torSettingsTitle": { - "description": "AppBar title for the Tor settings screen" - }, - "backupSettingsRevealing": "Відновлення ...", - "@backupSettingsRevealing": { - "description": "Button text while revealing vault key" - }, - "payTotal": "Всього", - "@payTotal": { - "description": "Label for total payment amount (amount + fee)" - }, - "autoswapSaveErrorMessage": "Не вдалося зберегти налаштування: {error}", - "@autoswapSaveErrorMessage": { - "description": "SnackBar error message when save fails", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "exchangeDcaAddressLabelLightning": "Адреса блискавки", - "@exchangeDcaAddressLabelLightning": { - "description": "Label for Lightning address in DCA settings" - }, - "addressViewTitle": "Адреса Подробиці", - "@addressViewTitle": { - "description": "AppBar title for address details screen" - }, - "bitboxScreenManagePermissionsButton": "Керування додатками", - "@bitboxScreenManagePermissionsButton": { - "description": "Button to open app permissions settings" - }, - "sellKYCPending": "Перевірка KYC", - "@sellKYCPending": { - "description": "Message when verification in progress" - }, - "dcaLightningAddressLabel": "Адреса блискавки", - "@dcaLightningAddressLabel": { - "description": "Label for Lightning address detail row (shown only for Lightning network)" - }, - "electrumEnableSsl": "Увімкнути SSL", - "@electrumEnableSsl": { - "description": "SSL toggle label in add custom server sheet" - }, - "payCustomFee": "Спеціальний Fee", - "@payCustomFee": { - "description": "Option to set custom fee amount" - }, - "fundExchangeBankTransferWireTimeframe": "Будь-які кошти, які ви надішлемо, будуть додані до Біткойн протягом 1-2 робочих днів.", - "@fundExchangeBankTransferWireTimeframe": { - "description": "Timeframe for bank transfer wire funds to be credited" - }, - "sendDeviceDisconnected": "Відключення пристроїв", - "@sendDeviceDisconnected": { - "description": "Error when hardware wallet unplugged" - }, - "withdrawConfirmError": "{error}", - "@withdrawConfirmError": { - "description": "Error message on confirmation screen", - "placeholders": { - "error": { - "type": "String" - } - } - }, - "payFeeBumpFailed": "Бампер не вдалося", - "@payFeeBumpFailed": { - "description": "Error when fee bump fails" - }, - "arkAboutUnilateralExitDelay": "Затримка одностороннього виходу", - "@arkAboutUnilateralExitDelay": { - "description": "Field label for unilateral exit delay" - }, - "payUnsupportedInvoiceType": "Непідтриманий тип рахунку", - "@payUnsupportedInvoiceType": { - "description": "Error for unknown invoice format" - }, - "seedsignerStep13": "Операція буде імпортована в гаманці Bull Bitcoin.", - "@seedsignerStep13": { - "description": "SeedSigner instruction about import completion" - }, - "autoswapRecipientWalletDefaultLabel": "Bitcoin гаманець", - "@autoswapRecipientWalletDefaultLabel": { - "description": "Default label shown for wallets without a custom label in the dropdown" - }, - "dcaPaymentMethodLabel": "Спосіб оплати", - "@dcaPaymentMethodLabel": { - "description": "Label for payment method detail row" - }, - "swapProgressPendingMessage": "Передача здійснюється в процесі. Біткойн-транзакції можуть зайняти під час підтвердження. Ви можете повернутися додому і чекати.", - "@swapProgressPendingMessage": { - "description": "Pending transfer message" - }, - "broadcastSignedTxBroadcasting": "Трансляція...", - "@broadcastSignedTxBroadcasting": { - "description": "Loading message while broadcasting" - }, - "recoverbullSelectRecoverWallet": "Відновлення гаманця", - "@recoverbullSelectRecoverWallet": { - "description": "AppBar title for initial provider selection screen" - }, - "importMnemonicContinue": "Продовжити", - "@importMnemonicContinue": { - "description": "Button text to proceed after entering mnemonic" - }, - "psbtFlowMoveLaser": "Перемістити червоному лазеру вгору і вниз по QR-коду", - "@psbtFlowMoveLaser": { - "description": "Troubleshooting tip for devices with laser scanners" - }, - "chooseVaultLocationTitle": "Виберіть місце розташування", - "@chooseVaultLocationTitle": { - "description": "Title for choose vault location screen" - }, - "dcaConfirmOrderTypeValue": "Закупівля", - "@dcaConfirmOrderTypeValue": { - "description": "Order type value" - }, - "psbtFlowDeviceShowsQr": "{device} покаже вам власний QR-код.", - "@psbtFlowDeviceShowsQr": { - "description": "Information that device will display QR code after signing", - "placeholders": { - "device": { - "type": "String" - } - } - }, - "testBackupEncryptedVaultTitle": "Зашифрована сорочка", - "@testBackupEncryptedVaultTitle": { - "description": "Title for encrypted vault backup option card" - }, - "dcaWalletTypeLiquid": "Рідина (LBTC)", - "@dcaWalletTypeLiquid": { - "description": "Radio button option for Liquid wallet" - }, - "fundExchangeLabelInstitutionNumber": "Номер установи", - "@fundExchangeLabelInstitutionNumber": { - "description": "Label for institution number field" - }, - "arkAboutCopiedMessage": "{label} скопіювати до буферу", - "@arkAboutCopiedMessage": { - "description": "Snackbar message when field copied", - "placeholders": { - "label": { - "type": "String" - } - } - }, - "swapAmountLabel": "Сума", - "@swapAmountLabel": { - "description": "Label for amount input section" - }, - "recoverbullSelectCustomLocation": "Місцезнаходження", - "@recoverbullSelectCustomLocation": { - "description": "AppBar title for custom location file picker screen" - }, - "sellConfirmOrder": "Підтвердити замовлення", - "@sellConfirmOrder": { - "description": "Button to submit sell order" - }, - "buyVerificationComplete": "Верифікація завершено", - "@buyVerificationComplete": { - "description": "Success message after KYC approval" - }, - "replaceByFeeFeeRateDisplay": "{feeRate} sat/vbyte", - "@replaceByFeeFeeRateDisplay": { - "description": "Display text showing the fee rate", - "placeholders": { - "feeRate": { - "type": "String" - } - } - }, - "torSettingsPortValidationRange": "Порт повинен бути між 1 і 65535", - "@torSettingsPortValidationRange": { - "description": "Validation error when port is out of valid range" - }, - "fundExchangeMethodCrIbanUsdSubtitle": "Перерахування коштів у доларах США (USD)", - "@fundExchangeMethodCrIbanUsdSubtitle": { - "description": "Subtitle for Costa Rica IBAN USD payment method" - }, - "electrumTimeoutEmptyError": "Час не може бути порожнім", - "@electrumTimeoutEmptyError": { - "description": "Validation error for empty Timeout field" - }, - "electrumPrivacyNoticeContent2": "Однак Якщо ви переглядаєте транзакції за допомогою мемупу, натиснувши кнопку \"Вхід або одержувача\", ця інформація буде відома BullBitcoin.", - "@electrumPrivacyNoticeContent2": { - "description": "Second paragraph of privacy notice" - }, - "importColdcardScanPrompt": "Сканування QR-коду з вашої холодної картки Q", - "@importColdcardScanPrompt": { - "description": "Instruction to scan Coldcard QR" - }, - "torSettingsDescConnected": "Tor proxy працює і готовий", - "@torSettingsDescConnected": { - "description": "Description when Tor is connected" - }, - "backupSettingsEncryptedVault": "Зашифрований Vault", - "@backupSettingsEncryptedVault": { - "description": "Label for encrypted vault backup status row" - }, - "autoswapAlwaysBlockInfoDisabled": "Коли вимкнено, вам буде запропоновано варіант, щоб дозволити автотранспорт, який заблоковано через високі збори", - "@autoswapAlwaysBlockInfoDisabled": { - "description": "Help text when always block is disabled" - }, - "dcaSetupTitle": "Встановити Recurring Купити", - "@dcaSetupTitle": { - "description": "AppBar title for DCA setup screen" - }, - "sendErrorInsufficientBalanceForPayment": "Не достатній баланс для покриття платежу", - "@sendErrorInsufficientBalanceForPayment": { - "description": "Error when wallet balance is insufficient for payment" - }, - "bitboxScreenPairingCode": "Поштовий індекс", - "@bitboxScreenPairingCode": { - "description": "Main text when showing pairing code" - }, - "testBackupPhysicalBackupTitle": "Фізична резервна копія", - "@testBackupPhysicalBackupTitle": { - "description": "Title for physical backup option card" - }, - "ledgerProcessingImport": "Імпорт гаманця", - "@ledgerProcessingImport": { - "description": "Status message shown while importing Ledger wallet" - }, - "coldcardStep15": "Зараз готовий до трансляції! Як тільки ви натиснете трансляцію, операція буде опублікована на мережі Біткойн і будуть відправлені кошти.", - "@coldcardStep15": { - "description": "Coldcard final instruction about broadcasting" - }, - "comingSoonDefaultMessage": "Ця функція доступна найближчим часом.", - "@comingSoonDefaultMessage": { - "description": "Default message for features under development" - }, - "dcaFrequencyLabel": "Кількість", - "@dcaFrequencyLabel": { - "description": "Label for frequency detail row" - }, - "ledgerErrorMissingAddress": "Адреса для перевірки", - "@ledgerErrorMissingAddress": { - "description": "Error message when address is missing for verification" - }, - "recoverbullCreatingVault": "Створення шифрування Виноград", - "@recoverbullCreatingVault": { - "description": "Screen title while vault is being created" - }, - "importWalletColdcardQ": "Холодна картка Q", - "@importWalletColdcardQ": { - "description": "Button label for Coldcard Q hardware wallet" - }, - "backupSettingsStartBackup": "Початок резервного копіювання", - "@backupSettingsStartBackup": { - "description": "Button text to start new backup process" - }, - "sendReceiveAmount": "Отримувати Amount", - "@sendReceiveAmount": { - "description": "Label for amount being received in swap" - }, - "recoverbullTestRecovery": "Відновлення даних", - "@recoverbullTestRecovery": { - "description": "Button text to initiate recovery test" - }, - "sellNetAmount": "Чистий розмір", - "@sellNetAmount": { - "description": "Label for amount after fees" - }, - "willNot": "не буде ", - "@willNot": { - "description": "Bold part of privacy assurance (will not)" - }, - "arkAboutServerPubkey": "Статус на сервери", - "@arkAboutServerPubkey": { - "description": "Field label for server pubkey" - }, - "pinManageDescription": "Управління безпекою PIN", - "@pinManageDescription": { - "description": "Headline text on PIN settings screen" - }, - "bitboxActionUnlockDeviceProcessing": "Розблокування пристрою", - "@bitboxActionUnlockDeviceProcessing": { - "description": "Processing text for unlock device" - }, - "seedsignerStep4": "Якщо у вас є проблеми сканування:", - "@seedsignerStep4": { - "description": "SeedSigner troubleshooting header" - }, - "mempoolNetworkLiquidTestnet": "Рідкий Testnet", - "@mempoolNetworkLiquidTestnet": { - "description": "Label for Liquid Testnet network" - }, - "torSettingsDescDisconnected": "Тор проксі не працює", - "@torSettingsDescDisconnected": { - "description": "Description when Tor is disconnected" - }, - "ledgerButtonTryAgain": "Зареєструватися", - "@ledgerButtonTryAgain": { - "description": "Button label to retry a failed Ledger operation" - }, - "bitboxScreenNestedSegwitBip49Subtitle": "П2ВПХ-нестед-в-П2Ш", - "@bitboxScreenNestedSegwitBip49Subtitle": { - "description": "Subtitle for BIP49 option" - }, - "autoswapMaxBalanceLabel": "Max Миттєвий баланс гаманця", - "@autoswapMaxBalanceLabel": { - "description": "Label for amount threshold input field" - }, - "recoverbullRecoverBullServer": "Статус на сервери", - "@recoverbullRecoverBullServer": { - "description": "Label for RecoverBull server connection status" - }, - "exchangeDcaViewSettings": "Перегляд налаштувань", - "@exchangeDcaViewSettings": { - "description": "Link text to view DCA settings details" - }, - "payRetryPayment": "Плата за лікування", - "@payRetryPayment": { - "description": "Button text to retry a failed payment" - }, - "exchangeSupportChatTitle": "Підтримка чату", - "@exchangeSupportChatTitle": { - "description": "Title for the support chat screen" - }, - "arkTxTypeCommitment": "Приват", - "@arkTxTypeCommitment": { - "description": "Transaction type label for commitment transactions" - }, - "customLocationRecommendation": "Місцезнаходження: ", - "@customLocationRecommendation": { - "description": "Bold label for custom location recommendation" - }, - "fundExchangeMethodCrIbanUsd": "Коста-Рика IBAN (USD)", - "@fundExchangeMethodCrIbanUsd": { - "description": "Payment method: Costa Rica IBAN in US Dollars" - }, - "recoverbullErrorSelectVault": "Ввімкнено до вибору за замовчуванням", - "@recoverbullErrorSelectVault": { - "description": "Error message when vault selection fails" - }, - "paySwapCompleted": "Обмін завершено", - "@paySwapCompleted": { - "description": "Status message after successful swap" - }, - "receiveDescription": "Опис (за бажанням)", - "@receiveDescription": { - "description": "Optional memo field" - }, - "bitboxScreenVerifyAddress": "Адреса електронної пошти", - "@bitboxScreenVerifyAddress": { - "description": "Main text when showing address verification" - }, - "bitboxScreenConnectDevice": "Підключення пристрою BitBox", - "@bitboxScreenConnectDevice": { - "description": "Main text when in initial state" - }, - "arkYesterday": "Погода", - "@arkYesterday": { - "description": "Date label for transactions from yesterday" - }, - "amountRequestedLabel": "{amount}", - "@amountRequestedLabel": { - "description": "Shows the requested amount to send", - "placeholders": { - "amount": { - "type": "String" - } - } - }, - "swapProgressRefunded": "Повернення коштів", - "@swapProgressRefunded": { - "description": "Refunded transfer status" - }, - "payPaymentHistory": "Історія оплати", - "@payPaymentHistory": { - "description": "Title for list of past payments" - }, - "exchangeFeatureUnifiedHistory": "• Уніфікована історія транзакцій", - "@exchangeFeatureUnifiedHistory": { - "description": "Feature bullet point describing unified transaction history feature" - }, - "withdrawOrderAlreadyConfirmedError": "Цей порядок виведення вже було підтверджено.", - "@withdrawOrderAlreadyConfirmedError": { - "description": "Error message for already confirmed withdrawal order" - }, - "autoswapSelectWallet": "Виберіть гаманець Bitcoin", - "@autoswapSelectWallet": { - "description": "Placeholder for wallet dropdown" - }, - "walletAutoTransferBlockButton": "Блоки", - "@walletAutoTransferBlockButton": { - "description": "Button to block auto-transfer until next execution" - }, - "recoverbullGoogleDriveErrorSelectFailed": "Вимкнено для вибору за замовчуванням з Google Диску", - "@recoverbullGoogleDriveErrorSelectFailed": { - "description": "Error message when selecting/loading a drive backup fails" - }, - "autoswapRecipientWalletRequired": "Ім'я *", - "@autoswapRecipientWalletRequired": { - "description": "Required field indicator asterisk" - }, - "ledgerSignTitle": "Реєстрація", - "@ledgerSignTitle": { - "description": "Title for signing a transaction with Ledger" - }, - "importWatchOnlyCancel": "Зареєструватися", - "@importWatchOnlyCancel": { - "description": "Button to cancel watch-only import" - } -} + "translationWarningTitle": "Переклади, створені ШІ", + "translationWarningDescription": "Більшість перекладів у цьому додатку були створені за допомогою ШІ і можуть містити неточності. Якщо ви помітили помилки або хочете допомогти покращити переклади, ви можете зробити свій внесок через нашу платформу спільноти перекладачів.", + "translationWarningContributeButton": "Допомогти покращити переклади", + "translationWarningDismissButton": "Зрозуміло", + "durationSeconds": "{seconds} секунд", + "@durationSeconds": { + "placeholders": { + "seconds": { + "type": "String" + } + } + }, + "durationMinutes": "{minutes} хвилин", + "@durationMinutes": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "arkAboutDurationSeconds": "{seconds} секунд", + "@arkAboutDurationSeconds": { + "placeholders": { + "seconds": { + "type": "int" + } + } + }, + "arkAboutDurationMinute": "{minutes} хвилин", + "@arkAboutDurationMinute": { + "placeholders": { + "minutes": { + "type": "int" + } + } + }, + "arkAboutDurationMinutes": "{minutes} хвилин", + "@arkAboutDurationMinutes": { + "placeholders": { + "minutes": { + "type": "int" + } + } + }, + "durationMinute": "{minutes} хвилин", + "@durationMinute": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "exchangeSettingsSecuritySettingsTitle": "Налаштування безпеки", + "transactionNoteUpdateButton": "Оновлення", + "arkAboutTitle": "Про", + "arkDurationSeconds": "{seconds} секунд", + "@arkDurationSeconds": { + "placeholders": { + "seconds": { + "type": "String" + } + } + }, + "arkDurationMinute": "{minutes} хвилин", + "@arkDurationMinute": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "arkDurationMinutes": "{minutes} хвилин", + "@arkDurationMinutes": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "appStartupContactSupportButton": "Контакти", + "ledgerHelpTitle": "Ledger усунення несправностей", + "fundExchangeLabelBankAccountCountry": "Країна банківського рахунку", + "fundExchangeLabelBankCountry": "Банк країни", + "fundExchangeLabelClabe": "КЛАБ", + "fundExchangeLabelMemo": "Мамо", + "fundExchangeSinpeTitle": "Трансфер SINPE", + "fundExchangeSinpeDescription": "Трансфер Колони за допомогою SINPE", + "fundExchangeCrIbanCrcTitle": "Банківський переказ (CRC)", + "fundExchangeCrIbanUsdTitle": "Банківський переказ (USD)", + "fundExchangeCrBankTransferDescription1": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації ", + "fundExchangeCrBankTransferDescriptionExactly": "до", + "fundExchangeLabelCedulaJuridica": "Кедула Юрійівна", + "fundExchangeArsBankTransferDescription": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації.", + "fundExchangeCrIbanUsdRecipientNameHelp": "Використовуйте нашу офіційну назву компанії. Не використовуйте \"Bull Bitcoin\".", + "physicalBackupTitle": "Фізична резервна копія", + "physicalBackupDescription": "Написати 12 слів на аркуші паперу. Збережіть їх безпечно і переконайтеся, що не втратити їх.", + "physicalBackupTag": "Бездоганний (забрати час)", + "howToDecideButton": "Як вирішити?", + "backupBestPracticesTitle": "Кращі практики", + "backupInstruction3": "Будь-який з доступом до вашого 12 резервного копіювання може вкрасти ваші біткоїни. Приховати його добре.", + "enterBackupKeyLabel": "Введіть ключ резервного копіювання", + "passwordLabel": "Логін", + "pickPinInsteadButton": "Підібрати PIN замість >>", + "howToDecideBackupText2": "Зашифрована схованка запобігає вам з тих, хто шукає крадіжку вашої резервної копії. Ви також не зможете втратити резервну копію, оскільки вона буде зберігатися у хмарі. Ми не маємо доступу до вашого біткойн, оскільки пароль шифрування занадто сильний. Існує невелика ймовірність, що веб-сервер, який зберігає ключ шифрування резервної копії. У цьому випадку безпека резервного копіювання у хмарному обліковому записі може бути на ризику.", + "physicalBackupRecommendation": "Фізична резервна копія: ", + "physicalBackupRecommendationText": "Ви впевнені, що ваші можливості оперативної безпеки приховати і зберегти ваші слова насіннєвих.", + "encryptedVaultRecommendation": "Зашифрована сорочка: ", + "encryptedVaultRecommendationText": "Ви не впевнені, що вам потрібно більше часу, щоб дізнатися про методи резервної копії.", + "visitRecoverBullMessage": "Відвідайте rebull.com для отримання додаткової інформації.", + "howToDecideVaultLocationText1": "Ми не маємо доступу до вашого біткойн, оскільки пароль шифрування занадто сильний. Вони можуть мати доступ до вашого біткойн в малоймовірному випадку, вони з'єднуються з ключовим сервером (онлайн-сервіс, який зберігає пароль шифрування). Якщо сервер ключа коли-небудь отримує зламаний, ваш Біткойн може бути на ризику з Google або Apple хмарою.", + "buyInputFundAccount": "Оберіть Ваш рахунок", + "sellSendPaymentCalculating": "Розрахунок...", + "sellSendPaymentAdvanced": "Розширені налаштування", + "coreSwapsStatusPending": "Закінчення", + "coreSwapsStatusInProgress": "Прогрес", + "coreSwapsStatusCompleted": "Виконаний", + "coreSwapsStatusExpired": "Зареєструватися", + "coreSwapsStatusFailed": "В'язниця", + "coreSwapsActionClaim": "Клейм", + "coreSwapsActionClose": "Закрити", + "coreSwapsActionRefund": "Повернення", + "coreSwapsLnReceivePending": "Обмін ще не ініціюється.", + "coreSwapsLnReceivePaid": "Відправка сплачується на рахунок.", + "coreSwapsLnReceiveClaimable": "Обмін готовий бути заявленим.", + "coreSwapsLnReceiveRefundable": "Обмін готовий бути поверненим.", + "coreSwapsLnReceiveCanCoop": "Обмін буде завершено миттєво.", + "coreSwapsLnReceiveCompleted": "Закінчення завершено.", + "coreSwapsLnReceiveExpired": "Обмінюється.", + "coreSwapsLnReceiveFailed": "Обмінюється.", + "coreSwapsLnSendPending": "Обмін ще не ініціюється.", + "coreSwapsLnSendPaid": "Оплатити платіж після підтвердження платежу.", + "coreSwapsLnSendClaimable": "Обмін готовий бути заявленим.", + "coreSwapsLnSendRefundable": "Обмін готовий бути поверненим.", + "coreSwapsLnSendCanCoop": "Обмін буде завершено миттєво.", + "coreSwapsLnSendCompletedRefunded": "Повернення було повернено.", + "coreSwapsLnSendCompletedSuccess": "Закінчується успішно.", + "coreSwapsLnSendExpired": "Обмінюється", + "coreSwapsLnSendFailedRefunding": "Обмін буде повернено в найкоротші терміни.", + "coreSwapsLnSendFailed": "Обмінюється.", + "coreSwapsChainPending": "Передача ще не ініціюється.", + "coreSwapsChainPaid": "Очікується на оплату послуг з трансферу. Це може зайняти під час завершення.", + "coreSwapsChainClaimable": "Трансфер готовий бути заявленим.", + "coreSwapsChainRefundable": "Трансфер готовий бути поверненим.", + "coreSwapsChainCanCoop": "Трансфер буде завершено.", + "coreSwapsChainCompletedRefunded": "Переказ було повернено.", + "coreSwapsChainCompletedSuccess": "Передача здійснюється успішно.", + "coreSwapsChainExpired": "Трансфер Expired", + "coreSwapsChainFailedRefunding": "Трансфер буде повернено найближчим часом.", + "coreSwapsChainFailed": "Передача в'їзду.", + "coreWalletTransactionStatusPending": "Закінчення", + "coreWalletTransactionStatusConfirmed": "Підтвердження", + "onboardingScreenTitle": "Про нас", + "onboardingCreateWalletButtonLabel": "Створити гаманець", + "onboardingRecoverWalletButtonLabel": "Відновлення гаманця", + "settingsScreenTitle": "Налаштування", + "testnetModeSettingsLabel": "Режим тестування", + "satsBitcoinUnitSettingsLabel": "Дисплей блок в сати", + "pinCodeSettingsLabel": "Поштовий індекс", + "languageSettingsLabel": "Українська", + "backupSettingsLabel": "Резервування стін", + "electrumServerSettingsLabel": "Електорний сервер (Bitcoin node)", + "fiatCurrencySettingsLabel": "Фіат валюта", + "languageSettingsScreenTitle": "Українська", + "backupSettingsScreenTitle": "Налаштування резервного копіювання", + "settingsExchangeSettingsTitle": "Налаштування Exchange", + "settingsWalletBackupTitle": "Гаманець Backup", + "settingsBitcoinSettingsTitle": "Налаштування Bitcoin", + "settingsSecurityPinTitle": "Безпека Pin", + "pinCodeAuthentication": "Аутентифікація", + "pinCodeCreateTitle": "Створення нового штифта", + "pinCodeCreateDescription": "Ваш PIN захищає доступ до вашого гаманця та налаштувань. Збережіть його незабутнім.", + "pinCodeMinLengthError": "PIN повинен бути принаймні {minLength} цифр довго", + "@pinCodeMinLengthError": { + "placeholders": { + "minLength": { + "type": "String" + } + } + }, + "pinCodeConfirmTitle": "Підтвердити новий штифт", + "pinCodeMismatchError": "ПІНС не відповідає", + "pinCodeSecurityPinTitle": "Безпека PIN", + "pinCodeManageTitle": "Управління безпекою PIN", + "pinCodeChangeButton": "Зміна PIN", + "pinCodeCreateButton": "Створення PIN", + "pinCodeRemoveButton": "Видалення безпеки PIN", + "pinCodeContinue": "Продовжити", + "pinCodeConfirm": "Підтвердження", + "pinCodeLoading": "Завантаження", + "pinCodeCheckingStatus": "Перевірка стану PIN", + "pinCodeProcessing": "Переробка", + "pinCodeSettingUp": "Налаштування коду PIN", + "settingsCurrencyTitle": "Ціна", + "settingsAppSettingsTitle": "Налаштування додатків", + "settingsTermsOfServiceTitle": "Умови надання послуг", + "settingsAppVersionLabel": "Версія додатка: ", + "settingsTelegramLabel": "Телеграма", + "settingsGithubLabel": "Гитуб", + "settingsServicesStatusTitle": "Статус на сервери", + "settingsTorSettingsTitle": "Налаштування Tor", + "settingsRecoverbullTitle": "Реcoverbull", + "settingsLanguageTitle": "Українська", + "settingsArkTitle": "Арк", + "settingsDevModeWarningTitle": "Режим Dev", + "settingsDevModeWarningMessage": "Цей режим є ризикованим. За допомогою цього ви підтверджуєте, що ви можете втратити гроші", + "walletDetailsDeletingMessage": "Видалення гаманця ...", + "walletDetailsWalletFingerprintLabel": "Гаманець відбитків пальців", + "walletDetailsPubkeyLabel": "Пабке", + "walletDetailsDescriptorLabel": "Дескриптор", + "walletDetailsAddressTypeLabel": "Тип адреси", + "walletDetailsNetworkLabel": "Мережа", + "walletDetailsDerivationPathLabel": "Деприація шлях", + "walletDetailsCopyButton": "Партнерство", + "bitcoinSettingsWalletsTitle": "Гаманець", + "bitcoinSettingsElectrumServerTitle": "Налаштування серверів Electrum", + "bitcoinSettingsAutoTransferTitle": "Налаштування автопередача", + "bitcoinSettingsLegacySeedsTitle": "Насіння спадщини", + "bitcoinSettingsImportWalletTitle": "Імпорт Гаманець", + "bitcoinSettingsBroadcastTransactionTitle": "Трансмісія", + "bitcoinSettingsTestnetModeTitle": "Режим тестування", + "bitcoinSettingsBip85EntropiesTitle": "BIP85 Визначення ентропії", + "logSettingsLogsTitle": "Логін", + "logSettingsErrorLoadingMessage": "Журнали завантаження помилок: ", + "appSettingsDevModeTitle": "Режим Dev", + "currencySettingsDefaultFiatCurrencyLabel": "Валюта за замовчуванням", + "exchangeSettingsAccountInformationTitle": "Інформація про обліковий запис", + "exchangeSettingsReferralsTitle": "Реферали", + "exchangeSettingsLogInTitle": "Увійти", + "exchangeSettingsLogOutTitle": "Увійти", + "exchangeTransactionsTitle": "Твитнуть", + "exchangeTransactionsComingSoon": "Твитнуть", + "exchangeSecurityManage2FAPasswordLabel": "Управління 2FA і пароль", + "exchangeSecurityAccessSettingsButton": "Налаштування доступу", + "exchangeReferralsTitle": "Реферальні коди", + "exchangeReferralsJoinMissionTitle": "Приєднуйтесь до місії", + "exchangeReferralsContactSupportMessage": "Зв'язатися з нами", + "exchangeReferralsApplyToJoinMessage": "Застосувати вступ до програми тут", + "exchangeReferralsMissionLink": "библбітcoin.com/міс", + "exchangeRecipientsTitle": "Отримувачі", + "exchangeFileUploadDocumentTitle": "Завантажити будь-який документ", + "exchangeFileUploadInstructions": "Якщо вам необхідно надіслати інші документи, завантажте їх тут.", + "exchangeFileUploadButton": "Завантажити", + "exchangeAccountTitle": "Обмінний рахунок", + "exchangeAccountSettingsTitle": "Налаштування облікового запису Exchange", + "exchangeAccountComingSoon": "Ця функція починається найближчим часом.", + "exchangeBitcoinWalletsTitle": "За замовчуванням Bitcoin Wallets", + "exchangeBitcoinWalletsBitcoinAddressLabel": "Bitcoin адреса", + "exchangeBitcoinWalletsLightningAddressLabel": "Lightning (LN адреса)", + "exchangeBitcoinWalletsLiquidAddressLabel": "Контакти", + "exchangeBitcoinWalletsEnterAddressHint": "Вхід", + "exchangeAppSettingsSaveSuccessMessage": "Налаштування збережених успішно", + "exchangeAppSettingsPreferredLanguageLabel": "Мова перекладу", + "exchangeAppSettingsDefaultCurrencyLabel": "Валюта за замовчуванням", + "exchangeAppSettingsValidationWarning": "Будь ласка, встановіть мовні та валютні уподобання до збереження.", + "exchangeAppSettingsSaveButton": "Зберегти", + "exchangeAccountInfoTitle": "Інформація про обліковий запис", + "exchangeAccountInfoLoadErrorMessage": "Неможливо завантажити інформацію", + "exchangeAccountInfoUserNumberLabel": "Номер користувача", + "exchangeAccountInfoVerificationLevelLabel": "Рівень верифікація", + "exchangeAccountInfoEmailLabel": "Веб-сайт", + "exchangeAccountInfoFirstNameLabel": "Ім'я", + "exchangeAccountInfoLastNameLabel": "Ім'я", + "exchangeAccountInfoVerificationIdentityVerified": "Перевірка ідентичності", + "exchangeAccountInfoVerificationLightVerification": "Перевірка світла", + "exchangeAccountInfoVerificationLimitedVerification": "Обмежена перевірка", + "exchangeAccountInfoVerificationNotVerified": "Не перевірено", + "exchangeAccountInfoUserNumberCopiedMessage": "Номер користувача копіюється на буфер", + "walletsListTitle": "Деталі Wallet", + "walletsListNoWalletsMessage": "Немає гаманців", + "walletDeletionConfirmationTitle": "Видалити гаманець", + "walletDeletionConfirmationMessage": "Ви впевнені, що ви хочете видалити цей гаманець?", + "walletDeletionConfirmationCancelButton": "Зареєструватися", + "walletDeletionConfirmationDeleteButton": "Видалення", + "walletDeletionFailedTitle": "Видалити з'єднання", + "walletDeletionErrorDefaultWallet": "Ви не можете видалити за замовчуванням гаманець.", + "walletDeletionErrorOngoingSwaps": "Ви не можете видалити гаманець з постійними застібками.", + "walletDeletionErrorWalletNotFound": "Гаманець ви намагаєтеся видалити не існує.", + "addressCardIndexLabel": "Індекс: ", + "addressCardBalanceLabel": "Баланс: ", + "onboardingRecoverYourWallet": "Відновити гаманець", + "onboardingEncryptedVault": "Зашифрована сорочка", + "onboardingEncryptedVaultDescription": "Відновити резервну копію через хмару за допомогою PIN.", + "onboardingPhysicalBackup": "Фізична резервна копія", + "onboardingPhysicalBackupDescription": "Відновити гаманець через 12 слів.", + "onboardingRecover": "Відновити", + "onboardingBullBitcoin": "Bitcoin у USD", + "sendTitle": "Відправити", + "sendAdvancedOptions": "Додаткові параметри", + "sendReplaceByFeeActivated": "Замініть активоване", + "sendSelectCoinsManually": "Виберіть монети вручну", + "sendRecipientAddress": "Адреса одержувача", + "sendInsufficientBalance": "Недостатній баланс", + "sendScanBitcoinQRCode": "Сканувати будь-який Bitcoin або Lightning QR код для оплати з Bitcoin.", + "sendOpenTheCamera": "Відкрийте камеру", + "sendTo": "До", + "sendAmount": "Сума", + "sendNetworkFees": "Мережеві збори", + "sendFeePriority": "Пріоритетність", + "receiveTitle": "Отримати", + "receiveBitcoin": "Bitcoin у USD", + "receiveLightning": "Освітлення", + "receiveLiquid": "Рідина", + "receiveAddLabel": "Додати етикетку", + "receiveNote": "Зареєструватися", + "receiveSave": "Зберегти", + "receivePayjoinActivated": "Payjoin активований", + "receiveLightningInvoice": "Освітлювальний рахунок", + "receiveAddress": "Отримати адресу", + "receiveAmount": "Сума (за бажанням)", + "receiveNoteLabel": "Зареєструватися", + "receiveEnterHere": "Увійти.", + "receiveSwapID": "Обмін ID", + "receiveTotalFee": "Всього Фе", + "receiveNetworkFee": "Партнерство", + "receiveBoltzSwapFee": "Boltz Обмінюється Fee", + "receiveCopyOrScanAddressOnly": "Статус на сервери", + "receiveNewAddress": "Нова адреса", + "receiveVerifyAddressOnLedger": "Перевірити адресу на Ledger", + "receiveUnableToVerifyAddress": "Неможливо перевірити адресу: Гаманець або адресна інформація", + "receivePaymentReceived": "Отримувач платежу!", + "receiveDetails": "Детальніше", + "receivePaymentInProgress": "Плата за прогрес", + "receivePayjoinInProgress": "Payjoin в прогресі", + "receiveFeeExplanation": "Цей збір буде відхилений від суми, відправленого", + "receiveNotePlaceholder": "Зареєструватися", + "receiveReceiveAmount": "Отримувати Amount", + "receiveSendNetworkFee": "Закупи хостинг »", + "receiveServerNetworkFees": "Статус на сервери", + "receiveSwapId": "Обмін ID", + "receiveTransferFee": "Плата за трансфер", + "receiveVerifyAddressError": "Неможливо перевірити адресу: Гаманець або адресна інформація", + "receiveVerifyAddressLedger": "Перевірити адресу на Ledger", + "receiveBitcoinConfirmationMessage": "Біткойн-транзакція буде проходити під час підтвердження.", + "receiveLiquidConfirmationMessage": "Це буде підтверджено протягом декількох секунд", + "receiveWaitForPayjoin": "Зачекайте відправника, щоб закінчити операцію Payjoin", + "receivePayjoinFailQuestion": "Чи не встигли почекати, чи не зробив платник на боці відправника?", + "buyTitle": "Bitcoin у USD", + "buyEnterAmount": "Введіть номер", + "buyPaymentMethod": "Спосіб оплати", + "buyMax": "Макс", + "buySelectWallet": "Виберіть гаманець", + "buyEnterBitcoinAddress": "Введіть адресу електронної пошти", + "buyBitcoinAddressHint": "BC1QYL7J673H ...6Y6ALV70M0", + "buyExternalBitcoinWallet": "Зовнішні біткоїни гаманець", + "buySecureBitcoinWallet": "Безпечний гаманець Bitcoin", + "buyNetworkFeeExplanation": "Плата мережі Біткойн буде відхилена від суми, яку ви отримуєте і зібрані на Майнерах Біткойн", + "buyNetworkFees": "Мережеві збори", + "buyEstimatedFeeValue": "Орієнтовна вартість", + "buyNetworkFeeRate": "Курс валют", + "buyConfirmationTime": "Термін підтвердження", + "buyConfirmationTimeValue": "~10 хвилин", + "buyWaitForFreeWithdrawal": "Очікується безкоштовно", + "buyConfirmExpress": "Підтвердити експрес", + "buyBitcoinSent": "Bitcoin відправлений!", + "buyThatWasFast": "Це було швидко, це не так?", + "sellTitle": "Bitcoin у USD", + "sellSelectWallet": "Виберіть гаманець", + "sellWhichWalletQuestion": "Який гаманець ви хочете продати?", + "sellExternalWallet": "Зовнішній гаманець", + "sellFromAnotherWallet": "Продаж з іншого Bitcoin гаманець", + "sellAboveMaxAmountError": "Ви намагаєтеся продати над максимальною кількістю, яку можна продати з цим гаманець.", + "sellPriceWillRefreshIn": "Ціна освіжає в ", + "sellOrderNumber": "Номер замовлення", + "sellPayoutRecipient": "Оплатити одержувачу", + "sellCadBalance": "СКАЧАТИ Посилання", + "sellCrcBalance": "КПП Посилання", + "sellEurBalance": "Євро Посилання", + "sellUsdBalance": "Ціна Посилання", + "sellMxnBalance": "МСН Посилання", + "sellArsBalance": "ARS Баланс", + "sellCopBalance": "КАП Посилання", + "sellPayinAmount": "Сума виплат", + "sellPayoutAmount": "Сума виплат", + "sellExchangeRate": "Курс валют", + "sellPayFromWallet": "Оплатити з гаманця", + "sellAdvancedSettings": "Розширені налаштування", + "sellAdvancedOptions": "Додаткові параметри", + "sellReplaceByFeeActivated": "Замініть активоване", + "sellSelectCoinsManually": "Виберіть монети вручну", + "sellDone": "Сонце", + "sellPleasePayInvoice": "Оплатити рахунок", + "sellBitcoinAmount": "Обсяг торгів", + "sellCopyInvoice": "Статус на сервери", + "sellShowQrCode": "Показати QR-код", + "sellQrCode": "QR-код", + "sellNoInvoiceData": "Немає даних рахунків-фактур", + "sellInProgress": "Продати в прогрес ...", + "sellGoHome": "Головна", + "sellOrderCompleted": "Замовлення завершено!", + "sellBalanceWillBeCredited": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації.", + "payTitle": "Оплатити", + "paySelectRecipient": "Оберіть одержувач", + "payWhoAreYouPaying": "Хто ви платите?", + "payNewRecipients": "Нові одержувачі", + "payMyFiatRecipients": "Мій одержувачів", + "payNoRecipientsFound": "Не знайдено одержувачів для оплати.", + "payLoadingRecipients": "Завантаження одержувачів...", + "payNotLoggedIn": "Не ввійшов", + "payNotLoggedInDescription": "Ви не ввійшли. Будь ласка, ввійдіть, щоб продовжити використання функції оплати.", + "paySelectCountry": "Виберіть країну", + "payPayoutMethod": "Спосіб виплати", + "payEmail": "Веб-сайт", + "payEmailHint": "Введіть адресу електронної пошти", + "payName": "Ім'я", + "payNameHint": "Введіть ім'я одержувача", + "paySecurityQuestion": "Питання безпеки", + "paySecurityQuestionHint": "Введіть питання безпеки (10-40 символів)", + "paySecurityQuestionLength": "{count}/40 символів", + "@paySecurityQuestionLength": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "paySecurityQuestionLengthError": "Необхідно 10-40 символів", + "paySecurityAnswer": "Відповідь на безпеку", + "paySecurityAnswerHint": "Введіть відповідь", + "payLabelOptional": "Етикетка (за бажанням)", + "payLabelHint": "Введіть позначку для цього одержувача", + "payBillerName": "Ім'я", + "payBillerNameValue": "Виберіть ім'я Biller", + "payBillerSearchHint": "Введіть перші 3 листи ім'я векселя", + "payPayeeAccountNumber": "Номер рахунку Payee", + "payPayeeAccountNumberHint": "Введіть номер рахунку", + "payInstitutionNumber": "Кількість установ", + "payInstitutionNumberHint": "Номер установи", + "payTransitNumber": "Номер транзиту", + "payTransitNumberHint": "Введіть транзитний номер", + "payAccountNumber": "Номер рахунку", + "payAccountNumberHint": "Введіть номер рахунку", + "payDefaultCommentOptional": "Коментар за замовчуванням (за бажанням)", + "payInstitutionCodeHint": "Введіть код установи", + "payPhoneNumber": "Номер телефону", + "payPhoneNumberHint": "Введіть номер телефону", + "payDebitCardNumber": "Номер картки Debit", + "payDebitCardNumberHint": "Введіть номер картки дебета", + "payOwnerName": "Ім'я власника", + "payOwnerNameHint": "Ім'я власника", + "payValidating": "Дійсно.", + "payInvalidSinpe": "Інвалідний Sinpe", + "payFilterByType": "Фільтр за типом", + "payAllTypes": "Всі види", + "payAllCountries": "Усі країни", + "payRecipientType": "Тип одержувача", + "payRecipientName": "Ім'я одержувача", + "payRecipientDetails": "Деталі одержувача", + "payAccount": "Облік", + "payPayee": "Оплатити", + "payCard": "Карта сайту", + "payPhone": "Зареєструватися", + "payNoDetailsAvailable": "Немає інформації", + "paySelectWallet": "Виберіть гаманець", + "payWhichWalletQuestion": "Який гаманець ви хочете оплатити?", + "payExternalWallet": "Зовнішній гаманець", + "payFromAnotherWallet": "Сплатити з іншого біткойн-гаманця", + "payAboveMaxAmountError": "Ви намагаєтеся сплатити над максимальною кількістю, яку можна сплатити за допомогою цього гаманця.", + "payBelowMinAmountError": "Ви намагаєтеся платити нижче мінімальної суми, яку можна сплатити за допомогою цього гаманця.", + "payInsufficientBalanceError": "Недостатній баланс у вибраному гаманці для завершення цього замовлення оплати.", + "payUnauthenticatedError": "Ви не автентифіковані. Будь ласка, увійдіть, щоб продовжити.", + "payOrderNotFoundError": "Не знайдено замовлення платежу. Будь ласка, спробуйте знову.", + "payOrderAlreadyConfirmedError": "Цей платіж вже був підтверджений.", + "paySelectNetwork": "Оберіть мережу", + "payHowToPayInvoice": "Як ви хочете платити цей рахунок?", + "payBitcoinOnChain": "Bitcoin у USD", + "payLightningNetwork": "Мережа Lightning", + "payLiquidNetwork": "Мережа рідин", + "payConfirmPayment": "Підтвердити платіж", + "payPriceWillRefreshIn": "Ціна освіжає в ", + "payOrderNumber": "Номер замовлення", + "payPayinAmount": "Сума виплат", + "payPayoutAmount": "Сума виплат", + "payExchangeRate": "Курс валют", + "payPayFromWallet": "Оплатити з гаманця", + "payInstantPayments": "Миттєві платежі", + "paySecureBitcoinWallet": "Безпечний гаманець Bitcoin", + "payFeePriority": "Пріоритетність", + "payFastest": "Швидке", + "payNetworkFees": "Мережеві збори", + "payAdvancedSettings": "Розширені налаштування", + "payAdvancedOptions": "Додаткові параметри", + "payReplaceByFeeActivated": "Замініть активоване", + "paySelectCoinsManually": "Виберіть монети вручну", + "payDone": "Сонце", + "payContinue": "Продовжити", + "payPleasePayInvoice": "Оплатити рахунок", + "payBitcoinAmount": "Обсяг торгів", + "payBitcoinPrice": "Ціна Bitcoin", + "payCopyInvoice": "Статус на сервери", + "payShowQrCode": "Показати QR-код", + "payQrCode": "QR-код", + "payNoInvoiceData": "Немає даних рахунків-фактур", + "payInvalidState": "Неточний стан", + "payInProgress": "Плата за прогрес!", + "payInProgressDescription": "Ваш платіж був ініційований, а одержувач отримає кошти після отримання вашої операції 1 підтвердження.", + "payViewDetails": "Докладніше", + "payCompleted": "Оплата завершено!", + "payOrderDetails": "Деталі замовлення", + "paySinpeMonto": "Сума", + "paySinpeNumeroOrden": "Номер замовлення", + "paySinpeNumeroComprobante": "Номер довідки", + "paySinpeBeneficiario": "Бенефіціар", + "paySinpeOrigen": "Походження", + "payNotAvailable": "Н/А", + "payBitcoinOnchain": "Bitcoin у USD", + "payAboveMaxAmount": "Ви намагаєтеся сплатити над максимальною кількістю, яку можна сплатити за допомогою цього гаманця.", + "payBelowMinAmount": "Ви намагаєтеся платити нижче мінімальної суми, яку можна сплатити за допомогою цього гаманця.", + "payNotAuthenticated": "Ви не автентифіковані. Будь ласка, увійдіть, щоб продовжити.", + "payOrderNotFound": "Не знайдено замовлення платежу. Будь ласка, спробуйте знову.", + "payOrderAlreadyConfirmed": "Цей платіж вже був підтверджений.", + "payPaymentInProgress": "Плата за прогрес!", + "payPriceRefreshIn": "Ціна освіжає в ", + "payFor": "Для", + "payRecipient": "Отримувач", + "payAmount": "Сума", + "payFee": "Плей", + "payNetwork": "Мережа", + "payViewRecipient": "Перегляд одержувача", + "payOpenInvoice": "Відкрити рахунок", + "payCopied": "Про нас!", + "payWhichWallet": "Який гаманець ви хочете оплатити?", + "payExternalWalletDescription": "Сплатити з іншого біткойн-гаманця", + "payInsufficientBalance": "Недостатній баланс у вибраному гаманці для завершення цього замовлення оплати.", + "payRbfActivated": "Замініть активоване", + "transactionTitle": "Твитнуть", + "transactionError": "Помилка - {error}", + "@transactionError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "transactionDetailTitle": "Деталі транзакції", + "transactionDetailTransferProgress": "Прогрес трансферу", + "transactionDetailSwapProgress": "Swap Прогрес", + "transactionDetailRetryTransfer": "Трансфер з картки {action}", + "@transactionDetailRetryTransfer": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "transactionDetailAddNote": "Додати замітку", + "transactionDetailBumpFees": "Бамперові збори", + "transactionFilterAll": "Всі", + "transactionFilterSend": "Відправити", + "transactionFilterReceive": "Отримати", + "transactionFilterTransfer": "Передача", + "transactionFilterPayjoin": "Офіціант", + "transactionFilterSell": "Продати", + "transactionFilterBuy": "Купити", + "transactionNetworkLightning": "Освітлення", + "transactionNetworkBitcoin": "Bitcoin у USD", + "transactionNetworkLiquid": "Рідина", + "transactionSwapLiquidToBitcoin": "L-BTC → BTC", + "transactionSwapBitcoinToLiquid": "BTC → Л-БТ", + "transactionStatusInProgress": "Прогрес", + "transactionStatusPending": "Закінчення", + "transactionStatusConfirmed": "Підтвердження", + "transactionStatusTransferCompleted": "Трансфер завершено", + "transactionStatusPaymentInProgress": "Плата за прогрес", + "transactionStatusPaymentRefunded": "Повернення платежів", + "transactionStatusTransferFailed": "Передача", + "transactionStatusSwapFailed": "Обмінюється", + "transactionStatusTransferExpired": "Трансфер Expired", + "transactionStatusSwapExpired": "Обмінюється", + "transactionStatusPayjoinRequested": "Payjoin запитав", + "transactionLabelTransactionId": "Код транзакції", + "transactionLabelToWallet": "Гаманець", + "transactionLabelFromWallet": "Від гаманця", + "transactionLabelRecipientAddress": "Адреса одержувача", + "transactionLabelAddress": "Контакти", + "transactionLabelAddressNotes": "Контакти", + "transactionLabelAmountReceived": "Сума отримана", + "transactionLabelAmountSent": "Сума відправлена", + "transactionLabelTransactionFee": "Плата за транзакції", + "transactionLabelStatus": "Статус на сервери", + "transactionLabelConfirmationTime": "Термін підтвердження", + "transactionLabelTransferId": "Трансфер ID", + "transactionLabelSwapId": "Обмін ID", + "transactionLabelTransferStatus": "Статус на сервери", + "transactionLabelSwapStatusRefunded": "Повернення", + "transactionLabelLiquidTransactionId": "Ідентифікаційний код", + "transactionLabelBitcoinTransactionId": "Код транзакції Bitcoin", + "transactionLabelTotalTransferFees": "Сума переказу", + "transactionLabelTotalSwapFees": "Загальний обмін", + "transactionLabelNetworkFee": "Партнерство", + "transactionLabelTransferFee": "Плата за трансфер", + "transactionLabelBoltzSwapFee": "Boltz Обмінюється Fee", + "transactionLabelCreatedAt": "Створено", + "transactionLabelCompletedAt": "Увімкнути", + "transactionLabelPayjoinStatus": "Статус на сервери", + "transactionLabelPayjoinCreationTime": "Час створення Payjoin", + "transactionPayjoinStatusCompleted": "Виконаний", + "transactionPayjoinStatusExpired": "Зареєструватися", + "transactionOrderLabelOrderType": "Тип замовлення", + "transactionOrderLabelOrderNumber": "Номер замовлення", + "transactionOrderLabelPayinAmount": "Сума виплат", + "transactionOrderLabelPayoutAmount": "Сума виплат", + "transactionOrderLabelExchangeRate": "Курс валют", + "transactionNotesLabel": "Примітки транзакцій", + "transactionNoteAddTitle": "Додати замітку", + "transactionNoteEditTitle": "Редагувати замітку", + "transactionNoteHint": "Зареєструватися", + "transactionNoteSaveButton": "Зберегти", + "transactionPayjoinNoProposal": "Чи не приймається пропозиція платника?", + "transactionPayjoinSendWithout": "Відправлення без плати", + "transactionSwapProgressInitiated": "Ініціюється", + "transactionSwapProgressPaymentMade": "Оплата\nЗроблено", + "transactionSwapProgressFundsClaimed": "Кошти\nКоктейль", + "transactionSwapProgressBroadcasted": "Радіоканал", + "transactionSwapProgressInvoicePaid": "Інвойс\nПлеймейт", + "transactionSwapProgressConfirmed": "Підтвердження", + "transactionSwapProgressClaim": "Клейм", + "transactionSwapProgressCompleted": "Виконаний", + "transactionSwapProgressInProgress": "Прогрес", + "transactionSwapStatusTransferStatus": "Статус на сервери", + "transactionSwapDescLnReceivePending": "Запропоновано ваш ковпачок. Ми очікуємо, що платіж буде отримано на Lightning Network.", + "transactionSwapDescLnReceivePaid": "Отримали платіж! Ми зараз ведемо трансляцію на свій гаманець.", + "transactionSwapDescLnReceiveClaimable": "Підтверджено операційну операцію. Ми зараз беремо на себе кошти, щоб завершити свій клацання.", + "transactionSwapDescLnReceiveCompleted": "Ви успішно завершили замовлення! Кошти повинні бути доступні в вашому гаманці.", + "transactionSwapDescLnReceiveFailed": "Проблемою була проблема. Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації.", + "transactionSwapDescLnReceiveExpired": "Це лебідка вибухнула. Будь-які кошти, надіслані автоматично, будуть повернені одержувачу.", + "transactionSwapDescLnReceiveDefault": "Ваше лебідка знаходиться в прогресі. Цей процес автоматизований і може зайняти деякий час для завершення.", + "transactionSwapDescLnSendPending": "Запропоновано ваш ковпачок. Ми ведемо трансляцію на замовлення, щоб заблокувати кошти.", + "transactionSwapDescLnSendPaid": "Ваша угода була транслюється. Після 1 підтвердження буде відправлено платіж Lightning.", + "transactionSwapDescChainPaid": "Ваша угода була транслюється. В даний час ми очікуємо транзакції замка.", + "transactionSwapDescChainClaimable": "Підтверджено операцію замка. Ви заявляєте, що кошти для завершення вашого переказу.", + "transactionSwapDescChainRefundable": "Переказ буде повернено. Ваші кошти будуть повернені в ваш гаманець автоматично.", + "transactionSwapDescChainCompleted": "Ваша передача успішно завершилась! Кошти повинні бути доступні в вашому гаманці.", + "transactionSwapDescChainFailed": "У вас є питання про передачу. Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації.", + "transactionSwapDescChainExpired": "Цей переказ розширився. Ваші кошти будуть автоматично повертатися до вашого гаманця.", + "transactionSwapDescChainDefault": "Ваша передача здійснюється в процесі. Цей процес автоматизований і може зайняти деякий час для завершення.", + "transactionSwapInfoFailedExpired": "Будь ласка, зв'яжіться з нами.", + "transactionSwapInfoChainDelay": "За час виконання через час підтвердження блокчейну може бути здійснено передачу часу.", + "transactionSwapInfoClaimableTransfer": "Передача буде завершено автоматично протягом декількох секунд. Якщо ви не можете спробувати ручну заяву, натиснувши кнопку \"Retry Transfer Claim\".", + "transactionSwapInfoClaimableSwap": "Запуск буде завершено автоматично протягом декількох секунд. Якщо ні, ви можете спробувати ручну претензію, натиснувши кнопку \"Retry Swap Claim\".", + "transactionSwapInfoRefundableTransfer": "Цей переказ буде повернено автоматично протягом декількох секунд. Якщо ні, ви можете спробувати ручне повернення, натиснувши кнопку \"Retry Transfer Refund\".", + "transactionListToday": "Сьогодні", + "transactionListYesterday": "Погода", + "transactionSwapDoNotUninstall": "Не встановіть додаток до завершення затискання.", + "transactionFeesDeductedFrom": "Цей платіж буде відхилений від суми, відправленого", + "transactionFeesTotalDeducted": "Це загальна плата, яка відхилена від суми, відправленого", + "transactionLabelSendAmount": "Надіслати", + "transactionLabelReceiveAmount": "Отримувати Amount", + "transactionLabelSendNetworkFees": "Надання послуг", + "transactionLabelReceiveNetworkFee": "Отримувати Мережі", + "transactionLabelServerNetworkFees": "Статус на сервери", + "transactionLabelPreimage": "Презентація", + "transactionOrderLabelReferenceNumber": "Номер довідки", + "transactionOrderLabelOriginName": "Назва походження", + "transactionOrderLabelOriginCedula": "Походження Cedula", + "transactionDetailAccelerate": "Прискорити", + "transactionDetailLabelTransactionId": "Код транзакції", + "transactionDetailLabelToWallet": "Гаманець", + "transactionDetailLabelFromWallet": "Від гаманця", + "transactionDetailLabelRecipientAddress": "Адреса одержувача", + "transactionDetailLabelAddress": "Контакти", + "transactionDetailLabelAddressNotes": "Контакти", + "transactionDetailLabelAmountReceived": "Сума отримана", + "transactionDetailLabelAmountSent": "Сума відправлена", + "transactionDetailLabelTransactionFee": "Плата за транзакції", + "transactionDetailLabelStatus": "Статус на сервери", + "transactionDetailLabelConfirmationTime": "Термін підтвердження", + "transactionDetailLabelOrderType": "Тип замовлення", + "transactionDetailLabelOrderNumber": "Номер замовлення", + "transactionDetailLabelPayinAmount": "Сума виплат", + "transactionDetailLabelPayoutAmount": "Сума виплат", + "transactionDetailLabelExchangeRate": "Курс валют", + "transactionDetailLabelPayinMethod": "Метод Payin", + "transactionDetailLabelPayoutMethod": "Спосіб виплати", + "transactionDetailLabelPayinStatus": "Статус на сервери", + "transactionDetailLabelOrderStatus": "Статус на сервери", + "transactionDetailLabelPayoutStatus": "Статус на сервери", + "transactionDetailLabelCreatedAt": "Створено", + "transactionDetailLabelCompletedAt": "Увімкнути", + "transactionDetailLabelTransferId": "Трансфер ID", + "transactionDetailLabelSwapId": "Обмін ID", + "transactionDetailLabelTransferStatus": "Статус на сервери", + "transactionDetailLabelSwapStatus": "Статус на сервери", + "transactionDetailLabelRefunded": "Повернення", + "transactionDetailLabelLiquidTxId": "Ідентифікаційний код", + "transactionDetailLabelBitcoinTxId": "Код транзакції Bitcoin", + "transactionDetailLabelTransferFees": "Плата за переказ", + "transactionDetailLabelSwapFees": "Плата за обмін", + "transactionDetailLabelSendNetworkFee": "Закупи хостинг »", + "transactionDetailLabelTransferFee": "Плата за трансфер", + "transactionDetailLabelPayjoinStatus": "Статус на сервери", + "walletTypeWatchSigner": "Відгуки", + "walletTypeBitcoinNetwork": "Bitcoin мережа", + "walletTypeLiquidLightningNetwork": "Рідка та Lightning мережа", + "walletNetworkBitcoin": "Bitcoin мережа", + "walletNetworkBitcoinTestnet": "Біткойн Testnet", + "walletNetworkLiquid": "Мережа рідин", + "walletNetworkLiquidTestnet": "Рідкий Testnet", + "walletAddressTypeConfidentialSegwit": "Конфіденційний Segwit", + "walletAddressTypeNativeSegwit": "Нативний Segwit", + "walletAddressTypeNestedSegwit": "Нескінченний Segwit", + "walletAddressTypeLegacy": "Спадщина", + "walletBalanceUnconfirmedIncoming": "Прогрес", + "walletButtonReceive": "Отримати", + "walletButtonSend": "Відправити", + "walletArkInstantPayments": "Арк Миттєві платежі", + "walletArkExperimental": "Експериментальні", + "fundExchangeTitle": "Фінансування", + "fundExchangeAccountTitle": "Оберіть Ваш рахунок", + "fundExchangeAccountSubtitle": "Оберіть країну та спосіб оплати", + "fundExchangeWarningTitle": "Дивитися для шампанів", + "fundExchangeWarningTactic2": "Ми пропонуємо Вам кредит", + "fundExchangeWarningTactic3": "Повідомляємо, що вони працюють за боргу або податкову збірку", + "fundExchangeWarningTactic4": "Вони просять надсилати Біткойн на свою адресу", + "fundExchangeWarningTactic5": "Вони просять надсилати Біткойн на іншій платформі", + "fundExchangeWarningTactic6": "Вони хочуть поділитися своїм екраном", + "fundExchangeWarningTactic7": "Не хвилюйтеся про це попередження", + "fundExchangeWarningConfirmation": "Я підтверджу, що я не зажадав купити Біткойн іншим.", + "fundExchangeContinueButton": "Продовжити", + "fundExchangeDoneButton": "Сонце", + "fundExchangeJurisdictionCanada": "Українська", + "fundExchangeJurisdictionEurope": "浜у 涓 蹇", + "fundExchangeJurisdictionMexico": "Українська", + "fundExchangeJurisdictionCostaRica": "й Костел Зірки", + "fundExchangeJurisdictionArgentina": "й", + "fundExchangeMethodEmailETransfer": "Електронна пошта", + "fundExchangeMethodBankTransferWire": "Банківський переказ (Wire або EFT)", + "fundExchangeMethodBankTransferWireSubtitle": "Кращий і найнадійніший варіант для збільшення кількості (наприклад, або наступного дня)", + "fundExchangeMethodOnlineBillPayment": "Онлайн платіж", + "fundExchangeRegularSepaInfo": "Тільки для операцій над €20,000. Для менших операцій використовуйте варіант СПА.", + "settingsDevModeUnderstandButton": "Я розумію", + "settingsSuperuserModeDisabledMessage": "Відключений режим суперкористувача.", + "settingsSuperuserModeUnlockedMessage": "Режим суперкористувацького розблокування!", + "walletOptionsUnnamedWalletFallback": "Без назви Wallet", + "walletOptionsNotFoundMessage": "Не знайдено", + "walletOptionsWalletDetailsTitle": "Деталі Wallet", + "addressViewAddressesTitle": "Контакти", + "walletDetailsSignerLabel": "Підписка", + "walletDetailsSignerDeviceLabel": "Пристрої сигналізації", + "walletDetailsSignerDeviceNotSupported": "Не підтримується", + "exchangeRecipientsComingSoon": "Отримувачі - Складання Незабаром", + "exchangeLogoutComingSoon": "Увійти - Складання Незабаром", + "exchangeLegacyTransactionsTitle": "Заходи Legacy", + "exchangeLegacyTransactionsComingSoon": "Заходи Legacy - Комбінація", + "exchangeFileUploadTitle": "Безпечний файл завантаження", + "walletDeletionErrorGeneric": "Не вдалося видалити гаманець, будь ласка, спробуйте знову.", + "walletDeletionFailedOkButton": "ЗАРЕЄСТРУВАТИСЯ", + "addressCardUsedLabel": "Використовується", + "addressCardUnusedLabel": "Непристойна", + "addressCardCopiedMessage": "Адреса копіюється на буфер", + "onboardingOwnYourMoney": "Власні гроші", + "onboardingSplashDescription": "Bitcoin у USD.", + "onboardingRecoverWallet": "Відновлення гаманця", + "onboardingRecoverWalletButton": "Відновлення гаманця", + "onboardingCreateNewWallet": "Створити новий гаманець", + "sendRecipientAddressOrInvoice": "Адреса або рахунок одержувача", + "sendPasteAddressOrInvoice": "Введіть адресу платежу або рахунок-фактуру", + "sendContinue": "Продовжити", + "sendSelectNetworkFee": "Оберіть послугу", + "sendSelectAmount": "Оберіть розмір", + "sendAmountRequested": "За запитом: ", + "sendDone": "Сонце", + "sendSelectedUtxosInsufficient": "Вибраний utxos не покриває необхідну кількість", + "sendCustomFee": "Спеціальний Fee", + "sendAbsoluteFees": "Абсолютні збори", + "sendRelativeFees": "Відносні збори", + "sendSats": "атласне", + "sendSatsPerVB": "сати/ВБ", + "sendConfirmCustomFee": "Підтвердити збір", + "sendEstimatedDelivery10Minutes": "10 хвилин", + "sendEstimatedDelivery10to30Minutes": "10-30 хвилин", + "sendEstimatedDeliveryFewHours": "кілька годин", + "sendEstimatedDeliveryHoursToDays": "час", + "sendEstimatedDelivery": "Орієнтовна доставка ~ ", + "sendAddress": "Адреса: ", + "sendType": "Тип: ", + "sendReceive": "Отримати", + "sendChange": "Зареєструватися", + "sendCouldNotBuildTransaction": "Чи не будувати транзакції", + "sendHighFeeWarning": "Попередження про збір", + "sendSlowPaymentWarning": "Попередження про платежі", + "sendSlowPaymentWarningDescription": "Біткойн-повідачі запрошують підтвердження.", + "sendAdvancedSettings": "Розширені налаштування", + "sendConfirm": "Підтвердження", + "sendBroadcastTransaction": "Трансмісія", + "sendFrom": "З", + "receiveBitcoinTransactionWillTakeTime": "Біткойн-транзакція буде проходити під час підтвердження.", + "receiveConfirmedInFewSeconds": "Це буде підтверджено протягом декількох секунд", + "receiveWaitForSenderToFinish": "Зачекайте відправника, щоб закінчити операцію Payjoin", + "receiveNoTimeToWait": "Чи не встигли почекати, чи не зробив платник на боці відправника?", + "receivePaymentNormally": "Отримуйте додаткову оплату", + "receiveContinue": "Продовжити", + "receiveCopyAddressOnly": "Статус на сервери", + "receiveError": "{error}", + "@receiveError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "buyInstantPaymentWallet": "Миттєвий платіж гаманець", + "buyShouldBuyAtLeast": "Ви повинні придбати принаймні", + "buyCantBuyMoreThan": "Ви не можете придбати більше", + "buyKycPendingTitle": "Перевірка ID KYC", + "buyKycPendingDescription": "Ви повинні завершити перевірку ID першим", + "buyCompleteKyc": "Повний KYC", + "buyInsufficientBalanceTitle": "Недостатній баланс", + "buyInsufficientBalanceDescription": "Ви не маєте достатнього балансу для створення цього замовлення.", + "buyFundYourAccount": "Оберіть Ваш рахунок", + "buyContinue": "Продовжити", + "buyYouPay": "Ви платите", + "buyYouReceive": "Ви отримуєте", + "buyBitcoinPrice": "Ціна Bitcoin", + "buyPayoutMethod": "Спосіб виплати", + "buyAwaitingConfirmation": "Підтвердження ", + "buyConfirmPurchase": "Підтвердити покупку", + "buyYouBought": "Ви придбали {amount}", + "@buyYouBought": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "buyPayoutWillBeSentIn": "Ваша виплата буде відправлена в ", + "buyViewDetails": "Докладніше", + "buyAccelerateTransaction": "Прискорення транзакцій", + "buyGetConfirmedFaster": "Отримайте підтвердження швидше", + "buyConfirmExpressWithdrawal": "Підтвердити виведення експресу", + "sellBelowMinAmountError": "Ви хочете продати нижче мінімальної суми, яку можна продати з цим гаманець.", + "sellInsufficientBalanceError": "Недостатній баланс у вибраному гаманці для завершення цього замовлення продажу.", + "sellUnauthenticatedError": "Ви не автентифіковані. Будь ласка, увійдіть, щоб продовжити.", + "sellOrderNotFoundError": "Не знайдено замовлення продажу. Будь ласка, спробуйте знову.", + "sellOrderAlreadyConfirmedError": "Цей порядок продажу вже було підтверджено.", + "sellSelectNetwork": "Оберіть мережу", + "sellHowToPayInvoice": "Як ви хочете платити цей рахунок?", + "sellBitcoinOnChain": "Bitcoin у USD", + "sellLightningNetwork": "Мережа Lightning", + "sellLiquidNetwork": "Мережа рідин", + "sellConfirmPayment": "Підтвердження платежу", + "sellInstantPayments": "Миттєві платежі", + "sellSecureBitcoinWallet": "Безпечний гаманець Bitcoin", + "sellFeePriority": "Пріоритетність", + "sellFastest": "Швидке", + "sellCalculating": "Розрахунок...", + "payDefaultCommentHint": "Введіть коментар", + "payIban": "ІБАН", + "payIbanHint": "Вхід", + "payCorporate": "Корпоративний", + "payIsCorporateAccount": "Чи є це корпоративний рахунок?", + "payFirstName": "Ім'я", + "payFirstNameHint": "Введіть ім'я", + "payLastName": "Ім'я", + "payLastNameHint": "Введіть ім'я", + "payCorporateName": "Корпоративне найменування", + "payCorporateNameHint": "Ім'я користувача", + "payClabe": "КЛАБ", + "payClabeHint": "Введіть номер мобільного", + "payInstitutionCode": "Контакти", + "payCalculating": "Розрахунок...", + "payCompletedDescription": "Після завершення платежу, одержувач отримав кошти.", + "paySinpeEnviado": "СИНП ЕНВАДО!", + "payPaymentInProgressDescription": "Ваш платіж був ініційований, а одержувач отримає кошти після отримання вашої операції 1 підтвердження.", + "transactionDetailRetrySwap": "Заміна {action}", + "@transactionDetailRetrySwap": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "transactionStatusTransferInProgress": "Трансфер в Прогрес", + "transactionLabelSwapStatus": "Статус на сервери", + "transactionOrderLabelPayinMethod": "Метод Payin", + "transactionOrderLabelPayoutMethod": "Спосіб виплати", + "transactionOrderLabelPayinStatus": "Статус на сервери", + "transactionOrderLabelOrderStatus": "Статус на сервери", + "transactionOrderLabelPayoutStatus": "Статус на сервери", + "transactionSwapStatusSwapStatus": "Статус на сервери", + "transactionSwapDescLnSendCompleted": "Відшкодування відправлено успішно! Ваш ковпачок тепер завершено.", + "transactionSwapDescLnSendFailed": "Проблемою була проблема. Ваші кошти будуть повернені в ваш гаманець автоматично.", + "transactionSwapDescLnSendExpired": "Це лебідка вибухнула. Ваші кошти будуть автоматично повертатися до вашого гаманця.", + "transactionSwapDescLnSendDefault": "Ваше лебідка знаходиться в прогресі. Цей процес автоматизований і може зайняти деякий час для завершення.", + "transactionSwapDescChainPending": "Ваша передача була створена, але не ініційована.", + "transactionSwapInfoRefundableSwap": "Цей клапт буде повернено автоматично протягом декількох секунд. Якщо ні, ви можете спробувати ручне повернення, натиснувши кнопку \"Поновити повернення\".", + "transactionListOngoingTransfersTitle": "Похідні перекази", + "transactionListOngoingTransfersDescription": "Ці перекази в даний час знаходяться в стадії. Ваші кошти є безпечними і будуть доступні при заповненні переказу.", + "transactionListLoadingTransactions": "Завантаження операцій.", + "transactionListNoTransactions": "Ніяких операцій.", + "transactionDetailLabelPayjoinCompleted": "Виконаний", + "transactionDetailLabelPayjoinExpired": "Зареєструватися", + "transactionDetailLabelPayjoinCreationTime": "Час створення Payjoin", + "globalDefaultBitcoinWalletLabel": "Bitcoin у USD", + "globalDefaultLiquidWalletLabel": "Миттєві платежі", + "walletTypeWatchOnly": "Відгуки", + "fundExchangeWarningDescription": "Якщо хтось запитує вас купити Біткойн або \"допомоги вам\", будьте обережні, вони можуть бути намагатися з вами!", + "fundExchangeWarningTacticsTitle": "Поширена тактика шампана", + "fundExchangeWarningTactic1": "Вони перспективні повернення інвестицій", + "fundExchangeWarningTactic8": "Натискаємо, щоб діяти швидко", + "fundExchangeMethodEmailETransferSubtitle": "Найвищий і найшвидший метод (інстант)", + "fundExchangeOnlineBillPaymentDescription": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації.", + "fundExchangeOnlineBillPaymentLabelBillerName": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації", + "fundExchangeOnlineBillPaymentHelpBillerName": "Додайте цю компанію як Payee - це Біткойн-процесор", + "fundExchangeOnlineBillPaymentLabelAccountNumber": "Додати це як номер облікового запису", + "fundExchangeOnlineBillPaymentHelpAccountNumber": "Цей унікальний номер облікового запису створений для вас", + "fundExchangeCanadaPostTitle": "Особистий готівковий або дебет в Канаді", + "fundExchangeCanadaPostStep1": "1,1 км Перейти на будь-яке місцезнаходження Канади", + "fundExchangeCanadaPostStep2": "2,2 км Запитайте касіра для сканування QR-коду «Loadhub»", + "fundExchangeCanadaPostStep3": "3. У Розкажіть касіра суму, яку ви хочете завантажити", + "fundExchangeCanadaPostStep4": "4. У Касира попросить бачити шматок державної ідентифікаційної особи та перевірити, що ім'я на Ваш ідентифікатор відповідає обліковому запису Bull Bitcoin", + "fundExchangeCanadaPostStep5": "5. Умань Оплата готівкою або дебетовою карткою", + "fundExchangeCanadaPostStep6": "6. Жнівень При отриманні грошового посередника ви зможете отримати квитанцію, зберігати її як підтвердження платежу", + "fundExchangeCanadaPostStep7": "7. Про нас Кошти будуть додані в баланс облікового запису Bull Bitcoin протягом 30 хвилин", + "fundExchangeCanadaPostQrCodeLabel": "Код товару:", + "fundExchangeSepaTitle": "Передача СПА", + "fundExchangeSepaDescription": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації ", + "fundExchangeSepaDescriptionExactly": "точно.", + "fundExchangeInstantSepaInfo": "Тільки використовуйте для операцій нижче 20 000 євро. Для збільшення операцій використовуйте звичайний варіант СПА.", + "fundExchangeLabelIban": "Номер рахунку IBAN", + "fundExchangeLabelBicCode": "Код BIC", + "fundExchangeInfoBankCountryUk": "EnglishDeutschPусский简体中文中國傳統EspañolالعربيةFrançaisελληνικάDanskАнглійскаябългарски.", + "fundExchangeInfoBeneficiaryNameLeonod": "Назва бенефіціара повинна бути LEONOD. Якщо ви поставите щось інше, то ваш платіж буде відхилений.", + "fundExchangeInfoPaymentDescription": "У описі платежу додайте код переказу.", + "fundExchangeHelpBeneficiaryAddress": "Наша офіційна адреса, якщо це необхідно для Вашого банку", + "fundExchangeLabelRecipientName": "Ім'я одержувача", + "fundExchangeLabelRecipientAddress": "Адреса одержувача", + "fundExchangeSpeiTitle": "Трансфер SPEI", + "fundExchangeSpeiDescription": "Перерахування коштів за допомогою CLABE", + "fundExchangeSpeiInfo": "Зробіть депозит за допомогою SPEI переказу (вхід).", + "fundExchangeCrBankTransferDescription2": "й Кошти будуть додані в баланс Вашого рахунку.", + "fundExchangeLabelIbanCrcOnly": "Номер рахунку IBAN (тільки для колонок)", + "fundExchangeLabelIbanUsdOnly": "Номер рахунку IBAN (тільки за долари США)", + "fundExchangeLabelPaymentDescription": "Опис платежу", + "fundExchangeHelpPaymentDescription": "Поштовий індекс.", + "fundExchangeInfoTransferCodeRequired": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації. Якщо ви забуваєте поставити цей код, ви можете відмовитися.", + "fundExchangeArsBankTransferTitle": "Банківський переказ", + "fundExchangeLabelRecipientNameArs": "Ім'я одержувача", + "fundExchangeLabelCvu": "КВУ", + "fundExchangeErrorLoadingDetails": "У зв'язку з тим, що платіж не може бути завантажений. Будь ласка, поверніть і спробуйте знову, оберіть інший спосіб оплати або поверніть пізніше.", + "fundExchangeSinpeDescriptionBold": "вона буде відхилена.", + "fundExchangeSinpeAddedToBalance": "Після того, як платіж буде відправлено, він буде додано до Вашого балансу рахунку.", + "fundExchangeSinpeWarningNoBitcoin": "Не покласти", + "fundExchangeSinpeWarningNoBitcoinDescription": " слово \"Bitcoin\" або \"Crypto\" в описі платежу. Заблокувати платіж.", + "fundExchangeSinpeLabelPhone": "Надіслати номер телефону", + "fundExchangeSinpeLabelRecipientName": "Ім'я одержувача", + "fundExchangeCrIbanCrcDescription": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації ", + "fundExchangeCrIbanCrcDescriptionBold": "до", + "fundExchangeCrIbanCrcDescriptionEnd": "й Кошти будуть додані в баланс Вашого рахунку.", + "fundExchangeCrIbanCrcLabelIban": "Номер облікового запису IBAN (тільки лишеклони)", + "fundExchangeCrIbanCrcLabelPaymentDescription": "Опис платежу", + "fundExchangeCrIbanCrcPaymentDescriptionHelp": "Поштовий індекс.", + "fundExchangeCrIbanCrcTransferCodeWarning": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації. Якщо ви забуваєте включити цей код, ваш платіж може бути відхилений.", + "fundExchangeCrIbanCrcLabelRecipientName": "Ім'я одержувача", + "fundExchangeCrIbanCrcRecipientNameHelp": "Використовуйте нашу офіційну назву компанії. Не використовуйте \"Bull Bitcoin\".", + "fundExchangeCrIbanCrcLabelCedulaJuridica": "Кедула Юрійівна", + "fundExchangeCrIbanUsdDescription": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації ", + "fundExchangeCrIbanUsdDescriptionBold": "до", + "fundExchangeCrIbanUsdDescriptionEnd": "й Кошти будуть додані в баланс Вашого рахунку.", + "fundExchangeCrIbanUsdLabelIban": "Номер рахунку IBAN (тільки тільки США)", + "fundExchangeCrIbanUsdLabelPaymentDescription": "Опис платежу", + "fundExchangeCrIbanUsdPaymentDescriptionHelp": "Поштовий індекс.", + "fundExchangeCrIbanUsdTransferCodeWarning": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації. Якщо ви забуваєте включити цей код, ваш платіж може бути відхилений.", + "fundExchangeCrIbanUsdLabelRecipientName": "Ім'я одержувача", + "fundExchangeCrIbanUsdLabelCedulaJuridica": "Кедула Юрійівна", + "fundExchangeCostaRicaMethodSinpeTitle": "СИНПО Мохол", + "fundExchangeCostaRicaMethodSinpeSubtitle": "Трансфер Колони за допомогою SINPE", + "fundExchangeCostaRicaMethodIbanCrcTitle": "IBAN Коста-Рика (CRC)", + "fundExchangeCostaRicaMethodIbanCrcSubtitle": "Трансфер кошти в Коста-Рикан Колон (CRC)", + "fundExchangeCostaRicaMethodIbanUsdTitle": "IBAN Коста-Рика (USD)", + "fundExchangeCostaRicaMethodIbanUsdSubtitle": "Перерахування коштів у доларах США (USD)", + "backupWalletTitle": "Резервне копіювання гаманця", + "testBackupTitle": "Тестування резервної копії вашого гаманця", + "backupImportanceMessage": "Без резервної копії ви в кінцевому підсумку втратите доступ до ваших грошей. Важливо зробити резервну копію.", + "encryptedVaultTitle": "Зашифрована сорочка", + "encryptedVaultDescription": "Анонімне резервне копіювання з використанням сильного шифрування за допомогою хмари.", + "encryptedVaultTag": "Легкий і простий (1 хвилину)", + "lastBackupTestLabel": "Останнє оновлення: {date}", + "@lastBackupTestLabel": { + "placeholders": { + "date": { + "type": "String", + "example": "2025-01-20 15:30:45" + } + } + }, + "backupInstruction1": "Якщо ви втратите резервну копію 12 слів, ви не зможете відновити доступ до біткоїнів.", + "backupInstruction2": "Якщо ви втратите або перейдете свій телефон, або якщо ви встановите додаток Bull Bitcoin, ваші біткоїни будуть втрачені назавжди.", + "backupInstruction4": "Не робити цифрові копії вашого резервного копіювання. Написати його на шматку паперу, або гравійований в металі.", + "backupInstruction5": "Ваше резервне копіювання не захищено пасфальним способом. Створіть новий гаманець.", + "backupButton": "Зареєструватися", + "backupCompletedTitle": "Закінчення завершено!", + "backupCompletedDescription": "Тепер перевірте вашу резервну копію, щоб переконатися, що все було зроблено належним чином.", + "testBackupButton": "Тест резервного копіювання", + "keyServerLabel": "Статус на сервери ", + "physicalBackupStatusLabel": "Фізичний фон", + "encryptedVaultStatusLabel": "Зашифрований Vault", + "testedStatus": "Тестування", + "notTestedStatus": "Не тестувати", + "startBackupButton": "Початок резервного копіювання", + "exportVaultButton": "Експорт Vault", + "exportingVaultButton": "Експорт.", + "viewVaultKeyButton": "Переглянути Vault Головна", + "revealingVaultKeyButton": "Відновлення ...", + "errorLabel": "Помилка", + "backupKeyTitle": "Зворотній зв'язок", + "failedToDeriveBackupKey": "Переміщений для відновлення ключа резервного копіювання", + "securityWarningTitle": "Попередження про безпеку", + "backupKeyWarningMessage": "Попередження: Будьте обережні, де ви зберігаєте ключ резервного копіювання.", + "backupKeySeparationWarning": "Важливо, що ви не зберігаєте ключ резервного копіювання на одному місці, де ви зберігаєте файл резервного копіювання. Завжди зберігати їх на окремих пристроях або окремих хмарних провайдерах.", + "backupKeyExampleWarning": "Наприклад, якщо ви використовували Google Диск для файлів резервної копії, не використовуйте Google Диск для ключа резервного копіювання.", + "cancelButton": "Зареєструватися", + "continueButton": "Продовжити", + "testWalletTitle": "Тест {walletName}", + "@testWalletTitle": { + "placeholders": { + "walletName": { + "type": "String", + "example": "Default Wallets" + } + } + }, + "defaultWalletsLabel": "Гаманець за замовчуванням", + "confirmButton": "Підтвердження", + "recoveryPhraseTitle": "Напишіть слово відновлення\nв правильному порядку", + "storeItSafelyMessage": "Зберігайте його кудись безпечно.", + "doNotShareWarning": "НЕ ЗДОРОВ'Я", + "transcribeLabel": "Тран", + "digitalCopyLabel": "Цифрова копія", + "screenshotLabel": "Скріншоти", + "nextButton": "Про нас", + "tapWordsInOrderTitle": "Натисніть кнопку відновлення в\nправо", + "whatIsWordNumberPrompt": "Що таке слово {number}?", + "@whatIsWordNumberPrompt": { + "placeholders": { + "number": { + "type": "int", + "example": "5" + } + } + }, + "allWordsSelectedMessage": "Ви вибрали всі слова", + "verifyButton": "Видання", + "passphraseLabel": "Проксимус", + "testYourWalletTitle": "Перевірте свій гаманець", + "vaultSuccessfullyImported": "Ви успішно імпортували", + "backupIdLabel": "Ідентифікатор резервного копіювання:", + "createdAtLabel": "Створено:", + "enterBackupKeyManuallyButton": "Введіть ключ Backup вручну >>", + "decryptVaultButton": "Розшифрування за замовчуванням", + "testCompletedSuccessTitle": "Випробувано успішно!", + "testCompletedSuccessMessage": "Ви можете відновити доступ до втраченого біткойн-гаманця", + "gotItButton": "Про нас", + "legacySeedViewScreenTitle": "Насіння спадщини", + "legacySeedViewNoSeedsMessage": "Не знайдено насіння спадщини.", + "legacySeedViewMnemonicLabel": "Мінуси", + "legacySeedViewPassphrasesLabel": "Пасфраси:", + "legacySeedViewEmptyPassphrase": "(порожня)", + "enterBackupKeyManuallyTitle": "Введіть ключ резервного копіювання вручну", + "enterBackupKeyManuallyDescription": "Якщо ви експортували ключ резервного копіювання і зберігайте його в локації, що знаходиться на території, ви можете ввести його вручну тут. Інакше, повернутися до попереднього екрану.", + "backupKeyHint": "acc8b7b12daf06412f45a90b7fd2..", + "automaticallyFetchKeyButton": "Автоматичний ключ Fetch >>", + "enterYourPinTitle": "{pinOrPassword}", + "@enterYourPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "enterYourBackupPinTitle": "Введіть резервну копію {pinOrPassword}", + "@enterYourBackupPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "enterPinToContinueMessage": "Введіть своє {pinOrPassword} для продовження", + "@enterPinToContinueMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "testBackupPinMessage": "Тест, щоб переконатися, що ви пам'ятаєте резервну копію {pinOrPassword}", + "@testBackupPinMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "pickPasswordInsteadButton": "Виберіть пароль замість >>", + "recoverYourWalletTitle": "Відновити гаманець", + "recoverViaCloudDescription": "Відновити резервну копію через хмару за допомогою PIN.", + "recoverVia12WordsDescription": "Відновити гаманець через 12 слів.", + "recoverButton": "Відновити", + "recoverWalletButton": "Відновлення гаманця", + "importMnemonicTitle": "Імпортний мнемічний", + "howToDecideBackupTitle": "Як вирішити", + "howToDecideBackupText1": "Один з найбільш поширених способів втратити Біткойн, тому що вони втрачають фізичну резервну копію. Будь-ласка, що знаходить вашу фізичну резервну копію, зможе прийняти всі ваші біткойни. Якщо ви дуже впевнені, що ви можете приховати його добре і ніколи не втратите його, це хороший варіант.", + "dcaConfirmContinue": "Продовжити", + "buyInputTitle": "Bitcoin у USD", + "buyInputMinAmountError": "Ви повинні придбати принаймні", + "buyInputMaxAmountError": "Ви не можете придбати більше", + "buyInputKycPending": "Перевірка ID KYC", + "buyInputKycMessage": "Ви повинні завершити перевірку ID першим", + "buyInputCompleteKyc": "Повний KYC", + "buyInputInsufficientBalance": "Недостатній баланс", + "buyInputInsufficientBalanceMessage": "Ви не маєте достатнього балансу для створення цього замовлення.", + "buyInputContinue": "Продовжити", + "buyConfirmTitle": "Bitcoin у USD", + "buyConfirmYouPay": "Ви платите", + "buyConfirmYouReceive": "Ви отримуєте", + "buyConfirmBitcoinPrice": "Ціна Bitcoin", + "buyConfirmPayoutMethod": "Спосіб виплати", + "buyConfirmExternalWallet": "Зовнішні біткоїни гаманець", + "buyConfirmAwaitingConfirmation": "Підтвердження ", + "sellSendPaymentTitle": "Підтвердження платежу", + "sellSendPaymentPriceRefresh": "Ціна освіжає в ", + "sellSendPaymentOrderNumber": "Номер замовлення", + "sellSendPaymentPayoutRecipient": "Оплатити одержувачу", + "sellSendPaymentCadBalance": "СКАЧАТИ Посилання", + "sellSendPaymentCrcBalance": "КПП Посилання", + "sellSendPaymentEurBalance": "Євро Посилання", + "sellSendPaymentUsdBalance": "Ціна Посилання", + "sellSendPaymentMxnBalance": "МСН Посилання", + "sellSendPaymentPayinAmount": "Сума виплат", + "sellSendPaymentPayoutAmount": "Сума виплат", + "sellSendPaymentExchangeRate": "Курс валют", + "sellSendPaymentPayFromWallet": "Оплатити з гаманця", + "sellSendPaymentInstantPayments": "Миттєві платежі", + "sellSendPaymentSecureWallet": "Безпечний гаманець Bitcoin", + "sellSendPaymentFeePriority": "Пріоритетність", + "sellSendPaymentFastest": "Швидке", + "sellSendPaymentNetworkFees": "Мережеві збори", + "sellSendPaymentContinue": "Продовжити", + "sellSendPaymentAboveMax": "Ви намагаєтеся продати над максимальною кількістю, яку можна продати з цим гаманець.", + "bitboxErrorMultipleDevicesFound": "Знайдено кілька пристроїв BitBox. Будь ласка, забезпечте підключення лише одного пристрою.", + "payTransactionBroadcast": "Трансакція трансмісії", + "swapMax": "МАКС", + "importQrDeviceSpecterStep2": "Введіть Ваш кошик", + "importColdcardInstructionsStep10": "Комплектація", + "dcaChooseWalletTitle": "Виберіть гаманець Bitcoin", + "torSettingsPortHint": "9050 р", + "electrumTimeoutPositiveError": "Потрібні бути позитивними", + "bitboxScreenNeedHelpButton": "Потрібна допомога?", + "fundExchangeETransferLabelSecretAnswer": "Секрет відповіді", + "jadeStep13": "Гаманець Bull Bitcoin попросить вас сканування QR-коду на Jade. Сканування.", + "sendScheduledPayment": "Графік роботи", + "withdrawOwnershipQuestion": "Хто такий обліковий запис належить?", + "sendSendNetworkFee": "Закупи хостинг »", + "exchangeDcaUnableToGetConfig": "Неможливо отримати конфігурацію DCA", + "psbtFlowClickScan": "Натисніть сканування", + "sellInstitutionNumber": "Кількість установ", + "recoverbullGoogleDriveErrorDisplay": "{error}", + "@recoverbullGoogleDriveErrorDisplay": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "mempoolSettingsCustomServer": "Статус на сервери", + "fundExchangeMethodRegularSepa": "Звичайна СПА", + "addressViewTransactions": "Твитнуть", + "importQrDeviceKruxStep3": "Натисніть XPUB - QR-код", + "passportStep1": "Увійти до пристрою Паспорт", + "electrumPrivacyNoticeSave": "Зберегти", + "bip329LabelsImportSuccessSingular": "1 мітка імпортована", + "bip329LabelsImportSuccessPlural": "{count} міток імпортовано", + "@bip329LabelsImportSuccessPlural": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "withdrawOwnershipOtherAccount": "Це чужий рахунок", + "receiveInvoice": "Блискавка Invoice", + "receiveGenerateAddress": "Створити новий сайт", + "kruxStep3": "Натисніть PSBT", + "hwColdcardQ": "Холодна картка Q", + "exchangeDcaAddressDisplay": "{addressLabel}: {address}", + "@exchangeDcaAddressDisplay": { + "placeholders": { + "addressLabel": { + "type": "String", + "description": "The address label (e.g., 'Bitcoin address')" + }, + "address": { + "type": "String", + "description": "The actual address" + } + } + }, + "autoswapAlwaysBlockEnabledInfo": "При включенні автоперевезення з комісією над встановленим лімітом завжди буде заблоковано", + "electrumServerAlreadyExists": "Цей сервер вже існує", + "sellPaymentMethod": "Спосіб оплати", + "importColdcardInstructionsStep2": "Вкажіть прохід, якщо це можливо", + "satsSuffix": " атласне", + "recoverbullErrorPasswordNotSet": "Пароль не встановлюється", + "systemLabelAutoSwap": "Автообмін", + "payExpiresIn": "Закінчується {time}", + "@payExpiresIn": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "importQrDeviceKruxName": "Кошик", + "addressViewNoAddressesFound": "Не знайдено адреси", + "backupWalletErrorSaveBackup": "Не вдалося зберегти резервну копію", + "bitboxScreenTroubleshootingStep2": "Переконайтеся, що ваш телефон має дозвіл на USB.", + "replaceByFeeErrorNoFeeRateSelected": "Оберіть тариф", + "coreScreensTransferFeeLabel": "Плата за трансфер", + "receiveInvoiceCopied": "Invoice copied до буфера", + "kruxStep7": " - Збільшення яскравості екрану на вашому пристрої", + "autoswapUpdateSettingsError": "Не вдалося оновити налаштування автоматичного затискання", + "jadeStep11": "Після того, як Jade покаже вам власний QR-код.", + "bitboxActionPairDeviceProcessing": "Пристрої для засмаги", + "exchangeCurrencyDropdownTitle": "Оберіть валюту", + "importQrDeviceImporting": "Імпорт гаманця ...", + "rbfFastest": "Швидке", + "arkReceiveBoardingAddress": "Bitcoin до USD", + "recoverbullReenterConfirm": "Будь ласка, перейменуйте свій {inputType}, щоб підтвердити.", + "@recoverbullReenterConfirm": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "importWatchOnlyCopiedToClipboard": "Скопіювати до буферу", + "dcaLightningAddressInvalidError": "Будь ласка, введіть дійсну адресу Lightning", + "ledgerButtonNeedHelp": "Потрібна допомога?", + "hwKrux": "Кошик", + "recoverbullSelectVaultImportSuccess": "Ви успішно імпортували", + "mempoolServerNotUsed": "Не використовується (активний сервер)", + "recoverbullSelectErrorPrefix": "Помилка:", + "bitboxErrorDeviceMismatch": "Виявлено неправильний пристрій.", + "arkReceiveBtcAddress": "Bitcoin у USD", + "exchangeLandingRecommendedExchange": "Bitcoin у USD", + "backupWalletHowToDecideVaultMoreInfo": "Відвідайте rebull.com для отримання додаткової інформації.", + "recoverbullGoBackEdit": "<< Повернутися і редагувати", + "importWatchOnlyWalletGuides": "Направлення стін", + "receiveConfirming": "Підтвердження... ({count}/{required})", + "@receiveConfirming": { + "placeholders": { + "count": { + "type": "int" + }, + "required": { + "type": "int" + } + } + }, + "importWatchOnlyImportButton": "Імпорт Watch-Only Wallet", + "electrumTitle": "Налаштування серверів Electrum", + "importQrDeviceJadeStep7": "Щоб змінити тип адреси", + "sendBroadcastingTransaction": "Трансляція угоди.", + "swapReceiveExactAmountLabel": "Отримати точний розмір", + "arkContinueButton": "Продовжити", + "ledgerImportButton": "Імпорт", + "dcaActivate": "Активувати продаж", + "labelInputLabel": "Етикетка", + "bitboxActionPairDeviceButton": "Старт Пірсінг", + "importQrDeviceSpecterName": "Спектр", + "broadcastSignedTxFee": "Плей", + "recoverbullRecoveryBalanceLabel": "Баланс: {amount}", + "@recoverbullRecoveryBalanceLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "arkAboutServerUrl": "Статус на сервери", + "save": "Зберегти", + "dcaWalletLiquidSubtitle": "Вимагає сумісний гаманець", + "appUnlockButton": "Розблокувати", + "payServiceFee": "Плата за обслуговування", + "swapAmountPlaceholder": "0 р", + "fundExchangeMethodInstantSepaSubtitle": "Найшвидший - Тільки для операцій нижче €20,000", + "dcaConfirmError": "Хтось пішов неправильно: {error}", + "@dcaConfirmError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaNetworkLiquid": "Мережа рідин", + "receiveBitcoinNetwork": "Bitcoin у USD", + "testBackupWriteDownPhrase": "Напишіть слово відновлення\nв правильному порядку", + "jadeStep8": " - Спробуйте перемістити пристрій ближче або далі", + "importQrDeviceSpecterStep7": "Вимкнено \"Використання SLIP-132\"", + "customLocationTitle": "Місцезнаходження", + "importQrDeviceJadeStep5": "Виберіть \"Валет\" з списку варіантів", + "arkSettled": "Шахрайство", + "approximateFiatPrefix": "до", + "ledgerActionFailedMessage": "{action} В’язаний", + "@ledgerActionFailedMessage": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "testBackupErrorLoadWallets": "Надіслане на завантаження гаманців: {error}", + "@testBackupErrorLoadWallets": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "dcaConfirmDeactivate": "Так, деактивація", + "exchangeLandingFeature2": "DCA, Обмеження замовлень і автокупе", + "payPaymentPending": "Кредитне кредитування", + "payConfirmHighFee": "Плата за цей платіж {percentage}% від суми. Продовжити?", + "@payConfirmHighFee": { + "placeholders": { + "percentage": { + "type": "String" + } + } + }, + "autoswapMaxBalanceInfo": "Коли баланс гаманця перевищує подвійну цю суму, автотранспортер запускає зниження балансу на цей рівень", + "recoverbullTorNetwork": "Веб-сайт", + "importColdcardInstructionsTitle": "Coldcard Q Інструкції", + "sendVerifyOnDevice": "Перевірити на пристрої", + "payRoutingFailed": "Маршрутизація", + "sendFreezeCoin": "Freeze Монета", + "fundExchangeLabelTransitNumber": "Кількість переходів", + "buyDocumentUpload": "Документи", + "sendTransferFeeDescription": "Це загальна плата, яка відхилена від суми, відправленого", + "arkReceiveSegmentBoarding": "Дошка", + "seedsignerStep12": "Гаманець Bull Bitcoin попросить вас сканування QR-коду на SeedSigner. Сканування.", + "psbtFlowKeystoneTitle": "Інструкція Keystone", + "arkSessionDuration": "Тривалість сеансу", + "buyAboveMaxAmountError": "Ви намагаєтеся придбати над максимальною кількістю.", + "electrumTimeoutWarning": "Ваш час ({timeoutValue} секунди) нижче рекомендованого значення ({recommended} секунд) для цього Stop Gap.", + "@electrumTimeoutWarning": { + "placeholders": { + "timeoutValue": { + "type": "String" + }, + "recommended": { + "type": "String" + } + } + }, + "sendShowPsbt": "Показати PSBT", + "ledgerErrorUnknownOccurred": "Невідомі помилки", + "broadcastSignedTxAmount": "Сума", + "hwJade": "Блокстрім Jade", + "keystoneStep14": "Зараз готовий до трансляції! Як тільки ви натиснете трансляцію, операція буде опублікована на мережі Біткойн і будуть відправлені кошти.", + "recoverbullErrorConnectionFailed": "Заборонено підключення до цільового сервера ключа. Будь ласка, спробуйте ще раз!", + "testBackupDigitalCopy": "Цифрова копія", + "paySearchPayments": "Пошук платежів.", + "payPendingPayments": "Закінчення", + "passwordMinLengthError": "{pinOrPassword} повинен бути принаймні 6 цифр довго", + "@passwordMinLengthError": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "backupWalletEncryptedVaultTag": "Легкий і простий (1 хвилину)", + "payBroadcastFailed": "Радіоканал не вдалося", + "arkSettleTransactions": "Шахрайські операції", + "bitboxScreenSegwitBip84": "Сегвейт (BIP84)", + "bitboxScreenConnectingSubtext": "Створення безпечного підключення...", + "receiveShareAddress": "Адреса електронної пошти", + "arkTxPending": "Закінчення", + "sharedWithBullBitcoin": "bitcoin у USD.", + "jadeStep7": " - Утримайте QR-код стаціонарним і відцентровим", + "allSeedViewIUnderstandButton": "Я витримую", + "coreScreensExternalTransfer": "Зовнішня передача", + "ledgerHelpStep3": "Переконайтеся, що ваш Ledger має Bluetooth перетворений.", + "sellKYCRejected": "Перевірка KYC відхилено", + "electrumNetworkLiquid": "Рідина", + "buyBelowMinAmountError": "Ви намагаєтеся придбати нижче мінімальної суми.", + "exchangeLandingFeature6": "Історія угод", + "bitboxActionImportWalletSuccessSubtext": "Ваш гаманець BitBox успішно імпортується.", + "electrumEmptyFieldError": "Це поле не може бути порожнім", + "connectHardwareWalletKrux": "Кошик", + "receiveSelectNetwork": "Оберіть мережу", + "sellLoadingGeneric": "Завантаження.", + "ledgerWalletTypeSegwit": "Сегвейт (BIP84)", + "bip85Mnemonic": "Мінуси", + "importQrDeviceSeedsignerName": "НасінняСинер", + "payFeeTooHigh": "Фей незвичайно високий", + "fundExchangeBankTransferWireTitle": "Банківський переказ", + "psbtFlowPartProgress": "Частина {current} {total}", + "@psbtFlowPartProgress": { + "placeholders": { + "current": { + "type": "String" + }, + "total": { + "type": "String" + } + } + }, + "receiveShareInvoice": "Надіслати запит", + "dcaUnableToGetConfig": "Неможливо отримати конфігурацію DCA", + "exchangeAuthLoginFailed": "Логін", + "arkAvailable": "В наявності", + "testBackupWarningMessage": "Без резервної копії ви в кінцевому підсумку втратите доступ до ваших грошей. Важливо зробити резервну копію.", + "arkNetwork": "Мережа", + "importWatchOnlyYpub": "й", + "ledgerVerifyTitle": "Перевірити адресу на Ledger", + "recoverbullSwitchToPassword": "Підберіть пароль замість", + "exchangeDcaNetworkBitcoin": "Bitcoin мережа", + "autoswapWarningTitle": "Autoswap включений до наступних налаштувань:", + "seedsignerStep1": "Увімкніть пристрій для насінництва", + "backupWalletHowToDecideBackupLosePhysical": "Один з найбільш поширених способів втратити Біткойн, тому що вони втрачають фізичну резервну копію. Будь-ласка, що знаходить вашу фізичну резервну копію, зможе прийняти всі ваші біткойни. Якщо ви дуже впевнені, що ви можете приховати його добре і ніколи не втратите його, це хороший варіант.", + "recoverbullErrorMissingBytes": "Пропускання байтів від реагування тор. Ретри, але якщо питання зберігається, це відомий питання для деяких пристроїв з Tor.", + "coreScreensReceiveNetworkFeeLabel": "Отримувати Мережі", + "payEstimatedFee": "Орієнтовна Fee", + "sendSendAmount": "Надіслати", + "swapErrorBalanceTooLow": "Баланс занадто низький для мінімальної кількості клаптів", + "replaceByFeeErrorGeneric": "При спробі замінити операцію", + "rbfCustomFee": "Спеціальний Fee", + "importQrDeviceFingerprint": "Друк", + "importWatchOnlyDescriptor": "Дескриптор", + "recoverbullFailed": "В'язниця", + "ledgerProcessingSign": "Вивіска", + "jadeStep6": " - Збільшення яскравості екрану на вашому пристрої", + "fundExchangeETransferLabelEmail": "Надіслати E-переказ на електронну пошту", + "fromLabel": "З", + "sellCompleteKYC": "Повний KYC", + "hwConnectTitle": "Підключіть обладнання Wallet", + "payRequiresSwap": "Цей платіж вимагає", + "backupWalletSuccessTitle": "Закінчення завершено!", + "sendCoinAmount": "Кількість: {amount}", + "@sendCoinAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "payTotalFees": "Всього коштів", + "ledgerVerifyButton": "Адреса електронної пошти", + "sendErrorSwapFeesNotLoaded": "Обмін не завантажується", + "backupWalletGoogleDrivePrivacyMessage3": "залишити свій телефон і ", + "sendErrorInsufficientFundsForFees": "Не достатньо коштів для покриття суми та комісій", + "dcaCancelButton": "Зареєструватися", + "dcaConfirmNetworkLiquid": "Рідина", + "emptyMnemonicWordsError": "Введіть всі слова вашої мнемоніки", + "arkSettleCancel": "Зареєструватися", + "testBackupTapWordsInOrder": "Натисніть кнопку відновлення в\nправо", + "coreScreensInternalTransfer": "Внутрішній переказ", + "sendSwapWillTakeTime": "Під час підтвердження", + "autoswapSelectWalletError": "Будь ласка, виберіть одержувача Bitcoin гаманець", + "sellServiceFee": "Плата за обслуговування", + "connectHardwareWalletTitle": "Підключіть обладнання Wallet", + "replaceByFeeCustomFeeTitle": "Спеціальний Fee", + "kruxStep14": "Гаманець Bull Bitcoin попросить вас сканування QR-коду на Krux. Сканування.", + "payAvailableBalance": "Доступно: {amount}", + "@payAvailableBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "payCheckingStatus": "Перевірка стану оплати...", + "payMemo": "Мамо", + "fundExchangeMethodCrIbanCrc": "Коста-Рика IBAN (CRC)", + "broadcastSignedTxNfcTitle": "НФК", + "passportStep12": "Біткойн-гаманець Bull попросить вас сканування QR-коду на Паспорті. Сканування.", + "payNoActiveWallet": "Немає активного гаманця", + "importQrDeviceKruxStep4": "Натисніть кнопку \"відкрита камера\"", + "appStartupErrorMessageWithBackup": "На v5.4.0 критична помилка була виявлена в одному з наших залежностей, які впливають на зберігання приватного ключа. Ваш додаток був уражений цим. Ви повинні видалити цей додаток і перевстановити його з заднім насінням.", + "payPasteInvoice": "Паста Invoice", + "labelErrorUnexpected": "Несподівана помилка: {message}", + "@labelErrorUnexpected": { + "placeholders": { + "message": { + "type": "String" + } + } + }, + "arkStatusSettled": "Шахрайство", + "dcaWalletBitcoinSubtitle": "Міні 0.001 BTC", + "bitboxScreenEnterPasswordSubtext": "Введіть пароль на пристрої BitBox.", + "systemLabelSwaps": "Обмін", + "passportStep11": "Натисніть \"Я зробив\" в Гаманець Біткойн.", + "sendSwapId": "Обмін ID", + "electrumServerOnline": "Інтернет", + "testBackupDefaultWallets": "Гаманець за замовчуванням", + "autoswapRecipientWalletInfoText": "Виберіть який гаманець Bitcoin отримає передані кошти (обов'язково)", + "withdrawAboveMaxAmountError": "Ви намагаєтеся виводити над максимальною кількістю.", + "psbtFlowScanDeviceQr": "Гаманець Bull Bitcoin попросить вас сканування QR-коду на {device}. Сканування.", + "@psbtFlowScanDeviceQr": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "exchangeAuthLoginFailedMessage": "Помилкові помилки, будь ласка, спробуйте увійти знову.", + "okButton": "ЗАРЕЄСТРУВАТИСЯ", + "passportStep13": "Операція буде імпортована в гаманці Bull Bitcoin.", + "importQrDeviceKeystoneStep3": "Натисніть три крапки вгорі праворуч", + "exchangeAmountInputValidationInvalid": "Сума недійсна", + "dcaWalletSelectionContinueButton": "Продовжити", + "pinButtonChange": "Зміна PIN", + "sendErrorInsufficientFundsForPayment": "Не вистачає коштів, доступних для цього платежу.", + "arkAboutShow": "Почати", + "fundExchangeETransferTitle": "Деталі E-Transfer", + "autoswapWarningOkButton": "ЗАРЕЄСТРУВАТИСЯ", + "swapTitle": "Внутрішній переказ", + "sendOutputTooSmall": "Вихід нижче обмеження пилу", + "copiedToClipboardMessage": "Скопіювати до буферу", + "torSettingsStatusConnected": "Зв'язатися", + "arkCopiedToClipboard": "{label} скопіювати до буферу", + "@arkCopiedToClipboard": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "arkRecipientAddress": "Адреса одержувача", + "shareLogsLabel": "Журнали", + "ledgerSuccessVerifyTitle": "Перевірити адресу на Ledger ...", + "backupSettingsFailedToDeriveKey": "Переміщений для відновлення ключа резервного копіювання", + "googleDriveProvider": "Українська", + "sellAccountName": "Назва облікового запису", + "statusCheckUnknown": "Невідомо", + "howToDecideVaultLocationText2": "Зручне розташування може бути набагато більш безпечною, в залежності від місця розташування, яку ви обираєте. Ви також повинні переконатися, що не втратити файл резервного копіювання або втратити пристрій, на якому зберігаються файли резервного копіювання.", + "psbtFlowReadyToBroadcast": "Зараз готовий до трансляції! Як тільки ви натиснете трансляцію, операція буде опублікована на мережі Біткойн і будуть відправлені кошти.", + "sendErrorLiquidWalletRequired": "Рідкий гаманець повинен використовуватися для рідини для блискавки", + "dcaSetupInsufficientBalance": "Недостатній баланс", + "swapTransferRefundedMessage": "Переказ було успішно повернено.", + "seedsignerStep5": " - Збільшення яскравості екрану на вашому пристрої", + "sellKYCApproved": "KYC затверджено", + "arkTransaction": "контакти", + "dcaFrequencyMonthly": "місяць", + "buyKYCLevel": "КИЇВ Рівень", + "passportInstructionsTitle": "Інструкції щодо Паспорту Фонду", + "ledgerSuccessImportTitle": "Гаманець Імпорт", + "swapTransferPendingMessage": "Передача здійснюється в процесі. Біткойн-транзакції можуть зайняти під час підтвердження. Ви можете повернутися додому і чекати.", + "testBackupDecryptVault": "Розшифрування за замовчуванням", + "psbtFlowNoPartsToDisplay": "Немає частин для відображення", + "totalFeeLabel": "Всього Фе", + "mempoolCustomServerBottomSheetDescription": "Введіть URL-адресу вашого користувацького сервера mempool. Сервер буде дійсний до економії.", + "payExpired": "Зареєструватися", + "recoverbullBalance": "Баланс: {balance}", + "@recoverbullBalance": { + "placeholders": { + "balance": { + "type": "String" + } + } + }, + "payPaymentSuccessful": "Вдалий платіж", + "exchangeHomeWithdraw": "Зняття", + "importMnemonicSegwit": "Сегвейт", + "importQrDeviceJadeStep6": "Виберіть \"Експорт Xpub\" з меню гаманця", + "recoverbullEnterToDecrypt": "Будь ласка, введіть своє {inputType}, щоб розшифрувати вашу скриньку.", + "@recoverbullEnterToDecrypt": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "swapTransferTitle": "Передача", + "testBackupSuccessTitle": "Випробувано успішно!", + "recoverbullSelectTakeYourTime": "Зробіть свій час", + "coreScreensTotalFeesLabel": "Загальна вартість", + "mempoolSettingsDescription": "Налаштування користувацького мемпул-сервера для різних мереж. Кожна мережа може використовувати власний сервер для блочного дослідника та оцінки комісій.", + "exchangeHomeDeposit": "Депозити", + "sendTransactionBuilt": "Трансакція готова", + "bitboxErrorOperationCancelled": "Операція скасована. Будь ласка, спробуйте знову.", + "dcaOrderTypeLabel": "Тип замовлення", + "withdrawConfirmCard": "Карта сайту", + "dcaSuccessMessageHourly": "Ви купуєте {amount} кожен час", + "@dcaSuccessMessageHourly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "loginButton": "ЛОГІН", + "arkAboutNetwork": "Мережа", + "psbtFlowLoginToDevice": "Увійти до пристрою {device}", + "@psbtFlowLoginToDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "sendUnfreezeCoin": "Нефризе Монета", + "jadeInstructionsTitle": "Блокстрім Jade PSBT Інструкції", + "scanNfcButton": "Сканер NFC", + "testBackupChooseVaultLocation": "Виберіть місце розташування", + "torSettingsInfoDescription": "• Tor proxy only стосується Біткойн (не Рідкий)\n• Портфоліо Орбота 9050\n• Забезпечити Орбот, що працює перед наданням\n• Підключення може бути повільніше через Tor", + "dcaAddressBitcoin": "Bitcoin адреса", + "sendErrorAmountBelowMinimum": "Розмір нижче мінімального ліміту застібки: {minLimit} sats", + "@sendErrorAmountBelowMinimum": { + "placeholders": { + "minLimit": { + "type": "String" + } + } + }, + "recoverbullGoogleDriveErrorFetchFailed": "Заборонено фіксувати помилки з Google Диску", + "systemLabelExchangeBuy": "Купити", + "arkTxTypeBoarding": "Дошка", + "exchangeAmountInputValidationInsufficient": "Недостатній баланс", + "psbtFlowReviewTransaction": "Після того, як угода імпортується в {device}, перевірте адресу призначення та суму.", + "@psbtFlowReviewTransaction": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "arkTransactions": "операції", + "broadcastSignedTxCameraButton": "Камери", + "importQrDeviceJadeName": "Блокстрім Jade", + "importWalletImportMnemonic": "Імпортний мнемічний", + "bip85NextMnemonic": "Далі Mnemonic", + "bitboxErrorNoActiveConnection": "Не активне підключення до пристрою BitBox.", + "dcaFundAccountButton": "Оберіть Ваш рахунок", + "arkSendTitle": "Відправити", + "recoverbullVaultRecovery": "Відновлення файлів", + "bitboxCubitOperationTimeout": "Час роботи. Будь ласка, спробуйте знову.", + "backupWalletHowToDecideVaultCloudSecurity": "Ми не маємо доступу до вашого біткойн, оскільки пароль шифрування занадто сильний. Вони можуть мати доступ до вашого біткойн в малоймовірному випадку, вони з'єднуються з ключовим сервером (онлайн-сервіс, який зберігає пароль шифрування). Якщо сервер ключа коли-небудь отримує зламаний, ваш Біткойн може бути на ризику з Google або Apple хмарою.", + "coldcardStep13": "Гаманець Bull Bitcoin попросить вас сканування QR-коду на Coldcard. Сканування.", + "psbtFlowIncreaseBrightness": "Збільшення яскравості екрану на вашому пристрої", + "payCoinjoinCompleted": "CoinJoin завершено", + "electrumAddCustomServer": "Додати користувальницький сервер", + "psbtFlowClickSign": "Натисніть кнопку", + "rbfSatsPerVbyte": "сати/ВБ", + "broadcastSignedTxDoneButton": "Сонце", + "sendRecommendedFee": "{rate} sat/vB", + "@sendRecommendedFee": { + "placeholders": { + "rate": { + "type": "String" + } + } + }, + "mempoolCustomServerUrl": "Статус на сервери", + "buyOrderAlreadyConfirmedError": "Цей замовлення було підтверджено.", + "sendServerNetworkFees": "Статус на сервери", + "importWatchOnlyImport": "Імпорт", + "backupWalletBackupButton": "Зареєструватися", + "mempoolSettingsTitle": "Статус на сервери", + "recoverbullErrorVaultCreationFailed": "Створення Vault не вдалося, це може бути файл або ключ", + "bitboxActionSignTransactionProcessing": "Вивіска", + "sellWalletBalance": "Баланс: {amount}", + "@sellWalletBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "recoverbullGoogleDriveNoBackupsFound": "Не знайдено резервних копій", + "arkDust": "Пиломатеріали", + "dcaConfirmPaymentMethod": "Спосіб оплати", + "backupWalletErrorGoogleDriveConnection": "З'єднання з Google Диском", + "payEnterInvoice": "Вхід", + "broadcastSignedTxPasteHint": "Вставити PSBT або транзакцій HEX", + "testBackupPassphrase": "Проксимус", + "arkSetupEnable": "Увімкнути Ark", + "confirmTransferTitle": "Підтвердження трансферу", + "payFeeBreakdown": "Fee Покарання", + "sellAmount": "Сума на продаж", + "ledgerErrorDeviceLocked": "Заблоковано пристрій Ledger. Будь ласка, розблокуйте пристрій і спробуйте знову.", + "importQrDeviceSeedsignerStep5": "Виберіть \"Single Sig\", після чого виберіть бажаний тип скрипта (хозо Native Segwit, якщо невірно).", + "recoverbullRecoveryErrorWalletMismatch": "За замовчуванням гаманець вже існує. Ви можете мати один гаманець за замовчуванням.", + "recoverbullErrorInvalidCredentials": "Wrong пароль для цього резервного файлу", + "importQrDevicePassportStep11": "Введіть мітку для вашого паспорта гаманця і натисніть \"Імпорт\"", + "withdrawBelowMinAmountError": "Ви намагаєтеся виводити нижче мінімальної суми.", + "recoverbullTransactions": "{count}", + "@recoverbullTransactions": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "swapYouPay": "Оплатити", + "chooseAccessPinTitle": "Виберіть доступ {pinOrPassword}", + "@chooseAccessPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importWalletSeedSigner": "НасінняСинер", + "featureComingSoonTitle": "Характеристика Сходження Незабаром", + "swapProgressRefundInProgress": "Повернення коштів в Прогрес", + "sendErrorBitcoinWalletRequired": "Біткойн-гаманець повинен бути використаний для блискавки", + "arkUnifiedAddressCopied": "Єдиний адресний скопійований", + "exchangeDcaCancelDialogCancelButton": "Зареєструватися", + "withdrawConfirmPhone": "Зареєструватися", + "allSeedViewOldWallets": "Старі Wallets ({count})", + "@allSeedViewOldWallets": { + "placeholders": { + "count": { + "type": "int", + "format": "decimalPattern" + } + } + }, + "sellOrderPlaced": "Продати замовлення успішно", + "buyInsufficientFundsError": "Недостатні кошти в обліковому записі Bull Bitcoin для завершення цього замовлення.", + "ledgerHelpStep4": "Переконайтеся, що ви встановили останню версію додатку Bitcoin від Ledger Live.", + "recoverbullPleaseWait": "Будь ласка, почекайте, коли ми встановлюємо безпечне підключення...", + "broadcastSignedTxBroadcast": "Радіоканал", + "lastKnownEncryptedVault": "Останній Знаний Зашифрований {date}", + "@lastKnownEncryptedVault": { + "placeholders": { + "date": { + "type": "String", + "example": "2025-01-20 15:30:45" + } + } + }, + "fundExchangeInfoTransferCode": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації.", + "hwChooseDevice": "Виберіть апаратний гаманець, який ви хочете підключитися", + "torSettingsConnectionStatus": "Статус на сервери", + "sendErrorInvalidAddressOrInvoice": "Плата за неоплату Bitcoin або Invoice", + "recoverbullRecoveryTitle": "Recoverbull відновлення", + "broadcastSignedTxScanQR": "Сканування QR-коду з вашого апаратного гаманця", + "ledgerSuccessSignDescription": "Ви успішно підписалися на Вашу операцію.", + "exchangeSupportChatMessageRequired": "Необхідне повідомлення", + "sendSignWithBitBox": "Підписатися на BitBox", + "sendSwapRefundInProgress": "Повернення коштів в прогрес", + "exchangeKycLimited": "Об'єм", + "backupWalletHowToDecideVaultCustomRecommendationText": "ви впевнені, що ви не втратите файл за замовчуванням і він все ще буде доступний, якщо ви втратите свій телефон.", + "swapErrorAmountBelowMinimum": "Сума нижче мінімальна сума затиску: {min} сати", + "@swapErrorAmountBelowMinimum": { + "placeholders": { + "min": { + "type": "String" + } + } + }, + "sellTransactionFee": "Плата за транзакції", + "coldcardStep5": "Якщо у вас є проблеми сканування:", + "buyExpressWithdrawal": "Експрес Зняття", + "payPaymentConfirmed": "Підтвердження платежу", + "receiveConfirmed": "Підтвердження", + "ledgerWalletTypeLegacy": "Поза «69»", + "sendNormalFee": "Нормативно", + "importWalletConnectHardware": "Підключіть обладнання Wallet", + "importWatchOnlyType": "Тип", + "importWalletSectionHardware": "Апаратні гаманці", + "connectHardwareWalletDescription": "Виберіть апаратний гаманець, який ви хочете підключитися", + "swapTransferFrom": "Трансфер з", + "errorSharingLogsMessage": "Журнали обміну повідомленнями: {error}", + "@errorSharingLogsMessage": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "torSettingsPortValidationEmpty": "Будь ласка, введіть номер порту", + "ledgerHelpStep1": "Перезапустіть пристрій Ledger.", + "swapAvailableBalance": "Доступний баланс", + "ledgerConnectingSubtext": "Створення безпечного підключення...", + "electrumPrivacyNoticeCancel": "Зареєструватися", + "recoverbullVaultCreatedSuccess": "Vault створений успішно", + "sellMaximumAmount": "Максимальна сума продажу: {amount}", + "@sellMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sellViewDetailsButton": "Докладніше", + "receiveGenerateInvoice": "Генерувати інвойси", + "kruxStep8": " - Перемістити червоному лазеру вгору і вниз по QR-коду", + "coreScreensFeeDeductionExplanation": "Це загальна плата, яка відхилена від суми, відправленого", + "dcaNetworkValidationError": "Виберіть мережу", + "coldcardStep12": "Натисніть \"Я зробив\" в Гаманець Біткойн.", + "autoswapAlwaysBlockDisabledInfo": "Коли вимкнено, вам буде запропоновано варіант, щоб дозволити автотранспорт, який заблоковано через високі збори", + "bip85Index": "Індекс: {index}", + "@bip85Index": { + "placeholders": { + "index": { + "type": "int" + } + } + }, + "broadcastSignedTxPageTitle": "Трансляція підписана угода", + "importQrDeviceError": "Заборонено імпортувати гаманець", + "statusCheckOffline": "Оффлайн", + "testBackupGoogleDrivePrivacyPart2": "не буде ", + "buyOrderNotFoundError": "Не знайдено замовлення. Будь ласка, спробуйте знову.", + "backupWalletGoogleDrivePrivacyMessage2": "не буде ", + "payAddressRequired": "Обов'язкова інформація", + "arkTransactionDetails": "Деталі транзакції", + "payTotalAmount": "Загальна кількість", + "autoswapWarningDontShowAgain": "Не показувати цю попередження знову.", + "sellInsufficientBalance": "Недостатній баланс гаманця", + "mempoolCustomServerDeleteMessage": "Ви впевнені, що ви хочете видалити цей користувальницький сервер? Сервер за замовчуванням буде використаний замість.", + "coldcardStep6": " - Збільшення яскравості екрану на вашому пристрої", + "sellCashPickup": "Готівковий пікап", + "recoverbullRecoveryErrorKeyDerivationFailed": "Не вдалося відхилити локальну резервну копію ключа.", + "swapValidationInsufficientBalance": "Недостатній баланс", + "recoverbullErrorRateLimited": "Тарифи обмежені. Будь ласка, спробуйте знову в {retryIn}", + "@recoverbullErrorRateLimited": { + "placeholders": { + "retryIn": { + "type": "String" + } + } + }, + "importWatchOnlyExtendedPublicKey": "Продовжити громадськість Головна", + "autoswapAlwaysBlock": "Завжди блокувати високі Fees", + "mempoolNetworkBitcoinMainnet": "Bitcoin у USD", + "networkFeeLabel": "Партнерство", + "recoverbullMemorizeWarning": "Ви повинні запам'ятати цей {inputType} для відновлення доступу до вашого гаманця. Потрібно не менше 6 цифр. Якщо ви втратите це {inputType} ви не можете відновити резервну копію.", + "@recoverbullMemorizeWarning": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "kruxStep15": "Операція буде імпортована в гаманці Bull Bitcoin.", + "fundExchangeETransferLabelSecretQuestion": "Таємне питання", + "importColdcardButtonPurchase": "Пристрої закупівель", + "jadeStep15": "Зараз готовий до трансляції! Як тільки ви натиснете трансляцію, операція буде опублікована на мережі Біткойн і будуть відправлені кошти.", + "payActualFee": "Актуальна Fee", + "electrumValidateDomain": "Діє домен", + "importQrDeviceJadeFirmwareWarning": "Переконайтеся, що ваш пристрій оновлено до останньої прошивки", + "arkPreconfirmed": "Підтвердження", + "recoverbullSelectFileNotSelectedError": "Файл не вибрано", + "arkDurationDay": "{days} день", + "@arkDurationDay": { + "placeholders": { + "days": { + "type": "String" + } + } + }, + "arkSendButton": "Відправити", + "fundExchangeMethodSpeiTransferSubtitle": "Перерахування коштів за допомогою CLABE", + "importQrDeviceJadeStep3": "Дотримуйтесь інструкцій пристрою, щоб розблокувати Jade", + "sendSigningFailed": "Не вдалося", + "bitboxErrorDeviceNotPaired": "Пристрої непаровані. Будь ласка, заповніть процес паріння першим.", + "transferIdLabel": "Трансфер ID", + "paySelectActiveWallet": "Виберіть гаманець", + "arkDurationHours": "{hours} годин", + "@arkDurationHours": { + "placeholders": { + "hours": { + "type": "String" + } + } + }, + "dcaFrequencyHourly": "час", + "swapValidationSelectFromWallet": "Будь ласка, виберіть гаманець для перенесення", + "sendSwapInitiated": "Обмін ініціюється", + "backupSettingsKeyWarningMessage": "Важливо, що ви не зберігаєте ключ резервного копіювання на одному місці, де ви зберігаєте файл резервного копіювання. Завжди зберігати їх на окремих пристроях або окремих хмарних провайдерах.", + "recoverbullEnterToTest": "Будь ласка, введіть своє {inputType}, щоб перевірити вашу скриньку.", + "@recoverbullEnterToTest": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "fundExchangeHelpBeneficiaryName": "Використовуйте нашу офіційну назву компанії. Не використовуйте \"Bull Bitcoin\".", + "importQrDeviceSpecterStep10": "Введіть етикетку для свого гаманця Specter і натисніть Імпорт", + "recoverbullSelectVaultSelected": "Вибрані", + "dcaWalletTypeBitcoin": "Біткін (BTC)", + "payNoPayments": "Ніяких платежів", + "exchangeDcaActivateTitle": "Активувати продаж", + "payLightningInvoice": "Блискавка Invoice", + "recoverbullSelectEnterBackupKeyManually": "Введіть ключ Backup вручну >>", + "payCoinjoinInProgress": "CoinJoin в прогрес ...", + "testBackupAllWordsSelected": "Ви вибрали всі слова", + "ledgerProcessingImportSubtext": "Налаштування вашого годинникового гаманця ...", + "arkAmount": "Сума", + "importQrDeviceSpecterStep1": "Потужність на пристрої Specter", + "bitboxActionImportWalletTitle": "Імпорт BitBox Wallet", + "backupSettingsError": "Помилка", + "exchangeFeatureCustomerSupport": "• Чат з підтримкою клієнтів", + "fundExchangeMethodCanadaPost": "Особистий готівковий або дебет в Канаді", + "payInvoiceDecoded": "Войце декодовано успішно", + "coreScreensAmountLabel": "Сума", + "swapTransferRefundInProgressTitle": "Повернення коштів в Прогрес", + "swapYouReceive": "Ви отримуєте", + "recoverbullSelectCustomLocationProvider": "Місцезнаходження", + "electrumInvalidRetryError": "Інвалідна птиця Кількість: {value}", + "@electrumInvalidRetryError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "informationWillNotLeave": "Інформація ", + "backupWalletInstructionSecurityRisk": "Будь-який з доступом до вашого 12 резервного копіювання може вкрасти ваші біткоїни. Приховати його добре.", + "torSettingsPortNumber": "Номер порту", + "autoswapWarningTriggerAmount": "Обсяг l2 кешу 0.02 BTC", + "recoverbullErrorCheckStatusFailed": "Не вдалося перевірити статус за замовчуванням", + "pleaseWaitFetching": "Будь ласка, почекайте, коли ми фіксуємо файл резервного копіювання.", + "backupWalletPhysicalBackupTag": "Бездоганний (забрати час)", + "electrumReset": "Зареєструватися", + "arkDate": "Дата", + "psbtFlowInstructions": "Інструкції", + "systemLabelExchangeSell": "Продати", + "electrumStopGapNegativeError": "Стоп Gap не може бути негативним", + "importColdcardInstructionsStep9": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації", + "bitboxScreenTroubleshootingStep1": "Переконайтеся, що у вас є остання прошивка, встановлена на вашому BitBox.", + "backupSettingsExportVault": "Експорт Vault", + "bitboxActionUnlockDeviceTitle": "Розблокування пристрою BitBox", + "withdrawRecipientsNewTab": "Новий одержувач", + "autoswapRecipientRequired": "Ім'я *", + "exchangeLandingFeature4": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком -", + "labelDeleteFailed": "Неможливо видалити \"{label}. Будь ласка, спробуйте знову.", + "@labelDeleteFailed": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "kruxStep16": "Зараз готовий до трансляції! Як тільки ви натиснете трансляцію, операція буде опублікована на мережі Біткойн і будуть відправлені кошти.", + "recoverbullRecoveryErrorVaultCorrupted": "Вибраний файл резервного копіювання пошкоджений.", + "buyVerifyIdentity": "Перевірити ідентичність", + "exchangeDcaCancelDialogConfirmButton": "Так, деактивація", + "electrumServerUrlHint": "{network} {environment} URL сервера", + "@electrumServerUrlHint": { + "placeholders": { + "network": { + "type": "String" + }, + "environment": { + "type": "String" + } + } + }, + "backupWalletGoogleDrivePermissionWarning": "Google попросить Вас поділитися персональною інформацією з цією програмою.", + "bitboxScreenVerifyAddressSubtext": "Порівняйте цю адресу з екраном BitBox02", + "importQrDeviceSeedsignerStep9": "Введіть етикетку для свого гаманця SeedSigner та натисніть Імпорт", + "importWatchOnlyScanQR": "Сканування QR", + "selectAmountTitle": "Оберіть розмір", + "routeErrorMessage": "Не знайдено", + "connectHardwareWalletPassport": "Паспорт Фундації", + "autoswapTriggerBalanceError": "Тригерний баланс повинен бути принаймні 2х базовий баланс", + "payLiquidFee": "Рідкий корм", + "autoswapLoadSettingsError": "Переміщення для завантаження параметрів автоматичного затискання", + "broadcastSignedTxReviewTransaction": "Огляд транзакцій", + "importQrDeviceKeystoneStep5": "Виберіть опцію BULL гаманця", + "electrumLoadFailedError": "Переміщені на серверах навантаження{reason}", + "@electrumLoadFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "ledgerVerifyAddressLabel": "Адреса для перевірки:", + "backupSettingsTested": "Тестування", + "jadeStep1": "Увійти на пристрій Jade", + "recoverbullSelectDriveBackups": "Приводні резервні копії", + "exchangeAuthOk": "ЗАРЕЄСТРУВАТИСЯ", + "testBackupErrorFailedToFetch": "Надіслане до резервного копіювання: {error}", + "@testBackupErrorFailedToFetch": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "psbtFlowTroubleScanningTitle": "Якщо у вас є проблеми сканування:", + "arkReceiveUnifiedCopied": "Єдиний адресний скопійований", + "importQrDeviceJadeStep9": "Скануйте QR-код, який ви бачите на вашому пристрої.", + "exchangeKycLight": "Світло", + "seedsignerInstructionsTitle": "SeedSigner Інструкції", + "exchangeAmountInputValidationEmpty": "Введіть суму", + "bitboxActionPairDeviceProcessingSubtext": "Будь ласка, перевірте код пари на пристрої BitBox ...", + "recoverbullKeyServer": "Статус на сервери ", + "recoverbullPasswordTooCommon": "Цей пароль занадто поширений. Будь ласка, оберіть інший", + "arkRedeemButton": "Мали", + "fundExchangeLabelBeneficiaryAddress": "Адреса отримувача", + "testBackupVerify": "Видання", + "electrumAdvancedOptions": "Додаткові параметри", + "autoswapWarningCardSubtitle": "Запуск буде тривати, якщо ваш баланс миттєвих платежів перевищує 0.02 BTC.", + "dcaFrequencyDaily": "день", + "payFilterPayments": "Фільтр платежів", + "electrumCancel": "Зареєструватися", + "bitboxScreenTroubleshootingTitle": "BitBox02 усунення несправностей", + "broadcastSignedTxPushTxButton": "Кошик", + "fundExchangeSelectCountry": "Оберіть країну та спосіб оплати", + "kruxStep2": "Натисніть кнопку", + "importWatchOnlyFingerprint": "Друк", + "dcaViewSettings": "Перегляд налаштувань", + "withdrawAmountContinue": "Продовжити", + "allSeedViewSecurityWarningMessage": "Відображення слів насіння є ризиком безпеки. Будь-який, хто бачить ваше слово насіння, може отримати доступ до ваших коштів. Переконайтеся, що ви перебуваєте в приватному місці і що ніхто не може бачити ваш екран.", + "recoverbullSeeMoreVaults": "Більше снів", + "pinProtectionDescription": "Ваш PIN захищає доступ до вашого гаманця та налаштувань. Збережіть його незабутнім.", + "kruxStep5": "Сканування QR-коду, показаного в булл-гаманці", + "backupSettingsLabelsButton": "Етикетки", + "payMediumPriority": "Середній", + "dcaHideSettings": "Приховати налаштування", + "exchangeDcaCancelDialogMessage": "Зареєструвати тарифний план біткойн-продажу буде припинено, а регулярні покупки будуть завершені. Щоб перезапустити, потрібно налаштувати новий план.", + "importColdcardInstructionsStep1": "Ввійти до пристрою Coldcard Q", + "payInvoiceTitle": "Оплатити рахунок", + "swapProgressGoHome": "Головна", + "replaceByFeeSatsVbUnit": "сати/ВБ", + "coreScreensSendAmountLabel": "Надіслати", + "backupSettingsRecoverBullSettings": "Реcoverbull", + "fundExchangeLabelBankAddress": "Адреса банку", + "exchangeDcaAddressLabelLiquid": "Контакти", + "backupWalletGoogleDrivePrivacyMessage5": "bitcoin у USD.", + "recoverbullSelectQuickAndEasy": "Швидкий і простий", + "backupWalletHowToDecideBackupPhysicalRecommendationText": "Ви впевнені, що ваші можливості оперативної безпеки приховати і зберегти ваші слова насіннєвих.", + "bitboxCubitHandshakeFailed": "Не вдалося встановити безпечне з'єднання. Будь ласка, спробуйте знову.", + "sendErrorAmountAboveSwapLimits": "Сума вище лімітів закрутки", + "backupWalletHowToDecideBackupEncryptedVault": "Зашифрована схованка запобігає вам з тих, хто шукає крадіжку вашої резервної копії. Ви також не зможете втратити резервну копію, оскільки вона буде зберігатися у хмарі. Ми не маємо доступу до вашого біткойн, оскільки пароль шифрування занадто сильний. Існує невелика ймовірність, що веб-сервер, який зберігає ключ шифрування резервної копії. У цьому випадку безпека резервного копіювання у хмарному обліковому записі може бути на ризику.", + "seedsignerStep11": "Натисніть \"Я зробив\" в Гаманець Біткойн.", + "fundExchangeBankTransferSubtitle": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації", + "recoverbullErrorInvalidVaultFile": "Недійсний файл схову.", + "sellProcessingOrder": "Порядок обробки.", + "sellUpdatingRate": "Оновлення курсу обміну...", + "importQrDeviceKeystoneStep6": "На мобільному пристрої натисніть Open Camera", + "bip85Hex": "ХЕКС", + "receiveLightningNetwork": "Освітлення", + "arkForfeitAddress": "Реєстрація", + "swapTransferRefundedTitle": "Повернення коштів", + "bitboxErrorConnectionFailed": "Ввімкніть підключення до пристрою BitBox. Будь ласка, перевірте підключення.", + "dcaInsufficientBalanceDescription": "Ви не маєте достатнього балансу для створення цього замовлення.", + "pinButtonContinue": "Продовжити", + "importColdcardSuccess": "Гаманець холодної картки імпортований", + "withdrawUnauthenticatedError": "Ви не автентифіковані. Будь ласка, увійдіть, щоб продовжити.", + "recoverbullTestCompletedTitle": "Випробувано успішно!", + "arkBtcAddress": "Bitcoin у USD", + "recoverbullErrorInvalidFlow": "Інвалідний потік", + "exchangeDcaFrequencyDay": "день", + "payBumpFee": "Бампер Фе", + "arkCancelButton": "Зареєструватися", + "bitboxActionImportWalletProcessingSubtext": "Налаштування вашого годинникового гаманця ...", + "psbtFlowDone": "Я зробив", + "exchangeHomeDepositButton": "Депозити", + "testBackupRecoverWallet": "Відновлення гаманця", + "fundExchangeMethodSinpeTransferSubtitle": "Трансфер Колони за допомогою SINPE", + "arkInstantPayments": "Миттєві платежі Ark", + "coreScreensTransferIdLabel": "Трансфер ID", + "anErrorOccurred": "Помилки", + "sellIBAN": "ІБАН", + "allSeedViewPassphraseLabel": "Пасфрак:", + "dcaBuyingMessage": "Ви купуєте {amount} кожен {frequency} через {network} до тих пір, поки є кошти в обліковому записі.", + "@dcaBuyingMessage": { + "placeholders": { + "amount": { + "type": "String" + }, + "frequency": { + "type": "String" + }, + "network": { + "type": "String" + } + } + }, + "exchangeCurrencyDropdownValidation": "Оберіть валюту", + "withdrawConfirmTitle": "Підтвердження виведення", + "importQrDeviceSpecterStep3": "Вкажіть Ваше насіння/під ключ, який будь-який варіант підходить вам)", + "importMnemonicBalanceLabel": "Баланс: {amount}", + "@importMnemonicBalanceLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "recoverbullSelectCustomLocationError": "Вимкнено вибрати файл з індивідуального розташування", + "mempoolCustomServerDeleteTitle": "Видалити користувальницький сервер?", + "confirmSendTitle": "Підтвердження", + "buyKYCLevel1": "Рівень 1 - Базовий", + "sendErrorAmountAboveMaximum": "Кількість вище максимальна кількість ковпачок: {maxLimit} сати", + "@sendErrorAmountAboveMaximum": { + "placeholders": { + "maxLimit": { + "type": "String" + } + } + }, + "importColdcardScanning": "Сканування ...", + "exchangeLandingFeature1": "Купити Bitcoin прямо на самоктоди", + "bitboxCubitPermissionDenied": "Відхилено дозвіл USB. Будь ласка, надайте дозвіл на доступ до пристрою BitBox.", + "swapTransferTo": "Трансфер до", + "bitcoinSettingsMempoolServerTitle": "Налаштування сервера Mempool", + "selectCoinsManuallyLabel": "Виберіть монети вручну", + "psbtFlowSeedSignerTitle": "SeedSigner Інструкції", + "appUnlockAttemptSingular": "невдала спроба", + "importQrDevicePassportStep2": "Введіть Ваш кошик", + "recoverbullErrorRecoveryFailed": "Зловживати, щоб відновити спереду", + "buyExpressWithdrawalDesc": "Отримати Bitcoin миттєво після оплати", + "arkSendRecipientTitle": "Надіслати одержувачу", + "importMnemonicImport": "Імпорт", + "recoverbullPasswordTooShort": "Пароль має бути принаймні 6 символів", + "arkAddressPlaceholder": "ark1qp9wsjfpsj5v5ex022v6 ..", + "sendBuildFailed": "Не вдалося побудувати операцію", + "paySwapFee": "Обмін Fee", + "arkBoardingConfirmed": "Підтвердження", + "broadcastSignedTxTitle": "Трансмісія", + "backupWalletVaultProviderTakeYourTime": "Зробіть свій час", + "arkSettleIncludeRecoverable": "Включіть відновлені vtxos", + "ledgerWalletTypeSegwitDescription": "Native SegWit - Рекомендований", + "payPaymentFailed": "Не вдалося", + "sendRefundProcessed": "Опрацьовується Ваше повернення.", + "exchangeKycCardSubtitle": "Щоб видалити ліміти транзакцій", + "importColdcardInvalidQR": "Invalid Coldcard QR код", + "testBackupTranscribe": "Тран", + "sendUnconfirmed": "Підтвердити", + "testBackupRetrieveVaultDescription": "Перевірте, щоб переконатися, що ви можете отримати зашифрований за замовчуванням.", + "electrumStopGap": "Зупинити Gap", + "payBroadcastingTransaction": "Трансляція транзакцій...", + "bip329LabelsImportButton": "Імпорт етикеток", + "arkStatusConfirmed": "Підтвердження", + "withdrawConfirmAmount": "Сума", + "labelErrorSystemCannotDelete": "Система не може бути видалена.", + "copyDialogButton": "Партнерство", + "bitboxActionImportWalletProcessing": "Імпорт гаманця", + "swapConfirmTransferTitle": "Підтвердження трансферу", + "recoverbullSwitchToPIN": "Підібрати PIN замість", + "electrumServerOffline": "Оффлайн", + "sendTransferFee": "Плата за трансфер", + "arkServerPubkey": "Статус на сервери", + "testBackupPhysicalBackupDescription": "Написати 12 слів на аркуші паперу. Збережіть їх безпечно і переконайтеся, що не втратити їх.", + "sendInitiatingSwap": "Ініціюється ковпа ...", + "testBackupErrorIncorrectOrder": "Некоректне слово замовлення. Будь ласка, спробуйте знову.", + "importColdcardInstructionsStep6": "Виберіть \"Bull Bitcoin\" як варіант експорту", + "swapValidationSelectToWallet": "Будь ласка, виберіть гаманець для перенесення", + "arkSetupTitle": "Арк Настроювання", + "seedsignerStep3": "Сканування QR-коду, показаного в булл-гаманці", + "sellErrorLoadUtxos": "Надіслане навантаження UTXOs: {error}", + "@sellErrorLoadUtxos": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "payDecodingInvoice": "Випадковий рахунок ...", + "importColdcardInstructionsStep5": "Виберіть \"Експорт Гаманець\"", + "electrumStopGapTooHighError": "Stop Gap здається занадто високою. {maxStopGap})", + "@electrumStopGapTooHighError": { + "placeholders": { + "maxStopGap": { + "type": "String" + } + } + }, + "electrumTimeoutTooHighError": "Час видається занадто високим. {maxTimeout} секунди)", + "@electrumTimeoutTooHighError": { + "placeholders": { + "maxTimeout": { + "type": "String" + } + } + }, + "priceChartFetchingHistory": "Історія ціни.", + "payFromWallet": "Від Wallet", + "dcaConfirmRecurringBuyTitle": "Підтвердження Купити", + "sellBankDetails": "Банк Детальніше", + "pinStatusCheckingDescription": "Перевірка стану PIN", + "coreScreensConfirmButton": "Підтвердження", + "passportStep6": " - Перемістити червоному лазеру вгору і вниз по QR-коду", + "importQrDeviceSpecterStep8": "На мобільному пристрої натисніть Open Camera", + "electrumDragToReorder": "(Довговий прес для перетягування та зміни пріоритету)", + "keystoneStep4": "Якщо у вас є проблеми сканування:", + "autoswapTriggerAtBalanceInfoText": "Autoswap буде викликати, коли ваш баланс над цією кількістю.", + "exchangeLandingDisclaimerNotAvailable": "Послуги обміну криптовалют не доступні в додатку Bull Bitcoin.", + "sendCustomFeeRate": "Спеціальна ціна", + "swapErrorAmountExceedsMaximum": "Сума перевищена максимальна сума затиску", + "receiveInsufficientInboundLiquidity": "Недостатня вантажопідйомність", + "withdrawRecipientsMyTab": "Мій одержувачів", + "sendFeeRateTooLow": "Платна швидкість занадто низька", + "exchangeLandingRestriction": "Доступ до обмінних послуг буде обмежений для країн, де Біткойн може легально працювати і може вимагати KYC.", + "payFailedPayments": "В'язниця", + "arkToday": "Сьогодні", + "importQrDeviceJadeStep2": "Виберіть \"QR Mode\" з основного меню", + "rbfErrorAlreadyConfirmed": "Підтверджено оригінальну операцію", + "psbtFlowMoveBack": "Спробуйте перемістити пристрій назад трохи", + "swapProgressCompleted": "Трансфер завершено", + "keystoneStep2": "Натисніть сканування", + "sendErrorSwapCreationFailed": "В'язаний для створення застібки.", + "arkNoBalanceData": "Немає даних балансу", + "autoswapWarningCardTitle": "Увімкнення Autoswap.", + "autoswapMaxBalance": "Max Миттєвий баланс гаманця", + "importQrDeviceImport": "Імпорт", + "importQrDeviceScanPrompt": "Скануйте QR-код {deviceName}", + "@importQrDeviceScanPrompt": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "ledgerWalletTypeLabel": "Тип гаманця:", + "bip85ExperimentalWarning": "Експериментальні\nРезервне копіювання стежок видалення вручну", + "addressViewBalance": "Посилання", + "recoverbullLookingForBalance": "Шукаємо баланс і операції..", + "recoverbullSelectNoBackupsFound": "Не знайдено резервних копій", + "importMnemonicNestedSegwit": "Нескінченний Segwit", + "psbtFlowScanQrOption": "Виберіть опцію \"Scan QR\"", + "importQrDeviceSpecterStep9": "Сканування QR-коду, що відображається на вашому Specter", + "importWatchOnlySelectDerivation": "Виберіть заборгованість", + "hwPassport": "Паспорт Фундації", + "electrumInvalidStopGapError": "Інвалідний стоп {value}", + "@electrumInvalidStopGapError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "dcaFrequencyWeekly": "тиждень", + "fundExchangeMethodRegularSepaSubtitle": "Тільки для збільшення операцій над €20,000", + "exchangeLandingDisclaimerLegal": "Доступ до обмінних послуг буде обмежений для країн, де Біткойн може легально працювати і може вимагати KYC.", + "backupWalletEncryptedVaultTitle": "Зашифрована сорочка", + "mempoolNetworkLiquidMainnet": "Головна", + "importColdcardButtonOpenCamera": "Відкрийте камеру", + "recoverbullReenterRequired": "Завантажити {inputType}", + "@recoverbullReenterRequired": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "exchangeDcaFrequencyWeek": "тиждень", + "keystoneStep6": " - Перемістити червоному лазеру вгору і вниз по QR-коду", + "fundExchangeLabelTransferCode": "Поштовий індекс (за умови оплати)", + "ledgerInstructionsIos": "Переконайтеся, що ваш Ledger розблоковується з підтримкою Bitcoin і Bluetooth.", + "replaceByFeeScreenTitle": "Замінити платіж", + "arkReceiveCopyAddress": "Статус на сервери", + "testBackupErrorWriteFailed": "{error}", + "@testBackupErrorWriteFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaNetworkLightning": "Мережа Lightning", + "exchangeHomeWithdrawButton": "Зняття", + "arkSendAmountTitle": "Вхід", + "addressViewAddress": "Контакти", + "payOnChainFee": "На-Чаїн Фе", + "arkReceiveUnifiedAddress": "Єдина адреса (BIP21)", + "payUseCoinjoin": "Використовуйте CoinJoin", + "autoswapWarningExplanation": "При перевищенні суми запобіжника, запобіжник буде спрацьовуватися. Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації.", + "recoverbullVaultRecoveryTitle": "Recoverbull відновлення", + "passportStep14": "Зараз готовий до трансляції! Як тільки ви натиснете трансляцію, операція буде опублікована на мережі Біткойн і будуть відправлені кошти.", + "sendSwapDetails": "Обмін подробиці", + "psbtFlowSelectSeed": "Після того, як угода була імпортована в {device}, ви повинні вибрати насіння, яке ви хочете зареєструватися.", + "@psbtFlowSelectSeed": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "pinStatusLoading": "Завантаження", + "ledgerSuccessAddressVerified": "Адреса перевірено успішно!", + "arkSettleDescription": "Закінчуйте операції з кредитування та включають відновлювані vtxos, якщо це потрібно", + "backupWalletHowToDecideVaultCustomRecommendation": "Місцезнаходження: ", + "arkSendSuccessMessage": "Ваша угода Ark була успішною!", + "electrumInvalidTimeoutError": "Нормативне визначення часу: {value}", + "@electrumInvalidTimeoutError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "exchangeKycLevelLimited": "Об'єм", + "withdrawConfirmEmail": "Веб-сайт", + "coldcardStep7": " - Перемістити червоному лазеру вгору і вниз по QR-коду", + "sendPaymentWillTakeTime": "Оплата буде приймати час", + "kruxStep10": "Після того, як угода імпортується в Krux, перевірте адресу призначення і суму.", + "bitboxErrorHandshakeFailed": "Не вдалося встановити безпечне з'єднання. Будь ласка, спробуйте знову.", + "sellKYCRequired": "Необхідна перевірка KYC", + "coldcardStep8": " - Спробуйте перемістити пристрій назад трохи", + "bitboxScreenDefaultWalletLabel": "BitBox Гаманець", + "replaceByFeeBroadcastButton": "Радіоканал", + "swapExternalTransferLabel": "Зовнішня передача", + "importQrDevicePassportStep4": "Виберіть \"Підключити гаманець\"", + "payAddRecipient": "Додати одержувач", + "recoverbullVaultImportedSuccess": "Ви успішно імпортували", + "confirmAccessPinTitle": "Підтвердження доступу {pinOrPassword}", + "@confirmAccessPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "sellErrorUnexpectedOrderType": "Розширений SellOrder, але отримав інший тип замовлення", + "pinCreateHeadline": "Створення нового штифта", + "sellRoutingNumber": "Номер маршрутизації", + "sellDailyLimitReached": "Щоденне обмеження продажу", + "requiredHint": "Потрібні", + "arkUnilateralExitDelay": "Затримка одностороннього виходу", + "arkStatusPending": "Закінчення", + "importWatchOnlyXpub": "хаб", + "dcaInsufficientBalanceTitle": "Недостатній баланс", + "arkType": "Тип", + "testBackupGoogleDrivePermission": "Google попросить Вас поділитися персональною інформацією з цією програмою.", + "testBackupErrorUnexpectedSuccess": "Невибагливий успіх: резервне копіювання повинно відповідати існуючому гаманцю", + "coreScreensReceiveAmountLabel": "Отримувати Amount", + "systemLabelPayjoin": "Офіціант", + "arkSetupExperimentalWarning": "Арк ще експериментальний.\n\nВаш гаманець Ark виводиться з вашого основного гаманця. Немає додаткового резервного копіювання, ваш існуючий резервний гаманець відновлює ваші кошти Ark.\n\nПродовжуючи визнаєте експериментальну природу Арка і ризик втрати коштів.\n\nЗамітка розробника : секрет Ark походить від основного насіння гаманця за допомогою довільного видалення BIP-85 (index 11811).", + "recoverbullEnterToView": "Будь ласка, введіть {inputType}, щоб переглянути свій ключ за замовчуванням.", + "@recoverbullEnterToView": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "payReviewPayment": "Огляд платежів", + "electrumBitcoinSslInfo": "Якщо не вказано протокол, ssl буде використовуватися за замовчуванням.", + "buyKYCLevel3": "Рівень 3 - Повний", + "appStartupErrorMessageNoBackup": "На v5.4.0 критична помилка була виявлена в одному з наших залежностей, які впливають на зберігання приватного ключа. Ваш додаток був уражений цим. Зв'язатися з нашою командою підтримки.", + "keystoneStep8": "Після того, як угода була імпортована у Keystone, перевірте адресу призначення та суму.", + "psbtFlowSpecterTitle": "Інструкція Specter", + "importMnemonicChecking": "Перевірити...", + "sendConnectDevice": "Підключення пристрою", + "connectHardwareWalletSeedSigner": "НасінняСинер", + "importQrDevicePassportStep7": "Виберіть \"QR Code\"", + "delete": "Видалення", + "connectingToKeyServer": "Підключення до Key Server над Tor.\nЦе може прийняти до хвилини.", + "bitboxErrorDeviceNotFound": "Пристрій BitBox не знайдено.", + "ledgerScanningMessage": "Шукайте пристрої Ledger поблизу...", + "tryAgainButton": "Зареєструватися", + "psbtFlowHoldSteady": "Утриманий QR-код, стійкий до центру", + "swapConfirmTitle": "Підтвердження трансферу", + "testBackupGoogleDrivePrivacyPart1": "Інформація ", + "connectHardwareWalletKeystone": "Головна", + "importWalletTitle": "Додати новий гаманець", + "mempoolSettingsDefaultServer": "Статус на сервери", + "swapToLabel": "До", + "sendSignatureReceived": "Отримали підпис", + "recoverbullGoogleDriveErrorExportFailed": "Заборонено експортувати сховище з Google Drive", + "exchangeKycLevelLight": "Світло", + "bip329LabelsExportSuccessSingular": "1 мітка експортована", + "bip329LabelsExportSuccessPlural": "{count} міток експортовано", + "@bip329LabelsExportSuccessPlural": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "fundExchangeMethodOnlineBillPaymentSubtitle": "Найменший варіант, але можна зробити через онлайн-банкінг (3-4 робочих днів)", + "payEnableRBF": "Увімкнути RBF", + "importQrDeviceInvalidQR": "Неточний QR-код", + "addressViewShowQR": "Показати QR-код", + "testBackupVaultSuccessMessage": "Ви успішно імпортували", + "exchangeSupportChatInputHint": "Тип повідомлення...", + "electrumTestnet": "Тестування", + "mempoolCustomServerAdd": "Додати користувальницький сервер", + "sendHighFeeWarningDescription": "Сумарний збір {feePercent}% від суми, яку ви відправили", + "@sendHighFeeWarningDescription": { + "placeholders": { + "feePercent": { + "type": "String" + } + } + }, + "withdrawConfirmButton": "Підтвердження виведення", + "fundExchangeLabelBankAccountDetails": "Деталі банківського рахунку", + "payLiquidAddress": "Рідкий Адреса", + "sellTotalFees": "Всього коштів", + "importWatchOnlyUnknown": "Невідомо", + "bitboxScreenNestedSegwitBip49": "Нестередний Segwit (BIP49)", + "importColdcardInstructionsStep8": "Сканування QR-коду, що відображається на вашому пристрої Coldcard Q", + "dcaSuccessMessageMonthly": "Купити {amount} щомісяця", + "@dcaSuccessMessageMonthly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sendSelectedCoins": "{count} монети вибрані", + "@sendSelectedCoins": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "rbfErrorNoFeeRate": "Оберіть тариф", + "backupWalletGoogleDrivePrivacyMessage1": "Інформація ", + "labelErrorUnsupportedType": "Цей тип {type} не підтримується", + "@labelErrorUnsupportedType": { + "placeholders": { + "type": { + "type": "String" + } + } + }, + "paySatsPerByte": "{sats} sat/vB", + "@paySatsPerByte": { + "placeholders": { + "sats": { + "type": "String" + } + } + }, + "dcaConfirmNetworkLightning": "Освітлення", + "ledgerDefaultWalletLabel": "Ledger гаманець", + "importWalletSpecter": "Спектр", + "customLocationProvider": "Місцезнаходження", + "dcaSelectFrequencyLabel": "Виберіть частоту", + "autoswapSave": "Зберегти", + "swapGoHomeButton": "Головна", + "sendFeeRateTooHigh": "Витрата здається дуже високою", + "ledgerHelpStep2": "Ми впевнені, що ваш телефон перетворився на Bluetooth.", + "fundExchangeFundAccount": "Оберіть Ваш рахунок", + "dcaEnterLightningAddressLabel": "Вхід Lightning Адреса", + "statusCheckOnline": "Інтернет", + "exchangeAmountInputTitle": "Вхід", + "electrumCloseTooltip": "Закрити", + "sendCoinConfirmations": "{count} підтвердження", + "@sendCoinConfirmations": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "importMnemonicTransactionsLabel": "{count}", + "@importMnemonicTransactionsLabel": { + "placeholders": { + "count": { + "type": "String" + } + } + }, + "autoswapAlwaysBlockInfoEnabled": "При включенні автоперевезення з комісією над встановленим лімітом завжди буде заблоковано", + "importMnemonicSelectScriptType": "Імпортний мнемічний", + "recoverbullConnectingTor": "Підключення до Key Server над Tor.\nЦе може прийняти до хвилини.", + "recoverbullEnterVaultKeyInstead": "Введіть ключ vault замість", + "arkAboutDustValue": "{dust} SATS", + "@arkAboutDustValue": { + "placeholders": { + "dust": { + "type": "int" + } + } + }, + "keystoneStep5": " - Збільшення яскравості екрану на вашому пристрої", + "importMnemonicEmpty": "Зручність", + "electrumBitcoinServerInfo": "Адреса сервера в форматі: host:port (наприклад, приклад.com:50001)", + "recoverbullErrorServiceUnavailable": "Сервіс 0 Будь ласка, перевірте підключення.", + "arkSettleTitle": "Шахрайські операції", + "sendErrorInsufficientBalanceForSwap": "Чи не достатньо балансу для оплати за допомогою Рідини і не в межах обмежених обмежень для оплати через Біткойн.", + "psbtFlowJadeTitle": "Блокстрім Jade PSBT Інструкції", + "torSettingsDescUnknown": "Неможливо визначити Статус на сервери Забезпечити Orbot встановлюється і працює.", + "importQrDeviceKeystoneStep8": "Введіть етикетку для вашого гаманця Keystone та натисніть Імпорт", + "dcaContinueButton": "Продовжити", + "buyStandardWithdrawalDesc": "Отримуйте Біткойн після сплати очистки (1-3 днів)", + "psbtFlowColdcardTitle": "Coldcard Q Інструкції", + "payToAddress": "Адреса", + "coreScreensNetworkFeesLabel": "Мережеві збори", + "kruxStep9": " - Спробуйте перемістити пристрій назад трохи", + "sendReceiveNetworkFee": "Отримувати Мережі", + "arkTxPayment": "Оплата", + "importQrDeviceSeedsignerStep6": "Виберіть \"Воронь\" як варіант експорту", + "swapValidationMaximumAmount": "Максимальна сума {amount} {currency}", + "@swapValidationMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + }, + "currency": { + "type": "String" + } + } + }, + "fundExchangeETransferLabelBeneficiaryName": "Використовуйте це як доменне ім'я E-transfer", + "backupWalletErrorFileSystemPath": "Не вдалося вибрати шлях файлової системи", + "electrumServerNotUsed": "Не використовується", + "backupWalletHowToDecideBackupPhysicalRecommendation": "Фізична резервна копія: ", + "receiveRequestInboundLiquidity": "Запит Отримання ємності", + "backupWalletHowToDecideBackupMoreInfo": "Відвідайте rebull.com для отримання додаткової інформації.", + "walletAutoTransferBlockedMessage": "Спогади про передачу {amount} BTC. Поточна комісія {currentFee}% від суми переказу та порогу винагороди встановлюється на {thresholdFee}%", + "@walletAutoTransferBlockedMessage": { + "placeholders": { + "amount": { + "type": "String" + }, + "currentFee": { + "type": "String" + }, + "thresholdFee": { + "type": "String" + } + } + }, + "kruxStep11": "Натисніть кнопку, щоб зареєструвати операцію на сайті Krux.", + "exchangeSupportChatEmptyState": "Немає повідомлень. Почати розмову!", + "electrumRetryCountEmptyError": "Рятівний граф не може бути порожнім", + "ledgerErrorBitcoinAppNotOpen": "Будь ласка, відкрийте додаток Bitcoin на пристрої Ledger і спробуйте знову.", + "arkIncludeRecoverableVtxos": "Включіть відновлені vtxos", + "recoverbullConnecting": "Підключення", + "swapExternalAddressHint": "Введіть адресу зовнішнього гаманця", + "torSettingsDescConnecting": "Створення Тор підключення", + "ledgerWalletTypeLegacyDescription": "P2PKH - Старший формат", + "dcaConfirmationDescription": "Купити замовлення будуть розміщені автоматично на ці налаштування. Ви можете відключити їх в будь-який час.", + "appleICloudProvider": "Яблуко iCloud", + "arkReceiveTitle": "Ark Отримати", + "backupWalletHowToDecideBackupEncryptedRecommendation": "Зашифрована сорочка: ", + "seedsignerStep9": "Огляд адреси призначення та суми, а також підтвердження реєстрації на вашому SeedSigner.", + "logoutButton": "Зареєструватися", + "payReplaceByFee": "Заміна-By-Fee (RBF)", + "pinButtonCreate": "Створення PIN", + "exchangeFeatureSelfCustody": "• Купити Біткойн прямо на самоктоди", + "arkBoardingUnconfirmed": "Посадка Непідтверджена", + "payAmountTooHigh": "Сума перевищує максимальну кількість", + "dcaConfirmPaymentBalance": "{currency} баланс", + "@dcaConfirmPaymentBalance": { + "placeholders": { + "currency": { + "type": "String" + } + } + }, + "torSettingsPortValidationInvalid": "Введіть дійсний номер", + "sellBankTransfer": "Банківський переказ", + "importQrDeviceSeedsignerStep3": "Скануйте SeedQR або введіть фразу 12- або 24- фразу", + "replaceByFeeFastestTitle": "Швидке", + "exchangeKycRemoveLimits": "Щоб видалити ліміти транзакцій", + "autoswapMaxBalanceInfoText": "Коли баланс гаманця перевищує подвійну цю суму, автотранспортер запускає зниження балансу на цей рівень", + "sellSendPaymentBelowMin": "Ви хочете продати нижче мінімальної суми, яку можна продати з цим гаманець.", + "dcaWalletSelectionDescription": "Біткіні покупки будуть розміщені автоматично за цей графік.", + "sendTypeSend": "Відправити", + "payFeeBumpSuccessful": "Фей Бампер успішним", + "importQrDeviceKruxStep1": "Увімкніть пристрій Krux", + "recoverbullSelectAppleIcloud": "Яблуко iCloud", + "dcaAddressLightning": "Адреса блискавки", + "keystoneStep13": "Операція буде імпортована в гаманці Bull Bitcoin.", + "receiveGenerationFailed": "Вимкнено для створення {type}", + "@receiveGenerationFailed": { + "placeholders": { + "type": { + "type": "String" + } + } + }, + "withdrawRecipientsNoRecipients": "Не знайдено одержувачів для виведення.", + "importQrDeviceSpecterStep4": "Дотримуйтесь запитань щодо обраного способу", + "importWalletImportWatchOnly": "Імпорт годинник", + "coldcardStep9": "Після того, як угода була імпортована в холодильнику, перевірте адресу призначення і суму.", + "sendErrorArkExperimentalOnly": "Від експериментальної функції Ark доступні платіжні запити ARK.", + "exchangeKycComplete": "Завершіть КИЇВ", + "sellBitcoinPriceLabel": "Ціна Bitcoin", + "receiveCopyAddress": "Статус на сервери", + "mempoolNetworkBitcoinTestnet": "Біткойн Testnet", + "passportStep2": "Натисніть кнопку Вхід з QR-кодом", + "withdrawOwnershipMyAccount": "Це мій обліковий запис", + "payAddMemo": "Додати мемо (необов'язково)", + "recoverbullSelectVaultProvider": "Виберіть постачальник Vault", + "replaceByFeeOriginalTransactionTitle": "Оригінальна угода", + "testBackupPhysicalBackupTag": "Бездоганний (забрати час)", + "recoverbullErrorDecryptFailed": "Не вдалося розшифрувати запобіжник", + "keystoneStep9": "Натисніть кнопку, щоб зареєструвати операцію на вашому пристрої.", + "totalFeesLabel": "Загальна вартість", + "importQrDevicePassportStep10": "У додатку BULL гаманця виберіть пункт \"Segwit (BIP84)\" як варіант виведення", + "payHighPriority": "Висока якість", + "sendFrozenCoin": "Заморожені", + "importColdcardInstructionsStep4": "Перевірити, що ваша прошивка оновлена до версії 1.3.4Q", + "psbtFlowKruxTitle": "Krux Інструкції", + "recoverbullDecryptVault": "Розшифрування за замовчуванням", + "connectHardwareWalletJade": "Блокстрім Jade", + "autoswapMaxFee": "Макс Трансфер Fee", + "sellReviewOrder": "Огляд Sell Замовити", + "payDescription": "Опис", + "sendEnterRelativeFee": "Введіть відносну плату в sats/vB", + "importQrDevicePassportStep1": "Потужність на пристрої Паспорту", + "fundExchangeMethodArsBankTransferSubtitle": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації", + "fundExchangeBankTransferWireDescription": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації. Введіть номер мобільного, який Ви вказали при укладаннi договору.", + "importQrDeviceKeystoneStep7": "Сканування QR-коду, що відображається на вашому пристрої", + "coldcardStep3": "Виберіть параметр \"Зберегти будь-який QR-код\"", + "coldcardStep14": "Операція буде імпортована в гаманці Bull Bitcoin.", + "passwordTooCommonError": "Це {pinOrPassword} занадто поширений. Будь ласка, оберіть інший.", + "@passwordTooCommonError": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importWalletJade": "Блокстрім Jade", + "payInvalidInvoice": "Гарантований рахунок", + "importQrDeviceButtonOpenCamera": "Відкрийте камеру", + "recoverbullFetchingVaultKey": "Fetching Вейф Головна", + "dcaConfirmFrequency": "Кількість", + "recoverbullGoogleDriveDeleteVaultTitle": "Видалити Vault", + "advancedOptionsTitle": "Додаткові параметри", + "dcaConfirmOrderType": "Тип замовлення", + "recoverbullGoogleDriveErrorDeleteFailed": "Заборонено видалити сховище з Google Диску", + "broadcastSignedTxTo": "До", + "arkAboutDurationDays": "{days} дні", + "@arkAboutDurationDays": { + "placeholders": { + "days": { + "type": "int" + } + } + }, + "payPaymentDetails": "Деталі оплати", + "bitboxActionVerifyAddressTitle": "Перевірити адресу на BitBox", + "psbtSignTransaction": "Реєстрація", + "sellRemainingLimit": "Зменшення сьогодні: {amount}", + "@sellRemainingLimit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "bitboxActionImportWalletSuccess": "Гаманець Імпорт", + "ledgerSignButton": "Зареєструватися", + "recoverbullPassword": "Логін", + "dcaNetworkLiquid": "Мережа рідин", + "fundExchangeMethodSinpeTransfer": "Трансфер SINPE", + "dcaCancelTitle": "Скасувати Bitcoin Recurring Купити?", + "importMnemonicHasBalance": "Має баланс", + "dcaLightningAddressEmptyError": "Будь ласка, введіть адресу Lightning", + "googleAppleCloudRecommendationText": "ви хочете переконатися, що ви ніколи не втратите доступ до файлу за замовчуванням, навіть якщо ви втратите ваші пристрої.", + "closeDialogButton": "Закрити", + "jadeStep14": "Операція буде імпортована в гаманці Bull Bitcoin.", + "importColdcardError": "Заборонено імпортувати Coldcard", + "customLocationRecommendationText": "ви впевнені, що ви не втратите файл за замовчуванням і він все ще буде доступний, якщо ви втратите свій телефон.", + "arkAboutForfeitAddress": "Реєстрація", + "kruxStep13": "Натисніть \"Я зробив\" в Гаманець Біткойн.", + "confirmLogoutMessage": "Ви впевнені, що ви хочете увійти з вашого облікового запису Bitcoin Bull? Щоб отримати доступ до функцій обміну.", + "dcaSuccessMessageDaily": "Купити {amount} кожен день", + "@dcaSuccessMessageDaily": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "electrumDeleteFailedError": "Видаліть користувальницький сервер{reason}", + "@electrumDeleteFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "swapInfoBanner": "Трансфер Біткойн безшовно між вашими гаманцями. Тільки тримайте кошти в Миттєвій Платіжній гаманці на день-на добу.", + "payRBFEnabled": "РБФ включено", + "takeYourTimeTag": "Зробіть свій час", + "arkAboutDust": "Пиломатеріали", + "ledgerSuccessVerifyDescription": "Адреса була перевірена на пристрої Ledger.", + "bip85Title": "BIP85 Визначення ентропії", + "sendSwapTimeout": "Обмін часу", + "networkFeesLabel": "Мережеві збори", + "backupWalletPhysicalBackupDescription": "Написати 12 слів на аркуші паперу. Збережіть їх безпечно і переконайтеся, що не втратити їх.", + "sendSwapInProgressBitcoin": "Ведуться ковпа. Біткойн-транзакції можуть зайняти під час підтвердження. Ви можете повернутися додому і чекати.", + "electrumDeleteServerTitle": "Видалити користувальницький сервер", + "buySelfie": "Селфі з ID", + "arkAboutSecretKey": "Таємний ключ", + "wordsDropdownSuffix": " слова", + "arkTxTypeRedeem": "Мали", + "backupSettingsKeyWarningBold": "Попередження: Будьте обережні, де ви зберігаєте ключ резервного копіювання.", + "exchangeLandingConnectAccount": "Підключіть свій обліковий запис Біткойн", + "importWatchOnlyLabel": "Етикетка", + "dcaWalletLightningSubtitle": "Вимагає сумісний гаманець, макс. 0.25 BTC", + "dcaNetworkBitcoin": "Bitcoin мережа", + "swapTransferRefundInProgressMessage": "Помилки з переказом. Ваше повернення здійснюється в процесі.", + "importQrDevicePassportName": "Паспорт Фундації", + "fundExchangeMethodCanadaPostSubtitle": "Найкращі для тих, хто віддає перевагу оплаті", + "importColdcardMultisigPrompt": "Для багатосигових гаманців сканування дескриптора гаманця QR коду", + "recoverbullConfirmInput": "Підтвердження {inputType}", + "@recoverbullConfirmInput": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "psbtFlowSignTransaction": "Реєстрація", + "payAllPayments": "Всі платежі", + "importWatchOnlyZpub": "зоп", + "testBackupNext": "Про нас", + "mempoolCustomServerLabel": "КУСТОМ", + "arkAboutSessionDuration": "Тривалість сеансу", + "transferFeeLabel": "Плата за трансфер", + "pinValidationError": "PIN повинен бути принаймні {minLength} цифр довго", + "@pinValidationError": { + "placeholders": { + "minLength": { + "type": "String" + } + } + }, + "dcaOrderTypeValue": "Закупівля", + "ledgerConnectingMessage": "Підключення до {deviceName}", + "@ledgerConnectingMessage": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "torSettingsSaveButton": "Зберегти", + "allSeedViewShowSeedsButton": "Показати насіння", + "importQrDeviceSpecterInstructionsTitle": "Інструкція Specter", + "testBackupScreenshot": "Скріншоти", + "dcaSuccessTitle": "Покупка є активним!", + "receiveAwaitingPayment": "Відкликання платежу...", + "recoverbullGoogleDriveScreenTitle": "Google Диски", + "receiveQRCode": "QR-код", + "payDecodeFailed": "Заборонено декодувати рахунок", + "arkSendConfirm": "Підтвердження", + "replaceByFeeErrorTransactionConfirmed": "Підтверджено оригінальну операцію", + "rbfErrorFeeTooLow": "Ви повинні збільшити плату за принаймні 1 sat/vbyte порівняно з оригінальною угодою", + "ledgerErrorMissingDerivationPathSign": "Зняття потрібно для підписання", + "jadeStep10": "Натисніть кнопку, щоб зареєструвати операцію на Jade.", + "arkAboutDurationHour": "{hours} час", + "@arkAboutDurationHour": { + "placeholders": { + "hours": { + "type": "int" + } + } + }, + "bitboxScreenUnknownError": "Невідомі помилки", + "electrumPrivacyNoticeTitle": "Повідомлення про конфіденційність", + "payOpenChannelRequired": "Відкриття телеканалу необхідно для оплати", + "coldcardStep1": "Ввійти до пристрою Coldcard Q", + "arkSendRecipientHint": "ark1qp9wsjfpsj5v5ex022v6 ..", + "arkRecoverableVtxos": "Відновлений Vtxos", + "psbtFlowTransactionImported": "Операція буде імпортована в гаманці Bull Bitcoin.", + "testBackupGoogleDriveSignIn": "Ви повинні зареєструватися на Google Диску", + "sendTransactionSignedLedger": "Заява, підписана успішно з Ledger", + "recoverbullRecoveryContinueButton": "Продовжити", + "payTimeoutError": "Розстрочка платежу. Будь ласка, перевірте статус", + "kruxStep4": "Натисніть завантаження з камери", + "bitboxErrorInvalidMagicBytes": "Виявлено неточний формат PSBT.", + "sellErrorRecalculateFees": "Плата за перерахунок: {error}", + "@sellErrorRecalculateFees": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "dcaSetupFrequencyError": "Виберіть частоту", + "testBackupErrorNoMnemonic": "Немає мнемічних навантажень", + "payInvoiceExpired": "Войце розширюється", + "confirmButtonLabel": "Підтвердження", + "autoswapMaxFeeInfo": "Якщо сума переказу перевищує встановлений відсоток, автотранспорт буде заблоковано", + "importQrDevicePassportStep9": "Сканування QR-коду, що відображається на вашому паспорті", + "swapProgressRefundedMessage": "Переказ було припинено.", + "sendEconomyFee": "Економ", + "exchangeLandingFeature5": "Чат з підтримкою клієнтів", + "electrumMainnet": "Головна", + "importWalletPassport": "Паспорт Фундації", + "buyExpressWithdrawalFee": "Плата за експрес: {amount}", + "@buyExpressWithdrawalFee": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sellDailyLimit": "Поточний ліміт: {amount}", + "@sellDailyLimit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "recoverbullConnectionFailed": "Підключення не вдалося", + "sellCurrentRate": "Поточний курс", + "payAmountTooLow": "Кількість нижче мінімальна", + "bitboxScreenVerifyOnDevice": "Будь ласка, перевірте цю адресу на пристрої BitBox", + "ledgerConnectTitle": "Підключення пристрою Ledger", + "withdrawAmountTitle": "Зняття фіат", + "coreScreensServerNetworkFeesLabel": "Статус на сервери", + "dcaFrequencyValidationError": "Виберіть частоту", + "recoverbullVaultSelected": "Вибрані", + "arkBoardingExitDelay": "Затримка виходу", + "exchangeDcaFrequencyHour": "час", + "payRBFDisabled": "RBF відключені", + "exchangeAuthLoginFailedOkButton": "ЗАРЕЄСТРУВАТИСЯ", + "exchangeKycCardTitle": "Завершіть КИЇВ", + "importQrDeviceSuccess": "Гаманець імпортований успішно", + "arkTxSettlement": "Проживання", + "autoswapEnable": "Увімкнути автоматичне перенесення", + "coreScreensFromLabel": "З", + "backupWalletGoogleDriveSignInTitle": "Ви повинні зареєструватися на Google Диску", + "testBackupBackupId": "Ідентифікатор резервного копіювання:", + "bitboxScreenConnecting": "Підключення до BitBox", + "psbtFlowScanAnyQr": "Виберіть параметр \"Зберегти будь-який QR-код\"", + "importQrDeviceSeedsignerStep10": "Комплектація", + "sellKycPendingDescription": "Ви повинні завершити перевірку ID першим", + "fundExchangeETransferDescription": "Введіть номер мобільного, який Ви вказали при укладаннi договору з банком - для ідентифікації.", + "sendClearSelection": "Очистити вибір", + "statusCheckLastChecked": "Останнє повідомлення: {time}", + "@statusCheckLastChecked": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "backupWalletVaultProviderQuickEasy": "Швидкий і простий", + "dcaConfirmFrequencyDaily": "Щодня", + "importQrDeviceKeystoneStep9": "Комплектація", + "payEnterAmountTitle": "Вхід", + "payInvalidAddress": "Неоплатна адреса", + "appUnlockAttemptPlural": "невдалих спроб", + "arkConfirmed": "Підтвердження", + "importQrDevicePassportStep6": "Виберіть \"Single-sig\"", + "withdrawRecipientsContinue": "Продовжити", + "enterPinAgainMessage": "Введіть своє {pinOrPassword} знову, щоб продовжити.", + "@enterPinAgainMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importColdcardButtonInstructions": "Інструкції", + "bitboxActionUnlockDeviceProcessingSubtext": "Будь ласка, введіть пароль на пристрій BitBox ...", + "autoswapAlwaysBlockLabel": "Завжди блокувати високі Fees", + "receiveFixedAmount": "Сума", + "bitboxActionVerifyAddressSuccessSubtext": "Ця адреса була перевірена на пристрої BitBox.", + "dcaNetworkLightning": "Мережа Lightning", + "backupWalletHowToDecideVaultCloudRecommendationText": "ви хочете переконатися, що ви ніколи не втратите доступ до файлу за замовчуванням, навіть якщо ви втратите ваші пристрої.", + "arkAboutEsploraUrl": "Веб-сайт", + "importColdcardInstructionsStep3": "Navigate до \"Advanced/Tools\"", + "buyPhotoID": "Фото ID", + "appStartupErrorTitle": "Помилка старту", + "withdrawOrderNotFoundError": "Порядок виведення не знайдено. Будь ласка, спробуйте знову.", + "importQrDeviceSeedsignerStep4": "Виберіть \"Експорт Xpub\"", + "seedsignerStep6": " - Перемістити червоному лазеру вгору і вниз по QR-коду", + "ledgerHelpStep5": "Зареєструватися Пристрої Ledger використовують останню прошивку, можна оновити прошивку за допомогою додатку Ledger Live.", + "torSettingsPortDisplay": "Порт: {port}", + "@torSettingsPortDisplay": { + "placeholders": { + "port": { + "type": "int" + } + } + }, + "importQrDeviceSpecterStep5": "Виберіть \"Майстерські публічні ключі\"", + "allSeedViewDeleteWarningTitle": "УВАГА!", + "backupSettingsBackupKey": "Зворотній зв'язок", + "arkTransactionId": "Код транзакції", + "payInvoiceCopied": "Invoice copied до буфера", + "recoverbullEncryptedVaultCreated": "Зашифрований Vault створений!", + "addressViewChangeAddressesComingSoon": "Змінити адреси, що надходяться", + "psbtFlowScanQrShown": "Сканування QR-коду, показаного в булл-гаманці", + "testBackupErrorInvalidFile": "Інвалідний вміст файлу", + "bitboxActionVerifyAddressProcessingSubtext": "Будь ласка, підтвердіть адресу на пристрої BitBox.", + "pinConfirmHeadline": "Підтвердити новий штифт", + "payConfirmationRequired": "Підтвердження", + "bip85NextHex": "Далі HEX", + "recoverWalletScreenTitle": "Відновлення гаманця", + "rbfEstimatedDelivery": "Орієнтовна доставка ~ 10 хвилин", + "sendSwapCancelled": "Заміна", + "backupWalletGoogleDrivePrivacyMessage4": "ні ", + "dcaPaymentMethodValue": "{currency} баланс", + "@dcaPaymentMethodValue": { + "placeholders": { + "currency": { + "type": "String" + } + } + }, + "swapTransferCompletedTitle": "Трансфер завершено", + "torSettingsStatusDisconnected": "Відключені", + "exchangeDcaCancelDialogTitle": "Скасувати Bitcoin Recurring Купити?", + "dcaScheduleDescription": "Біткіні покупки будуть розміщені автоматично за цей графік.", + "keystoneInstructionsTitle": "Інструкція Keystone", + "hwLedger": "Клей", + "dcaConfirmButton": "Продовжити", + "dcaBackToHomeButton": "Головна", + "importQrDeviceKruxInstructionsTitle": "Krux Інструкції", + "importQrDeviceKeystoneInstructionsTitle": "Інструкція Keystone", + "electrumSavePriorityFailedError": "Не вдалося зберегти пріоритет сервера {reason}", + "@electrumSavePriorityFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "bitboxActionVerifyAddressProcessing": "Показати адресу на BitBox ...", + "sendTypeSwap": "Обмін", + "sendErrorAmountExceedsMaximum": "Сума перевищена максимальна сума затиску", + "bitboxActionSignTransactionSuccess": "Успішно заблоковано операцію", + "fundExchangeMethodInstantSepa": "Миттєвий СЕПА", + "buyVerificationFailed": "Перевірка не вдалося: {reason}", + "@buyVerificationFailed": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "importWatchOnlyBuyDevice": "Купити пристрій", + "sellMinimumAmount": "Мінімальна сума продажу: {amount}", + "@sellMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "importColdcardTitle": "Підключення холодної картки Р", + "ledgerSuccessImportDescription": "Ваш гаманець Ledger успішно імпортується.", + "pinStatusProcessing": "Переробка", + "dcaCancelMessage": "Зареєструвати тарифний план біткойн-продажу буде припинено, а регулярні покупки будуть завершені. Щоб перезапустити, потрібно налаштувати новий план.", + "dcaConfirmNetwork": "Мережа", + "allSeedViewDeleteWarningMessage": "Видалення насіння незворотної дії. Тільки робіть це, якщо у вас є безпечні резервні копії цього насіння або асоційованих гаманців повністю зливаються.", + "bip329LabelsTitle": "BIP329 етикетки", + "walletAutoTransferAllowButton": "Смоктати", + "autoswapSelectWalletRequired": "Виберіть гаманець Bitcoin *", + "exchangeFeatureSellBitcoin": "• Продати Bitcoin, оплачується з Bitcoin", + "hwSeedSigner": "НасінняСинер", + "bitboxActionUnlockDeviceButton": "Розблокувати пристрій", + "payNetworkError": "Мережеві помилки. Будь ласка, спробуйте", + "sendNetworkFeesLabel": "Відправка мереж", + "electrumUnknownError": "Помилки", + "autoswapBaseBalanceInfoText": "Ваш миттєвий залишок гаманця повернеться до цього балансу після автозавантаження.", + "recoverbullSelectDecryptVault": "Розшифрування за замовчуванням", + "buyUpgradeKYC": "Оновлення KYC Рівень", + "autoswapEnableToggleLabel": "Увімкнути автоматичне перенесення", + "sendDustAmount": "Кріплення занадто малий (пило)", + "allSeedViewExistingWallets": "Надходження на гаманці ({count})", + "@allSeedViewExistingWallets": { + "placeholders": { + "count": { + "type": "int", + "format": "decimalPattern" + } + } + }, + "arkSendConfirmedBalance": "Підтверджений баланс", + "payCancelPayment": "Відправити платіж", + "ledgerInstructionsAndroidUsb": "Зареєструватися Ledger розблоковано за допомогою додатку Bitcoin, що відкривається і з'єднує його через USB.", + "allSeedViewTitle": "Вид на насіння", + "connectHardwareWalletLedger": "Клей", + "importQrDevicePassportInstructionsTitle": "Інструкції щодо Паспорту Фонду", + "rbfFeeRate": "{rate} sat/vbyte", + "@rbfFeeRate": { + "placeholders": { + "rate": { + "type": "String" + } + } + }, + "leaveYourPhone": "залишити свій телефон і ", + "sendFastFee": "Швидкий", + "exchangeBrandName": "БУЛ БІТКОІН", + "torSettingsPortHelper": "Портфоліо Орбота: 9050", + "submitButton": "Подати заявку", + "bitboxScreenTryAgainButton": "Зареєструватися", + "dcaConfirmTitle": "Підтвердження Купити", + "recoverbullPasswordMismatch": "Пароль не відповідає", + "backupSettingsPhysicalBackup": "Фізичний фон", + "importColdcardDescription": "Імпорт сканера гаманця QR-коду від вашого Coldcard Q", + "backupSettingsSecurityWarning": "Попередження про безпеку", + "arkCopyAddress": "Статус на сервери", + "sendScheduleFor": "Графік роботи {date}", + "@sendScheduleFor": { + "placeholders": { + "date": { + "type": "String" + } + } + }, + "psbtFlowClickDone": "Натисніть \"Я зробив\" в Гаманець Біткойн.", + "bitboxActionUnlockDeviceSuccess": "Пристрої розблоковані Успішно", + "payEnterValidAmount": "Введіть дійсну суму", + "pinButtonRemove": "Видалення безпеки PIN", + "urProgressLabel": "UR Progress: {parts} частини", + "@urProgressLabel": { + "placeholders": { + "parts": { + "type": "String" + } + } + }, + "coldcardInstructionsTitle": "Coldcard Q Інструкції", + "electrumDefaultServers": "Статус на сервери", + "scanningProgressLabel": "Сканер: {percent}%", + "@scanningProgressLabel": { + "placeholders": { + "percent": { + "type": "String" + } + } + }, + "backupWalletHowToDecide": "Як вирішити?", + "recoverbullTestBackupDescription": "Тепер перевірте вашу резервну копію, щоб переконатися, що все було зроблено належним чином.", + "bitboxErrorOperationTimeout": "Час роботи. Будь ласка, спробуйте знову.", + "mempoolCustomServerUrlEmpty": "Введіть URL-адресу сервера", + "importQrDeviceKeystoneName": "Головна", + "payBitcoinAddress": "Bitcoin адреса", + "swapProgressPending": "Передача", + "exchangeDcaAddressLabelBitcoin": "Bitcoin адреса", + "loadingBackupFile": "Завантаження файлів резервного копіювання ...", + "recoverbullContinue": "Продовжити", + "receiveAddressCopied": "Адреса копіюється на буфер", + "psbtFlowTurnOnDevice": "Увімкніть пристрій {device}", + "@psbtFlowTurnOnDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "backupSettingsKeyServer": "Статус на сервери ", + "connectHardwareWalletColdcardQ": "Холодна картка Q", + "seedsignerStep2": "Натисніть сканування", + "ledgerErrorMissingDerivationPathVerify": "Для перевірки необхідно пройти процедуру зарахування", + "recoverbullErrorVaultNotSet": "Не встановлено", + "ledgerErrorMissingScriptTypeSign": "Тип скрипта необхідний для підписання", + "dcaSetupContinue": "Продовжити", + "electrumFormatError": "Використовуйте хост:порт формат (наприклад, приклад.com:50001)", + "arkAboutDurationDay": "{days} день", + "@arkAboutDurationDay": { + "placeholders": { + "days": { + "type": "int" + } + } + }, + "arkDurationHour": "{hours} час", + "@arkDurationHour": { + "placeholders": { + "hours": { + "type": "String" + } + } + }, + "importWatchOnlyTitle": "Імпорт годинник", + "cancel": "Зареєструватися", + "logsViewerTitle": "Логін", + "recoverbullTorNotStarted": "Не розпочато", + "arkPending": "Закінчення", + "testBackupCreatedAt": "Створено:", + "dcaSetRecurringBuyTitle": "Встановити Recurring Купити", + "psbtFlowSignTransactionOnDevice": "Натисніть кнопку, щоб зареєструвати операцію {device}.", + "@psbtFlowSignTransactionOnDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "bitboxCubitConnectionFailed": "Ввімкніть підключення до пристрою BitBox. Будь ласка, перевірте підключення.", + "importQrDeviceScanning": "Сканування ...", + "importWalletKeystone": "Головна", + "testBackupConfirm": "Підтвердження", + "urProcessingFailedMessage": "UR обробка не вдалося", + "backupWalletChooseVaultLocationTitle": "Виберіть місце розташування", + "testBackupErrorTestFailed": "Надійшла до резервного копіювання: {error}", + "@testBackupErrorTestFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payLightningFee": "Освітлення Fee", + "recoverbullGoogleDriveDeleteButton": "Видалення", + "arkBalanceBreakdownTooltip": "Поломка балансу", + "exchangeDcaDeactivateTitle": "Deactivate Recurring Купити", + "testBackupLastBackupTest": "Останнє оновлення: {timestamp}", + "@testBackupLastBackupTest": { + "placeholders": { + "timestamp": { + "type": "String" + } + } + }, + "payAmountRequired": "Необхідність монтажу", + "keystoneStep7": " - Спробуйте перемістити пристрій назад трохи", + "buyLevel2Limit": "Рівень 2 ліміт: {amount}", + "@buyLevel2Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "bitboxCubitDeviceNotPaired": "Пристрої непаровані. Будь ласка, заповніть процес паріння першим.", + "replaceByFeeActivatedLabel": "Замініть активоване", + "sendPaymentProcessing": "Опрацьовується платіж. До хвилини", + "electrumDefaultServersInfo": "Щоб захистити конфіденційність, сервери за замовчуванням не використовуються при налаштуванні користувацьких серверів.", + "testBackupErrorLoadMnemonic": "Надійшла до навантаження мнемоніки: {error}", + "@testBackupErrorLoadMnemonic": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "bitboxCubitOperationCancelled": "Операція скасована. Будь ласка, спробуйте знову.", + "passportStep3": "Сканування QR-коду, показаного в булл-гаманці", + "jadeStep5": "Якщо у вас є проблеми сканування:", + "electrumProtocolError": "Не містить протоколу (ssl:// або tcp://).", + "arkSendConfirmTitle": "Підтвердження", + "importQrDeviceSeedsignerStep1": "Потужність на пристрої SeedSigner", + "importWatchOnlyDerivationPath": "Деприація шлях", + "sendErrorBroadcastFailed": "Ввімкнути трансляцію. Перевірити підключення мережі і спробувати знову.", + "dcaSelectWalletTypeLabel": "Виберіть тип Bitcoin Wallet", + "backupWalletHowToDecideVaultModalTitle": "Як вирішити", + "importQrDeviceJadeStep1": "Увімкніть пристрій Jade", + "testBackupEncryptedVaultTag": "Легкий і простий (1 хвилину)", + "bitboxScreenTroubleshootingStep3": "Перезапустіть пристрій BitBox02, відключивши його.", + "torSettingsProxyPort": "Тор Проксі Порт", + "fundExchangeSpeiTransfer": "Трансфер SPEI", + "recoverbullUnexpectedError": "Несподівана помилка", + "fundExchangeMethodSpeiTransfer": "Трансфер SPEI", + "electrumAddServer": "Додати сервер", + "addressViewCopyAddress": "Статус на сервери", + "pinAuthenticationTitle": "Аутентифікація", + "sellErrorNoWalletSelected": "Немає гаманця, обраного для відправки оплати", + "testBackupFetchingFromDevice": "Захоплення від пристрою.", + "backupWalletHowToDecideVaultCustomLocation": "Зручне розташування може бути набагато більш безпечною, в залежності від місця розташування, яку ви обираєте. Ви також повинні переконатися, що не втратити файл резервного копіювання або втратити пристрій, на якому зберігаються файли резервного копіювання.", + "buyProofOfAddress": "Адреса", + "backupWalletInstructionNoDigitalCopies": "Не робити цифрові копії вашого резервного копіювання. Написати його на шматку паперу, або гравійований в металі.", + "psbtFlowError": "{error}", + "@psbtFlowError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "replaceByFeeFastestDescription": "Орієнтовна доставка ~ 10 хвилин", + "importQrDeviceSeedsignerStep2": "Відкрийте меню \"Шведи\"", + "exchangeAmountInputValidationZero": "Кількість повинна бути більшою, ніж нуль", + "importWatchOnlyRequired": "Потрібні", + "payWalletNotSynced": "Гаманець не синхронізується. Будь ласка, почекайте", + "recoverbullRecoveryLoadingMessage": "Шукаємо баланс і операції..", + "importMnemonicLegacy": "Спадщина", + "recoverbullVaultKey": "Vault ключ", + "keystoneStep12": "Гаманець Bull Bitcoin попросить вас сканування QR-коду на Keystone. Сканування.", + "ledgerErrorRejectedByUser": "Переказ було відхилено користувачем на пристрої Ledger.", + "payFeeRate": "Тарифи", + "autoswapWarningDescription": "Autoswap забезпечує, що хороший баланс підтримується між вашими миттєвими платежами та захищеним біткойн-гаманцем.", + "recoverbullErrorDecryptedVaultNotSet": "Розшифрована сорочка не встановлена", + "autoswapRecipientWalletPlaceholderRequired": "Виберіть гаманець Bitcoin *", + "recoverbullGoogleDriveErrorGeneric": "Помилки. Будь ласка, спробуйте знову.", + "coreScreensConfirmSend": "Підтвердження", + "passportStep10": "Після цього паспорт покаже вам власний QR-код.", + "electrumStopGapEmptyError": "Стоп Gap не може бути порожнім", + "typeLabel": "Тип: ", + "ledgerProcessingSignSubtext": "Будь ласка, підтвердіть операцію на пристрої Ledger ...", + "withdrawConfirmClabe": "КЛАБ", + "amountLabel": "Сума", + "payScanQRCode": "Сканування QR Коди", + "seedsignerStep10": "Після того, як SeedSigner покаже вам власний QR-код.", + "psbtInstructions": "Інструкції", + "swapProgressCompletedMessage": "Ви чекали! Передавання завершено.", + "recoverbullPIN": "ПІН", + "swapInternalTransferTitle": "Внутрішній переказ", + "withdrawConfirmPayee": "Оплатити", + "importQrDeviceJadeStep8": "Натисніть кнопку \"відкрита камера\"", + "navigationTabExchange": "Обмін", + "dcaSuccessMessageWeekly": "Купити {amount} щотижня", + "@dcaSuccessMessageWeekly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "withdrawConfirmRecipientName": "Ім'я одержувача", + "autoswapRecipientWalletPlaceholder": "Виберіть гаманець Bitcoin", + "backupSettingsExporting": "Експорт.", + "importQrDeviceSpecterStep11": "Комплектація", + "mempoolSettingsUseForFeeEstimationDescription": "При включенні цей сервер буде використовуватися для оцінки комісій. Коли вимкнено, на сервері Биткойн буде використовуватися замість.", + "seedsignerStep7": " - Спробуйте перемістити пристрій назад трохи", + "recoverbullSelectBackupFileNotValidError": "Recoverbull резервний файл не діє", + "swapErrorInsufficientFunds": "Не вдалося побудувати операцію. Як правило, через недостатні кошти для покриття зборів і суми.", + "dcaConfirmAmount": "Сума", + "arkBalanceBreakdown": "Поломка балансу", + "seedsignerStep8": "Після того, як угода була імпортована у вашому SeedSigner, ви повинні вибрати насіння, яке ви хочете зареєструватися.", + "arkAboutCopy": "Партнерство", + "recoverbullPasswordRequired": "Необхідний пароль", + "arkNoTransactionsYet": "Ніяких операцій.", + "importWatchOnlySigningDevice": "Пристрої реєстрації", + "receiveInvoiceExpired": "Войце розширюється", + "ledgerButtonManagePermissions": "Керування додатками", + "autoswapMinimumThresholdErrorSats": "Мінімальний поріг балансу {amount} сати", + "@autoswapMinimumThresholdErrorSats": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "payRemoveRecipient": "Видалити одержувача", + "pasteInputDefaultHint": "Введіть адресу платежу або рахунок-фактуру", + "sellKycPendingTitle": "Перевірка ID KYC", + "withdrawRecipientsFilterAll": "Всі види", + "bitboxScreenSegwitBip84Subtitle": "Native SegWit - Рекомендований", + "fundExchangeSpeiSubtitle": "Перерахування коштів за допомогою CLABE", + "urDecodingFailedMessage": "Ур декодування не вдалося", + "bitboxScreenWaitingConfirmation": "Очікується підтвердження на BitBox02...", + "payCannotBumpFee": "Не платите за цю операцію", + "arkSatsUnit": "атласне", + "payMinimumAmount": "Мінімальне: {amount}", + "@payMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sendSwapRefundCompleted": "Повернення коштів завершено", + "torSettingsStatusUnknown": "Статус Невідомий", + "sendConfirmSwap": "Підтвердити обмін", + "sendSending": "Відправити", + "withdrawConfirmAccount": "Облік", + "sendErrorConfirmationFailed": "Підтвердження", + "recoverbullWaiting": "Чекати", + "backupWalletVaultProviderGoogleDrive": "Українська", + "bitboxCubitDeviceNotFound": "Не знайдено пристрій BitBox. Будь ласка, підключіть пристрій і спробуйте знову.", + "autoswapSaveError": "Не вдалося зберегти налаштування: {error}", + "@autoswapSaveError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "buyStandardWithdrawal": "Стандартний знімок", + "swapContinue": "Продовжити", + "arkSettleButton": "Смітт", + "electrumAddFailedError": "Заборонено додавати користувацький сервер{reason}", + "@electrumAddFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "arkAboutDurationHours": "{hours} годин", + "@arkAboutDurationHours": { + "placeholders": { + "hours": { + "type": "int" + } + } + }, + "importWalletSectionGeneric": "Генетичні гаманці", + "arkEsploraUrl": "Веб-сайт", + "backupSettingsNotTested": "Не тестувати", + "googleDrivePrivacyMessage": "Google попросить Вас поділитися персональною інформацією з цією програмою.", + "errorGenericTitle": "Опери Хтось пішов неправильно", + "bitboxActionPairDeviceSuccess": "Пристрої, що поставляються успішно", + "bitboxErrorNoDevicesFound": "Не знайдено пристроїв BitBox. Переконайтеся, що ваш пристрій працює і підключений через USB.", + "torSettingsStatusConnecting": "З'єднання.", + "backupWalletHowToDecideBackupModalTitle": "Як вирішити", + "ledgerWalletTypeNestedSegwit": "Нестередний Segwit (BIP49)", + "sellInteracEmail": "Веб-сайт", + "kruxStep6": "Якщо у вас є проблеми сканування:", + "autoswapMaximumFeeError": "Максимальний термін оплати {threshold}%", + "@autoswapMaximumFeeError": { + "placeholders": { + "threshold": { + "type": "String" + } + } + }, + "swapValidationEnterAmount": "Введіть суму", + "recoverbullErrorVaultCreatedKeyNotStored": "Переміщений файл Vault створений, але ключ не зберігається в сервері", + "exchangeSupportChatWalletIssuesInfo": "Цей чат є тільки для обміну пов'язаними з питань, пов'язаних з фондуванням / купівлі / продажу / виведення / оплати.\nДля гаманця пов'язані питання, приєднатися до групи телеграм, натиснувши тут.", + "exchangeLoginButton": "Увійти", + "arkAboutHide": "Приват", + "ledgerProcessingVerify": "Показати адресу на Ledger ...", + "coreScreensFeePriorityLabel": "Пріоритетність", + "arkSendPendingBalance": "Торговий баланс ", + "coreScreensLogsTitle": "Логін", + "recoverbullVaultKeyInput": "Vault ключ", + "testBackupErrorWalletMismatch": "Резервне копіювання не відповідає існуючому гаманцю", + "bip329LabelsHeading": "BIP329 Етикетки Імпорт / Експорт", + "jadeStep2": "Якщо у вас є одна (необов'язково)", + "coldcardStep4": "Сканування QR-коду, показаного в булл-гаманці", + "importQrDevicePassportStep5": "Виберіть опцію \"Ворна\"", + "psbtFlowClickPsbt": "Натисніть PSBT", + "sendInvoicePaid": "Пайд пароля", + "arkReceiveSegmentArk": "Арк", + "autoswapRecipientWalletInfo": "Виберіть який гаманець Bitcoin отримає передані кошти (обов'язково)", + "importWalletKrux": "Кошик", + "swapContinueButton": "Продовжити", + "sendSignWithLedger": "Знак з Ledger", + "pinSecurityTitle": "Безпека PIN", + "swapValidationPositiveAmount": "Введіть позитивну суму", + "exchangeDcaSummaryMessage": "Ви купуєте {amount} кожен {frequency} через {network} до тих пір, поки є кошти в обліковому записі.", + "@exchangeDcaSummaryMessage": { + "placeholders": { + "amount": { + "type": "String", + "description": "The amount being purchased (e.g., '$100 CAD')" + }, + "frequency": { + "type": "String" + }, + "network": { + "type": "String" + } + } + }, + "addressLabel": "Адреса: ", + "testBackupWalletTitle": "Тест {walletName}", + "@testBackupWalletTitle": { + "placeholders": { + "walletName": { + "type": "String" + } + } + }, + "withdrawRecipientsPrompt": "Де і як ми надішлемо гроші?", + "withdrawRecipientsTitle": "Оберіть одержувач", + "backupWalletLastBackupTest": "Останній тест резервного копіювання: ", + "keystoneStep1": "Увійти на пристрій Keystone", + "keystoneStep3": "Сканування QR-коду, показаного в булл-гаманці", + "arkSendSuccessTitle": "Відправити", + "importQrDevicePassportStep3": "Виберіть \"Управлінський рахунок\"", + "exchangeAuthErrorMessage": "Помилкові помилки, будь ласка, спробуйте увійти знову.", + "bitboxActionSignTransactionTitle": "Реєстрація", + "testBackupGoogleDrivePrivacyPart3": "залишити свій телефон і ", + "dcaAmountLabel": "Сума", + "receiveArkNetwork": "Арк", + "swapMaxButton": "МАКС", + "importQrDeviceSeedsignerStep8": "Сканування QR-коду, що відображається на вашому SeedSigner", + "electrumDeletePrivacyNotice": "Повідомлення про конфіденційність:\n\nВикористання власного вузла забезпечує, що жодна третя сторона може зв'язатися з вашим IP-адресою з вашими операціями. Після видалення останнього користувацького сервера ви будете підключені до сервера BullBitcoin.\n.\n", + "dcaConfirmFrequencyWeekly": "Щодня", + "quickAndEasyTag": "Швидкий і простий", + "settingsThemeTitle": "Головна", + "exchangeSupportChatYesterday": "Погода", + "jadeStep3": "Виберіть опцію \"Scan QR\"", + "dcaSetupFundAccount": "Оберіть Ваш рахунок", + "coldcardStep10": "Натисніть кнопку, щоб записати операцію на холодильнику.", + "sendErrorAmountBelowSwapLimits": "Сума нижче лімітів закрутки", + "labelErrorNotFound": "Етикетка \"X7X\" не знайдено.", + "@labelErrorNotFound": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "payPrivatePayment": "Приватний платіж", + "autoswapDefaultWalletLabel": "Bitcoin гаманець", + "recoverbullTestSuccessDescription": "Ви можете відновити доступ до втраченого біткойн-гаманця", + "dcaDeactivate": "Deactivate Recurring Купити", + "exchangeAuthLoginFailedTitle": "Логін", + "autoswapRecipientWallet": "Отримувач Bitcoin Wallet", + "arkUnifiedAddressBip21": "Єдина адреса (BIP21)", + "pickPasswordOrPinButton": "Виберіть {pinOrPassword} замість >>", + "@pickPasswordOrPinButton": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "password" + } + } + }, + "autoswapWarningSettingsLink": "Візьміть мене на налаштування автозавантаження", + "backupSettingsKeyWarningExample": "Наприклад, якщо ви використовували Google Диск для файлів резервної копії, не використовуйте Google Диск для ключа резервного копіювання.", + "backupWalletHowToDecideVaultCloudRecommendation": "Українська Хмара яблука: ", + "testBackupEncryptedVaultDescription": "Анонімне резервне копіювання з використанням сильного шифрування за допомогою хмари.", + "payNetworkType": "Мережа", + "addressViewChangeType": "Зареєструватися", + "confirmLogoutTitle": "Підтвердити запис", + "ledgerWalletTypeSelectTitle": "Виберіть гаманець Тип", + "swapTransferCompletedMessage": "Ви чекали! Передача успішно завершено.", + "electrumDelete": "Видалення", + "testBackupGoogleDrivePrivacyPart4": "ні ", + "arkConfirmButton": "Підтвердження", + "sendCoinControl": "Монета управління", + "withdrawSuccessOrderDetails": "Деталі замовлення", + "exchangeLandingConnect": "Підключіть свій обліковий запис Біткойн", + "payProcessingPayment": "Операції по переробці.", + "ledgerImportTitle": "Імпорт Ledger Wallet", + "exchangeDcaFrequencyMonth": "місяць", + "paySuccessfulPayments": "Успішний", + "navigationTabWallet": "Гаманець", + "bitboxScreenScanning": "Сканування пристроїв", + "statusCheckTitle": "Статус на сервери", + "ledgerHelpSubtitle": "По-перше, переконайтеся, що ваш пристрій Ledger розблоковується і додаток Bitcoin відкритий. Якщо пристрій все ще не підключений до програми, спробуйте наступне:", + "savingToDevice": "Збереження вашого пристрою.", + "bitboxActionImportWalletButton": "Імпорт", + "fundExchangeLabelSwiftCode": "SWIFT код", + "autoswapWarningBaseBalance": "Базовий баланс 0.01 BTC", + "importQrDeviceSpecterStep6": "Виберіть \"Single key\"", + "importQrDeviceJadeStep10": "Що це!", + "importQrDevicePassportStep8": "На мобільному пристрої натисніть \"відкрита камера\"", + "dcaConfirmationError": "Хтось пішов неправильно: {error}", + "@dcaConfirmationError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "oopsSomethingWentWrong": "Опери Хтось пішов неправильно", + "pinStatusSettingUpDescription": "Налаштування коду PIN", + "swapFromLabel": "З", + "importQrDeviceKeystoneStep4": "Виберіть роз'єм програмного забезпечення Wallet", + "rbfOriginalTransaction": "Оригінальна угода", + "bip329LabelsExportButton": "Експорт етикеток", + "jadeStep4": "Сканування QR-коду, показаного в булл-гаманці", + "recoverbullRecoveryErrorWalletExists": "Цей гаманець вже існує.", + "sendSelectCoins": "Виберіть монети", + "fundExchangeLabelRoutingNumber": "Номер маршрутизації", + "paySyncingWallet": "Syncing гаманець ...", + "allSeedViewLoadingMessage": "Це може зайняти деякий час для завантаження, якщо у вас є багато насіння на цьому пристрої.", + "ledgerErrorMissingPsbt": "ПСБТ необхідний для підписання", + "importWatchOnlyPasteHint": "Паста xpub, ypub, zpub або descriptor", + "sellAccountNumber": "Номер рахунку", + "backupWalletLastKnownEncryptedVault": "Останній Знаний Зашифрований За замовчуванням: ", + "dcaSetupInsufficientBalanceMessage": "Ви не маєте достатнього балансу для створення цього замовлення.", + "recoverbullGotIt": "Про нас", + "sellRateValidFor": "Тарифи на {seconds}", + "@sellRateValidFor": { + "placeholders": { + "seconds": { + "type": "int" + } + } + }, + "autoswapAutoSaveError": "Не вдалося зберегти налаштування", + "exchangeFeatureBankTransfers": "• Введіть номер мобільного, який Ви вказали при укладаннi договору з банком -", + "dcaConfirmAutoMessage": "Купити замовлення будуть розміщені автоматично на ці налаштування. Ви можете відключити їх в будь-який час.", + "arkCollaborativeRedeem": "Колегативний червоний", + "usePasswordInsteadButton": "{pinOrPassword} замість >>", + "@usePasswordInsteadButton": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "password" + } + } + }, + "dcaWalletTypeLightning": "Lightning Network (LN)", + "backupWalletVaultProviderAppleICloud": "Яблуко iCloud", + "swapValidationMinimumAmount": "Мінімальна сума {amount} {currency}", + "@swapValidationMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + }, + "currency": { + "type": "String" + } + } + }, + "testBackupDoNotShare": "НЕ ЗДОРОВ'Я", + "kruxInstructionsTitle": "Krux Інструкції", + "backupSettingsViewVaultKey": "Переглянути Vault Головна", + "ledgerErrorNoConnection": "Немає підключень Ledger", + "testBackupSuccessButton": "Про нас", + "importWalletLedger": "Клей", + "recoverbullCheckingConnection": "Перевірка підключення до RecoverBull", + "exchangeLandingTitle": "БУЛ БІТКОІН", + "psbtFlowSignWithQr": "Натисніть кнопку Вхід з QR-кодом", + "doneButton": "Сонце", + "withdrawSuccessTitle": "Зняття ініціації", + "paySendAll": "Відправити", + "payLowPriority": "Низький", + "arkSendConfirmMessage": "Будь ласка, підтвердіть деталі вашої угоди перед відправленням.", + "backupWalletBestPracticesTitle": "Кращі практики", + "memorizePasswordWarning": "Ви повинні запам'ятати цей {pinOrPassword} для відновлення доступу до вашого гаманця. Потрібно не менше 6 цифр. Якщо ви втратите це {pinOrPassword} ви не можете відновити резервну копію.", + "@memorizePasswordWarning": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "googleAppleCloudRecommendation": "Українська Хмара яблука: ", + "exchangeGoToWebsiteButton": "Перейти на сайт Bull Біткойн", + "backupWalletSuccessTestButton": "Тест резервного копіювання", + "replaceByFeeErrorFeeRateTooLow": "Ви повинні збільшити плату за принаймні 1 sat/vbyte порівняно з оригінальною угодою", + "payPriority": "Головна", + "payChannelBalanceLow": "Невисокий баланс каналу", + "allSeedViewNoSeedsFound": "Не знайдено насіння.", + "bitboxScreenActionFailed": "{action} В’язаний", + "@bitboxScreenActionFailed": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "dcaSetupScheduleMessage": "Біткіні покупки будуть розміщені автоматично за цей графік.", + "systemLabelSelfSpend": "Самопоширення", + "swapProgressRefundMessage": "Помилки з переказом. Ваше повернення здійснюється в процесі.", + "passportStep4": "Якщо у вас є проблеми сканування:", + "electrumNetworkBitcoin": "Bitcoin у USD", + "arkSendRecipientError": "Введіть одержувача", + "arkArkAddress": "Арк адреса", + "bitboxActionVerifyAddressButton": "Адреса електронної пошти", + "torSettingsInfoTitle": "Важлива інформація", + "importColdcardInstructionsStep7": "На мобільному пристрої натисніть \"відкрита камера\"", + "testBackupStoreItSafe": "Зберігайте його кудись безпечно.", + "bitboxScreenTroubleshootingSubtitle": "По-перше, переконайтеся, що пристрій BitBox02 підключений до вашого телефону USB-порту. Якщо пристрій все ще не підключений до програми, спробуйте наступне:", + "never": "ні ", + "notLoggedInTitle": "Ви не зареєстровані", + "testBackupWhatIsWordNumber": "Що таке слово {number}?", + "@testBackupWhatIsWordNumber": { + "placeholders": { + "number": { + "type": "int" + } + } + }, + "payInvoiceDetails": "Деталі вступу", + "exchangeLandingLoginButton": "Увійти", + "torSettingsEnableProxy": "Увімкнути Tor Proxy", + "bitboxScreenAddressToVerify": "Адреса для перевірки:", + "bitboxErrorPermissionDenied": "Для підключення до пристроїв BitBox потрібні дозволи на USB.", + "bitboxActionSignTransactionProcessingSubtext": "Будь ласка, підтвердіть операцію на пристрої BitBox ...", + "addressViewReceiveType": "Отримати", + "coldcardStep11": "Холодна листівка Після того, як ви покажете свій власний QR-код.", + "swapDoNotUninstallWarning": "Не встановіть додаток до завершення переказу!", + "testBackupErrorVerificationFailed": "Перевірка не вдалося: {error}", + "@testBackupErrorVerificationFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "sendViewDetails": "Переглянути подробиці", + "recoverbullErrorUnexpected": "Несподівана помилка, див. журнали", + "sendSubmarineSwap": "Submarine Заміна", + "allSeedViewSecurityWarningTitle": "Попередження про безпеку", + "sendSwapFeeEstimate": "Орієнтовна плата за косу: {amount}", + "@sendSwapFeeEstimate": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "recoverbullSelectFetchDriveFilesError": "Заборонено фіксувати всі резервні копії приводу", + "psbtFlowLoadFromCamera": "Натисніть завантаження з камери", + "addressViewErrorLoadingMoreAddresses": "{error}", + "@addressViewErrorLoadingMoreAddresses": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "arkCopy": "Партнерство", + "sendBuildingTransaction": "Будівельна угода...", + "electrumConfirm": "Підтвердження", + "bitboxActionPairDeviceSuccessSubtext": "Пристрій BitBox тепер попарюється і готовий до використання.", + "coreScreensSendNetworkFeeLabel": "Закупи хостинг »", + "bitboxScreenScanningSubtext": "Шукаєте пристрій BitBox ...", + "sellOrderFailed": "Продати замовлення", + "payInvalidAmount": "Сума недійсна", + "fundExchangeLabelBankName": "Назва банку", + "ledgerErrorMissingScriptTypeVerify": "Тип скрипта необхідний для перевірки", + "backupWalletEncryptedVaultDescription": "Анонімне резервне копіювання з використанням сильного шифрування за допомогою хмари.", + "sellRateExpired": "Курс обміну. Відновити ...", + "recoverbullConfirm": "Підтвердження", + "arkPendingBalance": "Торговий баланс", + "dcaConfirmNetworkBitcoin": "Bitcoin у USD", + "seedsignerStep14": "Зараз готовий до трансляції! Як тільки ви натиснете трансляцію, операція буде опублікована на мережі Біткойн і будуть відправлені кошти.", + "importMnemonicTransactions": "{count} операції", + "@importMnemonicTransactions": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "rbfTitle": "Замінити платіж", + "backupWalletVaultProviderCustomLocation": "Місцезнаходження", + "addressViewErrorLoadingAddresses": "Адреса завантаження: {error}", + "@addressViewErrorLoadingAddresses": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "bitboxErrorConnectionTypeNotInitialized": "Тип підключення не ініціюється.", + "ledgerErrorUnknown": "Невідома помилка", + "ledgerProcessingVerifySubtext": "Будь ласка, підтвердіть адресу на пристрої Ledger.", + "recoverbullRecoveryTransactionsLabel": "{count}", + "@recoverbullRecoveryTransactionsLabel": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "paySwapFailed": "Не вдалося", + "autoswapMaxFeeLabel": "Макс Трансфер Fee", + "importMnemonicBalance": "Баланс: {amount}", + "@importMnemonicBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "appUnlockScreenTitle": "Аутентифікація", + "importQrDeviceWalletName": "Назва гаманця", + "payNoRouteFound": "Не знайдено маршруту для цього платежу", + "fundExchangeLabelBeneficiaryName": "Ім'я одержувача", + "exchangeSupportChatMessageEmptyError": "Повідомлення не може бути порожнім", + "payViewTransaction": "Перегляд транзакцій", + "ledgerInstructionsAndroidDual": "Зареєструватися Ledger розблоковано за допомогою програми Bitcoin, відкритого та Bluetooth ввімкнено, або підключіть пристрій через USB.", + "arkSendRecipientLabel": "Адреса одержувача", + "jadeStep9": "Після того, як угода імпортується в Jade, перевірте адресу призначення і суму.", + "ledgerWalletTypeNestedSegwitDescription": "П2ВПХ-нестед-в-П2Ш", + "dcaConfirmFrequencyHourly": "Час", + "sellSwiftCode": "SWIFT/BIC код", + "receiveInvoiceExpiry": "Invoice закінчується {time}", + "@receiveInvoiceExpiry": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "testBackupGoogleDrivePrivacyPart5": "bitcoin у USD.", + "arkTotal": "Всього", + "bitboxActionSignTransactionSuccessSubtext": "Ви успішно підписалися на Вашу операцію.", + "backupWalletInstructionLosePhone": "Якщо ви втратите або перейдете свій телефон, або якщо ви встановите додаток Bull Bitcoin, ваші біткоїни будуть втрачені назавжди.", + "recoverbullConnected": "Зв'язатися", + "dcaConfirmLightningAddress": "Адреса блискавки", + "backupWalletErrorGoogleDriveSave": "Не вдалося зберегти Google диск", + "importQrDeviceKeystoneStep2": "Введіть Ваш кошик", + "sellErrorPrepareTransaction": "Не вдалося підготувати операцію: {error}", + "@sellErrorPrepareTransaction": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "fundExchangeOnlineBillPaymentTitle": "Онлайн платіж", + "importQrDeviceSeedsignerStep7": "На мобільному пристрої натисніть Open Camera", + "addressViewChangeAddressesDescription": "Показати гаманець Зміна адрес", + "sellReceiveAmount": "Ви отримаєте", + "bitboxCubitInvalidResponse": "Інвалідна відповідь від пристрою BitBox. Будь ласка, спробуйте знову.", + "importQrDeviceKruxStep5": "Скануйте QR-код, який ви бачите на вашому пристрої.", + "arkStatus": "Статус на сервери", + "fundExchangeHelpTransferCode": "Додати це з причини передачі", + "mempoolCustomServerEdit": "Редагування", + "importQrDeviceKruxStep2": "Натисніть розширений публічний ключ", + "passportStep5": " - Збільшення яскравості екрану на вашому пристрої", + "bitboxScreenConnectSubtext": "Переконайтеся, що ваш BitBox02 розблокований і підключений через USB.", + "payEstimatedConfirmation": "Орієнтовне підтвердження: {time}", + "@payEstimatedConfirmation": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "bitboxErrorInvalidResponse": "Інвалідна відповідь від пристрою BitBox. Будь ласка, спробуйте знову.", + "psbtFlowAddPassphrase": "Якщо у вас є одна (необов'язково)", + "sendSigningTransaction": "Реєстрація.", + "sellErrorFeesNotCalculated": "Комісія не розраховується. Будь ласка, спробуйте знову.", + "dcaAddressLiquid": "Контакти", + "buyVerificationInProgress": "Перевірка в прогресі ...", + "mempoolSettingsUseForFeeEstimation": "Використання для оцінки Fee", + "psbtFlowMoveCloserFurther": "Спробуйте перемістити пристрій ближче або далі", + "swapProgressTitle": "Внутрішній переказ", + "pinButtonConfirm": "Підтвердження", + "coldcardStep2": "Якщо у вас є одна (необов'язково)", + "electrumInvalidNumberError": "Введіть дійсний номер", + "recoverbullSelectGoogleDrive": "Українська", + "recoverbullEnterInput": "{inputType}", + "@recoverbullEnterInput": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "importQrDevicePassportStep12": "Настроювання завершено.", + "electrumRetryCount": "Птиця графа", + "importQrDeviceSeedsignerInstructionsTitle": "SeedSigner Інструкції", + "jadeStep12": "Натисніть \"Я зробив\" в Гаманець Біткойн.", + "importMnemonicImporting": "Імпорт.", + "recoverbullGoogleDriveExportButton": "Експорт", + "bip329LabelsDescription": "Імпорт або експорт етикеток гаманця за допомогою стандартного формату BIP329.", + "backupWalletHowToDecideBackupEncryptedRecommendationText": "Ви не впевнені, що вам потрібно більше часу, щоб дізнатися про методи резервної копії.", + "backupWalletImportanceWarning": "Без резервної копії ви в кінцевому підсумку втратите доступ до ваших грошей. Важливо зробити резервну копію.", + "autoswapMaxFeeInfoText": "Якщо сума переказу перевищує встановлений відсоток, автотранспорт буде заблоковано", + "recoverbullGoogleDriveCancelButton": "Зареєструватися", + "backupWalletSuccessDescription": "Тепер перевірте вашу резервну копію, щоб переконатися, що все було зроблено належним чином.", + "rbfBroadcast": "Радіоканал", + "dcaConfirmFrequencyMonthly": "Місяць", + "importWatchOnlyScriptType": "Тип сценарію", + "electrumCustomServers": "Статус на сервери", + "payBatchPayment": "Пакетний платіж", + "payRecipientCount": "{count} одержувачів", + "@payRecipientCount": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "sendErrorBuildFailed": "Побудова в'язниці", + "backupWalletInstructionLoseBackup": "Якщо ви втратите резервну копію 12 слів, ви не зможете відновити доступ до біткоїнів.", + "sellSendPaymentInsufficientBalance": "Недостатній баланс у вибраному гаманці для завершення цього замовлення продажу.", + "swapTransferPendingTitle": "Передача", + "mempoolCustomServerSaveSuccess": "Користувальницький сервер успішно збережений", + "sendErrorBalanceTooLowForMinimum": "Баланс занадто низький для мінімальної кількості клаптів", + "testBackupSuccessMessage": "Ви можете відновити доступ до втраченого біткойн-гаманця", + "electrumTimeout": "Розклад (секунди)", + "electrumSaveFailedError": "Не вдалося зберегти розширені параметри", + "arkSettleTransactionCount": "Сіетл {count} {transaction}", + "@arkSettleTransactionCount": { + "placeholders": { + "count": { + "type": "String" + }, + "transaction": { + "type": "String" + } + } + }, + "bitboxScreenWalletTypeLabel": "Тип гаманця:", + "importQrDeviceKruxStep6": "Що це!", + "recoverbullRecoveryErrorMissingDerivationPath": "Файл резервного копіювання відсутній шлях видалення.", + "mempoolCustomServerDelete": "Видалення", + "optionalPassphraseHint": "Додатковий Пасфрас", + "importColdcardImporting": "Імпортування холодної картки гаманець ...", + "exchangeDcaHideSettings": "Приховати налаштування", + "appUnlockIncorrectPinError": "Некоректний ПІН. Будь ласка, спробуйте знову. {failedAttempts} {attemptsWord})", + "@appUnlockIncorrectPinError": { + "placeholders": { + "failedAttempts": { + "type": "int" + }, + "attemptsWord": { + "type": "String" + } + } + }, + "coreScreensPageNotFound": "Не знайдено", + "passportStep8": "Після того, як угода імпортується в паспорті, перевірте адресу призначення та суму.", + "importQrDeviceTitle": "Підключення {deviceName}", + "@importQrDeviceTitle": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "exchangeFeatureDcaOrders": "• DCA, Обмеження замовлень та автокупе", + "swapInfoDescription": "Трансфер Біткойн безшовно між вашими гаманцями. Тільки тримайте кошти в Миттєвій Платіжній гаманці на день-на добу.", + "autoswapSaveButton": "Зберегти", + "importWatchOnlyDisclaimerDescription": "Переконайтеся, що шлях деривативації ви обираєтеся відповідати одному, який виготовив даний xpub, перевіривши першу адресу, отриману з гаманця перед використанням. Використання неправильного шляху може призвести до втрати коштів", + "sendConfirmSend": "Підтвердження", + "fundExchangeBankTransfer": "Банківський переказ", + "importQrDeviceButtonInstructions": "Інструкції", + "buyLevel3Limit": "Рівень 3 ліміт: {amount}", + "@buyLevel3Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "electrumLiquidSslInfo": "Не потрібно вказати протокол, SSL буде автоматично використовуватися.", + "sendDeviceConnected": "Пристрій підключений", + "swapErrorAmountAboveMaximum": "Сума перевищила максимальну кількість ковпачок: {max} сати", + "@swapErrorAmountAboveMaximum": { + "placeholders": { + "max": { + "type": "String" + } + } + }, + "psbtFlowPassportTitle": "Інструкції щодо Паспорту Фонду", + "exchangeLandingFeature3": "Bitcoin у USD", + "notLoggedInMessage": "Будь ласка, ввійдіть в обліковий запис Bull Bitcoin для налаштування обміну доступом.", + "swapTotalFees": "Всього коштів ", + "keystoneStep11": "Натисніть \"Я зробив\" в Гаманець Біткойн.", + "scanningCompletedMessage": "Сканування завершено", + "recoverbullSecureBackup": "Забезпечити резервну копію", + "buyUnauthenticatedError": "Ви не автентифіковані. Будь ласка, увійдіть, щоб продовжити.", + "bitboxActionSignTransactionButton": "Зареєструватися", + "sendEnterAbsoluteFee": "Введіть абсолютний внесок у сати", + "importWatchOnlyDisclaimerTitle": "Попередження про заставу", + "withdrawConfirmIban": "ІБАН", + "testBackupLastKnownVault": "Останній Знаний Зашифрований {timestamp}", + "@testBackupLastKnownVault": { + "placeholders": { + "timestamp": { + "type": "String" + } + } + }, + "recoverbullErrorFetchKeyFailed": "Вимкнено до ключа за замовчуванням від сервера", + "sendSwapInProgressInvoice": "Ведуться ковпа. Оплатити рахунок за кілька секунд.", + "arkReceiveButton": "Отримати", + "electrumRetryCountNegativeError": "Рівний граф не може бути негативним", + "importQrDeviceJadeStep4": "Виберіть \"Оптіони\" з основного меню", + "backupWalletSavingToDeviceTitle": "Збереження вашого пристрою.", + "paySwapInProgress": "Обмін в прогрес ...", + "importMnemonicSyncMessage": "Усі три типи гаманця є синхронізацією та їх балансом та операціями. Якщо ви впевнені, що тип гаманця ви хочете імпортувати.", + "fundExchangeMethodCrIbanCrcSubtitle": "Трансфер кошти в Коста-Рикан Колон (CRC)", + "autoswapRecipientWalletLabel": "Отримувач Bitcoin Wallet", + "coreScreensConfirmTransfer": "Підтвердження трансферу", + "recoverbullRetry": "Птиця", + "arkSettleMessage": "Закінчуйте операції з кредитування та включають відновлювані vtxos, якщо це потрібно", + "receiveCopyInvoice": "Статус на сервери", + "walletAutoTransferBlockedTitle": "Авто Трансфер блокується", + "importQrDeviceJadeInstructionsTitle": "Blockstream Jade Інструкції", + "paySendMax": "Макс", + "recoverbullGoogleDriveDeleteConfirmation": "Ви впевнені, що ви хочете видалити цю резервну копію? Ця дія не може бути неоновою.", + "arkReceiveArkAddress": "Арк адреса", + "googleDriveSignInMessage": "Ви повинні зареєструватися на Google Диску", + "passportStep9": "Натисніть кнопку, щоб зареєструвати операцію на паспорті.", + "electrumDeleteConfirmation": "Ви впевнені, що ви хочете видалити цей сервер?\n\n{serverUrl}", + "@electrumDeleteConfirmation": { + "placeholders": { + "serverUrl": { + "type": "String" + } + } + }, + "arkServerUrl": "Статус на сервери", + "importMnemonicSelectType": "Виберіть тип гаманця для імпорту", + "fundExchangeMethodArsBankTransfer": "Банківський переказ", + "importQrDeviceKeystoneStep1": "Потужність на пристрої Keystone", + "arkDurationDays": "{days} дні", + "@arkDurationDays": { + "placeholders": { + "days": { + "type": "String" + } + } + }, + "swapTransferAmount": "Сума переказу", + "feePriorityLabel": "Пріоритетність", + "coreScreensToLabel": "До", + "backupSettingsTestBackup": "Тест резервного копіювання", + "viewLogsLabel": "Перегляд журналів", + "sendSwapTimeEstimate": "Оцініть час: {time}", + "@sendSwapTimeEstimate": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "hwKeystone": "Головна", + "kruxStep12": "Після того, як Krux покаже вам власний QR-код.", + "ledgerScanningTitle": "Сканування пристроїв", + "recoverbullFetchVaultKey": "Фетиш Vault Головна", + "bitboxActionUnlockDeviceSuccessSubtext": "Ваш пристрій BitBox тепер розблокований і готовий до використання.", + "payShareInvoice": "Надіслати запит", + "bitboxScreenEnterPassword": "Введіть пароль", + "keystoneStep10": "Після того, щоб показати вам власний QR-код.", + "ledgerSuccessSignTitle": "Успішно заблоковано операцію", + "electrumPrivacyNoticeContent1": "Повідомлення про конфіденційність: Використання власного вузла забезпечує, що жодна сторона не може зв'язатися з вашим IP-адресою, з вашими операціями.", + "testBackupEnterKeyManually": "Введіть ключ Backup вручну >>", + "payCoinjoinFailed": "CoinJoin не вдалося", + "bitboxActionPairDeviceTitle": "Пристрої BitBox", + "buyKYCLevel2": "Рівень 2 - Покращений", + "testBackupErrorSelectAllWords": "Будь ласка, оберіть всі слова", + "buyLevel1Limit": "Рівень 1 ліміт: {amount}", + "@buyLevel1Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "dcaNetworkLabel": "Мережа", + "toLabel": "До", + "passportStep7": " - Спробуйте перемістити пристрій назад трохи", + "sendInsufficientFunds": "Недостатні кошти", + "sendSuccessfullySent": "Успішно", + "sendSwapAmount": "Обмін Amount", + "autoswapTitle": "Налаштування автопередача", + "sellInteracTransfer": "Інтерак e-Transfer", + "bitboxScreenPairingCodeSubtext": "Перевірити цей код відповідає екрану BitBox02, потім підтвердити на пристрої.", + "pinConfirmMismatchError": "ПІНС не відповідає", + "autoswapMinimumThresholdErrorBtc": "Мінімальний поріг балансу {amount} BTC", + "@autoswapMinimumThresholdErrorBtc": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "receiveLiquidNetwork": "Рідина", + "autoswapSettingsTitle": "Налаштування автопередача", + "arkAboutBoardingExitDelay": "Затримка виходу", + "backupWalletInstructionNoPassphrase": "Ваше резервне копіювання не захищено пасфальним способом. Створіть новий гаманець.", + "sendSwapFailed": "Не вдалося. Ваше повернення буде оброблятися найближчим часом.", + "sellNetworkError": "Мережеві помилки. Будь ласка, спробуйте", + "sendHardwareWallet": "Обладнання гаманець", + "sendUserRejected": "Користувач відхилений від пристрою", + "swapSubtractFeesLabel": "Відрахування платежів від суми", + "buyVerificationRequired": "Перевірка необхідної для цієї суми", + "withdrawConfirmBankAccount": "Банківський рахунок", + "kruxStep1": "Вхід до пристрою Krux", + "dcaUseDefaultLightningAddress": "Використовуйте свою адресу за замовчуванням.", + "recoverbullErrorRejected": "Відхилено Key Server", + "sellEstimatedArrival": "Орієнтовне прибуття: {time}", + "@sellEstimatedArrival": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "arkConfirmedBalance": "Підтверджений баланс", + "payMaximumAmount": "{amount}", + "@payMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "receiveNetworkUnavailable": "{network} в даний час 0", + "@receiveNetworkUnavailable": { + "placeholders": { + "network": { + "type": "String" + } + } + }, + "backupWalletPhysicalBackupTitle": "Фізична резервна копія", + "arkTxBoarding": "Дошка", + "bitboxActionVerifyAddressSuccess": "Адреса Успішно", + "psbtImDone": "Я зробив", + "bitboxScreenSelectWalletType": "Виберіть гаманець Тип", + "appUnlockEnterPinMessage": "Введіть код шпильки для розблокування", + "torSettingsTitle": "Налаштування Tor", + "backupSettingsRevealing": "Відновлення ...", + "payTotal": "Всього", + "autoswapSaveErrorMessage": "Не вдалося зберегти налаштування: {error}", + "@autoswapSaveErrorMessage": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaAddressLabelLightning": "Адреса блискавки", + "addressViewTitle": "Адреса Подробиці", + "bitboxScreenManagePermissionsButton": "Керування додатками", + "sellKYCPending": "Перевірка KYC", + "dcaLightningAddressLabel": "Адреса блискавки", + "electrumEnableSsl": "Увімкнути SSL", + "payCustomFee": "Спеціальний Fee", + "fundExchangeBankTransferWireTimeframe": "Будь-які кошти, які ви надішлемо, будуть додані до Біткойн протягом 1-2 робочих днів.", + "sendDeviceDisconnected": "Відключення пристроїв", + "withdrawConfirmError": "{error}", + "@withdrawConfirmError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payFeeBumpFailed": "Бампер не вдалося", + "arkAboutUnilateralExitDelay": "Затримка одностороннього виходу", + "payUnsupportedInvoiceType": "Непідтриманий тип рахунку", + "seedsignerStep13": "Операція буде імпортована в гаманці Bull Bitcoin.", + "autoswapRecipientWalletDefaultLabel": "Bitcoin гаманець", + "dcaPaymentMethodLabel": "Спосіб оплати", + "swapProgressPendingMessage": "Передача здійснюється в процесі. Біткойн-транзакції можуть зайняти під час підтвердження. Ви можете повернутися додому і чекати.", + "broadcastSignedTxBroadcasting": "Трансляція...", + "recoverbullSelectRecoverWallet": "Відновлення гаманця", + "importMnemonicContinue": "Продовжити", + "psbtFlowMoveLaser": "Перемістити червоному лазеру вгору і вниз по QR-коду", + "chooseVaultLocationTitle": "Виберіть місце розташування", + "dcaConfirmOrderTypeValue": "Закупівля", + "psbtFlowDeviceShowsQr": "{device} покаже вам власний QR-код.", + "@psbtFlowDeviceShowsQr": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "testBackupEncryptedVaultTitle": "Зашифрована сорочка", + "dcaWalletTypeLiquid": "Рідина (LBTC)", + "fundExchangeLabelInstitutionNumber": "Номер установи", + "arkAboutCopiedMessage": "{label} скопіювати до буферу", + "@arkAboutCopiedMessage": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "swapAmountLabel": "Сума", + "recoverbullSelectCustomLocation": "Місцезнаходження", + "sellConfirmOrder": "Підтвердити замовлення", + "buyVerificationComplete": "Верифікація завершено", + "replaceByFeeFeeRateDisplay": "{feeRate} sat/vbyte", + "@replaceByFeeFeeRateDisplay": { + "placeholders": { + "feeRate": { + "type": "String" + } + } + }, + "torSettingsPortValidationRange": "Порт повинен бути між 1 і 65535", + "fundExchangeMethodCrIbanUsdSubtitle": "Перерахування коштів у доларах США (USD)", + "electrumTimeoutEmptyError": "Час не може бути порожнім", + "electrumPrivacyNoticeContent2": "Однак Якщо ви переглядаєте транзакції за допомогою мемупу, натиснувши кнопку \"Вхід або одержувача\", ця інформація буде відома BullBitcoin.", + "importColdcardScanPrompt": "Сканування QR-коду з вашої холодної картки Q", + "torSettingsDescConnected": "Tor proxy працює і готовий", + "backupSettingsEncryptedVault": "Зашифрований Vault", + "autoswapAlwaysBlockInfoDisabled": "Коли вимкнено, вам буде запропоновано варіант, щоб дозволити автотранспорт, який заблоковано через високі збори", + "dcaSetupTitle": "Встановити Recurring Купити", + "sendErrorInsufficientBalanceForPayment": "Не достатній баланс для покриття платежу", + "bitboxScreenPairingCode": "Поштовий індекс", + "testBackupPhysicalBackupTitle": "Фізична резервна копія", + "ledgerProcessingImport": "Імпорт гаманця", + "coldcardStep15": "Зараз готовий до трансляції! Як тільки ви натиснете трансляцію, операція буде опублікована на мережі Біткойн і будуть відправлені кошти.", + "comingSoonDefaultMessage": "Ця функція доступна найближчим часом.", + "dcaFrequencyLabel": "Кількість", + "ledgerErrorMissingAddress": "Адреса для перевірки", + "recoverbullCreatingVault": "Створення шифрування Виноград", + "importWalletColdcardQ": "Холодна картка Q", + "backupSettingsStartBackup": "Початок резервного копіювання", + "sendReceiveAmount": "Отримувати Amount", + "recoverbullTestRecovery": "Відновлення даних", + "sellNetAmount": "Чистий розмір", + "willNot": "не буде ", + "arkAboutServerPubkey": "Статус на сервери", + "pinManageDescription": "Управління безпекою PIN", + "bitboxActionUnlockDeviceProcessing": "Розблокування пристрою", + "seedsignerStep4": "Якщо у вас є проблеми сканування:", + "mempoolNetworkLiquidTestnet": "Рідкий Testnet", + "torSettingsDescDisconnected": "Тор проксі не працює", + "ledgerButtonTryAgain": "Зареєструватися", + "bitboxScreenNestedSegwitBip49Subtitle": "П2ВПХ-нестед-в-П2Ш", + "autoswapMaxBalanceLabel": "Max Миттєвий баланс гаманця", + "recoverbullRecoverBullServer": "Статус на сервери", + "exchangeDcaViewSettings": "Перегляд налаштувань", + "payRetryPayment": "Плата за лікування", + "exchangeSupportChatTitle": "Підтримка чату", + "arkTxTypeCommitment": "Приват", + "customLocationRecommendation": "Місцезнаходження: ", + "fundExchangeMethodCrIbanUsd": "Коста-Рика IBAN (USD)", + "recoverbullErrorSelectVault": "Ввімкнено до вибору за замовчуванням", + "paySwapCompleted": "Обмін завершено", + "receiveDescription": "Опис (за бажанням)", + "bitboxScreenVerifyAddress": "Адреса електронної пошти", + "bitboxScreenConnectDevice": "Підключення пристрою BitBox", + "arkYesterday": "Погода", + "amountRequestedLabel": "{amount}", + "@amountRequestedLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "swapProgressRefunded": "Повернення коштів", + "payPaymentHistory": "Історія оплати", + "exchangeFeatureUnifiedHistory": "• Уніфікована історія транзакцій", + "withdrawOrderAlreadyConfirmedError": "Цей порядок виведення вже було підтверджено.", + "autoswapSelectWallet": "Виберіть гаманець Bitcoin", + "walletAutoTransferBlockButton": "Блоки", + "recoverbullGoogleDriveErrorSelectFailed": "Вимкнено для вибору за замовчуванням з Google Диску", + "autoswapRecipientWalletRequired": "Ім'я *", + "ledgerSignTitle": "Реєстрація", + "importWatchOnlyCancel": "Зареєструватися" +} \ No newline at end of file diff --git a/localization/app_zh.arb b/localization/app_zh.arb new file mode 100644 index 000000000..b2aa4828a --- /dev/null +++ b/localization/app_zh.arb @@ -0,0 +1,4128 @@ +{ + "translationWarningTitle": "AI生成的翻译", + "translationWarningDescription": "此应用程序中的大多数翻译都是使用AI生成的,可能存在不准确之处。如果您发现任何错误或想帮助改进翻译,可以通过我们的社区翻译平台进行贡献。", + "translationWarningContributeButton": "帮助改进翻译", + "translationWarningDismissButton": "知道了", + "bitboxErrorMultipleDevicesFound": "发现多处Box装置。 请确保只有一个装置连接起来.", + "payTransactionBroadcast": "交易广播", + "fundExchangeSepaDescriptionExactly": "确实如此.", + "payPleasePayInvoice": "请支付这一发票", + "swapMax": "页: 1", + "importQrDeviceSpecterStep2": "进入日本", + "importColdcardInstructionsStep10": "完成", + "buyPayoutWillBeSentIn": "你的薪酬将汇出 ", + "fundExchangeInstantSepaInfo": "仅用于20 000欧元以下的交易。 对于较大的交易,采用《经济、社会、文化权利国际公约》的常规选择.", + "transactionLabelSwapId": "Swap ID", + "dcaChooseWalletTitle": "Choose Plaza", + "torSettingsPortHint": "9050", + "electrumTimeoutPositiveError": "时间表必须积极", + "bitboxScreenNeedHelpButton": "需要帮助?", + "sellSendPaymentAboveMax": "你们试图以这种围墙出售的最大金额出售.", + "fundExchangeETransferLabelSecretAnswer": "秘密回答", + "payPayinAmount": "薪酬数额", + "transactionDetailLabelTransactionFee": "交易费", + "jadeStep13": "土木板将请你扫描关于贾德的QR代码。 缩略语.", + "transactionSwapDescLnSendPending": "您的宣誓就职。 我们正在广播链交易,以锁定你们的资金.", + "payInstitutionNumber": "机构数目", + "sendScheduledPayment": "附表1", + "fundExchangeLabelBicCode": "BIC 守则", + "fundExchangeCanadaPostStep6": "6. 任务 出纳人将向你提交收据,并将其作为付款证明", + "withdrawOwnershipQuestion": "这一账户属于谁?", + "sendSendNetworkFee": "Send Network Fee", + "exchangeDcaUnableToGetConfig": "无法获得发展中国家的组合", + "psbtFlowClickScan": "浮雕", + "sellInstitutionNumber": "机构数目", + "recoverbullGoogleDriveErrorDisplay": "Rror: {error}", + "@recoverbullGoogleDriveErrorDisplay": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "mempoolSettingsCustomServer": "海关服务器", + "fundExchangeMethodRegularSepa": "SEPA", + "addressViewTransactions": "交易", + "fundExchangeSinpeLabelPhone": "电话号码", + "importQrDeviceKruxStep3": "Click XPUB - QR Code", + "passportStep1": "您的通行证", + "sellAdvancedOptions": "A. 先进选择", + "electrumPrivacyNoticeSave": "Save", + "bip329LabelsImportSuccessSingular": "1 个标签已导入", + "bip329LabelsImportSuccessPlural": "{count} 个标签已导入", + "@bip329LabelsImportSuccessPlural": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "withdrawOwnershipOtherAccount": "这是他人的陈述", + "receiveInvoice": "闪电", + "receiveGenerateAddress": "新地址", + "kruxStep3": "Click PSBT", + "hwColdcardQ": "冷信卡", + "fundExchangeCrIbanCrcTransferCodeWarning": "在付款时,必须将转让法作为“对象”或“理由”或“说明”。 如果你忘记列入这一法典,你的支付可能会被拒绝.", + "paySinpeBeneficiario": "受益人", + "exchangeDcaAddressDisplay": "{addressLabel}:{address}", + "@exchangeDcaAddressDisplay": { + "placeholders": { + "addressLabel": { + "type": "String", + "description": "The address label (e.g., 'Bitcoin address')" + }, + "address": { + "type": "String", + "description": "The actual address" + } + } + }, + "autoswapAlwaysBlockEnabledInfo": "如果允许,超出规定限额收费的自动转让将始终受阻", + "electrumServerAlreadyExists": "这个服务器已经存在", + "sellPaymentMethod": "支付方法", + "transactionNoteHint": "说明", + "transactionLabelPreimage": "预 估", + "coreSwapsChainCanCoop": "移交将暂时完成.", + "importColdcardInstructionsStep2": "1. 如果适用,采用代谢法", + "satsSuffix": " ats", + "recoverbullErrorPasswordNotSet": "密码不定", + "sellSendPaymentExchangeRate": "汇率", + "systemLabelAutoSwap": "Auto Swap", + "fundExchangeSinpeTitle": "SINPE 转让", + "payExpiresIn": "{time}年到期", + "@payExpiresIn": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "transactionDetailLabelConfirmationTime": "认可时间", + "fundExchangeCanadaPostStep5": "5. 支付现金或借用卡", + "importQrDeviceKruxName": "Krux", + "addressViewNoAddressesFound": "没有地址", + "backupWalletErrorSaveBackup": "未能挽救备份", + "exchangeReferralsTitle": "参考法", + "onboardingRecoverYourWallet": "2. 发现你的围墙", + "bitboxScreenTroubleshootingStep2": "能够确保你的电话获得USB许可.", + "replaceByFeeErrorNoFeeRateSelected": "请选择收费率", + "transactionSwapDescChainPending": "你的移交已经设立,但尚未启动.", + "coreScreensTransferFeeLabel": "汇款", + "onboardingEncryptedVaultDescription": "利用你的PIN,通过云层回收.", + "transactionOrderLabelPayoutStatus": "薪金状况", + "transactionSwapStatusSwapStatus": "差距", + "arkAboutDurationSeconds": "{seconds}秒", + "@arkAboutDurationSeconds": { + "placeholders": { + "seconds": { + "type": "int" + } + } + }, + "receiveInvoiceCopied": "Invoice copied to clippad", + "kruxStep7": " - 提高你的器具的亮度", + "autoswapUpdateSettingsError": "未能更新汽车互换环境", + "transactionStatusTransferFailed": "3. 汇款", + "jadeStep11": "然后,Jade将显示自己的QR代码.", + "buyConfirmExternalWallet": "外墙", + "bitboxActionPairDeviceProcessing": "付费装置", + "exchangeCurrencyDropdownTitle": "选择性货币", + "receiveServerNetworkFees": "服务器网", + "importQrDeviceImporting": "进口围墙......", + "rbfFastest": "快速", + "buyConfirmExpressWithdrawal": "2. 确认明示退出", + "arkReceiveBoardingAddress": "BTC 地址", + "sellSendPaymentTitle": "2. 肯定付款", + "recoverbullReenterConfirm": "请重新加入{inputType}号],以确认.", + "@recoverbullReenterConfirm": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "importWatchOnlyCopiedToClipboard": "涂料", + "dcaLightningAddressInvalidError": "请进入有效的电灯地址", + "ledgerButtonNeedHelp": "需要帮助?", + "backupInstruction4": "不要提供你背书的数字副本。 在纸面上书写,或在金属中填写.", + "hwKrux": "Krux", + "transactionFilterTransfer": "转让", + "recoverbullSelectVaultImportSuccess": "成功进口", + "mempoolServerNotUsed": "未使用(海关服务器运行)", + "recoverbullSelectErrorPrefix": "错误:", + "bitboxErrorDeviceMismatch": "检测到的装置不匹配.", + "arkReceiveBtcAddress": "BTC 地址", + "exchangeLandingRecommendedExchange": "提议交换", + "backupWalletHowToDecideVaultMoreInfo": "访问后收集更多信息.", + "recoverbullGoBackEdit": "<背 景", + "importWatchOnlyWalletGuides": "挂图", + "receiveConfirming": "1. 确认......({count}/{required})", + "@receiveConfirming": { + "placeholders": { + "count": { + "type": "int" + }, + "required": { + "type": "int" + } + } + }, + "fundExchangeInfoPaymentDescription": "在付款说明中,增加你的转让代码.", + "payInstantPayments": "经常付款", + "importWatchOnlyImportButton": "1. 进口观察-Only Wallet", + "fundExchangeCrIbanCrcDescriptionBold": "确切地说", + "electrumTitle": "Electrum服务器设置", + "importQrDeviceJadeStep7": "如有必要,选择“选择”改变地址类型", + "transactionNetworkLightning": "照明", + "paySecurityQuestionLength": "{count}/40 特性", + "@paySecurityQuestionLength": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "sendBroadcastingTransaction": "播放交易.", + "pinCodeMinLengthError": "PIN必须至少是{minLength}长期数字", + "@pinCodeMinLengthError": { + "placeholders": { + "minLength": { + "type": "String" + } + } + }, + "swapReceiveExactAmountLabel": "收到确切数额", + "arkContinueButton": "继续", + "ledgerImportButton": "进口", + "dcaActivate": "主动同意", + "labelInputLabel": "Label", + "bitboxActionPairDeviceButton": "启动", + "importQrDeviceSpecterName": "专栏", + "transactionDetailLabelSwapFees": "学费", + "broadcastSignedTxFee": "Fee", + "recoverbullRecoveryBalanceLabel": "余额:{amount}", + "@recoverbullRecoveryBalanceLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "buyFundYourAccount": "基金", + "sellReplaceByFeeActivated": "替换", + "globalDefaultBitcoinWalletLabel": "安保", + "arkAboutServerUrl": "服务器 URL", + "fundExchangeLabelRecipientAddress": "客户地址", + "save": "Save", + "dcaWalletLiquidSubtitle": "要求相容的隔离墙", + "fundExchangeCrIbanCrcTitle": "Bank Transfer (CRC)", + "appUnlockButton": "Unlock", + "payServiceFee": "Service Fee", + "transactionStatusSwapExpired": "页: 1", + "swapAmountPlaceholder": "页: 1", + "fundExchangeMethodInstantSepaSubtitle": "最长――只有不到20 000欧元的交易", + "dcaConfirmError": "有些错误:{error}", + "@dcaConfirmError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaNetworkLiquid": "流动网络", + "fundExchangeSepaDescription": "根据以下细节,从贵银行账户转划特别经济伙伴关系基金 ", + "sendAddress": "地址: ", + "receiveBitcoinNetwork": "页: 1", + "fundExchangeCrIbanCrcPaymentDescriptionHelp": "你的转让法.", + "testBackupWriteDownPhrase": "写你的恢复短语\n更正", + "jadeStep8": " - 使装置更加接近或进一步消失", + "payNotLoggedIn": "不详", + "importQrDeviceSpecterStep7": "可处理“Use SLIP-132”", + "customLocationTitle": "习俗地点", + "importQrDeviceJadeStep5": "备选办法清单中的“手册”选择", + "arkSettled": "重新安置", + "transactionFilterBuy": "1. 采购", + "approximateFiatPrefix": "~", + "sendEstimatedDeliveryHoursToDays": "每天", + "coreWalletTransactionStatusPending": "待决", + "ledgerActionFailedMessage": "{action} Failed", + "@ledgerActionFailedMessage": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "testBackupErrorLoadWallets": "未能装载围墙:{error}", + "@testBackupErrorLoadWallets": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "fundExchangeLabelBankAccountCountry": "银行账户", + "walletAddressTypeNestedSegwit": "Nest", + "dcaConfirmDeactivate": "是的,中止", + "exchangeLandingFeature2": "DCA, Limit Order and Auto-buy", + "payPaymentPending": "待付款", + "payConfirmHighFee": "这项付款的收费为{percentage}%。 继续?", + "@payConfirmHighFee": { + "placeholders": { + "percentage": { + "type": "String" + } + } + }, + "payPayoutAmount": "薪酬数额", + "autoswapMaxBalanceInfo": "当隔离墙余额超过这一数额的两倍时,汽车转移将引发将余额降至这一水平", + "payPhone": "电话", + "recoverbullTorNetwork": "Tor Network", + "transactionDetailLabelTransferStatus": "转让状况", + "importColdcardInstructionsTitle": "冷卡加指示", + "sendVerifyOnDevice": "装置的验证", + "sendAmountRequested": "要求的数额: ", + "exchangeTransactionsTitle": "交易", + "payRoutingFailed": "鲁ting失败", + "payCard": "文件", + "sendFreezeCoin": "冰雪", + "fundExchangeLabelTransitNumber": "过境次数", + "buyConfirmYouReceive": "您", + "buyDocumentUpload": "载荷文件", + "walletAddressTypeConfidentialSegwit": "保密小组", + "transactionDetailRetryTransfer": "转业{action}", + "@transactionDetailRetryTransfer": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "sendTransferFeeDescription": "这是从发出的款项中扣除的总费用", + "bitcoinSettingsWalletsTitle": "挂图", + "arkReceiveSegmentBoarding": "董事会", + "seedsignerStep12": "土木板将请你扫描西德西尼的QR代码。 缩略语.", + "psbtFlowKeystoneTitle": "主要指示", + "transactionLabelTransferStatus": "转让状况", + "arkSessionDuration": "会期", + "buyAboveMaxAmountError": "你试图购买最高数额.", + "electrumTimeoutWarning": "你的排位({timeoutValue}秒)低于建议值({recommended}秒).", + "@electrumTimeoutWarning": { + "placeholders": { + "timeoutValue": { + "type": "String" + }, + "recommended": { + "type": "String" + } + } + }, + "sendShowPsbt": "显示PSBT", + "ledgerErrorUnknownOccurred": "未知错误", + "receiveAddress": "招待会", + "broadcastSignedTxAmount": "数额", + "hwJade": "B. 集群", + "keystoneStep14": "它现在准备广播! 一旦你点击广播,交易将立即公布在INSTRA网络上,资金将寄出.", + "recoverbullErrorConnectionFailed": "未能与目标关键服务器连接。 请再次尝试!", + "testBackupDigitalCopy": "数字复印件", + "fundExchangeLabelMemo": "Memo", + "paySearchPayments": "搜查费......", + "payPendingPayments": "待决", + "passwordMinLengthError": "{pinOrPassword} 必须是至少6位数长者", + "@passwordMinLengthError": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "coreSwapsLnSendExpired": "页: 1", + "sellSendPaymentUsdBalance": "美元 结余", + "backupWalletEncryptedVaultTag": "简便和简单(1分钟)", + "payBroadcastFailed": "广播失败", + "arkSettleTransactions": "定居者交易", + "transactionLabelConfirmationTime": "认可时间", + "languageSettingsScreenTitle": "语言", + "payNetworkFees": "网络费", + "bitboxScreenSegwitBip84": "Segwit (BIP84)", + "bitboxScreenConnectingSubtext": "建立安全联系.", + "receiveShareAddress": "份额地址", + "arkTxPending": "待决", + "payAboveMaxAmountError": "你们试图支付最多数额,以支付这一围墙的费用.", + "sharedWithBullBitcoin": "提 交点.", + "jadeStep7": " - 稳定并集中实施QR法", + "sendCouldNotBuildTransaction": "不能建立交易", + "allSeedViewIUnderstandButton": "Stand", + "coreScreensExternalTransfer": "外部转移", + "fundExchangeSinpeWarningNoBitcoin": "不要", + "ledgerHelpStep3": "你们的Ledger已经翻了蓝色.", + "coreSwapsChainFailedRefunding": "不久将退还转账.", + "sendSelectAmount": "选择性数额", + "sellKYCRejected": "KYC 拒绝核查", + "electrumNetworkLiquid": "流动资金", + "buyBelowMinAmountError": "你们正在努力购买低于最低数额.", + "exchangeLandingFeature6": "统一交易史", + "transactionStatusPaymentRefunded": "偿还", + "pinCodeSecurityPinTitle": "安保部", + "bitboxActionImportWalletSuccessSubtext": "你的Bitox围墙已经成功进口.", + "electrumEmptyFieldError": "这个领域是空洞的", + "transactionStatusPaymentInProgress": "支付", + "connectHardwareWalletKrux": "Krux", + "receiveSelectNetwork": "选定网络", + "sellLoadingGeneric": "Loading...", + "ledgerWalletTypeSegwit": "Segwit (BIP84)", + "bip85Mnemonic": "Mnemonic", + "importQrDeviceSeedsignerName": "SeedSigner", + "payFeeTooHigh": "生育率异常高", + "fundExchangeBankTransferWireTitle": "银行转账(wire)", + "psbtFlowPartProgress": "{total}部分", + "@psbtFlowPartProgress": { + "placeholders": { + "current": { + "type": "String" + }, + "total": { + "type": "String" + } + } + }, + "receiveShareInvoice": "份额", + "buyCantBuyMoreThan": "买不起", + "dcaUnableToGetConfig": "无法获得发展中国家的组合", + "exchangeAuthLoginFailed": "旅行", + "arkAvailable": "现有", + "transactionSwapDescChainFailed": "你的移交是一个问题。 如果资金没有在24小时内返还,请联系支助.", + "testBackupWarningMessage": "如果没有支持,你最终将失去获得你的钱的机会。 提供支持至关重要.", + "arkNetwork": "网络", + "importWatchOnlyYpub": "共和国", + "ledgerVerifyTitle": "更正", + "recoverbullSwitchToPassword": "取而代之", + "exchangeDcaNetworkBitcoin": "联合国", + "autoswapWarningTitle": "具备以下条件:", + "seedsignerStep1": "页: 1", + "backupWalletHowToDecideBackupLosePhysical": "人民失去生计的最常见途径之一,是失去物质支持。 找到你身体支持的人将能够带上你所有的座位。 如果你确信你能够掩盖它,永远不会失去它,那么它就是一个好选择.", + "transactionLabelStatus": "现况", + "transactionSwapDescLnSendDefault": "你们的雕刻正在进行之中。 这一过程是自动化的,可能需要一些时间才能完成.", + "recoverbullErrorMissingBytes": "从Tor的回复中失踪的tes。 收复,但如果问题继续存在,对与Tor有联系的一些装置来说,这是一个众所周知的问题.", + "coreScreensReceiveNetworkFeeLabel": "接待网", + "transactionPayjoinStatusCompleted": "完成", + "payEstimatedFee": "估计数", + "sendSendAmount": "数额", + "sendSelectedUtxosInsufficient": "部分税项不包括所需数额", + "swapErrorBalanceTooLow": "最低外汇数额的平衡太低", + "replaceByFeeErrorGeneric": "在试图取代交易时发生错误", + "fundExchangeWarningTactic5": "他们要求将另一个平台送至鹿特丹", + "rbfCustomFee": "习俗税", + "importQrDeviceFingerprint": "Print", + "physicalBackupRecommendationText": "你相信你自己的业务安全能力,能够隐藏和维护你的种子.", + "importWatchOnlyDescriptor": "说明", + "payPaymentInProgress": "支付:!", + "recoverbullFailed": "Failed", + "payOrderAlreadyConfirmed": "这项工资单已经确认.", + "ledgerProcessingSign": "签署交易", + "jadeStep6": " - 提高你的器具的亮度", + "fundExchangeETransferLabelEmail": "E- transfer to this email", + "pinCodeCreateButton": "设立PIN", + "bitcoinSettingsTestnetModeTitle": "检测网", + "buyTitle": "采购", + "fromLabel": "摘自", + "sellCompleteKYC": "页: 1", + "hwConnectTitle": "连接硬件墙壁", + "payRequiresSwap": "这笔付款需要打折", + "exchangeSecurityManage2FAPasswordLabel": "第2条", + "backupWalletSuccessTitle": "填满!", + "transactionSwapDescLnSendFailed": "有一个问题涉及你。 你的资金将自动退还给你的围墙.", + "sendCoinAmount": "数额:{amount}", + "@sendCoinAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "walletDeletionFailedOkButton": "OK", + "payTotalFees": "总费用", + "fundExchangeOnlineBillPaymentHelpBillerName": "将该公司列为收款人——其付款程序人", + "payPayoutMethod": "薪酬办法", + "ledgerVerifyButton": "更正", + "sendErrorSwapFeesNotLoaded": "未加装的蒸汽费", + "walletDetailsCopyButton": "页: 1", + "backupWalletGoogleDrivePrivacyMessage3": "页: 1 ", + "backupCompletedDescription": "现在让我考验你们的支持,以确保一切都得到妥善执行.", + "sendErrorInsufficientFundsForFees": "资金不足以支付数额和费用", + "buyConfirmPayoutMethod": "薪酬办法", + "dcaCancelButton": "Cancel", + "durationMinutes": "{minutes}分钟", + "@durationMinutes": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "dcaConfirmNetworkLiquid": "流动资金", + "walletDetailsAddressTypeLabel": "地址类型", + "emptyMnemonicWordsError": "插入你的 m言", + "arkSettleCancel": "Cancel", + "testBackupTapWordsInOrder": "恢复语\n权利保护令", + "transactionSwapDescLnSendExpired": "该轮车已经过期。 你的资金将自动退还给你的围墙.", + "testBackupButton": "退约", + "receiveNotePlaceholder": "说明", + "sendChange": "变化", + "coreScreensInternalTransfer": "内部转让", + "sendSwapWillTakeTime": "待确认", + "autoswapSelectWalletError": "请选择一个接驳墙", + "sellServiceFee": "Service Fee", + "connectHardwareWalletTitle": "连接硬件墙壁", + "replaceByFeeCustomFeeTitle": "习俗税", + "kruxStep14": "土木板将请你扫描Krux的QR代码。 缩略语.", + "payAvailableBalance": "可查阅:{amount}", + "@payAvailableBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "payCheckingStatus": "检查付款状况......", + "payMemo": "Memo", + "languageSettingsLabel": "语言", + "fundExchangeMethodCrIbanCrc": "哥斯达黎加 IBAN (CRC)", + "walletDeletionFailedTitle": "删除", + "payPayFromWallet": "挂车工资", + "broadcastSignedTxNfcTitle": "NFC", + "buyYouPay": "页: 1", + "payOrderAlreadyConfirmedError": "这项工资单已经确认.", + "passportStep12": "推土墙将请你扫描有关护照的QR代码。 缩略语.", + "paySelectRecipient": "选定受援国", + "payNoActiveWallet": "1. 没有现成的围墙", + "importQrDeviceKruxStep4": "Click the “ open UK” button", + "appStartupErrorMessageWithBackup": "第5.4.0号案发现,在我们的一个附属公司中发现了一条重要的 b子,影响到私人钥匙的储存。 你们的心灵受到了影响。 你们必须删除这一说法,并以你支持的种子重新加入.", + "payPasteInvoice": "Paste Invoice", + "labelErrorUnexpected": "意外错误:{message}", + "@labelErrorUnexpected": { + "placeholders": { + "message": { + "type": "String" + } + } + }, + "arkStatusSettled": "重新安置", + "dcaWalletBitcoinSubtitle": "最低0.001 BTC", + "bitboxScreenEnterPasswordSubtext": "请进入您关于Bibox装置的密码,以便继续使用.", + "systemLabelSwaps": "蒸汽", + "sendOpenTheCamera": "开放照相机", + "passportStep11": "Click “I'm do” in the Bull Wallet.", + "sendSwapId": "Swap ID", + "electrumServerOnline": "在线", + "fundExchangeAccountTitle": "基金", + "exchangeAppSettingsSaveButton": "Save", + "fundExchangeWarningTactic1": "它们是有希望的投资回报", + "testBackupDefaultWallets": "违约情况", + "receiveSendNetworkFee": "Send Network Fee", + "autoswapRecipientWalletInfoText": "选择哪座围墙将接收转移的资金(需要)", + "withdrawAboveMaxAmountError": "你试图将最高数额撤回.", + "psbtFlowScanDeviceQr": "推土墙将请你扫描关于{device}的QR代码。 缩略语.", + "@psbtFlowScanDeviceQr": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "exchangeAuthLoginFailedMessage": "发生了错误,请再次尝试伐木.", + "okButton": "OK", + "passportStep13": "交易将进口到Bulet.", + "importQrDeviceKeystoneStep3": "Click the three dots at the first right", + "exchangeAmountInputValidationInvalid": "无效数额", + "exchangeAccountInfoLoadErrorMessage": "无法装载账户信息", + "dcaWalletSelectionContinueButton": "继续", + "pinButtonChange": "更改PIN", + "sendErrorInsufficientFundsForPayment": "没有足够的资金来支付这笔费用.", + "arkAboutShow": "展示", + "fundExchangeETransferTitle": "E-Transfer details", + "verifyButton": "全权证书", + "autoswapWarningOkButton": "OK", + "swapTitle": "内部转让", + "sendOutputTooSmall": "低于灰尘限制的产出", + "copiedToClipboardMessage": "涂料", + "torSettingsStatusConnected": "连接", + "receiveNote": "说明", + "arkCopiedToClipboard": "{label}", + "@arkCopiedToClipboard": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "arkRecipientAddress": "客户地址", + "payLightningNetwork": "照明网络", + "shareLogsLabel": "份额记录", + "ledgerSuccessVerifyTitle": "更正Ledger.", + "payCorporateNameHint": "进入公司名称", + "sellExternalWallet": "外墙", + "backupSettingsFailedToDeriveKey": "未能获得备用钥匙", + "googleDriveProvider": "谷歌运动", + "sellAccountName": "账户名称", + "statusCheckUnknown": "不详", + "howToDecideVaultLocationText2": "习俗地点可能更加安全,取决于你选择哪一个地点。 你们还必须保证不要丢失备份文件或丢失贵国备份档案存放的装置.", + "logSettingsLogsTitle": "记录", + "fundExchangeOnlineBillPaymentHelpAccountNumber": "这一独一无二的账户编号只是为你们创造的", + "psbtFlowReadyToBroadcast": "它现在准备广播! 一旦你点击广播,交易将立即公布在INSTRA网络上,资金将寄出.", + "sendErrorLiquidWalletRequired": "液体墙必须用于照明蒸发", + "arkDurationMinutes": "{minutes}分钟", + "@arkDurationMinutes": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "dcaSetupInsufficientBalance": "平衡不足", + "swapTransferRefundedMessage": "转账已成功退还.", + "payInvalidState": "Invalid State", + "receiveWaitForPayjoin": "投标者完成工资交易", + "seedsignerStep5": " - 提高你的器具的亮度", + "transactionSwapDescLnReceiveExpired": "该轮车已经过期。 寄出的任何资金将自动退还给发方.", + "sellKYCApproved": "KYC 核准", + "arkTransaction": "交易", + "dcaFrequencyMonthly": "月 本", + "buyKYCLevel": "KYC 职等", + "passportInstructionsTitle": "基金会 护照指示", + "ledgerSuccessImportTitle": "进口", + "physicalBackupTitle": "1. 物理支持", + "exchangeReferralsMissionLink": "布尔比奇.com/mission", + "swapTransferPendingMessage": "移交工作正在进行之中。 交易可在确认时进行。 你可以回家,等待.", + "transactionSwapLiquidToBitcoin": "L-BTC - BTC", + "testBackupDecryptVault": "加密", + "transactionDetailBumpFees": "消费税", + "psbtFlowNoPartsToDisplay": "无部件显示", + "addressCardCopiedMessage": "地址抄录在纸板上", + "totalFeeLabel": "共计", + "mempoolCustomServerBottomSheetDescription": "进入您的海关特网服务器。 服务器在储蓄之前将予以验证.", + "sellBelowMinAmountError": "你们试图以这一围墙出售的最低数额出售.", + "buyAwaitingConfirmation": "等待确认 ", + "payExpired": "过期", + "recoverbullBalance": "余额:{balance}", + "@recoverbullBalance": { + "placeholders": { + "balance": { + "type": "String" + } + } + }, + "exchangeSecurityAccessSettingsButton": "准入环境", + "payPaymentSuccessful": "付款成功", + "exchangeHomeWithdraw": "草原", + "importMnemonicSegwit": "Segwit", + "importQrDeviceJadeStep6": "从围墙菜单中选取“Export Xpub”", + "buyContinue": "继续", + "recoverbullEnterToDecrypt": "请进入您的{inputType},对你的过失进行加密.", + "@recoverbullEnterToDecrypt": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "swapTransferTitle": "转让", + "testBackupSuccessTitle": "成功完成试验!", + "recoverbullSelectTakeYourTime": "发言时间", + "sendConfirmCustomFee": "2. 固定习俗费", + "coreScreensTotalFeesLabel": "总费用", + "mempoolSettingsDescription": "• 为不同网络配置保密的定制服务器。 每个网络都可使用自己的服务器进行编块勘探和收费估算.", + "transactionSwapProgressClaim": "索赔", + "exchangeHomeDeposit": "交存", + "sendFrom": "摘自", + "sendTransactionBuilt": "随时可采取的行动", + "bitboxErrorOperationCancelled": "该行动被取消。 请再次审判.", + "dcaOrderTypeLabel": "命令类型", + "withdrawConfirmCard": "文件", + "dcaSuccessMessageHourly": "页: 1", + "@dcaSuccessMessageHourly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "loginButton": "LOGIN", + "revealingVaultKeyButton": "修订......", + "arkAboutNetwork": "网络", + "payLastName": "姓 名", + "transactionPayjoinStatusExpired": "过期", + "fundExchangeMethodBankTransferWire": "银行转账 (Wire or EFT)", + "psbtFlowLoginToDevice": "your{device} 装置", + "@psbtFlowLoginToDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "fundExchangeJurisdictionCostaRica": "🇨🇷 Costa 哥斯达黎加", + "payCalculating": "计算......", + "transactionDetailLabelTransferId": "转账证明", + "fundExchangeContinueButton": "继续", + "currencySettingsDefaultFiatCurrencyLabel": "2. 违约货币", + "payRecipient": "受援国", + "fundExchangeCrIbanUsdRecipientNameHelp": "利用我们的正式公司名称。 不要使用“Bul>.", + "sendUnfreezeCoin": "特别活动", + "sellEurBalance": "欧元 结余", + "jadeInstructionsTitle": "段 次 页 次 指示", + "scanNfcButton": "页: 1", + "testBackupChooseVaultLocation": "颜色", + "torSettingsInfoDescription": "• • 代理仅适用于(不包括液体)\n• • Default Orbot港9050\n• 确保Orbot在获得授权之前能够运行\n• • 联系可能较慢,通过托拉斯进行", + "dcaAddressBitcoin": "页: 1", + "sendErrorAmountBelowMinimum": "低于最低互换限额的数额:", + "@sendErrorAmountBelowMinimum": { + "placeholders": { + "minLimit": { + "type": "String" + } + } + }, + "recoverbullGoogleDriveErrorFetchFailed": "Failed to fetch vaults from Valle Drive", + "systemLabelExchangeBuy": "1. 采购", + "sendRecipientAddress": "接收人的讲话", + "arkTxTypeBoarding": "董事会", + "exchangeAmountInputValidationInsufficient": "结余不足", + "psbtFlowReviewTransaction": "一旦交易进口到{device},审查目的地地址和数额.", + "@psbtFlowReviewTransaction": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "arkTransactions": "交易", + "broadcastSignedTxCameraButton": "摄像机", + "importQrDeviceJadeName": "B. 集群", + "importWalletImportMnemonic": "进口Mnemonic", + "bip85NextMnemonic": "接下来的Mnemonic", + "bitboxErrorNoActiveConnection": "与BitBox装置没有积极的联系.", + "dcaFundAccountButton": "基金", + "transactionFilterAll": "所有人", + "arkSendTitle": "修正", + "recoverbullVaultRecovery": "违约赔偿", + "transactionDetailLabelAmountReceived": "收到的资金", + "bitboxCubitOperationTimeout": "该行动已经停止。 请再次审判.", + "receivePaymentReceived": "收到的捐款!", + "backupWalletHowToDecideVaultCloudSecurity": "谷歌或 Apple果等云层储存供应商由于加密密码太强而无法进入海底。 他们只能进入与关键服务器(在线服务,储存你的加密密码)相勾结的不太可能的事件。 如果关键服务器破碎,那么,谷歌或 Apple云可能会有风险.", + "howToDecideBackupText1": "人民失去生计的最常见途径之一,是失去物质支持。 找到你身体支持的人将能够带上你所有的座位。 如果你确信你能够掩盖它,永远不会失去它,那么它就是一个好选择.", + "payOrderNotFound": "没有发现工资单。 请再次审判.", + "coldcardStep13": "土木板将请你扫描冷却板上的QR代码。 缩略语.", + "psbtFlowIncreaseBrightness": "3. 提高你的器具的亮度", + "payCoinjoinCompleted": "联 合 国", + "electrumAddCustomServer": "添加习俗服务器", + "psbtFlowClickSign": "浮标", + "rbfSatsPerVbyte": "注", + "broadcastSignedTxDoneButton": "Done", + "sendRecommendedFee": "建议:{rate} sat/vB", + "@sendRecommendedFee": { + "placeholders": { + "rate": { + "type": "String" + } + } + }, + "mempoolCustomServerUrl": "服务器 URL", + "buyOrderAlreadyConfirmedError": "这项购买令已经确认.", + "fundExchangeArsBankTransferTitle": "银行转账", + "transactionLabelReceiveAmount": "收款情况", + "sendServerNetworkFees": "服务器网", + "importWatchOnlyImport": "进口", + "backupWalletBackupButton": "备份", + "mempoolSettingsTitle": "默思服务器", + "recoverbullErrorVaultCreationFailed": "违约,可以是档案或钥匙", + "sellSendPaymentFeePriority": "妇女优先", + "bitboxActionSignTransactionProcessing": "签署交易", + "sellWalletBalance": "余额:{amount}", + "@sellWalletBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "recoverbullGoogleDriveNoBackupsFound": "没有发现的支持", + "sellSelectNetwork": "选定网络", + "sellSendPaymentOrderNumber": "命令号数", + "arkDust": "Dust", + "dcaConfirmPaymentMethod": "支付方法", + "sellSendPaymentAdvanced": "先进环境", + "bitcoinSettingsImportWalletTitle": "Import Wallet", + "backupWalletErrorGoogleDriveConnection": "未能与谷歌运动连接", + "payEnterInvoice": "加入", + "broadcastSignedTxPasteHint": "PSBT或交易", + "transactionLabelAmountSent": "发出", + "testBackupPassphrase": "Passphrase", + "arkSetupEnable": "Enable Ak", + "walletDeletionErrorDefaultWallet": "您不能删除一条违约墙.", + "confirmTransferTitle": "1. 集体转让", + "payFeeBreakdown": "Fee Break", + "coreSwapsLnSendPaid": "发票将在收到付款确认后支付.", + "fundExchangeCrBankTransferDescription2": "。 这些资金将添加到你的账户结余中.", + "sellAmount": "数额", + "transactionLabelSwapStatus": "差距", + "walletDeletionConfirmationCancelButton": "Cancel", + "ledgerErrorDeviceLocked": "液化装置被锁定。 请锁定你的装置并再次尝试.", + "importQrDeviceSeedsignerStep5": "选择“Single Sig”,然后选择了你喜欢的文字类型(如果无法选择,则选择土著Segwit).", + "recoverbullRecoveryErrorWalletMismatch": "已经存在不同的违约墙。 你们只能有一个缺省墙.", + "payNoRecipientsFound": "没有任何领取者找到工资.", + "payNoInvoiceData": "无发票数据", + "recoverbullErrorInvalidCredentials": "这一备份卷宗的密码", + "paySinpeMonto": "数额", + "arkDurationSeconds": "{seconds}秒", + "@arkDurationSeconds": { + "placeholders": { + "seconds": { + "type": "String" + } + } + }, + "receiveCopyOrScanAddressOnly": "只读或扫描", + "transactionDetailAccelerate": "加速", + "importQrDevicePassportStep11": "贴上你护照挂号的标签,并打上“港口”", + "fundExchangeJurisdictionCanada": "🇨🇦 加拿大", + "withdrawBelowMinAmountError": "你们正试图在最低数额以下撤出.", + "recoverbullTransactions": "交易:{count}", + "@recoverbullTransactions": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "swapYouPay": "页: 1", + "encryptedVaultTitle": "加密", + "fundExchangeCrIbanUsdLabelIban": "IBAN账户编号(仅美元)", + "chooseAccessPinTitle": "选取{pinOrPassword}", + "@chooseAccessPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importWalletSeedSigner": "SeedSigner", + "featureComingSoonTitle": "简历", + "swapProgressRefundInProgress": "转款", + "transactionDetailLabelPayjoinExpired": "过期", + "payBillerName": "账单名称", + "transactionSwapProgressCompleted": "完成", + "sendErrorBitcoinWalletRequired": "硬墙必须用于电灯照明", + "pinCodeManageTitle": "管理你们的安全", + "buyConfirmBitcoinPrice": "价格", + "arkUnifiedAddressCopied": "统一地址复制", + "transactionSwapDescLnSendCompleted": "照明付款已成功交付! 你们的雕刻现已完成.", + "exchangeDcaCancelDialogCancelButton": "Cancel", + "sellOrderAlreadyConfirmedError": "这一销售订单已经得到确认.", + "paySinpeEnviado": "SINPE ENVIADO!", + "withdrawConfirmPhone": "电话", + "payNoDetailsAvailable": "不详", + "allSeedViewOldWallets": "旧墙({count})", + "@allSeedViewOldWallets": { + "placeholders": { + "count": { + "type": "int", + "format": "decimalPattern" + } + } + }, + "sellOrderPlaced": "成功签发的Sell订单", + "buyInsufficientFundsError": "页: 1.", + "ledgerHelpStep4": "确保你安装了Ledger Live的最新版本.", + "recoverbullPleaseWait": "请等待我们建立安全联系......", + "broadcastSignedTxBroadcast": "广播", + "lastKnownEncryptedVault": "密执安 不详:{date}", + "@lastKnownEncryptedVault": { + "placeholders": { + "date": { + "type": "String", + "example": "2025-01-20 15:30:45" + } + } + }, + "fundExchangeInfoTransferCode": "在付款时,必须将转让法作为“对象”或“理由”.", + "hwChooseDevice": "选择硬件围墙", + "transactionListNoTransactions": "尚未进行交易.", + "torSettingsConnectionStatus": "关系", + "backupInstruction1": "如果你失去12个字后,你将无法恢复使用Wallet.", + "sendErrorInvalidAddressOrInvoice": "Invalid Pay Address or Invoice", + "transactionLabelAmountReceived": "收到的资金", + "recoverbullRecoveryTitle": "2. 追回被盗资产", + "broadcastSignedTxScanQR": "your", + "transactionStatusTransferInProgress": "B. 进展中的转让", + "ledgerSuccessSignDescription": "你的交易已成功签署.", + "exchangeSupportChatMessageRequired": "需要信息", + "buyEstimatedFeeValue": "估计收费价值", + "payName": "姓名", + "sendSignWithBitBox": "与BitBox的签名", + "sendSwapRefundInProgress": "增 编", + "exchangeKycLimited": "有限公司", + "backupWalletHowToDecideVaultCustomRecommendationText": "你相信,你不会丢失ault,如果你失去电话,仍然可以查阅.", + "swapErrorAmountBelowMinimum": "数额低于最低兑换额:{min}克拉", + "@swapErrorAmountBelowMinimum": { + "placeholders": { + "min": { + "type": "String" + } + } + }, + "settingsGithubLabel": "Github", + "sellTransactionFee": "交易费", + "coldcardStep5": "如果你遇到麻烦,就会:", + "buyExpressWithdrawal": "提 出", + "payPaymentConfirmed": "付款", + "transactionOrderLabelOrderNumber": "命令号数", + "buyEnterAmount": "营业额", + "sellShowQrCode": "显示QR代码", + "receiveConfirmed": "1. 确认", + "walletOptionsWalletDetailsTitle": "挂图", + "sellSecureBitcoinWallet": "安全墙", + "ledgerWalletTypeLegacy": "遗产(BIP44)", + "transactionDetailTransferProgress": "转让进展", + "sendNormalFee": "正常", + "importWalletConnectHardware": "连接硬件墙壁", + "importWatchOnlyType": "类型", + "transactionDetailLabelPayinAmount": "薪酬数额", + "importWalletSectionHardware": "硬件围墙", + "connectHardwareWalletDescription": "选择硬件围墙", + "sendEstimatedDelivery10Minutes": "10分钟", + "enterPinToContinueMessage": "{pinOrPassword}", + "@enterPinToContinueMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "swapTransferFrom": "转让", + "errorSharingLogsMessage": "汇率:{error}", + "@errorSharingLogsMessage": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payShowQrCode": "显示QR代码", + "onboardingRecoverWalletButtonLabel": "Recover Wallet", + "torSettingsPortValidationEmpty": "请进入港口号", + "ledgerHelpStep1": "重新启动电解装置.", + "swapAvailableBalance": "可用余额", + "fundExchangeCrIbanCrcLabelPaymentDescription": "付款说明", + "walletTypeWatchSigner": "Watch-Signer", + "settingsWalletBackupTitle": "挂图", + "ledgerConnectingSubtext": "建立安全联系.", + "transactionError": "Error - {error}", + "@transactionError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "electrumPrivacyNoticeCancel": "Cancel", + "coreSwapsLnSendPending": "尚未开始使用Sap.", + "recoverbullVaultCreatedSuccess": "成功制造", + "payAmount": "数额", + "sellMaximumAmount": "最大销售额:{amount}", + "@sellMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sellViewDetailsButton": "观点细节", + "receiveGenerateInvoice": "基因", + "kruxStep8": " - 完成红色激光器,并在QR代码上下", + "coreScreensFeeDeductionExplanation": "这是从发出的款项中扣除的总费用", + "transactionSwapProgressInitiated": "启动", + "fundExchangeTitle": "筹资", + "dcaNetworkValidationError": "请选择网络", + "coldcardStep12": "Click “I'm do” in the Bull Wallet.", + "autoswapAlwaysBlockDisabledInfo": "如果残疾,将给予你允许因高收费而被阻断的汽车转让的选择权", + "bip85Index": "指数:{index}", + "@bip85Index": { + "placeholders": { + "index": { + "type": "int" + } + } + }, + "broadcastSignedTxPageTitle": "广播签署的交易", + "sendInsufficientBalance": "结余不足", + "paySecurityAnswer": "安保", + "walletArkInstantPayments": "按时付款", + "passwordLabel": "密码", + "importQrDeviceError": "未能进口围墙", + "onboardingSplashDescription": "主权自控墙和特制交换服务.", + "statusCheckOffline": "离岸价格", + "fundExchangeCrIbanCrcDescriptionEnd": "。 资金将计入你的账户结余.", + "payAccount": "账户", + "testBackupGoogleDrivePrivacyPart2": "不 ", + "buyCompleteKyc": "页: 1", + "vaultSuccessfullyImported": "成功进口", + "payAccountNumberHint": "账面编号", + "buyOrderNotFoundError": "买单没有发现。 请再次审判.", + "backupWalletGoogleDrivePrivacyMessage2": "不 ", + "payAddressRequired": "地址要求", + "arkTransactionDetails": "交易细节", + "payTotalAmount": "总额", + "exchangeLegacyTransactionsTitle": "遗产交易", + "autoswapWarningDontShowAgain": "不要再次表明这一警告.", + "sellInsufficientBalance": "隔离墙平衡不足", + "recoverWalletButton": "Recover Wallet", + "mempoolCustomServerDeleteMessage": "你们是否希望删除这一定制的超级服务器? 相反,将使用违约服务器.", + "coldcardStep6": " - 提高你的器具的亮度", + "exchangeAppSettingsValidationWarning": "请在储蓄之前确定语言和货币选择.", + "sellCashPickup": "现金保险", + "coreSwapsLnReceivePaid": "供应商支付了发票.", + "payInProgress": "支付:!", + "recoverbullRecoveryErrorKeyDerivationFailed": "当地背后的主要衍生物失败.", + "swapValidationInsufficientBalance": "结余不足", + "transactionLabelFromWallet": "挂图", + "recoverbullErrorRateLimited": "比率有限。 {retryIn}", + "@recoverbullErrorRateLimited": { + "placeholders": { + "retryIn": { + "type": "String" + } + } + }, + "importWatchOnlyExtendedPublicKey": "扩大公众 关键", + "autoswapAlwaysBlock": "Always Block High Fees", + "walletDeletionConfirmationTitle": "删除墙壁", + "sendNetworkFees": "网络费", + "mempoolNetworkBitcoinMainnet": "页: 1", + "paySinpeOrigen": "1. 起源", + "networkFeeLabel": "Fee", + "recoverbullMemorizeWarning": "你们必须纪念这{inputType},以恢复你们的隔离墙。 它至少必须是6位数。 如果你失去这一{inputType},你就无法收回.", + "@recoverbullMemorizeWarning": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "kruxStep15": "交易将进口到Bulet.", + "fundExchangeETransferLabelSecretQuestion": "保密问题", + "importColdcardButtonPurchase": "采购装置", + "jadeStep15": "它现在准备广播! 一旦你点击广播,交易将立即公布在INSTRA网络上,资金将寄出.", + "confirmButton": "执 行", + "transactionSwapInfoClaimableTransfer": "转让将在几秒内自动完成。 否则,你就可以通过点击“Retry Transfer claim”纽州而尝试人工索赔.", + "payActualFee": "实际费用", + "electrumValidateDomain": "A. 鉴定领域", + "importQrDeviceJadeFirmwareWarning": "保证将你的装置更新至最新的公司", + "arkPreconfirmed": "事先确认", + "recoverbullSelectFileNotSelectedError": "未选定", + "arkDurationDay": "{days}天", + "@arkDurationDay": { + "placeholders": { + "days": { + "type": "String" + } + } + }, + "arkSendButton": "修正", + "buyInputContinue": "继续", + "fundExchangeMethodSpeiTransferSubtitle": "利用《公约》的资金转移", + "importQrDeviceJadeStep3": "2. 跟踪装置指示以锁定Jade", + "paySecurityQuestionLengthError": "必须是1040个性", + "sendSigningFailed": "签字失败", + "bitboxErrorDeviceNotPaired": "装置不配对。 请首先完成配对过程.", + "transferIdLabel": "转账证明", + "paySelectActiveWallet": "请选择围墙", + "arkDurationHours": "{hours}小时", + "@arkDurationHours": { + "placeholders": { + "hours": { + "type": "String" + } + } + }, + "transcribeLabel": "说明", + "pinCodeProcessing": "处理", + "transactionDetailLabelRefunded": "重建资金", + "dcaFrequencyHourly": "小时", + "swapValidationSelectFromWallet": "请选择一条从中转的围墙", + "sendSwapInitiated": "启动", + "backupSettingsKeyWarningMessage": "至关重要的是,你不要在你拯救了你的后备档案的同一地点节省备用钥匙。 管道将其储存在单独的装置或单独的云层供应商上.", + "recoverbullEnterToTest": "请进入您的{inputType},以测试你的过失.", + "@recoverbullEnterToTest": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "fundExchangeCrBankTransferDescription1": "采用以下详细情况,从贵国银行账户转账 ", + "transactionNoteSaveButton": "Save", + "fundExchangeHelpBeneficiaryName": "利用我们的正式公司名称。 不要使用“Bul>.", + "payRecipientType": "接收器", + "sellOrderCompleted": "页: 1!", + "importQrDeviceSpecterStep10": "贴上你的分光墙标签,并开发进口", + "recoverbullSelectVaultSelected": "Vault Selected", + "dcaWalletTypeBitcoin": "图瓦卢", + "payNoPayments": "尚未付款", + "onboardingEncryptedVault": "加密", + "exchangeAccountInfoTitle": "账户信息", + "exchangeDcaActivateTitle": "主动同意", + "buyConfirmationTime": "认可时间", + "encryptedVaultRecommendation": "加密: ", + "payLightningInvoice": "闪电", + "transactionOrderLabelPayoutAmount": "薪酬数额", + "recoverbullSelectEnterBackupKeyManually": "填写关键手册", + "exportingVaultButton": "出口......", + "payCoinjoinInProgress": "B. 共同进步......", + "testBackupAllWordsSelected": "你选择了所有字句", + "ledgerProcessingImportSubtext": "建立你的只看望墙......", + "digitalCopyLabel": "数字复印件", + "receiveNewAddress": "新地址", + "arkAmount": "数额", + "fundExchangeWarningTactic7": "他们告诉你不要担心这一警告", + "importQrDeviceSpecterStep1": "您的频谱仪", + "transactionNoteAddTitle": "附加说明", + "paySecurityAnswerHint": "进入安全区", + "bitboxActionImportWalletTitle": "进口Box Wallet", + "backupSettingsError": "Error", + "exchangeFeatureCustomerSupport": "• • 客户支持的查塔", + "sellPleasePayInvoice": "请支付这一发票", + "fundExchangeMethodCanadaPost": "加拿大个人现金或借项", + "payInvoiceDecoded": "成功编码", + "coreScreensAmountLabel": "数额", + "receiveSwapId": "Swap ID", + "transactionLabelCompletedAt": "页: 1", + "pinCodeCreateTitle": "创建新的支柱", + "swapTransferRefundInProgressTitle": "转款", + "swapYouReceive": "页: 1", + "recoverbullSelectCustomLocationProvider": "习俗地点", + "electrumInvalidRetryError": "Invalid Retry 数额:{value}", + "@electrumInvalidRetryError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "paySelectNetwork": "选定网络", + "informationWillNotLeave": "这些资料 ", + "backupWalletInstructionSecurityRisk": "任何人如果能用你的12个字眼支持的话,就可偷走你的笔记。 这样做是好的.", + "sellCadBalance": "大会 结余", + "doNotShareWarning": "纽约总部", + "torSettingsPortNumber": "港口数量", + "payNameHint": "1. 输入者姓名", + "autoswapWarningTriggerAmount": "Tgger amount of 0.02 BTC", + "legacySeedViewScreenTitle": "遗产种子", + "recoverbullErrorCheckStatusFailed": "未能检查违约情况", + "pleaseWaitFetching": "等到我们找回文件的时候.", + "backupWalletPhysicalBackupTag": "无信托能力(时间)", + "electrumReset": "收 复", + "payInsufficientBalanceError": "部分隔离墙没有足够平衡以完成这一工资单.", + "backupCompletedTitle": "填满!", + "arkDate": "日期", + "psbtFlowInstructions": "指示", + "systemLabelExchangeSell": "Sell", + "sendHighFeeWarning": "2. 高额费用警告", + "electrumStopGapNegativeError": "消除差距是负面的", + "walletButtonSend": "修正", + "importColdcardInstructionsStep9": "为您的冷卡盖墙铺设“实验室”", + "bitboxScreenTroubleshootingStep1": "保证在您的Box上安装了最新的企业知识.", + "backupSettingsExportVault": "出口单项", + "bitboxActionUnlockDeviceTitle": "Unlock BiBox 装置", + "withdrawRecipientsNewTab": "新受援国", + "autoswapRecipientRequired": "* E/CN.6/2009/1", + "exchangeLandingFeature4": "银行转账和付款账单", + "sellSendPaymentPayFromWallet": "挂车工资", + "settingsServicesStatusTitle": "现况", + "sellPriceWillRefreshIn": "价格上涨 ", + "labelDeleteFailed": "不可删除“{label}”。 请再次审判.", + "@labelDeleteFailed": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "kruxStep16": "它现在准备广播! 一旦你点击广播,交易将立即公布在INSTRA网络上,资金将寄出.", + "recoverbullRecoveryErrorVaultCorrupted": "某些备案卷被腐败.", + "buyVerifyIdentity": "身份证明", + "exchangeDcaCancelDialogConfirmButton": "是的,中止", + "electrumServerUrlHint": "{network} {environment} 服务器URL", + "@electrumServerUrlHint": { + "placeholders": { + "network": { + "type": "String" + }, + "environment": { + "type": "String" + } + } + }, + "payEmailHint": "电子邮件地址", + "backupWalletGoogleDrivePermissionWarning": "谷歌将请你与本信分享个人信息.", + "bitboxScreenVerifyAddressSubtext": "将这一地址与您的Box02屏幕相比较", + "importQrDeviceSeedsignerStep9": "贴上你的种子标签和主食进口", + "testCompletedSuccessMessage": "你们能够恢复使用丢失的“红外墙”", + "importWatchOnlyScanQR": "Scan", + "walletBalanceUnconfirmedIncoming": "A. 进展", + "selectAmountTitle": "选择性数额", + "buyYouBought": "页: 1", + "@buyYouBought": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "routeErrorMessage": "页 次", + "connectHardwareWalletPassport": "护照", + "autoswapTriggerBalanceError": "三方平衡至少必须是基数平衡2x", + "receiveEnterHere": "......", + "receiveNetworkFee": "Fee", + "payLiquidFee": "流动资金", + "fundExchangeSepaTitle": "SEPA 转让", + "autoswapLoadSettingsError": "未能装上汽车交换场", + "durationSeconds": "{seconds}秒", + "@durationSeconds": { + "placeholders": { + "seconds": { + "type": "String" + } + } + }, + "broadcastSignedTxReviewTransaction": "审查交易", + "walletArkExperimental": "试验", + "importQrDeviceKeystoneStep5": "Choose BUL Wallet", + "electrumLoadFailedError": "未能装载服务器{reason}", + "@electrumLoadFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "ledgerVerifyAddressLabel": "地址:", + "buyAccelerateTransaction": "加速交易", + "backupSettingsTested": "测试", + "receiveLiquidConfirmationMessage": "几秒将予以确认", + "jadeStep1": "to子", + "recoverbullSelectDriveBackups": "驱赶", + "exchangeAuthOk": "OK", + "settingsSecurityPinTitle": "安保科", + "testBackupErrorFailedToFetch": "Failed to fetch Backup: {error}", + "@testBackupErrorFailedToFetch": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "arkDurationMinute": "{minutes}分钟", + "@arkDurationMinute": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "psbtFlowTroubleScanningTitle": "如果你遇到麻烦,就会:", + "arkReceiveUnifiedCopied": "统一地址复制", + "importQrDeviceJadeStep9": "你在你的装置上看到QR编码.", + "transactionDetailLabelPayjoinCompleted": "完成", + "sellArsBalance": "ARS 平衡", + "fundExchangeCanadaPostStep1": "1. 导言 前往加拿大", + "exchangeKycLight": "灯光", + "seedsignerInstructionsTitle": "见dSigner 指示", + "exchangeAmountInputValidationEmpty": "请列出数额", + "bitboxActionPairDeviceProcessingSubtext": "请核实您的Box装置上的配对代码......", + "recoverbullKeyServer": "主要服务器 ", + "recoverbullPasswordTooCommon": "这一密码太常见。 请选择不同的方法", + "backupInstruction3": "任何人如果能用你的12个字眼支持的话,就可偷走你的笔记。 这样做是好的.", + "arkRedeemButton": "Redeem", + "fundExchangeLabelBeneficiaryAddress": "受益人地址", + "testBackupVerify": "全权证书", + "transactionDetailLabelCreatedAt": "创立", + "fundExchangeJurisdictionArgentina": "阿根廷", + "walletNetworkBitcoin": "联合国", + "electrumAdvancedOptions": "A. 先进选择", + "autoswapWarningCardSubtitle": "如果你的经常付款余额超过0.02BTC,则将启动交换.", + "transactionStatusConfirmed": "1. 确认", + "dcaFrequencyDaily": "日 本", + "transactionLabelSendAmount": "数额", + "testedStatus": "测试", + "fundExchangeWarningTactic6": "他们希望分享你的屏幕", + "buyYouReceive": "您", + "payFilterPayments": "支付费用", + "electrumCancel": "Cancel", + "exchangeFileUploadButton": "装载", + "payCopied": "页: 1!", + "transactionLabelReceiveNetworkFee": "接待网", + "bitboxScreenTroubleshootingTitle": "3. BiBox02 Troublefire", + "broadcastSignedTxPushTxButton": "PushTx", + "fundExchangeCrIbanUsdDescriptionBold": "确切地说", + "fundExchangeSelectCountry": "选择贵国和支付方法", + "fundExchangeCostaRicaMethodSinpeSubtitle": "使用SINPE的转移殖民地", + "kruxStep2": "浮标", + "fundExchangeArsBankTransferDescription": "根据以下阿根廷银行详细情况,从贵国银行账户转账.", + "importWatchOnlyFingerprint": "Print", + "exchangeBitcoinWalletsEnterAddressHint": "出入地址", + "dcaViewSettings": "观点环境", + "withdrawAmountContinue": "继续", + "allSeedViewSecurityWarningMessage": "显示种子短语是一种安全风险。 任何人如果看到你的种子,就可以获得你们的资金。 确保你位于一个私人地点,没有人能够看到你的屏幕.", + "walletNetworkBitcoinTestnet": "测试网", + "recoverbullSeeMoreVaults": "See more vaults", + "sellPayFromWallet": "挂车工资", + "pinProtectionDescription": "你的私人网络保护进出你的围墙和场所。 不要忘记.", + "kruxStep5": "2. 弹 wall中显示的QR代码", + "backupSettingsLabelsButton": "Labels", + "payMediumPriority": "中 国", + "payWhichWalletQuestion": "你们想要从哪条墙上花钱?", + "dcaHideSettings": "良好做法", + "exchangeDcaCancelDialogMessage": "您的经常性采购计划将停止,计划购买将结束。 为了重新启动,你需要制定新的计划.", + "transactionSwapDescChainExpired": "这一转让已经到期。 你的资金将自动退还给你的围墙.", + "payValidating": "审定......", + "sendDone": "Done", + "exchangeBitcoinWalletsTitle": "Default Wallets", + "importColdcardInstructionsStep1": "用于你的冷卡加工厂的计票", + "transactionLabelSwapStatusRefunded": "重建资金", + "receiveLightningInvoice": "照明发票", + "pinCodeContinue": "继续", + "payInvoiceTitle": "工资", + "swapProgressGoHome": "Go home", + "replaceByFeeSatsVbUnit": "注", + "fundExchangeCrIbanUsdDescription": "采用以下详细情况,从贵国银行账户转账 ", + "coreScreensSendAmountLabel": "数额", + "backupSettingsRecoverBullSettings": "Recoverbull", + "fundExchangeLabelBankAddress": "银行地址", + "exchangeDcaAddressLabelLiquid": "流动资金", + "backupWalletGoogleDrivePrivacyMessage5": "提 交点.", + "settingsDevModeUnderstandButton": "我的理解是:", + "recoverbullSelectQuickAndEasy": "快速和容易", + "exchangeFileUploadTitle": "1. 安全档案库", + "backupWalletHowToDecideBackupPhysicalRecommendationText": "你相信你自己的业务安全能力,能够隐藏和维护你的种子.", + "bitboxCubitHandshakeFailed": "未能建立安全的联系。 请再次审判.", + "sendErrorAmountAboveSwapLimits": "数额高于互换限额", + "backupWalletHowToDecideBackupEncryptedVault": "被加密的过失使你无法looking望偷走。 这也使你无法意外地失去支持,因为它将储存在你的云层。 谷歌或 Apple果等云层储存供应商由于加密密码太强而无法进入海底。 储存你的后备加密钥匙的网络服务器可能受到削弱。 在这种情况下,贵云层账户的备份安全可能受到威胁.", + "coreSwapsChainCompletedRefunded": "转账已退还.", + "payClabeHint": "加入", + "fundExchangeLabelBankCountry": "银行业", + "seedsignerStep11": "Click “I'm do” in the Bull Wallet.", + "transactionDetailLabelPayjoinStatus": "薪酬状况", + "fundExchangeBankTransferSubtitle": "修改从贵国银行账户转账的银行转账", + "recoverbullErrorInvalidVaultFile": "Invalid vault file.", + "sellProcessingOrder": "处理令......", + "sellUpdatingRate": "更新汇率......", + "importQrDeviceKeystoneStep6": "在你的移动装置上,利用开放式照相机", + "bip85Hex": "HEX", + "testYourWalletTitle": "检查你的围墙", + "storeItSafelyMessage": "存放在安全的地方.", + "receiveLightningNetwork": "照明", + "receiveVerifyAddressError": "无法核实地址: 失踪的围墙或地址", + "arkForfeitAddress": "专用地址", + "swapTransferRefundedTitle": "转拨资金", + "bitboxErrorConnectionFailed": "未能与BitBox装置连接。 请检查您的联系.", + "exchangeFileUploadDocumentTitle": "卸载文件", + "dcaInsufficientBalanceDescription": "你们没有足够的平衡来建立这一秩序.", + "pinButtonContinue": "继续", + "importColdcardSuccess": "1. 进口的冰箱", + "withdrawUnauthenticatedError": "你没有认证。 请继续发言.", + "sellBitcoinAmount": "数额", + "recoverbullTestCompletedTitle": "成功完成试验!", + "arkBtcAddress": "BTC 地址", + "transactionFilterReceive": "收 款", + "recoverbullErrorInvalidFlow": "无效流动", + "exchangeDcaFrequencyDay": "日 本", + "payBumpFee": "Bump Fee", + "arkCancelButton": "Cancel", + "bitboxActionImportWalletProcessingSubtext": "建立你的只看望墙......", + "psbtFlowDone": "我所做的工作", + "exchangeHomeDepositButton": "交存", + "testBackupRecoverWallet": "Recover Wallet", + "fundExchangeMethodSinpeTransferSubtitle": "使用SINPE的转移殖民地", + "arkInstantPayments": "Ak Instant Pays", + "sendEstimatedDelivery": "估计交付量 ", + "fundExchangeMethodOnlineBillPayment": "《在线法案》支付", + "coreScreensTransferIdLabel": "转账证明", + "anErrorOccurred": "发生错误", + "howToDecideBackupText2": "被加密的过失使你无法looking望偷走。 这也使你无法意外地失去支持,因为它将储存在你的云层。 谷歌或 Apple果等云层储存供应商由于加密密码太强而无法进入海底。 储存你的后备加密钥匙的网络服务器可能受到削弱。 在这种情况下,贵云层账户的备份安全可能受到威胁.", + "sellIBAN": "IBAN", + "allSeedViewPassphraseLabel": "通行证:", + "dcaBuyingMessage": "只要你的账户有资金,你就每{frequency}次通过{network}购买{amount}.", + "@dcaBuyingMessage": { + "placeholders": { + "amount": { + "type": "String" + }, + "frequency": { + "type": "String" + }, + "network": { + "type": "String" + } + } + }, + "exchangeCurrencyDropdownValidation": "请选择货币", + "withdrawConfirmTitle": "2. 肯定撤回", + "importQrDeviceSpecterStep3": "进入你的种子/钥匙(永远选择适合你的工作)", + "payPayeeAccountNumber": "收款人账户", + "importMnemonicBalanceLabel": "余额:{amount}", + "@importMnemonicBalanceLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "transactionSwapProgressInProgress": "A. 进展", + "fundExchangeWarningConfirmation": "我确认,我没有被问到别的人.", + "recoverbullSelectCustomLocationError": "未能从海关地点选择档案", + "mempoolCustomServerDeleteTitle": "删除习俗服务器?", + "confirmSendTitle": "Confirm Send", + "buyKYCLevel1": "1级——基本", + "sendErrorAmountAboveMaximum": "高于最高汇率限额的数额:", + "@sendErrorAmountAboveMaximum": { + "placeholders": { + "maxLimit": { + "type": "String" + } + } + }, + "coreSwapsLnSendCompletedSuccess": "蒸汽成功完成.", + "importColdcardScanning": "扫描......", + "transactionLabelTransferFee": "汇款", + "visitRecoverBullMessage": "访问后收集更多信息.", + "payMyFiatRecipients": "我的信托接受者", + "exchangeLandingFeature1": "直接采购", + "bitboxCubitPermissionDenied": "拒绝美国允许。 请准许使用您的Box装置.", + "swapTransferTo": "转入", + "testBackupPinMessage": "努力确保你记住你的支持{pinOrPassword}", + "@testBackupPinMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "bitcoinSettingsMempoolServerTitle": "Memrix服务器设置", + "transactionSwapDescLnReceiveDefault": "你们的雕刻正在进行之中。 这一过程是自动化的,可能需要一些时间才能完成.", + "selectCoinsManuallyLabel": "手工选编", + "psbtFlowSeedSignerTitle": "见dSigner 指示", + "appUnlockAttemptSingular": "失败", + "importQrDevicePassportStep2": "进入日本", + "transactionOrderLabelPayoutMethod": "薪酬办法", + "buyShouldBuyAtLeast": "你们至少应当购买", + "pinCodeCreateDescription": "你的私人网络保护进出你的围墙和场所。 不要忘记.", + "payCorporate": "公司", + "recoverbullErrorRecoveryFailed": "未能追回过失", + "buyMax": "Max", + "onboardingCreateNewWallet": "创立新墙", + "buyExpressWithdrawalDesc": "付款后立即收到", + "backupIdLabel": "Backup ID:", + "sellBalanceWillBeCredited": "你的账户余额将在交易收到1份链条确认书后入账.", + "payExchangeRate": "汇率", + "startBackupButton": "启动", + "buyInputTitle": "采购", + "arkSendRecipientTitle": "入门", + "importMnemonicImport": "进口", + "recoverbullPasswordTooShort": "密码必须至少具有6个长期性", + "arkAddressPlaceholder": "ark1qp9wsjfpsj5v5ex022v6", + "payNetwork": "网络", + "sendBuildFailed": "未能建立交易", + "paySwapFee": "Swap Fee", + "exchangeAccountSettingsTitle": "账户设置", + "arkBoardingConfirmed": "董事会确认", + "broadcastSignedTxTitle": "广播交易", + "backupWalletVaultProviderTakeYourTime": "发言时间", + "arkSettleIncludeRecoverable": "包括可回收的脂肪", + "ledgerWalletTypeSegwitDescription": "Indigenous SegWit - Proposaled", + "exchangeAccountInfoFirstNameLabel": "姓名", + "payPaymentFailed": "付款失败", + "sendRefundProcessed": "你的退款已经处理完毕.", + "exchangeKycCardSubtitle": "取消交易限制", + "importColdcardInvalidQR": "无效的冷却卡", + "testBackupTranscribe": "说明", + "sendUnconfirmed": "未确认", + "testBackupRetrieveVaultDescription": "测试,确保你能够检索您的加密.", + "fundExchangeLabelCvu": "CVU", + "electrumStopGap": "消除差距", + "payBroadcastingTransaction": "广播交易.", + "bip329LabelsImportButton": "进口标签", + "fiatCurrencySettingsLabel": "货币", + "arkStatusConfirmed": "1. 确认", + "withdrawConfirmAmount": "数额", + "transactionSwapDoNotUninstall": "不要 app,直到打完 complete.", + "payDefaultCommentHint": "加入违约评论", + "labelErrorSystemCannotDelete": "系统标签不能删除.", + "copyDialogButton": "页: 1", + "bitboxActionImportWalletProcessing": "进口瓦莱", + "swapConfirmTransferTitle": "1. 集体转让", + "payTransitNumberHint": "入境过境", + "recoverbullSwitchToPIN": "反之", + "payQrCode": "QR 法典", + "exchangeAccountInfoVerificationLevelLabel": "核查水平", + "walletDetailsDerivationPathLabel": "抵达之路", + "exchangeBitcoinWalletsBitcoinAddressLabel": "地址", + "transactionDetailLabelExchangeRate": "汇率", + "electrumServerOffline": "离岸价格", + "sendTransferFee": "汇款", + "fundExchangeLabelIbanCrcOnly": "IBAN账户编号(仅殖民地)", + "arkServerPubkey": "服务器", + "testBackupPhysicalBackupDescription": "在一份文件上写了12字。 让他们安全,并确保他们不会失去.", + "sendInitiatingSwap": "1. 启动互换......", + "sellLightningNetwork": "照明网络", + "buySelectWallet": "选择性隔离墙", + "testBackupErrorIncorrectOrder": "页: 1 请再次审判.", + "importColdcardInstructionsStep6": "选择“Bul>作为出口选择", + "swapValidationSelectToWallet": "请选择一条向转让的隔离墙", + "receiveWaitForSenderToFinish": "投标者完成工资交易", + "arkSetupTitle": "方 法", + "seedsignerStep3": "2. 弹 wall中显示的QR代码", + "sellErrorLoadUtxos": "Failed toload UEKOs: {error}", + "@sellErrorLoadUtxos": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "payDecodingInvoice": "发票的下降......", + "importColdcardInstructionsStep5": "选择“Export Wallet”", + "electrumStopGapTooHighError": "消除差距似乎太高。 (Max. {maxStopGap}", + "@electrumStopGapTooHighError": { + "placeholders": { + "maxStopGap": { + "type": "String" + } + } + }, + "electrumTimeoutTooHighError": "时间不够。 ({maxTimeout}秒)", + "@electrumTimeoutTooHighError": { + "placeholders": { + "maxTimeout": { + "type": "String" + } + } + }, + "sellInstantPayments": "经常付款", + "priceChartFetchingHistory": "Fetching Price History...", + "sellDone": "Done", + "payFromWallet": "From Wallet", + "dcaConfirmRecurringBuyTitle": "同意 1. 采购", + "transactionSwapBitcoinToLiquid": "BTC - L-BTC", + "sellBankDetails": "银行详细情况", + "pinStatusCheckingDescription": "D. 检查个人信息网络的状况", + "coreScreensConfirmButton": "执 行", + "passportStep6": " - 完成红色激光器,并在QR代码上下", + "importQrDeviceSpecterStep8": "在你的移动装置上,利用开放式照相机", + "sellSendPaymentContinue": "继续", + "coreSwapsStatusPending": "待决", + "electrumDragToReorder": "(大声疾呼,改变优先事项)", + "keystoneStep4": "如果你遇到麻烦,就会:", + "autoswapTriggerAtBalanceInfoText": "当您的余额超过这一数额时,自动交换机将启动.", + "exchangeLandingDisclaimerNotAvailable": "自动交换服务没有在“自动交换”申请中提供.", + "sendCustomFeeRate": "习俗收费率", + "ledgerHelpTitle": "Ledger Troublefire", + "swapErrorAmountExceedsMaximum": "数额超过最高汇率", + "transactionLabelTotalSwapFees": "总收益", + "errorLabel": "Error", + "receiveInsufficientInboundLiquidity": "照明能力不足", + "withdrawRecipientsMyTab": "我的信托接受者", + "sendFeeRateTooLow": "就业率太低", + "payLastNameHint": "填写最后姓名", + "exchangeLandingRestriction": "进入交换服务将仅限于“鹿特丹”能够合法运作并且可能需要“科索沃”的国家.", + "payFailedPayments": "Failed", + "transactionDetailLabelToWallet": "隔离墙", + "fundExchangeLabelRecipientName": "客户名称", + "arkToday": "今天", + "importQrDeviceJadeStep2": "主要菜单选择“QR 模式”", + "rbfErrorAlreadyConfirmed": "原始交易得到了确认", + "psbtFlowMoveBack": "Ry device device device", + "exchangeReferralsContactSupportMessage": "联系支助,了解我们的转诊方案", + "sellSendPaymentEurBalance": "欧元 结余", + "exchangeAccountTitle": "外汇账户", + "swapProgressCompleted": "已完成的移交", + "keystoneStep2": "浮雕", + "sendContinue": "继续", + "transactionDetailRetrySwap": "Retry Swap {action}", + "@transactionDetailRetrySwap": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "sendErrorSwapCreationFailed": "未能制造 s.", + "arkNoBalanceData": "无结余数据", + "autoswapWarningCardTitle": "能够进行自动交换.", + "coreSwapsChainCompletedSuccess": "移交工作顺利完成.", + "physicalBackupRecommendation": "身体支持: ", + "autoswapMaxBalance": "Max Instant Wallet Balance", + "importQrDeviceImport": "进口", + "importQrDeviceScanPrompt": "页: 1", + "@importQrDeviceScanPrompt": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "fundExchangeCostaRicaMethodSinpeTitle": "SINPE Móvil", + "sellBitcoinOnChain": "页: 1", + "fundExchangeLabelCedulaJuridica": "Cédula Jurídica", + "exchangeRecipientsComingSoon": "接受者——康乐", + "ledgerWalletTypeLabel": "挂号:", + "bip85ExperimentalWarning": "试验\n• 人工支持你的衍生途径", + "addressViewBalance": "结余", + "recoverbullLookingForBalance": "寻找平衡和交易..…", + "recoverbullSelectNoBackupsFound": "没有发现的支持", + "importMnemonicNestedSegwit": "Nest", + "sendReplaceByFeeActivated": "替换", + "psbtFlowScanQrOption": "选择“Scan QR”办法", + "coreSwapsLnReceiveFailed": "Swap Failed.", + "fundExchangeCostaRicaMethodIbanUsdSubtitle": "美元转账资金", + "transactionDetailLabelPayinStatus": "Payin Status", + "importQrDeviceSpecterStep9": "页: 1", + "settingsRecoverbullTitle": "Recoverbull", + "buyInputKycPending": "KYC ID 有待核查", + "importWatchOnlySelectDerivation": "选择性衍生物", + "walletAddressTypeLegacy": "遗产", + "hwPassport": "护照", + "electrumInvalidStopGapError": "无效 差距值:{value}", + "@electrumInvalidStopGapError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "dcaFrequencyWeekly": "每周", + "fundExchangeMethodRegularSepaSubtitle": "只使用20 000欧元以上的大宗交易", + "settingsTelegramLabel": "电报", + "walletDetailsSignerDeviceNotSupported": "未获得支持", + "exchangeLandingDisclaimerLegal": "进入交换服务将仅限于“鹿特丹”能够合法运作并且可能需要“科索沃”的国家.", + "backupWalletEncryptedVaultTitle": "加密", + "mempoolNetworkLiquidMainnet": "流动主机", + "sellFromAnotherWallet": "Sell from another Plaza", + "automaticallyFetchKeyButton": "Fetch Key", + "importColdcardButtonOpenCamera": "开放照相机", + "recoverbullReenterRequired": "重新加入{inputType}", + "@recoverbullReenterRequired": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "payFeePriority": "妇女优先", + "buyInsufficientBalanceDescription": "你们没有足够的平衡来建立这一秩序.", + "sendSelectNetworkFee": "选择网络收费", + "exchangeDcaFrequencyWeek": "每周", + "keystoneStep6": " - 完成红色激光器,并在QR代码上下", + "walletDeletionErrorGeneric": "如果未能删除围墙,请再次尝试.", + "fundExchangeLabelTransferCode": "转账代码(作为付款说明处理)", + "sellNoInvoiceData": "无发票数据", + "ledgerInstructionsIos": "保证你的Ledger与开启的Steb和Blutooth一起被锁定.", + "replaceByFeeScreenTitle": "收费", + "arkReceiveCopyAddress": "复印件", + "testBackupErrorWriteFailed": "储存的书写失败:{error}", + "@testBackupErrorWriteFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaNetworkLightning": "照明网络", + "sendType": "类型: ", + "buyBitcoinAddressHint": "BC1QYL7J673H..6Y6ALV70M0", + "exchangeHomeWithdrawButton": "草原", + "transactionListOngoingTransfersTitle": "正在进行的转让", + "arkSendAmountTitle": "实际数额", + "addressViewAddress": "地址", + "payOnChainFee": "On-Chain Fee", + "arkReceiveUnifiedAddress": "统一地址(BIP21)", + "sellHowToPayInvoice": "你想支付这一发票如何?", + "payUseCoinjoin": "十五、使用", + "autoswapWarningExplanation": "当您的余额超过触发金额时,将启动交换。 基数将保留在你经常付款的墙上,其余数额将冲入你的安全墙.", + "recoverbullVaultRecoveryTitle": "2. 追回被盗资产", + "passportStep14": "它现在准备广播! 一旦你点击广播,交易将立即公布在INSTRA网络上,资金将寄出.", + "settingsCurrencyTitle": "货币", + "transactionSwapDescChainClaimable": "锁定交易得到了确认。 你们现在要求资金完成转让.", + "sendSwapDetails": "差距", + "onboardingPhysicalBackupDescription": "用12个字恢复你的围墙.", + "psbtFlowSelectSeed": "一旦交易在你{device}进口,你应选择你希望签署的种子.", + "@psbtFlowSelectSeed": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "pinStatusLoading": "抢劫", + "payTitle": "薪金", + "buyInputKycMessage": "您必须首先完成身份证明核查", + "ledgerSuccessAddressVerified": "成功核查的地址!", + "fundExchangeCrIbanUsdLabelCedulaJuridica": "Cédula Jurídica", + "arkSettleDescription": "完成待决交易,必要时包括可回收的罐头", + "backupWalletHowToDecideVaultCustomRecommendation": "习俗地点: ", + "arkSendSuccessMessage": "你的阿方交易是成功的!", + "sendSats": "ats", + "electrumInvalidTimeoutError": "失效时差值:{value}", + "@electrumInvalidTimeoutError": { + "placeholders": { + "value": { + "type": "String" + } + } + }, + "exchangeKycLevelLimited": "有限公司", + "withdrawConfirmEmail": "电子邮件", + "buyNetworkFees": "网络费", + "coldcardStep7": " - 完成红色激光器,并在QR代码上下", + "transactionSwapDescChainRefundable": "转账将退还。 你的资金将自动退还给你的围墙.", + "sendPaymentWillTakeTime": "支付时间", + "fundExchangeSpeiTitle": "SPEI 转让", + "receivePaymentNormally": "1. 收到的款项", + "kruxStep10": "一旦交易在Krux进口,审查目的地地址和数额.", + "bitboxErrorHandshakeFailed": "未能建立安全的联系。 请再次审判.", + "sellKYCRequired": "KYC 核查", + "coldcardStep8": " - device把你的装置退回一小块", + "bitboxScreenDefaultWalletLabel": "BiBox Wallet", + "replaceByFeeBroadcastButton": "广播", + "swapExternalTransferLabel": "外部转移", + "transactionPayjoinNoProposal": "没有收到接收人提出的薪酬申请?", + "importQrDevicePassportStep4": "选择“Connect Wallet”", + "payAddRecipient": "加入", + "recoverbullVaultImportedSuccess": "成功进口", + "backupKeySeparationWarning": "至关重要的是,你不要在你拯救了你的后备档案的同一地点节省备用钥匙。 管道将其储存在单独的装置或单独的云层供应商上.", + "coreSwapsStatusInProgress": "A. 进展", + "confirmAccessPinTitle": "固定出入{pinOrPassword}", + "@confirmAccessPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "sellErrorUnexpectedOrderType": "预期SellOrder,但收到不同的订单类型", + "pinCreateHeadline": "创建新的支柱", + "transactionSwapProgressConfirmed": "1. 确认", + "sellRoutingNumber": "序号", + "sellDailyLimitReached": "每日销售限额", + "requiredHint": "所需", + "arkUnilateralExitDelay": "单方面撤出拖延", + "arkStatusPending": "待决", + "importWatchOnlyXpub": "x 共和国", + "dcaInsufficientBalanceTitle": "平衡不足", + "arkType": "类型", + "backupImportanceMessage": "如果没有支持,你最终将失去获得你的钱的机会。 提供支持至关重要.", + "testBackupGoogleDrivePermission": "谷歌将请你与本信分享个人信息.", + "testnetModeSettingsLabel": "测试网模式", + "testBackupErrorUnexpectedSuccess": "未预期的成功:备份应当与现有的围墙匹配", + "coreScreensReceiveAmountLabel": "收款情况", + "payAllTypes": "所有类型", + "systemLabelPayjoin": "Payjoin", + "onboardingScreenTitle": "致欢迎辞", + "pinCodeConfirmTitle": "1. 确认新的支柱", + "arkSetupExperimentalWarning": "仍在试验之中。\n\n你的阿尔卑斯墙源自你的主要墙壁画。 不需要额外的支持,你现有的围墙备用也恢复了我们的阿方基金。\n\n通过继续这样做,你承认Arka的实验性质和失去资金的风险。\n\n编制说明:Arki秘密来自主要围墙种子,使用武断的BIP-85衍生物(指数11811).", + "keyServerLabel": "主要服务器 ", + "recoverbullEnterToView": "请进入您的{inputType}处,查看你的过失钥匙.", + "@recoverbullEnterToView": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "payReviewPayment": "审核", + "electrumBitcoinSslInfo": "如果未具体规定议定书,则将使用l.", + "transactionTitle": "交易", + "sellQrCode": "QR 法典", + "walletOptionsUnnamedWalletFallback": "不详", + "fundExchangeRegularSepaInfo": "仅用于20 000欧元以上的交易。 在较小的交易中,采用中观SEPA方案.", + "fundExchangeDoneButton": "Done", + "buyKYCLevel3": "3级 - 全面", + "appStartupErrorMessageNoBackup": "第5.4.0号案发现,在我们的一个附属公司中发现了一条重要的 b子,影响到私人钥匙的储存。 你们的心灵受到了影响。 联系我们的支助小组.", + "sellGoHome": "Go home", + "keystoneStep8": "一旦交易在贵金石进口,审查目的地地址和数额.", + "psbtFlowSpecterTitle": "专栏", + "importMnemonicChecking": "检查......", + "sendConnectDevice": "连接装置", + "connectHardwareWalletSeedSigner": "SeedSigner", + "importQrDevicePassportStep7": "选择“QR”", + "delete": "删除", + "connectingToKeyServer": "连接Tor。\n时间可长达一分钟.", + "bitboxErrorDeviceNotFound": "BBox装置没有发现.", + "ledgerScanningMessage": "寻找附近的液化装置......", + "sellInsufficientBalanceError": "部分隔离墙没有足够平衡以完成这一销售订单.", + "transactionSwapDescLnReceivePending": "您的宣誓就职。 我们正在等待电灯网付款.", + "tryAgainButton": "再次", + "psbtFlowHoldSteady": "D. 稳定集中管理法典", + "swapConfirmTitle": "1. 集体转让", + "testBackupGoogleDrivePrivacyPart1": "这些资料 ", + "connectHardwareWalletKeystone": "关键石块", + "importWalletTitle": "增加新的围墙", + "mempoolSettingsDefaultServer": "违约服务器", + "sendPasteAddressOrInvoice": "扣押付款地址或发票", + "swapToLabel": "致", + "payLoadingRecipients": "D. 接收者......", + "sendSignatureReceived": "收到的签名", + "failedToDeriveBackupKey": "未能获得备用钥匙", + "recoverbullGoogleDriveErrorExportFailed": "未能从谷歌猛进出口", + "exchangeKycLevelLight": "灯光", + "transactionLabelCreatedAt": "创立", + "bip329LabelsExportSuccessSingular": "1 个标签已导出", + "bip329LabelsExportSuccessPlural": "{count} 个标签已导出", + "@bip329LabelsExportSuccessPlural": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "fundExchangeMethodOnlineBillPaymentSubtitle": "最低选择,但可以通过在线银行进行(3-4个工作日)", + "walletDeletionErrorWalletNotFound": "你试图删除的隔离墙不存在.", + "payEnableRBF": "Enable RBF", + "transactionDetailLabelFromWallet": "挂图", + "settingsLanguageTitle": "语言", + "importQrDeviceInvalidQR": "无效的QR法", + "exchangeAppSettingsSaveSuccessMessage": "成功挽救的环境", + "addressViewShowQR": "Show 《健康法》", + "testBackupVaultSuccessMessage": "成功进口", + "exchangeSupportChatInputHint": "信息的类型......", + "electrumTestnet": "测试网", + "sellSelectWallet": "选择隔离墙", + "mempoolCustomServerAdd": "添加习俗服务器", + "sendHighFeeWarningDescription": "收费总额是{feePercent}%", + "@sendHighFeeWarningDescription": { + "placeholders": { + "feePercent": { + "type": "String" + } + } + }, + "withdrawConfirmButton": "2. 肯定撤回", + "fundExchangeLabelBankAccountDetails": "银行账户细节", + "payLiquidAddress": "清算", + "sellTotalFees": "总费用", + "importWatchOnlyUnknown": "不详", + "bitboxScreenNestedSegwitBip49": "Nest子(BIP49)", + "payContinue": "继续", + "importColdcardInstructionsStep8": "页: 1", + "dcaSuccessMessageMonthly": "页: 1", + "@dcaSuccessMessageMonthly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sendSelectedCoins": "{count} 选定的硬币", + "@sendSelectedCoins": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "rbfErrorNoFeeRate": "请选择收费率", + "backupWalletGoogleDrivePrivacyMessage1": "这些资料 ", + "labelErrorUnsupportedType": "这种{type}不支持", + "@labelErrorUnsupportedType": { + "placeholders": { + "type": { + "type": "String" + } + } + }, + "paySatsPerByte": "{sats}sat/vB", + "@paySatsPerByte": { + "placeholders": { + "sats": { + "type": "String" + } + } + }, + "payRbfActivated": "替换", + "dcaConfirmNetworkLightning": "照明", + "ledgerDefaultWalletLabel": "Ledger Wallet", + "importWalletSpecter": "专栏", + "customLocationProvider": "习俗地点", + "dcaSelectFrequencyLabel": "选择性频率", + "transactionSwapDescChainCompleted": "你的移交工作已成功完成! 这些资金现在应当放在你的墙上.", + "coreSwapsLnSendRefundable": "预支款将退还.", + "backupInstruction2": "如果没有支持,如果你丢失或打断你的电话,或者如果你不停地拿到火焰,你就会永远失去光彩.", + "autoswapSave": "Save", + "swapGoHomeButton": "Go home", + "sendFeeRateTooHigh": "产妇死亡率似乎非常高", + "ledgerHelpStep2": "确保你的电话能够转播并允许使用蓝色语.", + "fundExchangeCrIbanUsdPaymentDescriptionHelp": "你的转让法.", + "recoverVia12WordsDescription": "用12个字恢复你的围墙.", + "fundExchangeFundAccount": "基金", + "electrumServerSettingsLabel": "电传服务器(Bit Issue node)", + "dcaEnterLightningAddressLabel": "入光地址", + "statusCheckOnline": "在线", + "buyPayoutMethod": "薪酬办法", + "exchangeAmountInputTitle": "实际数额", + "electrumCloseTooltip": "近距离", + "payIbanHint": "进入国际律师协会", + "sendCoinConfirmations": "{count} 确认", + "@sendCoinConfirmations": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "fundExchangeLabelRecipientNameArs": "客户名称", + "sendTo": "致", + "gotItButton": "签字", + "walletTypeLiquidLightningNetwork": "流动和照明网络", + "sendFeePriority": "妇女优先", + "transactionPayjoinSendWithout": "无薪假", + "paySelectCountry": "选择国家", + "importMnemonicTransactionsLabel": "交易:{count}", + "@importMnemonicTransactionsLabel": { + "placeholders": { + "count": { + "type": "String" + } + } + }, + "exchangeSettingsReferralsTitle": "移案", + "autoswapAlwaysBlockInfoEnabled": "如果允许,超出规定限额收费的自动转让将始终受阻", + "importMnemonicSelectScriptType": "进口Mnemonic", + "sellSendPaymentCadBalance": "大会 结余", + "recoverbullConnectingTor": "连接Tor。\n时间可长达一分钟.", + "fundExchangeCanadaPostStep2": "2. 结 论 Ask the moneyier to scan the “Loadhub” QR Code", + "recoverbullEnterVaultKeyInstead": "A. 取而代之", + "exchangeAccountInfoEmailLabel": "电子邮件", + "legacySeedViewNoSeedsMessage": "没有发现遗产种子.", + "arkAboutDustValue": "{dust} SATS", + "@arkAboutDustValue": { + "placeholders": { + "dust": { + "type": "int" + } + } + }, + "keystoneStep5": " - 提高你的器具的亮度", + "sendSelectCoinsManually": "手工选编", + "importMnemonicEmpty": "就业", + "electrumBitcoinServerInfo": "正式服务器地址: 东道:port(例如:com:50001)", + "recoverbullErrorServiceUnavailable": "无法提供的服务。 请检查您的联系.", + "arkSettleTitle": "定居者交易", + "sendErrorInsufficientBalanceForSwap": "没有足够的余额通过流动资金支付这笔冲销,而不是通过蒸汽支付.", + "psbtFlowJadeTitle": "段 次 页 次 指示", + "torSettingsDescUnknown": "无法确定 身份。 确保Orbot安装和运行.", + "transactionFilterPayjoin": "Payjoin", + "importQrDeviceKeystoneStep8": "贴上贵重石墙标签,开发进口", + "dcaContinueButton": "继续", + "fundExchangeCrIbanUsdTitle": "银行转账(美元)", + "buyStandardWithdrawalDesc": "收到付款后(1-3天)", + "psbtFlowColdcardTitle": "冷卡加指示", + "sendRelativeFees": "相关费用", + "payToAddress": "地址", + "sellCopyInvoice": "复印件", + "cancelButton": "Cancel", + "coreScreensNetworkFeesLabel": "网络费", + "kruxStep9": " - device把你的装置退回一小块", + "sendReceiveNetworkFee": "接待网", + "arkTxPayment": "支付", + "importQrDeviceSeedsignerStep6": "选择“箭”作为出口选择", + "swapValidationMaximumAmount": "最高限额为{amount}{currency}", + "@swapValidationMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + }, + "currency": { + "type": "String" + } + } + }, + "fundExchangeETransferLabelBeneficiaryName": "使用这一名称作为E- transfer受益人的名称", + "backupWalletErrorFileSystemPath": "未能选择档案系统道路", + "coreSwapsLnSendCanCoop": "斯瓦普将立即完成.", + "electrumServerNotUsed": "未使用", + "backupWalletHowToDecideBackupPhysicalRecommendation": "身体支持: ", + "payDebitCardNumber": "借方卡", + "receiveRequestInboundLiquidity": "请求接收能力", + "backupWalletHowToDecideBackupMoreInfo": "访问后收集更多信息.", + "walletAutoTransferBlockedMessage": "企图转让{amount} BTC。 现行收费为{currentFee}%,收费门槛为{thresholdFee}%", + "@walletAutoTransferBlockedMessage": { + "placeholders": { + "amount": { + "type": "String" + }, + "currentFee": { + "type": "String" + }, + "thresholdFee": { + "type": "String" + } + } + }, + "kruxStep11": "Click the buttons to sign the trade on You Krux.", + "exchangeSupportChatEmptyState": "尚未发出任何信息。 开始对话!", + "payExternalWalletDescription": "另一围墙的薪金", + "electrumRetryCountEmptyError": "收复国不能成为空洞", + "ledgerErrorBitcoinAppNotOpen": "请打开您的Ledger装置并再次尝试.", + "physicalBackupTag": "无信托能力(时间)", + "arkIncludeRecoverableVtxos": "包括可回收的脂肪", + "payCompletedDescription": "你的付款已经完成,收款人已收到资金.", + "recoverbullConnecting": "连接", + "swapExternalAddressHint": "进入外部隔离墙", + "torSettingsDescConnecting": "成立 联系", + "ledgerWalletTypeLegacyDescription": "P2PKH - 旧格式", + "dcaConfirmationDescription": "定购单将自动置于这些环境中。 无论何时,你都可以消除这些障碍.", + "appleICloudProvider": "页: 1", + "exchangeAccountInfoVerificationNotVerified": "未核实", + "fundExchangeWarningDescription": "如果有人要求你买“帮助你”的话,他们可能会试图cam你!", + "transactionDetailLabelTransactionId": "Transaction ID", + "arkReceiveTitle": "方 法", + "payDebitCardNumberHint": "入轨卡数", + "backupWalletHowToDecideBackupEncryptedRecommendation": "加密: ", + "seedsignerStep9": "审查目的地地址和数额,确认在贵岛签署.", + "logoutButton": "后勤", + "payReplaceByFee": "替换", + "coreSwapsLnReceiveClaimable": "斯瓦普可以申请.", + "pinButtonCreate": "设立PIN", + "fundExchangeJurisdictionEurope": "🇪🇺 欧洲", + "settingsExchangeSettingsTitle": "交易所", + "sellFeePriority": "妇女优先", + "exchangeFeatureSelfCustody": "• 自行保管", + "arkBoardingUnconfirmed": "未经确认", + "fundExchangeLabelPaymentDescription": "付款说明", + "payAmountTooHigh": "数额超过上限", + "dcaConfirmPaymentBalance": "{currency} 结余", + "@dcaConfirmPaymentBalance": { + "placeholders": { + "currency": { + "type": "String" + } + } + }, + "torSettingsPortValidationInvalid": "请输入有效号码", + "sellBankTransfer": "银行转账", + "importQrDeviceSeedsignerStep3": "页: 1", + "replaceByFeeFastestTitle": "快速", + "transactionLabelBitcoinTransactionId": "页: 1", + "sellPayinAmount": "薪酬数额", + "exchangeKycRemoveLimits": "取消交易限制", + "autoswapMaxBalanceInfoText": "当隔离墙余额超过这一数额的两倍时,汽车转移将引发将余额降至这一水平", + "sellSendPaymentBelowMin": "你们试图以这一围墙出售的最低数额出售.", + "dcaWalletSelectionDescription": "将根据这一时间表自动进行采购.", + "sendTypeSend": "修正", + "payFeeBumpSuccessful": "女性消费", + "importQrDeviceKruxStep1": "页: 1", + "transactionSwapProgressFundsClaimed": "资金\n索赔", + "recoverbullSelectAppleIcloud": "页: 1", + "dcaAddressLightning": "照明地址", + "keystoneStep13": "交易将进口到Bulet.", + "receiveGenerationFailed": "未能产生{type}", + "@receiveGenerationFailed": { + "placeholders": { + "type": { + "type": "String" + } + } + }, + "coreSwapsLnReceiveCanCoop": "斯瓦普将立即完成.", + "addressViewAddressesTitle": "地址", + "withdrawRecipientsNoRecipients": "没有任何受援者发现退出.", + "transactionSwapProgressPaymentMade": "支付\n.....", + "importQrDeviceSpecterStep4": "遵循你选定的方法", + "coreSwapsChainPending": "转让尚未启动.", + "importWalletImportWatchOnly": "进口观察", + "coldcardStep9": "一旦交易进口到你的冷藏卡,审查目的地地址和数额.", + "sendErrorArkExperimentalOnly": "ARK的付款要求只能从实验性的Arko特征获得.", + "exchangeKycComplete": "完成 KYC", + "enterBackupKeyManuallyDescription": "如果你出口了你的备用金钥匙,并且通过海因地制宜地将其节省下来,你可以人工进入这里。 否则,又回到以前的屏幕上.", + "sellBitcoinPriceLabel": "价格", + "receiveCopyAddress": "复印件", + "receiveSave": "Save", + "mempoolNetworkBitcoinTestnet": "测试网", + "transactionLabelPayjoinStatus": "薪酬状况", + "passportStep2": "Click sign with QR Code", + "pinCodeRemoveButton": "移除安全局", + "withdrawOwnershipMyAccount": "这是我的说法", + "payAddMemo": "加入:", + "transactionNetworkBitcoin": "页: 1", + "recoverbullSelectVaultProvider": "选择Vault Provider", + "replaceByFeeOriginalTransactionTitle": "原始交易", + "testBackupPhysicalBackupTag": "无信托能力(时间)", + "testBackupTitle": "检验您的墙壁", + "coreSwapsLnSendFailed": "Swap Failed.", + "recoverbullErrorDecryptFailed": "未能加密", + "keystoneStep9": "Click the buttons to sign the trade on You Keystone.", + "totalFeesLabel": "总费用", + "payInProgressDescription": "你的付款已经启动,在交易收到1个链条确认书后,收款人将收到资金.", + "importQrDevicePassportStep10": "在BUL 挂图中,选择“Segwit(BIP84)”作为衍生选择", + "payHighPriority": "高", + "buyBitcoinPrice": "价格", + "sendFrozenCoin": "Frozen", + "importColdcardInstructionsStep4": "1. 证明您的坚定认识已更新到1.3.4.5版", + "lastBackupTestLabel": "后续测试:{date}", + "@lastBackupTestLabel": { + "placeholders": { + "date": { + "type": "String", + "example": "2025-01-20 15:30:45" + } + } + }, + "sendBroadcastTransaction": "广播交易", + "receiveBitcoinConfirmationMessage": "交易将同时确认.", + "walletTypeWatchOnly": "Watch-Only", + "psbtFlowKruxTitle": "Krux号指令", + "recoverbullDecryptVault": "加密", + "connectHardwareWalletJade": "B. 集群", + "coreSwapsChainRefundable": "转账随时可以退款.", + "buyInputCompleteKyc": "页: 1", + "transactionFeesTotalDeducted": "这是从发出的款项中扣除的总费用", + "autoswapMaxFee": "Max Transfer Fee", + "sellReviewOrder": "复审Sell Order", + "payDescription": "说明", + "buySecureBitcoinWallet": "安保公司", + "sendEnterRelativeFee": "服扎/vB的相对收费", + "importQrDevicePassportStep1": "贵国护照装置的权力", + "fundExchangeMethodArsBankTransferSubtitle": "修改从贵国银行账户转账的银行转账", + "transactionOrderLabelExchangeRate": "汇率", + "backupSettingsScreenTitle": "备用安排", + "fundExchangeBankTransferWireDescription": "采用“t”银行详细情况,将电线从你的银行账户转移。 贵银行可能只需要这些细节的某些部分.", + "importQrDeviceKeystoneStep7": "页: 1", + "coldcardStep3": "选择“扫描任何QR代码”", + "coldcardStep14": "交易将进口到Bulet.", + "pinCodeSettingsLabel": "PIN 代码", + "buyExternalBitcoinWallet": "外墙", + "passwordTooCommonError": "这{pinOrPassword}太常见。 请选择不同的方法.", + "@passwordTooCommonError": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importWalletJade": "B. 集群", + "payInvalidInvoice": "无效发票", + "receiveTotalFee": "共计", + "importQrDeviceButtonOpenCamera": "开放照相机", + "recoverbullFetchingVaultKey": "Fetching Vault 关键", + "dcaConfirmFrequency": "频率", + "recoverbullGoogleDriveDeleteVaultTitle": "删除", + "advancedOptionsTitle": "A. 先进选择", + "dcaConfirmOrderType": "命令类型", + "payPriceWillRefreshIn": "价格上涨 ", + "recoverbullGoogleDriveErrorDeleteFailed": "页: 1", + "broadcastSignedTxTo": "致", + "arkAboutDurationDays": "{days}天", + "@arkAboutDurationDays": { + "placeholders": { + "days": { + "type": "int" + } + } + }, + "payPaymentDetails": "付款细节", + "bitboxActionVerifyAddressTitle": "1. 核实Bibinox的地址", + "psbtSignTransaction": "签字交易", + "sellRemainingLimit": "保留今天:{amount}", + "@sellRemainingLimit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "bitboxActionImportWalletSuccess": "进口", + "nextButton": "下一步", + "ledgerSignButton": "开始签署", + "recoverbullPassword": "密码", + "dcaNetworkLiquid": "流动网络", + "fundExchangeMethodSinpeTransfer": "SINPE 转让", + "dcaCancelTitle": "Cancel 购物?", + "payFromAnotherWallet": "另一围墙的薪金", + "importMnemonicHasBalance": "1. 平衡", + "dcaLightningAddressEmptyError": "请进入电灯地址", + "googleAppleCloudRecommendationText": "你们想要确保,即使你失去装置,你也永远不会失去接触你的ault.", + "closeDialogButton": "近距离", + "jadeStep14": "交易将进口到Bulet.", + "payCorporateName": "企业名称", + "importColdcardError": "未能进口冷藏卡", + "transactionStatusPayjoinRequested": "Payjoin", + "payOwnerNameHint": "1. 所有权人", + "customLocationRecommendationText": "你相信,你不会丢失ault,如果你失去电话,仍然可以查阅.", + "arkAboutForfeitAddress": "专用地址", + "kruxStep13": "Click “I'm do” in the Bull Wallet.", + "transactionSwapInfoRefundableTransfer": "这笔转账将在几秒内自动退还。 如果没有,你可以点击“Retry Transfer Refund”纽芬兰,尝试人工退款.", + "payBitcoinPrice": "价格", + "confirmLogoutMessage": "你们是否希望从您的“宝石”中抽出。 你们需要再次展示互访特征.", + "receivePaymentInProgress": "正在付款", + "dcaSuccessMessageDaily": "页: 1", + "@dcaSuccessMessageDaily": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "walletNetworkLiquidTestnet": "流动测试", + "electrumDeleteFailedError": "未能删除海关服务器{reason}", + "@electrumDeleteFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "receiveBoltzSwapFee": "Boltz Swap Fee", + "swapInfoBanner": "顺便提一下。 只有将资金留在停薪区,用于日常开支.", + "payRBFEnabled": "RBF", + "takeYourTimeTag": "发言时间", + "arkAboutDust": "Dust", + "ledgerSuccessVerifyDescription": "该地址在你的Ledger装置上已经核实.", + "bip85Title": "BIP85 决定因素", + "sendSwapTimeout": "蒸汽", + "networkFeesLabel": "网络费", + "backupWalletPhysicalBackupDescription": "在一份文件上写了12字。 让他们安全,并确保他们不会失去.", + "sendSwapInProgressBitcoin": "该轮车正在铺设。 交易可在确认时进行。 你可以回家,等待.", + "electrumDeleteServerTitle": "删除习俗服务器", + "buySelfie": "Selfie with ID", + "arkAboutSecretKey": "秘 鲁", + "sellMxnBalance": "MXN 结余", + "fundExchangeWarningTactic4": "他们要求寄送他们的地址", + "fundExchangeSinpeDescription": "使用SINPE的转移殖民地", + "wordsDropdownSuffix": " 说 明", + "arkTxTypeRedeem": "Redeem", + "receiveVerifyAddressOnLedger": "更正", + "buyWaitForFreeWithdrawal": "退出", + "sellSendPaymentCrcBalance": "CRC 结余", + "backupSettingsKeyWarningBold": "警告: 如果你节省了支助钥匙,则谨慎行事.", + "settingsArkTitle": "方 法", + "exchangeLandingConnectAccount": "连接您的履带", + "recoverYourWalletTitle": "2. 发现你的围墙", + "importWatchOnlyLabel": "Label", + "settingsAppSettingsTitle": "申请情况", + "dcaWalletLightningSubtitle": "要求相容的围墙,最高为0.25英亩", + "dcaNetworkBitcoin": "联合国", + "swapTransferRefundInProgressMessage": "转让有错误。 你的退款正在进行之中.", + "importQrDevicePassportName": "护照", + "fundExchangeMethodCanadaPostSubtitle": "更愿意亲自支付报酬的人", + "importColdcardMultisigPrompt": "多西墙壁画,扫描墙壁描述器QR代码", + "passphraseLabel": "Passphrase", + "recoverbullConfirmInput": "Confirm {inputType}", + "@recoverbullConfirmInput": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "transactionSwapDescLnReceiveCompleted": "你的wa子已经成功完成! 这些资金现在应当放在你的墙上.", + "psbtFlowSignTransaction": "签字交易", + "payAllPayments": "所有付款", + "fundExchangeSinpeDescriptionBold": "它将被否决.", + "transactionDetailLabelPayoutStatus": "薪金状况", + "buyInputFundAccount": "基金", + "importWatchOnlyZpub": "z 共和国", + "testBackupNext": "下一步", + "payBillerSearchHint": "第3封账单", + "coreSwapsLnSendCompletedRefunded": "退款.", + "transactionSwapInfoClaimableSwap": "冲积将在几秒内自动完成。 否则,你就可以通过点击“Retry Swap claim”纽州而尝试人工索赔.", + "mempoolCustomServerLabel": "马达加斯加", + "arkAboutSessionDuration": "会期", + "transferFeeLabel": "汇款", + "pinValidationError": "PIN必须至少是{minLength}长期数字", + "@pinValidationError": { + "placeholders": { + "minLength": { + "type": "String" + } + } + }, + "buyConfirmationTimeValue": "大约10分钟", + "dcaOrderTypeValue": "重复购买", + "ledgerConnectingMessage": "连接{deviceName}", + "@ledgerConnectingMessage": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "buyConfirmAwaitingConfirmation": "等待确认 ", + "torSettingsSaveButton": "Save", + "allSeedViewShowSeedsButton": "图片", + "fundExchangeMethodBankTransferWireSubtitle": "较大数额的最佳和最可靠的选择(同日或次日)", + "fundExchangeCanadaPostStep4": "4. 第四条第4款 该名出纳人将要求看到一份政府签发的身份证,并核实您的身份证上的名称与您的“伯茨”账户相符", + "fundExchangeCrIbanCrcLabelIban": "IBAN账户编号(仅科罗内)", + "importQrDeviceSpecterInstructionsTitle": "专栏", + "testBackupScreenshot": "放映", + "transactionListLoadingTransactions": "D. 结算交易.", + "dcaSuccessTitle": "重复买!", + "fundExchangeOnlineBillPaymentDescription": "贵银行利用以下信息通过网上账单付款地址发送的任何款项,将在3-4个工作日内贷记到您的Burt账户余额.", + "receiveAwaitingPayment": "退款......", + "onboardingRecover": "恢复", + "recoverbullGoogleDriveScreenTitle": "页: 1", + "receiveQRCode": "QR 法典", + "appSettingsDevModeTitle": "D. 德 国", + "payDecodeFailed": "未编码发票", + "sendAbsoluteFees": "绝对费用", + "arkSendConfirm": "执 行", + "replaceByFeeErrorTransactionConfirmed": "原始交易得到了确认", + "rbfErrorFeeTooLow": "您需要将收费率提高到至少1分之一的CO/vbyte,而不是原来的交易", + "ledgerErrorMissingDerivationPathSign": "签署《公约》需要一条通向的道路", + "backupWalletTitle": "页: 1", + "jadeStep10": "Click the buttons to sign the trade on You Jade.", + "arkAboutDurationHour": "{hours}小时", + "@arkAboutDurationHour": { + "placeholders": { + "hours": { + "type": "int" + } + } + }, + "bitboxScreenUnknownError": "未知错误", + "electrumPrivacyNoticeTitle": "隐私通知", + "receiveLiquid": "流动资金", + "payOpenChannelRequired": "这一付款需要开立渠道", + "coldcardStep1": "to device", + "transactionDetailLabelBitcoinTxId": "页: 1", + "arkSendRecipientHint": "ark1qp9wsjfpsj5v5ex022v6", + "sellSendPaymentCalculating": "计算......", + "arkRecoverableVtxos": "可回收的Vtxos", + "psbtFlowTransactionImported": "交易将进口到Bulet.", + "testBackupGoogleDriveSignIn": "你们将需要在谷歌运动上签字", + "sendTransactionSignedLedger": "与Ledger成功签署的交易", + "recoverbullRecoveryContinueButton": "继续", + "payTimeoutError": "支付时间。 请检查情况", + "kruxStep4": "Click Load", + "bitboxErrorInvalidMagicBytes": "检测到了无效的PSBT格式.", + "sellErrorRecalculateFees": "未收回费用:{error}", + "@sellErrorRecalculateFees": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "dcaSetupFrequencyError": "请选择频率", + "testBackupErrorNoMnemonic": "无mon装", + "payInvoiceExpired": "发票过期", + "payWhoAreYouPaying": "谁是你们支付的?", + "confirmButtonLabel": "执 行", + "autoswapMaxFeeInfo": "如果总转账费高于规定的百分比,则将冻结汽车转让", + "importQrDevicePassportStep9": "页: 1", + "swapProgressRefundedMessage": "转账已被收回.", + "sendEconomyFee": "经济", + "coreSwapsChainFailed": "汇款失败.", + "transactionDetailAddNote": "附加说明", + "addressCardUsedLabel": "使用", + "buyConfirmTitle": "采购", + "exchangeLandingFeature5": "客户支持的查塔", + "electrumMainnet": "Mainnet", + "buyThatWasFast": "这是迅速的,是没有的?", + "importWalletPassport": "护照", + "buyExpressWithdrawalFee": "快费:{amount}", + "@buyExpressWithdrawalFee": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sellDailyLimit": "日限: {amount}", + "@sellDailyLimit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "recoverbullConnectionFailed": "连接失败", + "transactionDetailLabelPayinMethod": "薪酬办法", + "sellCurrentRate": "现行标准", + "payAmountTooLow": "数额低于最低", + "onboardingCreateWalletButtonLabel": "建立围墙", + "bitboxScreenVerifyOnDevice": "请在您的Box装置上核实这一地址", + "ledgerConnectTitle": "3. 连接你的液化装置", + "withdrawAmountTitle": "2. 草签", + "coreScreensServerNetworkFeesLabel": "服务器网", + "dcaFrequencyValidationError": "请选择频率", + "walletsListTitle": "挂图", + "payAllCountries": "所有国家", + "sellCopBalance": "缔约方会议 结余", + "recoverbullVaultSelected": "Vault Selected", + "receiveTransferFee": "汇款", + "fundExchangeInfoTransferCodeRequired": "在付款时,必须将转让法作为“对象”或“理由”或“说明”。 如果你忘记制定这一法典,那么你可以拒绝支付.", + "arkBoardingExitDelay": "离职延误", + "exchangeDcaFrequencyHour": "小时", + "transactionLabelPayjoinCreationTime": "创造工作机会", + "payRBFDisabled": "RBF 残疾", + "exchangeAuthLoginFailedOkButton": "OK", + "exchangeKycCardTitle": "完成 KYC", + "importQrDeviceSuccess": "成功进口", + "arkTxSettlement": "定居点", + "autoswapEnable": "通用自动转让", + "transactionStatusTransferCompleted": "已完成的转让", + "payInvalidSinpe": "Invalid Sinpe", + "coreScreensFromLabel": "摘自", + "backupWalletGoogleDriveSignInTitle": "你们将需要在谷歌运动上签字", + "sendEstimatedDelivery10to30Minutes": "10-30分钟", + "transactionDetailLabelLiquidTxId": "清算交易", + "testBackupBackupId": "Backup ID:", + "walletDeletionErrorOngoingSwaps": "您不能删除一条带有现行交换的围墙.", + "bitboxScreenConnecting": "连接BitBox", + "psbtFlowScanAnyQr": "选择“扫描任何QR代码”", + "transactionLabelServerNetworkFees": "服务器网", + "importQrDeviceSeedsignerStep10": "完成", + "sendReceive": "收 款", + "sellKycPendingDescription": "你们必须首先完成对身份识别的核查", + "fundExchangeETransferDescription": "您利用以下信息通过电子邮件E-Transfer从贵国银行汇出的任何款项,将在几分钟内贷记到您的Batt账户余额.", + "sendClearSelection": "明确甄选", + "fundExchangeLabelClabe": "CLABE", + "statusCheckLastChecked": "上次检查:{time}", + "@statusCheckLastChecked": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "backupWalletVaultProviderQuickEasy": "快速和容易", + "sellPayoutAmount": "薪酬数额", + "dcaConfirmFrequencyDaily": "每天", + "buyConfirmPurchase": "共同采购", + "transactionLabelNetworkFee": "Fee", + "importQrDeviceKeystoneStep9": "组建工作已经完成", + "tapWordsInOrderTitle": "恢复语\n权利保护令", + "payEnterAmountTitle": "实际数额", + "transactionOrderLabelPayinMethod": "薪酬办法", + "buyInputMaxAmountError": "买不起", + "walletDetailsDeletingMessage": "拆除围墙......", + "receiveUnableToVerifyAddress": "无法核实地址: 失踪的围墙或地址", + "payInvalidAddress": "无效地址", + "appUnlockAttemptPlural": "失败", + "exportVaultButton": "出口单项", + "coreSwapsChainPaid": "放弃转让提供人的付款以获得确认。 这可能需要完成.", + "arkConfirmed": "1. 确认", + "importQrDevicePassportStep6": "选择“单体”", + "sendSatsPerVB": "注", + "withdrawRecipientsContinue": "继续", + "enterPinAgainMessage": "页: 1.", + "@enterPinAgainMessage": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "importColdcardButtonInstructions": "指示", + "bitboxActionUnlockDeviceProcessingSubtext": "请进入您对Bibox装置的密码......", + "sellWhichWalletQuestion": "你们想要从哪条墙上出售?", + "buyNetworkFeeRate": "网络费", + "autoswapAlwaysBlockLabel": "Always Block High Fees", + "receiveFixedAmount": "数额", + "bitboxActionVerifyAddressSuccessSubtext": "该地址在您的Box装置上进行了核实.", + "transactionSwapDescLnSendPaid": "你的链条交易已经播放。 在1份确认后,将支付电灯费.", + "transactionSwapDescChainDefault": "你的移交工作正在进行之中。 这一过程是自动化的,可能需要一些时间才能完成.", + "onboardingBullBitcoin": "页: 1", + "coreSwapsChainClaimable": "转让可以提出.", + "dcaNetworkLightning": "照明网络", + "backupWalletHowToDecideVaultCloudRecommendationText": "你们想要确保,即使你失去装置,你也永远不会失去接触你的ault.", + "arkAboutEsploraUrl": "Esplora URL", + "backupKeyExampleWarning": "例如,如果你用谷歌驱使你的备份,就不使用谷歌驱使的主机.", + "importColdcardInstructionsStep3": "加入“先进/先进”", + "buyPhotoID": "照片:", + "exchangeSettingsAccountInformationTitle": "账户信息", + "appStartupErrorTitle": "1. 启动", + "transactionLabelTransferId": "转账证明", + "sendTitle": "修正", + "withdrawOrderNotFoundError": "没有发现撤回令。 请再次审判.", + "importQrDeviceSeedsignerStep4": "选择“Export Xpub”", + "seedsignerStep6": " - 完成红色激光器,并在QR代码上下", + "ledgerHelpStep5": "保证你能 电气化装置正在使用最新的公司软件,你可以使用Ledger式实况台更新公司软件.", + "torSettingsPortDisplay": "港口:{port}", + "@torSettingsPortDisplay": { + "placeholders": { + "port": { + "type": "int" + } + } + }, + "payTransitNumber": "过境号码", + "importQrDeviceSpecterStep5": "选择“公共钥匙”", + "fundExchangeCostaRicaMethodIbanUsdTitle": "IBAN 哥斯达黎加(美元)", + "allSeedViewDeleteWarningTitle": "WARNING!", + "backupSettingsBackupKey": "背 景", + "arkTransactionId": "Transaction ID", + "payInvoiceCopied": "Invoice copied to clippad", + "recoverbullEncryptedVaultCreated": "• 建立加密的Vault!", + "addressViewChangeAddressesComingSoon": "不久将来的变革地址", + "psbtFlowScanQrShown": "2. 弹 wall中显示的QR代码", + "testBackupErrorInvalidFile": "无效文件内容", + "payHowToPayInvoice": "你想支付这一发票如何?", + "transactionDetailLabelSendNetworkFee": "Send Network Fee", + "sendSlowPaymentWarningDescription": "交换台需要时间才能确认.", + "bitboxActionVerifyAddressProcessingSubtext": "请确认您的Box装置上的地址.", + "pinConfirmHeadline": "1. 确认新的支柱", + "fundExchangeCanadaPostQrCodeLabel": "Loadhub QR代码", + "payConfirmationRequired": "确认要求", + "bip85NextHex": "下次 HEX", + "physicalBackupStatusLabel": "实物补偿", + "exchangeSettingsLogOutTitle": "记录", + "addressCardBalanceLabel": "平衡: ", + "transactionStatusInProgress": "A. 进展", + "recoverWalletScreenTitle": "Recover Wallet", + "rbfEstimatedDelivery": "大约10分钟", + "sendSwapCancelled": "取消", + "backupWalletGoogleDrivePrivacyMessage4": "永远 ", + "dcaPaymentMethodValue": "{currency} 结余", + "@dcaPaymentMethodValue": { + "placeholders": { + "currency": { + "type": "String" + } + } + }, + "swapTransferCompletedTitle": "已完成的移交", + "torSettingsStatusDisconnected": "互不关联", + "exchangeDcaCancelDialogTitle": "Cancel 购物?", + "sellSendPaymentMxnBalance": "MXN 结余", + "fundExchangeSinpeLabelRecipientName": "客户名称", + "dcaScheduleDescription": "将根据这一时间表自动进行采购.", + "keystoneInstructionsTitle": "主要指示", + "hwLedger": "分类账", + "physicalBackupDescription": "在一份文件上写了12字。 让他们安全,并确保他们不会失去.", + "dcaConfirmButton": "继续", + "dcaBackToHomeButton": "返家", + "importQrDeviceKruxInstructionsTitle": "Krux号指令", + "transactionOrderLabelOriginName": "出生地名称", + "importQrDeviceKeystoneInstructionsTitle": "主要指示", + "electrumSavePriorityFailedError": "未能节省服务器优先事项{reason}", + "@electrumSavePriorityFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "globalDefaultLiquidWalletLabel": "经常付款", + "bitboxActionVerifyAddressProcessing": "BiBox...的展示地址.", + "sendTypeSwap": "蒸汽", + "sendErrorAmountExceedsMaximum": "数额超过最高汇率", + "bitboxActionSignTransactionSuccess": "成功交易签名", + "fundExchangeMethodInstantSepa": "Intant SEPA", + "buyVerificationFailed": "核查失败:{reason}", + "@buyVerificationFailed": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "importWatchOnlyBuyDevice": "购买装置", + "sellMinimumAmount": "最低销售额:{amount}", + "@sellMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "importColdcardTitle": "连接式冷漠 问题", + "ledgerSuccessImportDescription": "成功进口了Ledger围墙.", + "pinStatusProcessing": "处理", + "dcaCancelMessage": "您的经常性采购计划将停止,计划购买将结束。 为了重新启动,你需要制定新的计划.", + "fundExchangeHelpPaymentDescription": "你的转让法.", + "sellSendPaymentFastest": "快速", + "dcaConfirmNetwork": "网络", + "allSeedViewDeleteWarningMessage": "消除种子是一种不可逆转的行动。 只有当你获得这种种子的后遗,或相关的围墙被完全耗尽时,才会这样做.", + "bip329LabelsTitle": "BIP329 Labels", + "walletAutoTransferAllowButton": "允许", + "autoswapSelectWalletRequired": "选择围墙*", + "exchangeFeatureSellBitcoin": "• Sell, 获得有偿服务", + "hwSeedSigner": "SeedSigner", + "bitboxActionUnlockDeviceButton": "闭锁装置", + "payNetworkError": "网络错误。 请再次审判", + "sendNetworkFeesLabel": "Send Network Fees", + "electrumUnknownError": "发生错误", + "payWhichWallet": "你们想要从哪条墙上花钱?", + "autoswapBaseBalanceInfoText": "你的即时付款墙平衡将在汽车后恢复这一平衡.", + "recoverbullSelectDecryptVault": "加密", + "buyUpgradeKYC": "升级 职等", + "transactionOrderLabelOrderType": "命令类型", + "autoswapEnableToggleLabel": "通用自动转让", + "sendDustAmount": "数额太小(最多)", + "allSeedViewExistingWallets": "现有的挂图({count})", + "@allSeedViewExistingWallets": { + "placeholders": { + "count": { + "type": "int", + "format": "decimalPattern" + } + } + }, + "arkSendConfirmedBalance": "确认的平衡", + "sellFastest": "快速", + "receiveTitle": "收 款", + "transactionSwapInfoRefundableSwap": "将在几秒内自动退款。 如果没有,你可以点击“Retry Swap Refund”纽芬兰,尝试人工退款.", + "payCancelPayment": "Cancel", + "ledgerInstructionsAndroidUsb": "保证你能 Ledger与Stect公司开张,通过USB连接.", + "onboardingOwnYourMoney": "贵 会", + "allSeedViewTitle": "Seed Viewer", + "connectHardwareWalletLedger": "分类账", + "importQrDevicePassportInstructionsTitle": "基金会 护照指示", + "rbfFeeRate": "Fee rate: {rate} sat/vbyte", + "@rbfFeeRate": { + "placeholders": { + "rate": { + "type": "String" + } + } + }, + "leaveYourPhone": "页: 1 ", + "sendFastFee": "快速", + "exchangeBrandName": "BUL BITCOIN", + "torSettingsPortHelper": "Default Orbot港: 9050", + "submitButton": "排放", + "bitboxScreenTryAgainButton": "再次", + "dcaConfirmTitle": "同意 1. 采购", + "viewVaultKeyButton": "观点五 关键", + "recoverbullPasswordMismatch": "密码不匹配", + "fundExchangeCrIbanUsdTransferCodeWarning": "在付款时,必须将转让法作为“对象”或“理由”或“说明”。 如果你忘记列入这一法典,你的支付可能会被拒绝.", + "sendAdvancedSettings": "先进环境", + "backupSettingsPhysicalBackup": "实物补偿", + "importColdcardDescription": "进口挂牌照QR代码", + "backupSettingsSecurityWarning": "安保预警", + "arkCopyAddress": "复印件", + "sendScheduleFor": "{date}表", + "@sendScheduleFor": { + "placeholders": { + "date": { + "type": "String" + } + } + }, + "psbtFlowClickDone": "Click “I'm do” in the Bull Wallet.", + "addressCardUnusedLabel": "未使用", + "bitboxActionUnlockDeviceSuccess": "装置 成功", + "receivePayjoinInProgress": "在职者", + "payFor": "页: 1", + "payEnterValidAmount": "请提供有效数额", + "pinButtonRemove": "移除安全局", + "urProgressLabel": "UR Progress: {parts}部分", + "@urProgressLabel": { + "placeholders": { + "parts": { + "type": "String" + } + } + }, + "transactionDetailLabelAddressNotes": "地址说明", + "coldcardInstructionsTitle": "冷卡加指示", + "electrumDefaultServers": "违约服务器", + "onboardingRecoverWallet": "Recover Wallet", + "scanningProgressLabel": "扫描: {percent}%", + "@scanningProgressLabel": { + "placeholders": { + "percent": { + "type": "String" + } + } + }, + "transactionOrderLabelReferenceNumber": "参考数字", + "backupWalletHowToDecide": "如何决定?", + "recoverbullTestBackupDescription": "现在让我考验你们的支持,以确保一切都得到妥善执行.", + "fundExchangeSpeiInfo": "采用SPEI转让进行存款.", + "screenshotLabel": "放映", + "bitboxErrorOperationTimeout": "该行动已经停止。 请再次审判.", + "receiveLightning": "照明", + "sendRecipientAddressOrInvoice": "收款人地址或发票", + "mempoolCustomServerUrlEmpty": "请输入URL服务器", + "importQrDeviceKeystoneName": "关键石块", + "payBitcoinAddress": "地址", + "buyInsufficientBalanceTitle": "结余不足", + "swapProgressPending": "尚未移交", + "exchangeDcaAddressLabelBitcoin": "页: 1", + "loadingBackupFile": "备份文件......", + "legacySeedViewPassphrasesLabel": "通行证:", + "recoverbullContinue": "继续", + "receiveAddressCopied": "地址抄录在纸板上", + "transactionDetailLabelStatus": "现况", + "sellSendPaymentPayinAmount": "薪酬数额", + "psbtFlowTurnOnDevice": "更换{device}装置", + "@psbtFlowTurnOnDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "backupSettingsKeyServer": "主要服务器 ", + "connectHardwareWalletColdcardQ": "冷信卡", + "seedsignerStep2": "浮雕", + "addressCardIndexLabel": "指数: ", + "ledgerErrorMissingDerivationPathVerify": "核查需要依赖的道路", + "recoverbullErrorVaultNotSet": "无", + "ledgerErrorMissingScriptTypeSign": "签署时需要文字型", + "dcaSetupContinue": "继续", + "electrumFormatError": "使用地:港口形式(例如:50001)", + "arkAboutDurationDay": "{days}天", + "@arkAboutDurationDay": { + "placeholders": { + "days": { + "type": "int" + } + } + }, + "arkDurationHour": "{hours}小时", + "@arkDurationHour": { + "placeholders": { + "hours": { + "type": "String" + } + } + }, + "transactionFeesDeductedFrom": "这笔费用将从所付数额中扣除", + "buyConfirmYouPay": "页: 1", + "importWatchOnlyTitle": "进口观察", + "cancel": "Cancel", + "walletDetailsWalletFingerprintLabel": "Wallet finger", + "logsViewerTitle": "记录", + "recoverbullTorNotStarted": "未开始收监", + "arkPending": "待决", + "transactionOrderLabelOrderStatus": "身份", + "testBackupCreatedAt": "创建:", + "dcaSetRecurringBuyTitle": "2. 约定的变更", + "psbtFlowSignTransactionOnDevice": "Click the buttons to sign the trade on their {device}.", + "@psbtFlowSignTransactionOnDevice": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "transactionStatusPending": "待决", + "settingsSuperuserModeDisabledMessage": "超级用户模式残疾.", + "bitboxCubitConnectionFailed": "未能与BitBox装置连接。 请检查您的联系.", + "settingsTermsOfServiceTitle": "任期", + "importQrDeviceScanning": "扫描......", + "importWalletKeystone": "关键石块", + "payNewRecipients": "新受益者", + "transactionLabelSendNetworkFees": "简便网络费用", + "transactionLabelAddress": "地址", + "testBackupConfirm": "执 行", + "urProcessingFailedMessage": "UR处理失败", + "backupWalletChooseVaultLocationTitle": "颜色", + "receiveCopyAddressOnly": "只读或扫描", + "testBackupErrorTestFailed": "未能测试备份:{error}", + "@testBackupErrorTestFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payLightningFee": "F. 照明", + "payLabelOptional": "Label (optional)", + "recoverbullGoogleDriveDeleteButton": "删除", + "arkBalanceBreakdownTooltip": "资产负债表", + "exchangeDcaDeactivateTitle": "2. 启动", + "fundExchangeMethodEmailETransferSubtitle": "最容易和最快的方法(不变)", + "testBackupLastBackupTest": "后续测试:{timestamp}", + "@testBackupLastBackupTest": { + "placeholders": { + "timestamp": { + "type": "String" + } + } + }, + "payAmountRequired": "所需数额", + "keystoneStep7": " - device把你的装置退回一小块", + "coreSwapsChainExpired": "到期的转让", + "payDefaultCommentOptional": "缺省评论(选择)", + "payCopyInvoice": "印 度", + "transactionListYesterday": "昨天", + "walletButtonReceive": "收 款", + "buyLevel2Limit": "2级限制:{amount}", + "@buyLevel2Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "bitboxCubitDeviceNotPaired": "装置不配对。 请首先完成配对过程.", + "sellCrcBalance": "CRC 结余", + "paySelectCoinsManually": "手工选编", + "replaceByFeeActivatedLabel": "替换", + "sendPaymentProcessing": "付款正在处理之中。 最多不超过一分钟", + "electrumDefaultServersInfo": "为了保护你的隐私,在定制服务器配置时,不使用违约服务器.", + "transactionDetailLabelPayoutMethod": "薪酬办法", + "testBackupErrorLoadMnemonic": "Failed toload mnemonic: {error}", + "@testBackupErrorLoadMnemonic": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payPriceRefreshIn": "价格上涨 ", + "bitboxCubitOperationCancelled": "该行动被取消。 请再次审判.", + "passportStep3": "2. 弹 wall中显示的QR代码", + "jadeStep5": "如果你遇到麻烦,就会:", + "electrumProtocolError": "不包括议定书.", + "receivePayjoinFailQuestion": "原告一方没有时间等待或失败?", + "arkSendConfirmTitle": "Confirm Send", + "importQrDeviceSeedsignerStep1": "您的信使", + "exchangeRecipientsTitle": "受援国", + "legacySeedViewEmptyPassphrase": "(豁免)", + "importWatchOnlyDerivationPath": "抵达之路", + "sendErrorBroadcastFailed": "未能播放交易。 检查你的网络联系并再次尝试.", + "paySecurityQuestion": "安保问题", + "dcaSelectWalletTypeLabel": "选修", + "backupWalletHowToDecideVaultModalTitle": "如何决定", + "importQrDeviceJadeStep1": "页: 1", + "payNotLoggedInDescription": "你们不会gged。 请登录继续使用薪资特征.", + "testBackupEncryptedVaultTag": "简便和简单(1分钟)", + "transactionLabelAddressNotes": "地址说明", + "bitboxScreenTroubleshootingStep3": "重新启动您的Box02 装置,使其脱节和重新连接.", + "torSettingsProxyPort": "Tor Proxy Port", + "fundExchangeErrorLoadingDetails": "付款细节目前无法装上。 请回头并再次尝试,采用另一种支付方法,或稍后回去.", + "testCompletedSuccessTitle": "成功完成试验!", + "payBitcoinAmount": "数额", + "fundExchangeSpeiTransfer": "SPEI 转让", + "recoverbullUnexpectedError": "未预见的错误", + "coreSwapsStatusFailed": "Failed", + "transactionFilterSell": "Sell", + "fundExchangeMethodSpeiTransfer": "SPEI 转让", + "fundExchangeSinpeWarningNoBitcoinDescription": " 付款说明中的“现金”或“现金”一词。 这将阻碍你们的支付.", + "electrumAddServer": "增加服务器", + "addressViewCopyAddress": "复印件", + "receiveBitcoin": "页: 1", + "pinAuthenticationTitle": "认证", + "sellErrorNoWalletSelected": "选择发送付款的无围墙", + "fundExchangeCrIbanCrcRecipientNameHelp": "利用我们的正式公司名称。 不要使用“Bul>.", + "receiveVerifyAddressLedger": "更正", + "howToDecideButton": "如何决定?", + "testBackupFetchingFromDevice": "摘自你的装置.", + "backupWalletHowToDecideVaultCustomLocation": "习俗地点可能更加安全,取决于你选择哪一个地点。 你们还必须保证不要丢失备份文件或丢失贵国备份档案存放的装置.", + "exchangeLegacyTransactionsComingSoon": "遗产交易 - So", + "buyProofOfAddress": "地址证明", + "backupWalletInstructionNoDigitalCopies": "不要提供你背书的数字副本。 在纸面上书写,或在金属中填写.", + "psbtFlowError": "Rror: {error}", + "@psbtFlowError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "replaceByFeeFastestDescription": "大约10分钟", + "backupKeyHint": "acc8b7b12daf06412f45a90b7fd2..", + "importQrDeviceSeedsignerStep2": "开放“种子”菜单", + "exchangeAmountInputValidationZero": "数额必须大于零", + "transactionLabelTransactionFee": "交易费", + "importWatchOnlyRequired": "所需", + "payWalletNotSynced": "Wallet没有合成。 等候", + "recoverbullRecoveryLoadingMessage": "寻找平衡和交易..…", + "transactionSwapInfoChainDelay": "由于环链确认时间有限,链上转让可能需要一段时间才能完成.", + "sellExchangeRate": "汇率", + "walletOptionsNotFoundMessage": "不详", + "importMnemonicLegacy": "遗产", + "settingsDevModeWarningMessage": "这种方式具有风险。 你们承认你可能失去金钱", + "sellTitle": "Sell:", + "recoverbullVaultKey": "Vault Key", + "transactionListToday": "今天", + "keystoneStep12": "土木板将请你扫描基岩上的QR代码。 缩略语.", + "ledgerErrorRejectedByUser": "用户在Ledger装置上拒绝交易.", + "payFeeRate": "收费率", + "autoswapWarningDescription": "Autoswap确保你经常付款与Callet之间保持良好的平衡.", + "fundExchangeSinpeAddedToBalance": "一旦收到付款,将列入你的账户结余.", + "durationMinute": "{minutes}分钟", + "@durationMinute": { + "placeholders": { + "minutes": { + "type": "String" + } + } + }, + "recoverbullErrorDecryptedVaultNotSet": "未确定加密的违约", + "pinCodeMismatchError": "PIN不匹配", + "autoswapRecipientWalletPlaceholderRequired": "选择围墙*", + "recoverbullGoogleDriveErrorGeneric": "发生错误。 请再次审判.", + "sellUnauthenticatedError": "你没有认证。 请继续发言.", + "coreScreensConfirmSend": "Confirm Send", + "transactionDetailLabelSwapStatus": "差距", + "passportStep10": "然后,护照将显示自己的QR代码.", + "transactionDetailLabelAmountSent": "发出", + "electrumStopGapEmptyError": "消除差距是空洞的", + "typeLabel": "类型: ", + "buyInputInsufficientBalance": "结余不足", + "ledgerProcessingSignSubtext": "请确认您的Ledger装置的交易......", + "withdrawConfirmClabe": "CLABE", + "amountLabel": "数额", + "sellUsdBalance": "美元 结余", + "payScanQRCode": "Scan 法典", + "seedsignerStep10": "SeedSigner随后将展示自己的QR法典.", + "psbtInstructions": "指示", + "swapProgressCompletedMessage": "你们等待! 移交工作已顺利完成.", + "sellCalculating": "计算......", + "recoverbullPIN": "PIN", + "swapInternalTransferTitle": "内部转让", + "withdrawConfirmPayee": "收款人", + "importQrDeviceJadeStep8": "Click the “ open UK” button", + "payPhoneNumberHint": "电话", + "exchangeTransactionsComingSoon": "交易——Son公司", + "navigationTabExchange": "交换", + "dcaSuccessMessageWeekly": "页: 1", + "@dcaSuccessMessageWeekly": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "withdrawConfirmRecipientName": "客户名称", + "autoswapRecipientWalletPlaceholder": "选修围墙", + "enterYourBackupPinTitle": "填满{pinOrPassword}", + "@enterYourBackupPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "backupSettingsExporting": "出口......", + "receiveDetails": "详细情况", + "importQrDeviceSpecterStep11": "组建工作已经完成", + "mempoolSettingsUseForFeeEstimationDescription": "如果能够,该服务器将被用于估算费用。 当残疾时,将使用“白”冲积机.", + "sendCustomFee": "习俗税", + "seedsignerStep7": " - device把你的装置退回一小块", + "sendAmount": "数额", + "buyInputInsufficientBalanceMessage": "你们没有足够的平衡来建立这一秩序.", + "recoverbullSelectBackupFileNotValidError": "收回备用文件无效", + "swapErrorInsufficientFunds": "不能建立交易。 同样,由于资金不足,无法支付费用和数额.", + "dcaConfirmAmount": "数额", + "arkBalanceBreakdown": "资产负债表", + "seedsignerStep8": "一旦交易在贵岛进口,你应选择你希望签署的种子.", + "sellSendPaymentPriceRefresh": "价格上涨 ", + "arkAboutCopy": "页: 1", + "recoverbullPasswordRequired": "需要密码", + "receiveNoteLabel": "说明", + "payFirstName": "姓名", + "arkNoTransactionsYet": "尚未进行交易.", + "recoverViaCloudDescription": "利用你的PIN,通过云层回收.", + "importWatchOnlySigningDevice": "信号装置", + "receiveInvoiceExpired": "发票过期", + "ledgerButtonManagePermissions": "管理申请", + "autoswapMinimumThresholdErrorSats": "最低平衡门槛值为{amount}克拉", + "@autoswapMinimumThresholdErrorSats": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "buyKycPendingTitle": "KYC ID 有待核查", + "transactionOrderLabelPayinStatus": "Payin Status", + "sellSendPaymentSecureWallet": "安全墙", + "coreSwapsLnReceiveRefundable": "预支款将退还.", + "bitcoinSettingsElectrumServerTitle": "Electrum服务器设置", + "payRemoveRecipient": "移走接收者", + "pasteInputDefaultHint": "扣押付款地址或发票", + "sellKycPendingTitle": "KYC ID 有待核查", + "withdrawRecipientsFilterAll": "所有类型", + "bitboxScreenSegwitBip84Subtitle": "Indigenous SegWit - Proposaled", + "fundExchangeSpeiSubtitle": "利用《公约》的资金转移", + "encryptedVaultRecommendationText": "你不相信,你需要更多时间了解后备安保做法.", + "urDecodingFailedMessage": "UR 编码故障", + "fundExchangeAccountSubtitle": "选择贵国和支付方法", + "appStartupContactSupportButton": "联络支助", + "bitboxScreenWaitingConfirmation": "放弃对BitBox02的确认.", + "howToDecideVaultLocationText1": "谷歌或 Apple果等云层储存供应商由于加密密码太强而无法进入海底。 他们只能进入与关键服务器(在线服务,储存你的加密密码)相勾结的不太可能的事件。 如果关键服务器破碎,那么,谷歌或 Apple云可能会有风险.", + "receiveFeeExplanation": "这笔费用将从所付数额中扣除", + "payCannotBumpFee": "不得为这一交易收取保费", + "payAccountNumber": "账户编号", + "arkSatsUnit": "ats", + "payMinimumAmount": "最低程度:{amount}", + "@payMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sendSwapRefundCompleted": "周转基金", + "torSettingsStatusUnknown": "身份不明", + "sendConfirmSwap": "Confirm Swap", + "exchangeLogoutComingSoon": "Log Out - Comon So", + "sendSending": "贷款", + "withdrawConfirmAccount": "账户", + "backupButton": "备份", + "sellSendPaymentPayoutAmount": "薪酬数额", + "payOrderNumber": "命令号数", + "sendErrorConfirmationFailed": "证明", + "recoverbullWaiting": "放弃", + "notTestedStatus": "未经测试", + "paySinpeNumeroOrden": "命令号数", + "backupBestPracticesTitle": "B. 反馈最佳做法", + "transactionLabelRecipientAddress": "客户地址", + "backupWalletVaultProviderGoogleDrive": "谷歌运动", + "bitboxCubitDeviceNotFound": "没有发现任何BitBox装置。 请把你的装置连接起来,再次尝试.", + "autoswapSaveError": "未能挽救环境:{error}", + "@autoswapSaveError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "buyStandardWithdrawal": "标准退出", + "swapContinue": "继续", + "arkSettleButton": "定居者", + "electrumAddFailedError": "未能增加海关服务器{reason}", + "@electrumAddFailedError": { + "placeholders": { + "reason": { + "type": "String" + } + } + }, + "transactionDetailLabelTransferFees": "转账费", + "arkAboutDurationHours": "{hours}小时", + "@arkAboutDurationHours": { + "placeholders": { + "hours": { + "type": "int" + } + } + }, + "importWalletSectionGeneric": "通用围墙", + "arkEsploraUrl": "Esplora URL", + "backupSettingsNotTested": "未经测试", + "googleDrivePrivacyMessage": "谷歌将请你与本信分享个人信息.", + "errorGenericTitle": "Oops! 某些错误", + "bitboxActionPairDeviceSuccess": "有偿成功使用的设备", + "bitboxErrorNoDevicesFound": "没有发现任何BitBox装置。 保证你的装置通过USB电能和连接.", + "torSettingsStatusConnecting": "连接......", + "receiveSwapID": "Swap ID", + "settingsBitcoinSettingsTitle": "地点", + "backupWalletHowToDecideBackupModalTitle": "如何决定", + "backupSettingsLabel": "挂图", + "ledgerWalletTypeNestedSegwit": "Nest子(BIP49)", + "fundExchangeJurisdictionMexico": "🇲🇽 墨西哥", + "sellInteracEmail": "Interac Email", + "coreSwapsActionClose": "近距离", + "kruxStep6": "如果你遇到麻烦,就会:", + "autoswapMaximumFeeError": "最高限额为{threshold}%", + "@autoswapMaximumFeeError": { + "placeholders": { + "threshold": { + "type": "String" + } + } + }, + "swapValidationEnterAmount": "请列出数额", + "recoverbullErrorVaultCreatedKeyNotStored": "失败:制造了Vault文档,但钥匙没有储存在服务器上", + "exchangeSupportChatWalletIssuesInfo": "这份聊天仅用于交换供资/Buy/Sell/Withdraw/Pay方面的相关问题。\n关于隔离墙相关问题,通过在这里点击加入电报组.", + "exchangeLoginButton": "标志", + "arkAboutHide": "Hide", + "ledgerProcessingVerify": "Ledger.", + "coreScreensFeePriorityLabel": "妇女优先", + "arkSendPendingBalance": "待决余额 ", + "coreScreensLogsTitle": "记录", + "recoverbullVaultKeyInput": "Vault Key", + "testBackupErrorWalletMismatch": "备份与现有的围墙不相符", + "bip329LabelsHeading": "BIP329 进口/出口", + "jadeStep2": "添加一个字句,如果你有的话(选择)", + "coldcardStep4": "2. 弹 wall中显示的QR代码", + "importQrDevicePassportStep5": "选择“箭”办法", + "psbtFlowClickPsbt": "Click PSBT", + "sendInvoicePaid": "Invoice Paid", + "buyKycPendingDescription": "您必须首先完成身份证明核查", + "payBelowMinAmountError": "你们正在努力支付低于这一围墙可以支付的最低数额.", + "arkReceiveSegmentArk": "方 法", + "autoswapRecipientWalletInfo": "选择哪座围墙将接收转移的资金(需要)", + "importWalletKrux": "Krux", + "swapContinueButton": "继续", + "bitcoinSettingsBroadcastTransactionTitle": "广播交易", + "sendSignWithLedger": "签字人", + "pinSecurityTitle": "安保部", + "swapValidationPositiveAmount": "进入正值", + "walletDetailsSignerLabel": "签字人", + "exchangeDcaSummaryMessage": "只要你的账户有资金,你就每{frequency}次通过{network}购买{amount}.", + "@exchangeDcaSummaryMessage": { + "placeholders": { + "amount": { + "type": "String", + "description": "The amount being purchased (e.g., '$100 CAD')" + }, + "frequency": { + "type": "String" + }, + "network": { + "type": "String" + } + } + }, + "addressLabel": "地址: ", + "testBackupWalletTitle": "测试{walletName}", + "@testBackupWalletTitle": { + "placeholders": { + "walletName": { + "type": "String" + } + } + }, + "withdrawRecipientsPrompt": "我们寄钱在哪里?", + "withdrawRecipientsTitle": "选定受援国", + "sellPayoutRecipient": "收款人", + "backupWalletLastBackupTest": "后续测试: ", + "whatIsWordNumberPrompt": "字数{number}?", + "@whatIsWordNumberPrompt": { + "placeholders": { + "number": { + "type": "int", + "example": "5" + } + } + }, + "keystoneStep1": "2. 贵重物品组", + "keystoneStep3": "2. 弹 wall中显示的QR代码", + "backupKeyWarningMessage": "警告: 如果你节省了支助钥匙,则谨慎行事.", + "arkSendSuccessTitle": "成功", + "importQrDevicePassportStep3": "选择“管理账户”", + "exchangeAuthErrorMessage": "发生了错误,请再次尝试伐木.", + "bitboxActionSignTransactionTitle": "交易", + "testBackupGoogleDrivePrivacyPart3": "页: 1 ", + "logSettingsErrorLoadingMessage": "负载记录: ", + "dcaAmountLabel": "数额", + "walletNetworkLiquid": "流动网络", + "receiveArkNetwork": "方 法", + "swapMaxButton": "页: 1", + "transactionSwapStatusTransferStatus": "转让", + "importQrDeviceSeedsignerStep8": "页: 1", + "backupKeyTitle": "背 景", + "electrumDeletePrivacyNotice": "隐私通知:\n\n利用你自己的节点,确保任何第三方都不得将你的IP地址与你的交易联系起来。 您将删除其最后的海关服务器,与一台Bit硬币服务器连接。\n.\n", + "dcaConfirmFrequencyWeekly": "每个星期", + "payInstitutionNumberHint": "进入机构的数量", + "sendSlowPaymentWarning": "低付款警告", + "quickAndEasyTag": "快速和容易", + "settingsThemeTitle": "主题", + "exchangeSupportChatYesterday": "昨天", + "jadeStep3": "选择“Scan QR”办法", + "dcaSetupFundAccount": "基金", + "payEmail": "电子邮件", + "coldcardStep10": "• 在 but子上签署交易.", + "sendErrorAmountBelowSwapLimits": "数额低于互换限额", + "labelErrorNotFound": "Label “{label}”没有发现.", + "@labelErrorNotFound": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "payPrivatePayment": "私人支付", + "autoswapDefaultWalletLabel": "页: 1", + "recoverbullTestSuccessDescription": "你们能够恢复使用丢失的“红外墙”", + "dcaDeactivate": "2. 启动", + "exchangeAuthLoginFailedTitle": "旅行", + "autoswapRecipientWallet": "Recipient Wallet", + "arkUnifiedAddressBip21": "统一地址(BIP21)", + "pickPasswordOrPinButton": "Pick a {pinOrPassword} Bright", + "@pickPasswordOrPinButton": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "password" + } + } + }, + "transactionDetailLabelOrderType": "命令类型", + "autoswapWarningSettingsLink": "让我把汽车环境自动化", + "payLiquidNetwork": "流动网络", + "backupSettingsKeyWarningExample": "例如,如果你用谷歌驱使你的备份,就不使用谷歌驱使的主机.", + "backupWalletHowToDecideVaultCloudRecommendation": "谷歌 肥料云: ", + "testBackupEncryptedVaultDescription": "匿名背书,使用你的云层进行强有力的加密.", + "payNetworkType": "网络", + "addressViewChangeType": "变化", + "walletDeletionConfirmationDeleteButton": "删除", + "confirmLogoutTitle": "定额备用金", + "ledgerWalletTypeSelectTitle": "选择隔离墙 类型", + "swapTransferCompletedMessage": "你们等待! 移交工作已顺利完成.", + "encryptedVaultTag": "简便和简单(1分钟)", + "electrumDelete": "删除", + "testBackupGoogleDrivePrivacyPart4": "永远 ", + "arkConfirmButton": "执 行", + "sendCoinControl": "平行控制", + "withdrawSuccessOrderDetails": "命令细节", + "exchangeLandingConnect": "连接您的履带", + "payProcessingPayment": "处理付款......", + "ledgerImportTitle": "进口Ledger Wallet", + "exchangeDcaFrequencyMonth": "月 本", + "paySuccessfulPayments": "成功", + "navigationTabWallet": "Wallet", + "bitboxScreenScanning": "装置扫描", + "howToDecideBackupTitle": "如何决定", + "statusCheckTitle": "服务", + "ledgerHelpSubtitle": "首先,确保你的Ledger装置不锁,并开放Steb。 如果您的装置仍然无法与器相连接,则试图:", + "savingToDevice": "销毁你的装置.", + "bitboxActionImportWalletButton": "进口", + "fundExchangeLabelSwiftCode": "缩略语", + "buyEnterBitcoinAddress": "轨道硬币地址", + "autoswapWarningBaseBalance": "基地结余0.01", + "transactionDetailLabelPayoutAmount": "薪酬数额", + "importQrDeviceSpecterStep6": "选择“关键”", + "importQrDeviceJadeStep10": "这!", + "payPayeeAccountNumberHint": "账面编号", + "importQrDevicePassportStep8": "在您的移动装置上,主机是“开放式照相机”", + "dcaConfirmationError": "有些错误:{error}", + "@dcaConfirmationError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "oopsSomethingWentWrong": "Oops! 某些错误", + "pinStatusSettingUpDescription": "1. 制定您的《个人资料》", + "enterYourPinTitle": "{pinOrPassword}", + "@enterYourPinTitle": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "onboardingPhysicalBackup": "1. 物理支持", + "swapFromLabel": "摘自", + "fundExchangeCrIbanCrcDescription": "采用以下详细情况,从贵国银行账户转账 ", + "settingsDevModeWarningTitle": "D. 德 国", + "importQrDeviceKeystoneStep4": "选择互联软件", + "bitcoinSettingsAutoTransferTitle": "自动转让环境", + "rbfOriginalTransaction": "原始交易", + "payViewRecipient": "观点接受者", + "exchangeAccountInfoUserNumberCopiedMessage": "用户编号为纸板", + "settingsAppVersionLabel": "申请文本: ", + "bip329LabelsExportButton": "出口标签", + "jadeStep4": "2. 弹 wall中显示的QR代码", + "recoverbullRecoveryErrorWalletExists": "隔离墙已经存在.", + "payBillerNameValue": "选定的账簿名称", + "sendSelectCoins": "Select", + "fundExchangeLabelRoutingNumber": "序号", + "enterBackupKeyManuallyButton": "填写关键手册", + "paySyncingWallet": "3. 隔离墙......", + "allSeedViewLoadingMessage": "如果你在这种装置上有多种种子,则可能需要装上.", + "paySelectWallet": "选择隔离墙", + "pinCodeChangeButton": "更改PIN", + "paySecurityQuestionHint": "进入安全问题(10-40个特点)", + "ledgerErrorMissingPsbt": "签署《禁止杀伤人员地雷公约》需要", + "importWatchOnlyPasteHint": "Paste xpub, ypub,zpub or descriptor", + "sellAccountNumber": "账户编号", + "backupWalletLastKnownEncryptedVault": "密执安 不详: ", + "dcaSetupInsufficientBalanceMessage": "你们没有足够的平衡来建立这一秩序.", + "recoverbullGotIt": "签字", + "sendAdvancedOptions": "A. 先进选择", + "sellRateValidFor": "汇率{seconds}", + "@sellRateValidFor": { + "placeholders": { + "seconds": { + "type": "int" + } + } + }, + "autoswapAutoSaveError": "未能挽救环境", + "exchangeAccountInfoVerificationLightVerification": "轻型核查", + "exchangeFeatureBankTransfers": "• • 银行转账和付款账单", + "sellSendPaymentInstantPayments": "经常付款", + "onboardingRecoverWalletButton": "Recover Wallet", + "dcaConfirmAutoMessage": "定购单将自动置于这些环境中。 无论何时,你都可以消除这些障碍.", + "arkCollaborativeRedeem": "协作", + "pinCodeCheckingStatus": "D. 检查个人信息网络的状况", + "usePasswordInsteadButton": "使用{pinOrPassword} 替代", + "@usePasswordInsteadButton": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "password" + } + } + }, + "coreSwapsLnSendFailedRefunding": "很快将退款.", + "dcaWalletTypeLightning": "照明网络", + "transactionSwapProgressBroadcasted": "广播", + "backupWalletVaultProviderAppleICloud": "页: 1", + "swapValidationMinimumAmount": "最低数额为{amount}{currency}", + "@swapValidationMinimumAmount": { + "placeholders": { + "amount": { + "type": "String" + }, + "currency": { + "type": "String" + } + } + }, + "importMnemonicTitle": "进口Mnemonic", + "payReplaceByFeeActivated": "替换", + "testBackupDoNotShare": "纽约总部", + "kruxInstructionsTitle": "Krux号指令", + "payNotAuthenticated": "你没有认证。 请继续发言.", + "paySinpeNumeroComprobante": "参考数字", + "backupSettingsViewVaultKey": "观点五 关键", + "ledgerErrorNoConnection": "无液化连接", + "testBackupSuccessButton": "签字", + "transactionLabelTransactionId": "Transaction ID", + "buyNetworkFeeExplanation": "采矿公司收取和收取的电离层网费将从矿工收取和收取的数额中扣除", + "transactionDetailLabelAddress": "地址", + "fundExchangeCrIbanUsdLabelPaymentDescription": "付款说明", + "fundExchangeInfoBeneficiaryNameLeonod": "受益人的名称应为LEONOD。 如果你做任何事情,你的支付将被拒绝.", + "importWalletLedger": "分类账", + "recoverbullCheckingConnection": "RecoverBull检查连接", + "exchangeLandingTitle": "BUL BITCOIN", + "psbtFlowSignWithQr": "Click sign with QR Code", + "doneButton": "Done", + "withdrawSuccessTitle": "撤回", + "paySendAll": "附录", + "pinCodeAuthentication": "认证", + "payLowPriority": "低", + "coreSwapsLnReceivePending": "尚未开始使用Sap.", + "arkSendConfirmMessage": "请在发送之前确认您交易的细节.", + "bitcoinSettingsLegacySeedsTitle": "遗产种子", + "transactionDetailLabelPayjoinCreationTime": "创造工作机会", + "backupWalletBestPracticesTitle": "B. 反馈最佳做法", + "transactionSwapInfoFailedExpired": "如有任何问题或关切,请联系援助支助.", + "memorizePasswordWarning": "你们必须纪念这{pinOrPassword},以恢复你们的隔离墙。 它至少必须是6位数。 如果你失去这一{pinOrPassword},你就无法收回.", + "@memorizePasswordWarning": { + "placeholders": { + "pinOrPassword": { + "type": "String", + "example": "PIN" + } + } + }, + "googleAppleCloudRecommendation": "谷歌 肥料云: ", + "exchangeGoToWebsiteButton": "Go to Bullchange website", + "testWalletTitle": "测试{walletName}", + "@testWalletTitle": { + "placeholders": { + "walletName": { + "type": "String", + "example": "Default Wallets" + } + } + }, + "exchangeBitcoinWalletsLiquidAddressLabel": "流动资金", + "backupWalletSuccessTestButton": "退约", + "pinCodeSettingUp": "1. 制定您的《个人资料》", + "replaceByFeeErrorFeeRateTooLow": "您需要将收费率提高到至少1分之一的CO/vbyte,而不是原来的交易", + "payPriority": "优先程度", + "fundExchangeCostaRicaMethodIbanCrcSubtitle": "哥斯达黎加哥伦的转移资金", + "receiveNoTimeToWait": "原告一方没有时间等待或失败?", + "payChannelBalanceLow": "渠道平衡", + "allSeedViewNoSeedsFound": "没有发现种子.", + "bitboxScreenActionFailed": "{action} Failed", + "@bitboxScreenActionFailed": { + "placeholders": { + "action": { + "type": "String" + } + } + }, + "dcaSetupScheduleMessage": "将根据这一时间表自动进行采购.", + "coreSwapsStatusExpired": "过期", + "fundExchangeCanadaPostStep3": "3. 。 转售出你想要装载的金额", + "payFee": "Fee", + "systemLabelSelfSpend": "自助津贴", + "swapProgressRefundMessage": "转让有错误。 你的退款正在进行之中.", + "passportStep4": "如果你遇到麻烦,就会:", + "dcaConfirmContinue": "继续", + "decryptVaultButton": "加密", + "electrumNetworkBitcoin": "页: 1", + "paySecureBitcoinWallet": "安全墙", + "exchangeAppSettingsDefaultCurrencyLabel": "违约货币", + "arkSendRecipientError": "请进入接受方", + "arkArkAddress": "方言", + "payRecipientName": "客户名称", + "exchangeBitcoinWalletsLightningAddressLabel": "照明(LN地址)", + "bitboxActionVerifyAddressButton": "更正", + "torSettingsInfoTitle": "重要信息", + "importColdcardInstructionsStep7": "在您的移动装置上,主机是“开放式照相机”", + "testBackupStoreItSafe": "存放在安全的地方.", + "enterBackupKeyLabel": "进入备用钥匙", + "bitboxScreenTroubleshootingSubtitle": "首先,确保您的Box02型装置与您的USB港口连接。 如果您的装置仍然无法与器相连接,则试图:", + "securityWarningTitle": "安保预警", + "never": "永远 ", + "notLoggedInTitle": "页: 1", + "testBackupWhatIsWordNumber": "字数{number}?", + "@testBackupWhatIsWordNumber": { + "placeholders": { + "number": { + "type": "int" + } + } + }, + "payInvoiceDetails": "发票细节", + "exchangeLandingLoginButton": "标志", + "torSettingsEnableProxy": "Enable Tor Proxy", + "bitboxScreenAddressToVerify": "地址:", + "payConfirmPayment": "普通工资", + "bitboxErrorPermissionDenied": "要求允许使用USBox仪器.", + "recoveryPhraseTitle": "写你的恢复短语\n更正", + "bitboxActionSignTransactionProcessingSubtext": "请确认您的Box装置的交易......", + "sellConfirmPayment": "2. 肯定付款", + "sellSelectCoinsManually": "手工选编", + "addressViewReceiveType": "收 款", + "coldcardStep11": "冷漠 然后,Q将显示自己的QR代码.", + "fundExchangeLabelIban": "IBAN账户", + "swapDoNotUninstallWarning": "在转让完成之前,不要 app!", + "testBackupErrorVerificationFailed": "核查失败:{error}", + "@testBackupErrorVerificationFailed": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "sendViewDetails": "观点细节", + "recoverbullErrorUnexpected": "未预见的错误,见记录", + "sendSubmarineSwap": "3. 潜艇", + "transactionLabelLiquidTransactionId": "清算交易", + "payNotAvailable": "N/A", + "payFastest": "快速", + "allSeedViewSecurityWarningTitle": "安保预警", + "sendSwapFeeEstimate": "估计交换费:{amount}", + "@sendSwapFeeEstimate": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "coreSwapsLnReceiveExpired": "页: 1.", + "fundExchangeOnlineBillPaymentLabelBillerName": "• 寻找贵国银行的账单人名单以证明这一名称", + "recoverbullSelectFetchDriveFilesError": "未能抓住所有的动力", + "psbtFlowLoadFromCamera": "Click Load", + "exchangeAccountInfoVerificationLimitedVerification": "有限的核查", + "addressViewErrorLoadingMoreAddresses": "{error}", + "@addressViewErrorLoadingMoreAddresses": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "arkCopy": "页: 1", + "sendBuildingTransaction": "房舍管理.", + "fundExchangeMethodEmailETransfer": "Email E-transfer", + "electrumConfirm": "执 行", + "transactionDetailLabelOrderNumber": "命令号数", + "bitboxActionPairDeviceSuccessSubtext": "你们的BitBox装置现在配对并准备使用.", + "pickPasswordInsteadButton": "发照口号", + "coreScreensSendNetworkFeeLabel": "Send Network Fee", + "bitboxScreenScanningSubtext": "检查您的Box装置......", + "sellOrderFailed": "未能出售订单", + "payInvalidAmount": "无效数额", + "fundExchangeLabelBankName": "银行名称", + "ledgerErrorMissingScriptTypeVerify": "核查需要文字类型", + "backupWalletEncryptedVaultDescription": "匿名背书,使用你的云层进行强有力的加密.", + "sellRateExpired": "汇率过期。 重述......", + "payExternalWallet": "外墙", + "recoverbullConfirm": "执 行", + "arkPendingBalance": "待决余额", + "fundExchangeInfoBankCountryUk": "我国是联合王国.", + "dcaConfirmNetworkBitcoin": "页: 1", + "seedsignerStep14": "它现在准备广播! 一旦你点击广播,交易将立即公布在INSTRA网络上,资金将寄出.", + "fundExchangeCostaRicaMethodIbanCrcTitle": "IBAN Costa Rica (CRC)", + "payOrderDetails": "命令细节", + "importMnemonicTransactions": "{count} 交易", + "@importMnemonicTransactions": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "exchangeAppSettingsPreferredLanguageLabel": "简称", + "walletDeletionConfirmationMessage": "你们是否希望删除这一围墙?", + "rbfTitle": "收费", + "sellAboveMaxAmountError": "你们试图以这种围墙出售的最大金额出售.", + "settingsSuperuserModeUnlockedMessage": "不受约束的超级用户模式!", + "pickPinInsteadButton": "Pick PIN>", + "backupWalletVaultProviderCustomLocation": "习俗地点", + "addressViewErrorLoadingAddresses": "负载地址: {error}", + "@addressViewErrorLoadingAddresses": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "bitboxErrorConnectionTypeNotInitialized": "连接类型没有初步确定.", + "transactionListOngoingTransfersDescription": "这些转移目前正在进行之中。 你们的资金是安全的,在转让完成后将可动用.", + "ledgerErrorUnknown": "不详的错误", + "payBelowMinAmount": "你们正在努力支付低于这一围墙可以支付的最低数额.", + "ledgerProcessingVerifySubtext": "请确认您的Ledger装置上的地址.", + "transactionOrderLabelOriginCedula": "来源:Cedula", + "recoverbullRecoveryTransactionsLabel": "交易:{count}", + "@recoverbullRecoveryTransactionsLabel": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "buyViewDetails": "观点细节", + "paySwapFailed": "Swap失败", + "autoswapMaxFeeLabel": "Max Transfer Fee", + "importMnemonicBalance": "余额:{amount}", + "@importMnemonicBalance": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "appUnlockScreenTitle": "认证", + "importQrDeviceWalletName": "挂图", + "payNoRouteFound": "未找到支付款项的路线", + "fundExchangeLabelBeneficiaryName": "受益人名称", + "exchangeSupportChatMessageEmptyError": "信息不能空洞", + "fundExchangeWarningTactic2": "他们向你们提供贷款", + "sellLiquidNetwork": "流动网络", + "payViewTransaction": "观点交易", + "transactionLabelToWallet": "隔离墙", + "exchangeFileUploadInstructions": "如果你需要寄发任何其他文件,则将这些文件上载.", + "ledgerInstructionsAndroidDual": "保证你能 液化与Steb和Blutooth的开关,或通过USB连接该装置.", + "arkSendRecipientLabel": "接收人的讲话", + "defaultWalletsLabel": "违约情况", + "jadeStep9": "一旦交易在Jade进口,审查目的地地址和数额.", + "receiveAddLabel": "Add Label", + "ledgerWalletTypeNestedSegwitDescription": "P2WPKH-nested-in-P2SH", + "dcaConfirmFrequencyHourly": "每小时", + "legacySeedViewMnemonicLabel": "Mnemonic", + "sellSwiftCode": "SWIFT/BIC Code", + "fundExchangeCanadaPostTitle": "加拿大个人现金或借项", + "receiveInvoiceExpiry": "{time}年的发票到期", + "@receiveInvoiceExpiry": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "testBackupGoogleDrivePrivacyPart5": "提 交点.", + "arkTotal": "共计", + "bitboxActionSignTransactionSuccessSubtext": "你的交易已成功签署.", + "transactionStatusTransferExpired": "到期的转让", + "backupWalletInstructionLosePhone": "如果没有支持,如果你丢失或打断你的电话,或者如果你不停地拿到火焰,你就会永远失去光彩.", + "recoverbullConnected": "连接", + "dcaConfirmLightningAddress": "照明地址", + "coreSwapsLnReceiveCompleted": "蒸汽完成.", + "backupWalletErrorGoogleDriveSave": "未能拯救 go角", + "settingsTorSettingsTitle": "三、背景", + "importQrDeviceKeystoneStep2": "进入日本", + "receiveBitcoinTransactionWillTakeTime": "交易将同时确认.", + "sellOrderNotFoundError": "没有发现销售订单。 请再次审判.", + "sellErrorPrepareTransaction": "未准备交易:{error}", + "@sellErrorPrepareTransaction": { + "placeholders": { + "error": { + "type": "String", + "description": "The error message" + } + } + }, + "fundExchangeOnlineBillPaymentTitle": "《在线法案》支付", + "importQrDeviceSeedsignerStep7": "在你的移动装置上,利用开放式照相机", + "addressViewChangeAddressesDescription": "显示围墙 更改地址", + "sellReceiveAmount": "页: 1", + "bitboxCubitInvalidResponse": "BiBox装置的无效反应。 请再次审判.", + "settingsScreenTitle": "背景", + "transactionDetailLabelTransferFee": "汇款", + "importQrDeviceKruxStep5": "你在你的装置上看到QR编码.", + "arkStatus": "现况", + "fundExchangeHelpTransferCode": "添加这一点作为转让的理由", + "mempoolCustomServerEdit": "Edit", + "importQrDeviceKruxStep2": "Click 扩展公共钥匙", + "recoverButton": "恢复", + "passportStep5": " - 提高你的器具的亮度", + "bitboxScreenConnectSubtext": "保证您的Box02不受约束,并通过USB连接.", + "payOwnerName": "1. 所有权名称", + "transactionNetworkLiquid": "流动资金", + "payEstimatedConfirmation": "估计确认:{time}", + "@payEstimatedConfirmation": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "bitboxErrorInvalidResponse": "BiBox装置的无效反应。 请再次审判.", + "psbtFlowAddPassphrase": "添加一个字句,如果你有的话(选择)", + "payAdvancedOptions": "A. 先进选择", + "sendSigningTransaction": "签署交易......", + "sellErrorFeesNotCalculated": "未计算的交易费。 请再次审判.", + "dcaAddressLiquid": "流动资金", + "buyVerificationInProgress": "正在进行的核查......", + "transactionSwapDescChainPaid": "你的交易已经播放。 我们现在等待着锁定交易得到确认.", + "mempoolSettingsUseForFeeEstimation": "估算", + "buyPaymentMethod": "支付方法", + "coreSwapsStatusCompleted": "完成", + "fundExchangeCrIbanUsdDescriptionEnd": "。 资金将计入你的账户结余.", + "psbtFlowMoveCloserFurther": "Ry device device", + "arkAboutDurationMinutes": "{minutes}分钟", + "@arkAboutDurationMinutes": { + "placeholders": { + "minutes": { + "type": "int" + } + } + }, + "swapProgressTitle": "内部转让", + "pinButtonConfirm": "执 行", + "coldcardStep2": "添加一个字句,如果你有的话(选择)", + "electrumInvalidNumberError": "进入有效编号", + "coreWalletTransactionStatusConfirmed": "1. 确认", + "recoverbullSelectGoogleDrive": "谷歌运动", + "recoverbullEnterInput": "{inputType}", + "@recoverbullEnterInput": { + "placeholders": { + "inputType": { + "type": "String" + } + } + }, + "importQrDevicePassportStep12": "组建工作已经完成.", + "fundExchangeLabelIbanUsdOnly": "IBAN账户编号(仅美元)", + "payRecipientDetails": "收款人详细情况", + "fundExchangeWarningTitle": "for监测", + "receiveError": "Rror: {error}", + "@receiveError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "electrumRetryCount": "业余", + "walletDetailsDescriptorLabel": "说明", + "importQrDeviceSeedsignerInstructionsTitle": "见dSigner 指示", + "payOrderNotFoundError": "没有发现工资单。 请再次审判.", + "jadeStep12": "Click “I'm do” in the Bull Wallet.", + "payFilterByType": "按类型分列的过滤", + "importMnemonicImporting": "进口......", + "recoverbullGoogleDriveExportButton": "出口", + "bip329LabelsDescription": "采用BIP329标准格式的进出口标签.", + "backupWalletHowToDecideBackupEncryptedRecommendationText": "你不相信,你需要更多时间了解后备安保做法.", + "backupWalletImportanceWarning": "如果没有支持,你最终将失去获得你的钱的机会。 提供支持至关重要.", + "autoswapMaxFeeInfoText": "如果总转账费高于规定的百分比,则将冻结汽车转让", + "recoverbullGoogleDriveCancelButton": "Cancel", + "backupWalletSuccessDescription": "现在让我考验你们的支持,以确保一切都得到妥善执行.", + "rbfBroadcast": "广播", + "sendEstimatedDeliveryFewHours": "小时数", + "dcaConfirmFrequencyMonthly": "每个月", + "importWatchOnlyScriptType": "文字类型", + "electrumCustomServers": "海关服务器", + "transactionStatusSwapFailed": "Swap Failed", + "fundExchangeCrIbanCrcLabelCedulaJuridica": "Cédula Jurídica", + "continueButton": "继续", + "payBatchPayment": "Batch", + "transactionLabelBoltzSwapFee": "Boltz Swap Fee", + "transactionSwapDescLnReceiveFailed": "有一个问题涉及你。 如果资金没有在24小时内返还,请联系支助.", + "sellOrderNumber": "命令号数", + "payRecipientCount": "{count} 收款人", + "@payRecipientCount": { + "placeholders": { + "count": { + "type": "int" + } + } + }, + "sendErrorBuildFailed": "1. 建设失败者", + "transactionDetailSwapProgress": "差距", + "arkAboutDurationMinute": "{minutes}分钟", + "@arkAboutDurationMinute": { + "placeholders": { + "minutes": { + "type": "int" + } + } + }, + "backupWalletInstructionLoseBackup": "如果你失去12个字后,你将无法恢复使用Wallet.", + "payIsCorporateAccount": "这是公司账户吗?", + "sellSendPaymentInsufficientBalance": "部分隔离墙没有足够平衡以完成这一销售订单.", + "fundExchangeCrIbanCrcLabelRecipientName": "客户名称", + "swapTransferPendingTitle": "尚未移交", + "mempoolCustomServerSaveSuccess": "成功节约的习俗服务器", + "sendErrorBalanceTooLowForMinimum": "最低外汇数额的平衡太低", + "testBackupSuccessMessage": "你们能够恢复使用丢失的“红外墙”", + "electrumTimeout": "时间表(秒)", + "transactionDetailLabelOrderStatus": "身份", + "electrumSaveFailedError": "未能节省先进选择", + "arkSettleTransactionCount": "{count} {transaction}", + "@arkSettleTransactionCount": { + "placeholders": { + "count": { + "type": "String" + }, + "transaction": { + "type": "String" + } + } + }, + "bitboxScreenWalletTypeLabel": "挂号:", + "importQrDeviceKruxStep6": "这!", + "recoverbullRecoveryErrorMissingDerivationPath": "后备档案缺失衍生物.", + "payUnauthenticatedError": "你没有认证。 请继续发言.", + "payClabe": "CLABE", + "mempoolCustomServerDelete": "删除", + "optionalPassphraseHint": "Optional Passphrase", + "importColdcardImporting": "进口高压板墙......", + "exchangeDcaHideSettings": "良好做法", + "appUnlockIncorrectPinError": "Incorrect PIN. 请再次审判。 ({failedAttempts} {attemptsWord})", + "@appUnlockIncorrectPinError": { + "placeholders": { + "failedAttempts": { + "type": "int" + }, + "attemptsWord": { + "type": "String" + } + } + }, + "buyBitcoinSent": "页: 1!", + "coreScreensPageNotFound": "页 次", + "passportStep8": "一旦交易在你的护照上进口,审查目的地地址和数额.", + "importQrDeviceTitle": "连接{deviceName}", + "@importQrDeviceTitle": { + "placeholders": { + "deviceName": { + "type": "String" + } + } + }, + "exchangeFeatureDcaOrders": "• DCA, Limit Order and Auto-buy", + "payIban": "IBAN", + "sellSendPaymentPayoutRecipient": "收款人", + "swapInfoDescription": "顺便提一下。 只有将资金留在停薪区,用于日常开支.", + "fundExchangeCanadaPostStep7": "7. 基本生活 这笔资金将在30分钟内添加到您的平流账户余额中", + "autoswapSaveButton": "Save", + "importWatchOnlyDisclaimerDescription": "• 确保你选择的衍生途径与生产特定共和国的产品相匹配,在使用前核实从隔离墙中得出的第一种地址。 使用错误的道路可能导致资金损失", + "fundExchangeWarningTactic8": "他们正在敦促你迅速采取行动", + "encryptedVaultStatusLabel": "加密违约", + "sendConfirmSend": "Confirm Send", + "fundExchangeBankTransfer": "银行转账", + "importQrDeviceButtonInstructions": "指示", + "buyLevel3Limit": "3级限制:{amount}", + "@buyLevel3Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "electrumLiquidSslInfo": "任何议定书都不得具体指明,《特别法》将自动使用.", + "sendDeviceConnected": "装置", + "swapErrorAmountAboveMaximum": "数额超过最高点数:{max}克拉", + "@swapErrorAmountAboveMaximum": { + "placeholders": { + "max": { + "type": "String" + } + } + }, + "psbtFlowPassportTitle": "基金会 护照指示", + "exchangeLandingFeature3": "Sell, 获得薪水", + "notLoggedInMessage": "请登录在您的“Bu”账户中,以便进入交换环境.", + "swapTotalFees": "总费用 ", + "keystoneStep11": "Click “I'm do” in the Bull Wallet.", + "scanningCompletedMessage": "已完成的扫描", + "recoverbullSecureBackup": "确保你们的支持", + "payDone": "Done", + "receiveContinue": "继续", + "buyUnauthenticatedError": "你没有认证。 请继续发言.", + "bitboxActionSignTransactionButton": "开始签署", + "sendEnterAbsoluteFee": "服用绝对税", + "importWatchOnlyDisclaimerTitle": "D. 抵达道路警报", + "withdrawConfirmIban": "IBAN", + "payPayee": "收款人", + "exchangeAccountComingSoon": "这一特点不久将出现.", + "sellInProgress": "A. 正在取得进展......", + "testBackupLastKnownVault": "密执安 不详:{timestamp}", + "@testBackupLastKnownVault": { + "placeholders": { + "timestamp": { + "type": "String" + } + } + }, + "recoverbullErrorFetchKeyFailed": "未能从服务器中取出电子键", + "sendSwapInProgressInvoice": "该轮车正在铺设。 发票将分几秒支付.", + "arkReceiveButton": "收 款", + "electrumRetryCountNegativeError": "收复数可能为负数", + "fundExchangeOnlineBillPaymentLabelAccountNumber": "添加这一编号为账户编号", + "importQrDeviceJadeStep4": "主要菜单选择“选择”", + "backupWalletSavingToDeviceTitle": "销毁你的装置.", + "transactionFilterSend": "修正", + "paySwapInProgress": "A. 进展速度........", + "importMnemonicSyncMessage": "所有三类隔离墙都是yn,其平衡和交易将很快出现。 如果你确信你希望进口哪条围墙,你可以等到yn完成或着手进口.", + "coreSwapsLnSendClaimable": "斯瓦普可以申请.", + "fundExchangeMethodCrIbanCrcSubtitle": "哥斯达黎加哥伦的转移资金", + "transactionDetailTitle": "交易细节", + "autoswapRecipientWalletLabel": "Recipient Wallet", + "coreScreensConfirmTransfer": "1. 集体转让", + "payPaymentInProgressDescription": "你的付款已经启动,在交易收到1个链条确认书后,收款人将收到资金.", + "transactionLabelTotalTransferFees": "转移费用总额", + "recoverbullRetry": "学历", + "arkSettleMessage": "完成待决交易,必要时包括可回收的罐头", + "receiveCopyInvoice": "印 度", + "exchangeAccountInfoLastNameLabel": "姓 名", + "walletAutoTransferBlockedTitle": "自动转移装置", + "importQrDeviceJadeInstructionsTitle": "B. 集体指示", + "paySendMax": "Max", + "recoverbullGoogleDriveDeleteConfirmation": "你们是否希望删除这一ault? 这一行动是不可放弃的.", + "arkReceiveArkAddress": "方言", + "googleDriveSignInMessage": "你们将需要在谷歌运动上签字", + "transactionNoteEditTitle": "Edit note", + "transactionDetailLabelCompletedAt": "页: 1", + "passportStep9": "• 点击 but子在你护照上签字.", + "walletTypeBitcoinNetwork": "计算机网络", + "electrumDeleteConfirmation": "你们是否希望删除这一服务器?\n\n{serverUrl}", + "@electrumDeleteConfirmation": { + "placeholders": { + "serverUrl": { + "type": "String" + } + } + }, + "arkServerUrl": "服务器 URL", + "importMnemonicSelectType": "选择进口的围墙类型", + "fundExchangeMethodArsBankTransfer": "银行转账", + "importQrDeviceKeystoneStep1": "您的钥匙装置的权力", + "arkDurationDays": "{days}天", + "@arkDurationDays": { + "placeholders": { + "days": { + "type": "String" + } + } + }, + "bitcoinSettingsBip85EntropiesTitle": "BIP85 决定因素", + "swapTransferAmount": "转账数额", + "feePriorityLabel": "妇女优先", + "coreScreensToLabel": "致", + "backupSettingsTestBackup": "退约", + "coreSwapsActionRefund": "退款", + "payInsufficientBalance": "部分隔离墙没有足够平衡以完成这一工资单.", + "viewLogsLabel": "观点记录", + "sendSwapTimeEstimate": "估计时间:{time}", + "@sendSwapTimeEstimate": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "hwKeystone": "关键石块", + "kruxStep12": "然后,Krux将显示自己的QR代码.", + "buyInputMinAmountError": "你们至少应当购买", + "ledgerScanningTitle": "装置扫描", + "payInstitutionCode": "机构法", + "recoverbullFetchVaultKey": "Fetch Vault 关键", + "coreSwapsActionClaim": "索赔", + "bitboxActionUnlockDeviceSuccessSubtext": "你们的BitBox装置现在没有锁定,准备使用.", + "payShareInvoice": "份额", + "walletDetailsSignerDeviceLabel": "信号装置", + "bitboxScreenEnterPassword": "通行证", + "keystoneStep10": "然后,钥匙将显示自己的QR代码.", + "ledgerSuccessSignTitle": "成功交易签名", + "electrumPrivacyNoticeContent1": "隐私通知:使用你自己的节点确保没有任何第三方能够把你的IP地址与你的交易联系起来.", + "testBackupEnterKeyManually": "填写关键手册", + "fundExchangeWarningTactic3": "他们说他们从事债务或税收工作", + "payCoinjoinFailed": "巧合", + "allWordsSelectedMessage": "你选择了所有字句", + "bitboxActionPairDeviceTitle": "Pair BiBox 设备", + "buyKYCLevel2": "2级:强化", + "receiveAmount": "数额(备选案文)", + "testBackupErrorSelectAllWords": "请选择所有语文", + "buyLevel1Limit": "1级限制:{amount}", + "@buyLevel1Limit": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "dcaNetworkLabel": "网络", + "sendScanBitcoinQRCode": "页: 1.", + "toLabel": "致", + "passportStep7": " - device把你的装置退回一小块", + "sendConfirm": "执 行", + "payPhoneNumber": "电话号码", + "transactionSwapProgressInvoicePaid": "发票\nPaid", + "sendInsufficientFunds": "资金不足", + "sendSuccessfullySent": "成功", + "sendSwapAmount": "收益数额", + "autoswapTitle": "自动转让环境", + "sellInteracTransfer": "Interac e-transfer", + "bitboxScreenPairingCodeSubtext": "该代码与你的Box02屏幕相匹配,然后在装置上确认.", + "createdAtLabel": "创建:", + "pinConfirmMismatchError": "PIN不匹配", + "autoswapMinimumThresholdErrorBtc": "最低平衡门槛值为{amount}BTC", + "@autoswapMinimumThresholdErrorBtc": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "receiveLiquidNetwork": "流动资金", + "autoswapSettingsTitle": "自动转让环境", + "payFirstNameHint": "填满第一名字", + "payAdvancedSettings": "先进环境", + "walletDetailsPubkeyLabel": "Pubkey", + "arkAboutBoardingExitDelay": "离职延误", + "receiveConfirmedInFewSeconds": "几秒将予以确认", + "backupWalletInstructionNoPassphrase": "你们的支持者不受到美术的保护。 之后,通过建立新的围墙,给你的支持增添一个新陈词.", + "transactionDetailLabelSwapId": "Swap ID", + "sendSwapFailed": "s湖失败。 你的退款将很快处理.", + "sellNetworkError": "网络错误。 请再次审判", + "sendHardwareWallet": "软墙", + "sendUserRejected": "装置上被拒的用户", + "swapSubtractFeesLabel": "数额减去费用", + "buyVerificationRequired": "这一数额所需核查", + "withdrawConfirmBankAccount": "银行帐户", + "kruxStep1": "2. Kru入你的Krux装置", + "dcaUseDefaultLightningAddress": "利用我的缺省电灯.", + "recoverbullErrorRejected": "关键服务器重新启用", + "sellEstimatedArrival": "抵达估计数:{time}", + "@sellEstimatedArrival": { + "placeholders": { + "time": { + "type": "String" + } + } + }, + "fundExchangeWarningTacticsTitle": "B. 共同节奏战术", + "payInstitutionCodeHint": "加入机构法", + "arkConfirmedBalance": "确认的平衡", + "walletAddressTypeNativeSegwit": "Indigenous Segwit", + "payOpenInvoice": "公开发票", + "payMaximumAmount": "最多:{amount}", + "@payMaximumAmount": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "sellSendPaymentNetworkFees": "网络费", + "transactionSwapDescLnReceivePaid": "收到付款! 我们现在把链交易广播到你的墙上.", + "payAboveMaxAmount": "你们试图支付最多数额,以支付这一围墙的费用.", + "receiveNetworkUnavailable": "{network} 目前没有", + "@receiveNetworkUnavailable": { + "placeholders": { + "network": { + "type": "String" + } + } + }, + "fundExchangeHelpBeneficiaryAddress": "如果贵国银行有此要求,我国官方地址", + "backupWalletPhysicalBackupTitle": "1. 物理支持", + "arkTxBoarding": "董事会", + "bitboxActionVerifyAddressSuccess": "成功解决", + "psbtImDone": "我所做的工作", + "bitboxScreenSelectWalletType": "选择隔离墙 类型", + "appUnlockEnterPinMessage": "Enter Enter", + "torSettingsTitle": "三、背景", + "backupSettingsRevealing": "修订......", + "payTotal": "共计", + "autoswapSaveErrorMessage": "未能挽救环境:{error}", + "@autoswapSaveErrorMessage": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "exchangeDcaAddressLabelLightning": "照明地址", + "addressViewTitle": "地址细节", + "payCompleted": "支付!", + "bitboxScreenManagePermissionsButton": "管理申请", + "sellKYCPending": "KYC 有待核查", + "buyGetConfirmedFaster": "更快", + "transactionOrderLabelPayinAmount": "薪酬数额", + "dcaLightningAddressLabel": "照明地址", + "electrumEnableSsl": "Enable SSL", + "payCustomFee": "习俗税", + "backupInstruction5": "你们的支持者不受到美术的保护。 之后,通过建立新的围墙,给你的支持增添一个新陈词.", + "buyConfirmExpress": "1. 确认", + "fundExchangeBankTransferWireTimeframe": "您寄出的任何资金都将在1-2个工作日内添加到您的布莱特.", + "sendDeviceDisconnected": "装置", + "withdrawConfirmError": "Rror: {error}", + "@withdrawConfirmError": { + "placeholders": { + "error": { + "type": "String" + } + } + }, + "payFeeBumpFailed": "胎儿 failed折", + "arkAboutUnilateralExitDelay": "单方面撤出拖延", + "payUnsupportedInvoiceType": "未证明的发票类型", + "seedsignerStep13": "交易将进口到Bulet.", + "autoswapRecipientWalletDefaultLabel": "页: 1", + "transactionSwapDescLnReceiveClaimable": "链式交易得到了确认。 我们现在要求这些资金来完成你们的交换.", + "dcaPaymentMethodLabel": "支付方法", + "swapProgressPendingMessage": "移交工作正在进行之中。 交易可在确认时进行。 你可以回家,等待.", + "walletDetailsNetworkLabel": "网络", + "broadcastSignedTxBroadcasting": "广播.", + "recoverbullSelectRecoverWallet": "Recover Wallet", + "receivePayjoinActivated": "Payjoin", + "importMnemonicContinue": "继续", + "psbtFlowMoveLaser": "over red las", + "chooseVaultLocationTitle": "颜色", + "dcaConfirmOrderTypeValue": "重复购买", + "psbtFlowDeviceShowsQr": "{device}随后将显示自己的QR代码.", + "@psbtFlowDeviceShowsQr": { + "placeholders": { + "device": { + "type": "String" + } + } + }, + "fundExchangeCrBankTransferDescriptionExactly": "确切地说", + "testBackupEncryptedVaultTitle": "加密", + "dcaWalletTypeLiquid": "液体(LBTC)", + "fundExchangeLabelInstitutionNumber": "机构数目", + "encryptedVaultDescription": "匿名背书,使用你的云层进行强有力的加密.", + "arkAboutCopiedMessage": "{label}", + "@arkAboutCopiedMessage": { + "placeholders": { + "label": { + "type": "String" + } + } + }, + "swapAmountLabel": "数额", + "recoverbullSelectCustomLocation": "习俗地点", + "sellConfirmOrder": "Confirm Sell Order", + "exchangeAccountInfoUserNumberLabel": "用户数", + "buyVerificationComplete": "核查完成情况", + "transactionNotesLabel": "交易说明", + "replaceByFeeFeeRateDisplay": "Fee rate: {feeRate} sat/vbyte", + "@replaceByFeeFeeRateDisplay": { + "placeholders": { + "feeRate": { + "type": "String" + } + } + }, + "torSettingsPortValidationRange": "港口必须在1至65535之间", + "fundExchangeMethodCrIbanUsdSubtitle": "美元转账资金", + "electrumTimeoutEmptyError": "空洞", + "electrumPrivacyNoticeContent2": "然而, 如果你通过点击您的Transaction ID或接收人的详细页面来看待交易,则这些信息将公布于Bit.", + "exchangeAccountInfoVerificationIdentityVerified": "核实身份", + "importColdcardScanPrompt": "Cold卡QR代码的扫描", + "torSettingsDescConnected": "代理正在运行并准备就绪", + "backupSettingsEncryptedVault": "加密违约", + "autoswapAlwaysBlockInfoDisabled": "如果残疾,将给予你允许因高收费而被阻断的汽车转让的选择权", + "dcaSetupTitle": "2. 约定的变更", + "sendErrorInsufficientBalanceForPayment": "支付这一款项的结余不够", + "bitboxScreenPairingCode": "有偿守则", + "testBackupPhysicalBackupTitle": "1. 物理支持", + "fundExchangeSpeiDescription": "利用《公约》的资金转移", + "ledgerProcessingImport": "进口瓦莱", + "coldcardStep15": "它现在准备广播! 一旦你点击广播,交易将立即公布在INSTRA网络上,资金将寄出.", + "comingSoonDefaultMessage": "这一特点目前正在发展之中,不久将出台.", + "dcaFrequencyLabel": "频率", + "ledgerErrorMissingAddress": "核查需要解决", + "enterBackupKeyManuallyTitle": "手工操作", + "transactionDetailLabelRecipientAddress": "客户地址", + "recoverbullCreatingVault": "建立加密 缩略语", + "walletsListNoWalletsMessage": "发现的隔离墙", + "importWalletColdcardQ": "冷信卡", + "backupSettingsStartBackup": "启动", + "sendReceiveAmount": "收款情况", + "recoverbullTestRecovery": "试验恢复", + "sellNetAmount": "净额", + "willNot": "不 ", + "arkAboutServerPubkey": "服务器", + "receiveReceiveAmount": "收款情况", + "exchangeReferralsApplyToJoinMessage": "申请加入该方案", + "payLabelHint": "贴上这一收款人的标签", + "payBitcoinOnchain": "页: 1", + "pinManageDescription": "管理你们的安全", + "pinCodeConfirm": "执 行", + "bitboxActionUnlockDeviceProcessing": "锁定装置", + "seedsignerStep4": "如果你遇到麻烦,就会:", + "mempoolNetworkLiquidTestnet": "流动测试", + "payBitcoinOnChain": "页: 1", + "torSettingsDescDisconnected": "委托代理公司没有运行", + "ledgerButtonTryAgain": "再次", + "bitboxScreenNestedSegwitBip49Subtitle": "P2WPKH-nested-in-P2SH", + "buyInstantPaymentWallet": "经常付款墙", + "autoswapMaxBalanceLabel": "Max Instant Wallet Balance", + "recoverbullRecoverBullServer": "RecoverBull服务器", + "satsBitcoinUnitSettingsLabel": "Ats的显示器", + "exchangeDcaViewSettings": "观点环境", + "payRetryPayment": "工资", + "exchangeSupportChatTitle": "支持地图", + "sellAdvancedSettings": "先进环境", + "arkTxTypeCommitment": "承诺", + "exchangeReferralsJoinMissionTitle": "加入特派团", + "exchangeSettingsLogInTitle": "后勤", + "customLocationRecommendation": "习俗地点: ", + "fundExchangeMethodCrIbanUsd": "哥斯达黎加 IBAN (美元)", + "recoverbullErrorSelectVault": "未选定过失", + "paySwapCompleted": "完成学业", + "receiveDescription": "说明(选择)", + "bitboxScreenVerifyAddress": "更正", + "bitboxScreenConnectDevice": "3. 连接比比奥人", + "arkYesterday": "昨天", + "amountRequestedLabel": "要求的数额:{amount}", + "@amountRequestedLabel": { + "placeholders": { + "amount": { + "type": "String" + } + } + }, + "swapProgressRefunded": "转拨资金", + "payPaymentHistory": "支付史", + "exchangeFeatureUnifiedHistory": "• 统一交易史", + "payViewDetails": "观点细节", + "withdrawOrderAlreadyConfirmedError": "这一撤销令已经得到确认.", + "autoswapSelectWallet": "选修围墙", + "walletAutoTransferBlockButton": "路障", + "recoverbullGoogleDriveErrorSelectFailed": "未能从谷歌风暴中选取ault", + "autoswapRecipientWalletRequired": "* E/CN.6/2009/1", + "pinCodeLoading": "抢劫", + "fundExchangeCrIbanUsdLabelRecipientName": "客户名称", + "ledgerSignTitle": "交易", + "importWatchOnlyCancel": "Cancel", + "arkAboutTitle": "关于", + "exchangeSettingsSecuritySettingsTitle": "安全设置", + "transactionNoteUpdateButton": "更新" +} \ No newline at end of file