mirror of
https://github.com/cake-tech/cake_wallet.git
synced 2025-03-09 10:16:04 +00:00
CW-774: Enforce Seed Verification (#1874)
* feat: Switch UI for seeds display * feat: Add localization for disclaimer text * fix: Modify color for warning on seeds screen * Fix: Adjust UI styling for seed page * chore: Revert podfile.lock * Fix column colors * Fix more colors * Fix more colors and update strings * feat: Enforce Seed Verification Implementation * fix: Error extracting seed words in Japanese because of spacing type used * fix: Modify styling for copy image button * fix: Add back button to the seed page and adjust styling to seed verification question text * Update seed verification image [skip ci] * Update description text weight [skip ci] * Make seed page wider * Seed page changes --------- Co-authored-by: tuxpizza <tuxsudo@tux.pizza> Co-authored-by: Omar Hatem <omarh.ismail1@gmail.com>
This commit is contained in:
parent
d55e635f61
commit
ae80fb3b55
39 changed files with 647 additions and 76 deletions
BIN
assets/images/seed_verified.png
Normal file
BIN
assets/images/seed_verified.png
Normal file
Binary file not shown.
After Width: | Height: | Size: 24 KiB |
|
@ -39,6 +39,7 @@ import 'package:cake_wallet/entities/wallet_manager.dart';
|
|||
import 'package:cake_wallet/src/screens/buy/buy_sell_options_page.dart';
|
||||
import 'package:cake_wallet/src/screens/buy/payment_method_options_page.dart';
|
||||
import 'package:cake_wallet/src/screens/receive/address_list_page.dart';
|
||||
import 'package:cake_wallet/src/screens/seed/seed_verification/seed_verification_page.dart';
|
||||
import 'package:cake_wallet/src/screens/send/transaction_success_info_page.dart';
|
||||
import 'package:cake_wallet/src/screens/wallet_list/wallet_list_page.dart';
|
||||
import 'package:cake_wallet/src/screens/settings/mweb_logs_page.dart';
|
||||
|
@ -1417,5 +1418,7 @@ Future<void> setup({
|
|||
|
||||
getIt.registerFactory(() => SignViewModel(getIt.get<AppStore>().wallet!));
|
||||
|
||||
getIt.registerFactory(() => SeedVerificationPage(getIt.get<WalletSeedViewModel>()));
|
||||
|
||||
_isSetupFinished = true;
|
||||
}
|
||||
|
|
|
@ -66,6 +66,7 @@ import 'package:cake_wallet/src/screens/restore/sweeping_wallet_page.dart';
|
|||
import 'package:cake_wallet/src/screens/restore/wallet_restore_choose_derivation.dart';
|
||||
import 'package:cake_wallet/src/screens/restore/wallet_restore_page.dart';
|
||||
import 'package:cake_wallet/src/screens/seed/pre_seed_page.dart';
|
||||
import 'package:cake_wallet/src/screens/seed/seed_verification/seed_verification_page.dart';
|
||||
import 'package:cake_wallet/src/screens/seed/wallet_seed_page.dart';
|
||||
import 'package:cake_wallet/src/screens/send/send_page.dart';
|
||||
import 'package:cake_wallet/src/screens/send/send_template_page.dart';
|
||||
|
@ -799,6 +800,12 @@ Route<dynamic> createRoute(RouteSettings settings) {
|
|||
),
|
||||
);
|
||||
|
||||
case Routes.walletSeedVerificationPage:
|
||||
return MaterialPageRoute<void>(
|
||||
fullscreenDialog: true,
|
||||
builder: (_) => getIt.get<SeedVerificationPage>(),
|
||||
);
|
||||
|
||||
default:
|
||||
return MaterialPageRoute<void>(
|
||||
builder: (_) => Scaffold(
|
||||
|
|
|
@ -116,4 +116,5 @@ class Routes {
|
|||
static const urqrAnimatedPage = '/urqr/animated_page';
|
||||
static const walletGroupsDisplayPage = '/wallet_groups_display_page';
|
||||
static const walletGroupDescription = '/wallet_group_description';
|
||||
static const walletSeedVerificationPage = '/wallet_seed_verification_page';
|
||||
}
|
||||
|
|
|
@ -25,5 +25,5 @@ class PreSeedPage extends InfoPage {
|
|||
|
||||
@override
|
||||
void Function(BuildContext) get onPressed =>
|
||||
(BuildContext context) => Navigator.of(context).popAndPushNamed(Routes.seed, arguments: true);
|
||||
(BuildContext context) => Navigator.of(context).pushNamed(Routes.seed, arguments: true);
|
||||
}
|
||||
|
|
|
@ -0,0 +1,35 @@
|
|||
import 'package:cake_wallet/generated/i18n.dart';
|
||||
import 'package:cake_wallet/src/screens/base_page.dart';
|
||||
import 'package:cake_wallet/src/screens/seed/seed_verification/seed_verification_step_view.dart';
|
||||
import 'package:cake_wallet/src/screens/seed/seed_verification/seed_verification_success_view.dart';
|
||||
import 'package:cake_wallet/view_model/wallet_seed_view_model.dart';
|
||||
import 'package:flutter/material.dart';
|
||||
import 'package:flutter_mobx/flutter_mobx.dart';
|
||||
|
||||
class SeedVerificationPage extends BasePage {
|
||||
final WalletSeedViewModel walletSeedViewModel;
|
||||
|
||||
SeedVerificationPage(this.walletSeedViewModel);
|
||||
|
||||
@override
|
||||
String? get title => S.current.verify_seed;
|
||||
|
||||
@override
|
||||
Widget body(BuildContext context) {
|
||||
return Observer(
|
||||
builder: (context) {
|
||||
return Padding(
|
||||
padding: const EdgeInsets.all(16.0),
|
||||
child: walletSeedViewModel.isVerificationComplete
|
||||
? SeedVerificationSuccessView(
|
||||
imageColor: titleColor(context),
|
||||
)
|
||||
: SeedVerificationStepView(
|
||||
walletSeedViewModel: walletSeedViewModel,
|
||||
questionTextColor: titleColor(context),
|
||||
),
|
||||
);
|
||||
},
|
||||
);
|
||||
}
|
||||
}
|
|
@ -0,0 +1,135 @@
|
|||
import 'package:cake_wallet/generated/i18n.dart';
|
||||
import 'package:cake_wallet/themes/extensions/cake_text_theme.dart';
|
||||
import 'package:cake_wallet/utils/show_bar.dart';
|
||||
import 'package:cake_wallet/view_model/wallet_seed_view_model.dart';
|
||||
import 'package:flutter/material.dart';
|
||||
import 'package:flutter_mobx/flutter_mobx.dart';
|
||||
|
||||
class SeedVerificationStepView extends StatelessWidget {
|
||||
const SeedVerificationStepView({
|
||||
required this.walletSeedViewModel,
|
||||
required this.questionTextColor,
|
||||
super.key,
|
||||
});
|
||||
|
||||
final WalletSeedViewModel walletSeedViewModel;
|
||||
final Color questionTextColor;
|
||||
|
||||
@override
|
||||
Widget build(BuildContext context) {
|
||||
return Observer(
|
||||
builder: (context) {
|
||||
return Padding(
|
||||
padding: EdgeInsets.symmetric(horizontal: 8),
|
||||
child: Column(
|
||||
crossAxisAlignment: CrossAxisAlignment.start,
|
||||
children: [
|
||||
SizedBox(height: 48),
|
||||
Align(
|
||||
alignment: Alignment.center,
|
||||
child: RichText(
|
||||
text: TextSpan(
|
||||
children: [
|
||||
TextSpan(
|
||||
text: '${S.current.seed_position_question_one} ',
|
||||
style: TextStyle(
|
||||
fontSize: 20,
|
||||
fontWeight: FontWeight.w600,
|
||||
color: questionTextColor,
|
||||
),
|
||||
),
|
||||
TextSpan(
|
||||
text: '${getOrdinal(walletSeedViewModel.currentWordIndex + 1)} ',
|
||||
style: TextStyle(
|
||||
fontSize: 20,
|
||||
fontWeight: FontWeight.w800,
|
||||
color: questionTextColor,
|
||||
),
|
||||
),
|
||||
TextSpan(
|
||||
text: S.current.seed_position_question_two,
|
||||
style: TextStyle(
|
||||
fontSize: 20,
|
||||
fontWeight: FontWeight.w600,
|
||||
color: questionTextColor,
|
||||
),
|
||||
),
|
||||
],
|
||||
),
|
||||
textAlign: TextAlign.center,
|
||||
),
|
||||
),
|
||||
const SizedBox(height: 24),
|
||||
Align(
|
||||
alignment: Alignment.center,
|
||||
child: Wrap(
|
||||
spacing: 8,
|
||||
runSpacing: 8,
|
||||
alignment: WrapAlignment.center,
|
||||
children: walletSeedViewModel.currentOptions.map(
|
||||
(option) {
|
||||
return GestureDetector(
|
||||
onTap: () async {
|
||||
final isCorrectWord = walletSeedViewModel.isChosenWordCorrect(option);
|
||||
final isSecondWrongEntry = walletSeedViewModel.wrongEntries == 2;
|
||||
if (!isCorrectWord) {
|
||||
await showBar<void>(
|
||||
context,
|
||||
isSecondWrongEntry
|
||||
? S.current.incorrect_seed_option_back
|
||||
: S.current.incorrect_seed_option,
|
||||
);
|
||||
|
||||
if (isSecondWrongEntry) {
|
||||
Navigator.pop(context);
|
||||
}
|
||||
}
|
||||
},
|
||||
child: Container(
|
||||
padding: const EdgeInsets.symmetric(horizontal: 24, vertical: 8),
|
||||
decoration: BoxDecoration(
|
||||
borderRadius: BorderRadius.circular(16),
|
||||
color: Theme.of(context).cardColor,
|
||||
),
|
||||
child: Text(
|
||||
option,
|
||||
style: TextStyle(
|
||||
fontSize: 20,
|
||||
fontWeight: FontWeight.w800,
|
||||
color: Theme.of(context).extension<CakeTextTheme>()!.buttonTextColor,
|
||||
),
|
||||
),
|
||||
),
|
||||
);
|
||||
},
|
||||
).toList(),
|
||||
),
|
||||
),
|
||||
],
|
||||
),
|
||||
);
|
||||
},
|
||||
);
|
||||
}
|
||||
|
||||
String getOrdinal(int number) {
|
||||
// Handle special cases for 11th, 12th, 13th
|
||||
final lastTwoDigits = number % 100;
|
||||
if (lastTwoDigits >= 11 && lastTwoDigits <= 13) {
|
||||
return '${number}th';
|
||||
}
|
||||
|
||||
// Check the last digit for st, nd, rd, or default th
|
||||
final lastDigit = number % 10;
|
||||
switch (lastDigit) {
|
||||
case 1:
|
||||
return '${number}st';
|
||||
case 2:
|
||||
return '${number}nd';
|
||||
case 3:
|
||||
return '${number}rd';
|
||||
default:
|
||||
return '${number}th';
|
||||
}
|
||||
}
|
||||
}
|
|
@ -0,0 +1,74 @@
|
|||
import 'package:cake_wallet/generated/i18n.dart';
|
||||
import 'package:cake_wallet/src/widgets/primary_button.dart';
|
||||
import 'package:cake_wallet/themes/extensions/cake_text_theme.dart';
|
||||
import 'package:flutter/material.dart';
|
||||
|
||||
class SeedVerificationSuccessView extends StatelessWidget {
|
||||
const SeedVerificationSuccessView({required this.imageColor, super.key});
|
||||
|
||||
final Color imageColor;
|
||||
|
||||
@override
|
||||
Widget build(BuildContext context) {
|
||||
final image = Image.asset('assets/images/seed_verified.png', color: imageColor);
|
||||
|
||||
return Center(
|
||||
child: Column(
|
||||
children: [
|
||||
ConstrainedBox(
|
||||
constraints: BoxConstraints(maxHeight: MediaQuery.of(context).size.height * 0.3),
|
||||
child: AspectRatio(
|
||||
aspectRatio: 1.8,
|
||||
child: image,
|
||||
),
|
||||
),
|
||||
SizedBox(height: 16),
|
||||
Text(
|
||||
S.current.seed_verified,
|
||||
textAlign: TextAlign.center,
|
||||
style: TextStyle(
|
||||
fontSize: 20,
|
||||
fontWeight: FontWeight.w600,
|
||||
color: Theme.of(context).extension<CakeTextTheme>()!.titleColor,
|
||||
),
|
||||
),
|
||||
SizedBox(height: 48),
|
||||
RichText(
|
||||
text: TextSpan(
|
||||
children: [
|
||||
TextSpan(
|
||||
text: '${S.current.seed_verified_subtext} ',
|
||||
style: TextStyle(
|
||||
fontSize: 16,
|
||||
fontWeight: FontWeight.w400,
|
||||
color: Theme.of(context).extension<CakeTextTheme>()!.secondaryTextColor,
|
||||
),
|
||||
),
|
||||
TextSpan(
|
||||
text: S.current.seed_display_path,
|
||||
style: TextStyle(
|
||||
fontSize: 16,
|
||||
fontWeight: FontWeight.w800,
|
||||
color: Theme.of(context).extension<CakeTextTheme>()!.secondaryTextColor,
|
||||
),
|
||||
),
|
||||
],
|
||||
),
|
||||
textAlign: TextAlign.center,
|
||||
),
|
||||
Spacer(),
|
||||
PrimaryButton(
|
||||
key: ValueKey('wallet_seed_page_open_wallet_button_key'),
|
||||
onPressed: () {
|
||||
Navigator.of(context).popUntil((route) => route.isFirst);
|
||||
},
|
||||
text: S.current.open_wallet,
|
||||
color: Theme.of(context).primaryColor,
|
||||
textColor: Colors.white,
|
||||
),
|
||||
SizedBox(height: 16),
|
||||
],
|
||||
),
|
||||
);
|
||||
}
|
||||
}
|
|
@ -1,3 +1,4 @@
|
|||
import 'package:cake_wallet/routes.dart';
|
||||
import 'package:cake_wallet/themes/extensions/cake_text_theme.dart';
|
||||
import 'package:cake_wallet/themes/extensions/dashboard_page_theme.dart';
|
||||
import 'package:cake_wallet/themes/theme_base.dart';
|
||||
|
@ -15,7 +16,7 @@ import 'package:cake_wallet/src/widgets/primary_button.dart';
|
|||
import 'package:cake_wallet/src/screens/base_page.dart';
|
||||
import 'package:cake_wallet/view_model/wallet_seed_view_model.dart';
|
||||
|
||||
import '../../../themes/extensions/menu_theme.dart';
|
||||
import '../../../themes/extensions/send_page_theme.dart';
|
||||
|
||||
class WalletSeedPage extends BasePage {
|
||||
WalletSeedPage(this.walletSeedViewModel, {required this.isNewWalletCreated});
|
||||
|
@ -29,62 +30,34 @@ class WalletSeedPage extends BasePage {
|
|||
final bool isNewWalletCreated;
|
||||
final WalletSeedViewModel walletSeedViewModel;
|
||||
|
||||
@override
|
||||
void onClose(BuildContext context) async {
|
||||
if (isNewWalletCreated) {
|
||||
final confirmed = await showPopUp<bool>(
|
||||
context: context,
|
||||
builder: (BuildContext context) {
|
||||
return AlertWithTwoActions(
|
||||
alertDialogKey: ValueKey('wallet_seed_page_seed_alert_dialog_key'),
|
||||
alertRightActionButtonKey:
|
||||
ValueKey('wallet_seed_page_seed_alert_confirm_button_key'),
|
||||
alertLeftActionButtonKey: ValueKey('wallet_seed_page_seed_alert_back_button_key'),
|
||||
alertTitle: S.of(context).seed_alert_title,
|
||||
alertContent: S.of(context).seed_alert_content,
|
||||
leftButtonText: S.of(context).seed_alert_back,
|
||||
rightButtonText: S.of(context).seed_alert_yes,
|
||||
actionLeftButton: () => Navigator.of(context).pop(false),
|
||||
actionRightButton: () => Navigator.of(context).pop(true),
|
||||
);
|
||||
},
|
||||
) ??
|
||||
false;
|
||||
|
||||
if (confirmed) {
|
||||
Navigator.of(context).popUntil((route) => route.isFirst);
|
||||
}
|
||||
|
||||
return;
|
||||
}
|
||||
|
||||
Navigator.of(context).pop();
|
||||
}
|
||||
|
||||
@override
|
||||
Widget? leading(BuildContext context) => isNewWalletCreated ? null : super.leading(context);
|
||||
|
||||
@override
|
||||
Widget trailing(BuildContext context) {
|
||||
final copyImage = Image.asset(
|
||||
'assets/images/copy_address.png',
|
||||
color: Theme.of(context)
|
||||
.extension<CakeTextTheme>()!
|
||||
.buttonTextColor
|
||||
);
|
||||
|
||||
return isNewWalletCreated
|
||||
? GestureDetector(
|
||||
key: ValueKey('wallet_seed_page_next_button_key'),
|
||||
onTap: () => onClose(context),
|
||||
key: ValueKey('wallet_seed_page_copy_seeds_button_key'),
|
||||
onTap: () {
|
||||
ClipboardUtil.setSensitiveDataToClipboard(
|
||||
ClipboardData(text: walletSeedViewModel.seed),
|
||||
);
|
||||
showBar<void>(context, S.of(context).copied_to_clipboard);
|
||||
},
|
||||
child: Container(
|
||||
width: 100,
|
||||
height: 32,
|
||||
padding: EdgeInsets.all(8),
|
||||
width: 40,
|
||||
alignment: Alignment.center,
|
||||
margin: EdgeInsets.only(left: 10),
|
||||
decoration: BoxDecoration(
|
||||
borderRadius: BorderRadius.all(Radius.circular(16)),
|
||||
color: Theme.of(context).cardColor),
|
||||
child: Text(
|
||||
S.of(context).seed_language_next,
|
||||
style: TextStyle(
|
||||
fontSize: 14,
|
||||
fontWeight: FontWeight.w600,
|
||||
color: Theme.of(context).extension<CakeTextTheme>()!.buttonTextColor),
|
||||
borderRadius: BorderRadius.all(Radius.circular(8)),
|
||||
color: Theme.of(context).cardColor,
|
||||
),
|
||||
child: copyImage,
|
||||
),
|
||||
)
|
||||
: Offstage();
|
||||
|
@ -95,7 +68,7 @@ class WalletSeedPage extends BasePage {
|
|||
return WillPopScope(
|
||||
onWillPop: () async => false,
|
||||
child: Container(
|
||||
padding: EdgeInsets.symmetric(horizontal: 24, vertical: 8),
|
||||
padding: EdgeInsets.symmetric(horizontal: 14, vertical: 8),
|
||||
alignment: Alignment.center,
|
||||
child: ConstrainedBox(
|
||||
constraints:
|
||||
|
@ -129,7 +102,7 @@ class WalletSeedPage extends BasePage {
|
|||
size: 64,
|
||||
color: Colors.white.withOpacity(0.75),
|
||||
),
|
||||
SizedBox(width: 8),
|
||||
SizedBox(width: 6),
|
||||
Expanded(
|
||||
child: Text(
|
||||
S.current.cake_seeds_save_disclaimer,
|
||||
|
@ -146,24 +119,23 @@ class WalletSeedPage extends BasePage {
|
|||
],
|
||||
),
|
||||
),
|
||||
SizedBox(height: 32),
|
||||
SizedBox(height: 20),
|
||||
Text(
|
||||
key: ValueKey('wallet_seed_page_wallet_name_text_key'),
|
||||
walletSeedViewModel.name,
|
||||
style: TextStyle(
|
||||
fontSize: 20,
|
||||
fontSize: 18,
|
||||
fontWeight: FontWeight.w600,
|
||||
color: Theme.of(context).extension<CakeTextTheme>()!.titleColor,
|
||||
),
|
||||
),
|
||||
SizedBox(height: 24),
|
||||
SizedBox(height: 20),
|
||||
Expanded(
|
||||
child: GridView.builder(
|
||||
padding: const EdgeInsets.symmetric(horizontal: 4),
|
||||
itemCount: walletSeedViewModel.seedSplit.length,
|
||||
gridDelegate: SliverGridDelegateWithFixedCrossAxisCount(
|
||||
crossAxisCount: walletSeedViewModel.columnCount,
|
||||
childAspectRatio: 3.6,
|
||||
crossAxisCount: 3,
|
||||
childAspectRatio: 2.8,
|
||||
mainAxisSpacing: 8.0,
|
||||
crossAxisSpacing: 8.0,
|
||||
),
|
||||
|
@ -172,7 +144,7 @@ class WalletSeedPage extends BasePage {
|
|||
final numberCount = index + 1;
|
||||
|
||||
return Container(
|
||||
padding: const EdgeInsets.symmetric(horizontal: 4),
|
||||
padding: const EdgeInsets.symmetric(horizontal: 8),
|
||||
alignment: Alignment.center,
|
||||
decoration: BoxDecoration(
|
||||
borderRadius: BorderRadius.circular(8),
|
||||
|
@ -182,25 +154,27 @@ class WalletSeedPage extends BasePage {
|
|||
crossAxisAlignment: CrossAxisAlignment.center,
|
||||
children: [
|
||||
SizedBox(
|
||||
width: 20,
|
||||
child: Text(
|
||||
//maxLines: 1,
|
||||
numberCount.toString(),
|
||||
textAlign: TextAlign.right,
|
||||
textAlign: TextAlign.center,
|
||||
style: TextStyle(
|
||||
fontSize: 14,
|
||||
fontWeight: FontWeight.w700,
|
||||
fontSize: 12,
|
||||
height: 1,
|
||||
fontWeight: FontWeight.w800,
|
||||
color: Theme.of(context)
|
||||
.extension<CakeTextTheme>()!
|
||||
.buttonTextColor
|
||||
.withOpacity(0.5)),
|
||||
),
|
||||
),
|
||||
const SizedBox(width: 8),
|
||||
const SizedBox(width: 6),
|
||||
Expanded(
|
||||
child: Text(
|
||||
'${item[0].toUpperCase()}${item.substring(1)}',
|
||||
'${item[0].toLowerCase()}${item.substring(1)}',
|
||||
style: TextStyle(
|
||||
fontSize: 14,
|
||||
height: 0.8,
|
||||
fontWeight: FontWeight.w700,
|
||||
color: Theme.of(context)
|
||||
.extension<CakeTextTheme>()!
|
||||
|
@ -225,7 +199,7 @@ class WalletSeedPage extends BasePage {
|
|||
children: <Widget>[
|
||||
Flexible(
|
||||
child: Container(
|
||||
padding: EdgeInsets.only(right: 8.0),
|
||||
padding: EdgeInsets.only(right: 8.0, top: 8.0),
|
||||
child: PrimaryButton(
|
||||
key: ValueKey('wallet_seed_page_save_seeds_button_key'),
|
||||
onPressed: () {
|
||||
|
@ -244,17 +218,13 @@ class WalletSeedPage extends BasePage {
|
|||
),
|
||||
Flexible(
|
||||
child: Container(
|
||||
padding: EdgeInsets.only(left: 8.0),
|
||||
padding: EdgeInsets.only(left: 8.0, top: 8.0),
|
||||
child: Builder(
|
||||
builder: (context) => PrimaryButton(
|
||||
key: ValueKey('wallet_seed_page_copy_seeds_button_key'),
|
||||
onPressed: () {
|
||||
ClipboardUtil.setSensitiveDataToClipboard(
|
||||
ClipboardData(text: walletSeedViewModel.seed),
|
||||
);
|
||||
showBar<void>(context, S.of(context).copied_to_clipboard);
|
||||
},
|
||||
text: S.of(context).copy,
|
||||
key: ValueKey('wallet_seed_page_verify_seed_button_key'),
|
||||
onPressed: () =>
|
||||
Navigator.pushNamed(context, Routes.walletSeedVerificationPage),
|
||||
text: S.current.verify_seed,
|
||||
color: Theme.of(context).primaryColor,
|
||||
textColor: Colors.white,
|
||||
),
|
||||
|
@ -263,7 +233,7 @@ class WalletSeedPage extends BasePage {
|
|||
)
|
||||
],
|
||||
),
|
||||
SizedBox(height: 24),
|
||||
SizedBox(height: 12),
|
||||
],
|
||||
)
|
||||
],
|
||||
|
|
|
@ -3,4 +3,5 @@ class FeatureFlag {
|
|||
static const bool isExolixEnabled = true;
|
||||
static const bool isInAppTorEnabled = false;
|
||||
static const bool isBackgroundSyncEnabled = false;
|
||||
static const int verificationWordsCount = 2;
|
||||
}
|
|
@ -1,3 +1,6 @@
|
|||
import 'dart:math';
|
||||
|
||||
import 'package:cake_wallet/utils/feature_flag.dart';
|
||||
import 'package:mobx/mobx.dart';
|
||||
import 'package:cw_core/wallet_base.dart';
|
||||
|
||||
|
@ -8,7 +11,11 @@ class WalletSeedViewModel = WalletSeedViewModelBase with _$WalletSeedViewModel;
|
|||
abstract class WalletSeedViewModelBase with Store {
|
||||
WalletSeedViewModelBase(WalletBase wallet)
|
||||
: name = wallet.name,
|
||||
seed = wallet.seed!;
|
||||
seed = wallet.seed!,
|
||||
currentOptions = ObservableList<String>(),
|
||||
verificationIndices = ObservableList<int>() {
|
||||
setupSeedVerification();
|
||||
}
|
||||
|
||||
@observable
|
||||
String name;
|
||||
|
@ -22,4 +29,90 @@ abstract class WalletSeedViewModelBase with Store {
|
|||
List<String> get seedSplit => seed.split(RegExp(r'\s+'));
|
||||
|
||||
int get columnCount => seedSplit.length <= 16 ? 2 : 3;
|
||||
double get columnAspectRatio => seedSplit.length <= 16 ? 1.8 : 2.8;
|
||||
|
||||
/// The indices of the seed to be verified.
|
||||
ObservableList<int> verificationIndices;
|
||||
|
||||
/// The index of the word in verificationIndices being verified.
|
||||
@observable
|
||||
int currentStepIndex = 0;
|
||||
|
||||
/// The options to be displayed on the page for the current seed step.
|
||||
///
|
||||
/// The user has to choose from these.
|
||||
ObservableList<String> currentOptions;
|
||||
|
||||
/// The number of words to be verified, linked to a Feature Flag so we can easily modify it.
|
||||
int get verificationWordCount => FeatureFlag.verificationWordsCount;
|
||||
|
||||
/// Then number of wrong entries the user has selected;
|
||||
///
|
||||
/// Routes the view to the seed screen if it's up to two.
|
||||
@observable
|
||||
int wrongEntries = 0;
|
||||
|
||||
int get currentWordIndex => verificationIndices[currentStepIndex];
|
||||
|
||||
String get currentCorrectWord => seedSplit[currentWordIndex];
|
||||
|
||||
@observable
|
||||
bool isVerificationComplete = false;
|
||||
|
||||
void setupSeedVerification() {
|
||||
generateRandomIndices();
|
||||
generateOptions();
|
||||
}
|
||||
|
||||
/// Generate the indices of the seeds to be verified.
|
||||
///
|
||||
/// Structured to be as random as possible.
|
||||
@action
|
||||
void generateRandomIndices() {
|
||||
verificationIndices.clear();
|
||||
final random = Random();
|
||||
final indices = <int>[];
|
||||
while (indices.length < verificationWordCount) {
|
||||
final i = random.nextInt(seedSplit.length);
|
||||
if (!indices.contains(i)) {
|
||||
indices.add(i);
|
||||
}
|
||||
}
|
||||
|
||||
verificationIndices.addAll(indices);
|
||||
}
|
||||
|
||||
/// Generates the options for each index being verified.
|
||||
@action
|
||||
void generateOptions() {
|
||||
currentOptions.clear();
|
||||
|
||||
final correctWord = currentCorrectWord;
|
||||
final incorrectWords = seedSplit.where((word) => word != correctWord).toList();
|
||||
incorrectWords.shuffle();
|
||||
|
||||
final options = [correctWord, ...incorrectWords.take(5)];
|
||||
options.shuffle();
|
||||
|
||||
currentOptions.addAll(options);
|
||||
}
|
||||
|
||||
bool isChosenWordCorrect(String chosenWord) {
|
||||
if (chosenWord == currentCorrectWord) {
|
||||
wrongEntries = 0;
|
||||
|
||||
if (currentStepIndex + 1 < verificationWordCount) {
|
||||
currentStepIndex++;
|
||||
generateOptions();
|
||||
} else {
|
||||
// All verification steps completed
|
||||
isVerificationComplete = true;
|
||||
}
|
||||
|
||||
return true;
|
||||
} else {
|
||||
wrongEntries++;
|
||||
return false;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "في المتجر",
|
||||
"incoming": "الواردة",
|
||||
"incorrect_seed": "النص الذي تم إدخاله غير صالح.",
|
||||
"incorrect_seed_option": "غير صحيح. من فضلك حاول مرة أخرى",
|
||||
"incorrect_seed_option_back": "غير صحيح. يرجى التأكد من حفظ البذور بشكل صحيح وحاول مرة أخرى.",
|
||||
"inputs": "المدخلات",
|
||||
"insufficient_funds_for_tx": "أموال غير كافية لتنفيذ المعاملة بنجاح.",
|
||||
"insufficient_lamport_for_tx": "ليس لديك ما يكفي من SOL لتغطية المعاملة ورسوم المعاملات الخاصة بها. يرجى إضافة المزيد من SOL إلى محفظتك أو تقليل كمية SOL التي ترسلها.",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "متصل",
|
||||
"onramper_option_description": "شراء بسرعة التشفير مع العديد من طرق الدفع. متوفر في معظم البلدان. ينتشر وتختلف الرسوم.",
|
||||
"open_gift_card": "افتح بطاقة الهدية",
|
||||
"open_wallet": "فتح محفظة",
|
||||
"optional_description": "وصف اختياري",
|
||||
"optional_email_hint": "البريد الإلكتروني إخطار المدفوع لأمره الاختياري",
|
||||
"optional_name": "اسم المستلم الاختياري",
|
||||
|
@ -625,6 +628,7 @@
|
|||
"seed_alert_title": "انتباه",
|
||||
"seed_alert_yes": "نعم، فعلت ذلك",
|
||||
"seed_choose": "اختر لغة السييد",
|
||||
"seed_display_path": "القائمة -> الأمان والنسخ الاحتياطي -> إظهار المفتاح/البذور",
|
||||
"seed_hex_form": "بذور المحفظة (شكل عرافة)",
|
||||
"seed_key": "مفتاح البذور",
|
||||
"seed_language": "لغة البذور",
|
||||
|
@ -643,9 +647,13 @@
|
|||
"seed_language_russian": "الروسية",
|
||||
"seed_language_spanish": "الأسبانية",
|
||||
"seed_phrase_length": "ﺭﻭﺬﺒﻟﺍ ﺓﺭﺎﺒﻌﻟﺍ ﻝﻮﻃ",
|
||||
"seed_position_question_one": "ما هو",
|
||||
"seed_position_question_two": "كلمة عبارة البذور؟",
|
||||
"seed_reminder": "يرجى تدوينها في حالة فقد هاتفك أو مسحه",
|
||||
"seed_share": "شارك السييد",
|
||||
"seed_title": "سييد",
|
||||
"seed_verified": "تم التحقق من البذور",
|
||||
"seed_verified_subtext": "يمكنك استخدام البذور المحفوظة لاحقًا لاستعادة هذه المحفظة في حالة الفساد أو فقدان جهازك. \n\n يمكنك عرض هذه البذرة مرة أخرى من",
|
||||
"seedtype": "البذور",
|
||||
"seedtype_alert_content": "مشاركة البذور مع محافظ أخرى ممكن فقط مع BIP39 Seedtype.",
|
||||
"seedtype_alert_title": "تنبيه البذور",
|
||||
|
@ -902,6 +910,7 @@
|
|||
"variable_pair_not_supported": "هذا الزوج المتغير غير مدعوم في التبادلات المحددة",
|
||||
"verification": "تَحَقّق",
|
||||
"verify_message": "تحقق من الرسالة",
|
||||
"verify_seed": "تحقق من البذور",
|
||||
"verify_with_2fa": "تحقق مع Cake 2FA",
|
||||
"version": "الإصدار ${currentVersion}",
|
||||
"view_all": "مشاهدة الكل",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "In Store",
|
||||
"incoming": "Входящи",
|
||||
"incorrect_seed": "Въведеният текст е невалиден.",
|
||||
"incorrect_seed_option": "Неправилно. Моля, опитайте отново",
|
||||
"incorrect_seed_option_back": "Неправилно. Моля, уверете се, че семето ви е запазено правилно и опитайте отново.",
|
||||
"inputs": "Входове",
|
||||
"insufficient_funds_for_tx": "Недостатъчни средства за успешно извършване на транзакция.",
|
||||
"insufficient_lamport_for_tx": "Нямате достатъчно SOL, за да покриете транзакцията и таксата му за транзакция. Моля, добавете повече SOL към портфейла си или намалете сумата на SOL, която изпращате.",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "Онлайн",
|
||||
"onramper_option_description": "Бързо купувайте криптовалута с много методи за плащане. Предлага се в повечето страни. Разпространенията и таксите варират.",
|
||||
"open_gift_card": "Отвори Gift Card",
|
||||
"open_wallet": "Отворен портфейл",
|
||||
"optional_description": "Описание по избор",
|
||||
"optional_email_hint": "Незадължителен имейл за уведомяване на получателя",
|
||||
"optional_name": "Незадължително име на получател",
|
||||
|
@ -625,6 +628,7 @@
|
|||
"seed_alert_title": "Внимание",
|
||||
"seed_alert_yes": "Да",
|
||||
"seed_choose": "Изберете език на seed-а",
|
||||
"seed_display_path": "Меню -> Сигурност и архивиране -> Показване на ключ/семена",
|
||||
"seed_hex_form": "Семена от портфейл (шестнадесетична форма)",
|
||||
"seed_key": "Ключ за семена",
|
||||
"seed_language": "Език на семената",
|
||||
|
@ -643,9 +647,13 @@
|
|||
"seed_language_russian": "Руски",
|
||||
"seed_language_spanish": "Испански",
|
||||
"seed_phrase_length": "Дължина на началната фраза",
|
||||
"seed_position_question_one": "Какво е",
|
||||
"seed_position_question_two": "Дума на вашата фраза за семена?",
|
||||
"seed_reminder": "Моля, запишете го в случай на загуба на устройството.",
|
||||
"seed_share": "Споделяне на seed",
|
||||
"seed_title": "Seed",
|
||||
"seed_verified": "Семена проверено",
|
||||
"seed_verified_subtext": "Можете да използвате запазените си семена по -късно, за да възстановите този портфейл в случай на корупция или загуба на устройството си. \n\n Можете да видите това семе отново от",
|
||||
"seedtype": "Семенна тип",
|
||||
"seedtype_alert_content": "Споделянето на семена с други портфейли е възможно само с BIP39 Seedtype.",
|
||||
"seedtype_alert_title": "Сигнал за семена",
|
||||
|
@ -902,6 +910,7 @@
|
|||
"variable_pair_not_supported": "Този variable pair не се поддържа от избраната борса",
|
||||
"verification": "Потвърждаване",
|
||||
"verify_message": "Проверете съобщението",
|
||||
"verify_seed": "Проверете семената",
|
||||
"verify_with_2fa": "Проверете с Cake 2FA",
|
||||
"version": "Версия ${currentVersion}",
|
||||
"view_all": "Виж всички",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "V obchodě",
|
||||
"incoming": "Příchozí",
|
||||
"incorrect_seed": "Zadaný text není správný.",
|
||||
"incorrect_seed_option": "Nesprávný. Zkuste to prosím znovu",
|
||||
"incorrect_seed_option_back": "Nesprávný. Ujistěte se, že vaše semeno je správně uloženo a zkuste to znovu.",
|
||||
"inputs": "Vstupy",
|
||||
"insufficient_funds_for_tx": "Nedostatečné prostředky na úspěšné provedení transakce.",
|
||||
"insufficient_lamport_for_tx": "Nemáte dostatek SOL na pokrytí transakce a jejího transakčního poplatku. Laskavě přidejte do své peněženky více solu nebo snižte množství Sol, kterou odesíláte.",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "Online",
|
||||
"onramper_option_description": "Rychle si koupte krypto s mnoha metodami plateb. K dispozici ve většině zemí. Rozpětí a poplatky se liší.",
|
||||
"open_gift_card": "Otevřít dárkovou kartu",
|
||||
"open_wallet": "Otevřená peněženka",
|
||||
"optional_description": "Volitelný popis",
|
||||
"optional_email_hint": "Volitelný e-mail s upozorněním na příjemce platby",
|
||||
"optional_name": "Volitelné jméno příjemce",
|
||||
|
@ -625,6 +628,7 @@
|
|||
"seed_alert_title": "Pozor",
|
||||
"seed_alert_yes": "Ano",
|
||||
"seed_choose": "Zvolte si jazyk seedu",
|
||||
"seed_display_path": "Nabídka -> Zabezpečení a zálohování -> Zobrazit klíč/semena",
|
||||
"seed_hex_form": "Semeno peněženky (hex formulář)",
|
||||
"seed_key": "Klíč semen",
|
||||
"seed_language": "Jazyk semen",
|
||||
|
@ -643,9 +647,13 @@
|
|||
"seed_language_russian": "Ruština",
|
||||
"seed_language_spanish": "Španělština",
|
||||
"seed_phrase_length": "Délka fráze semene",
|
||||
"seed_position_question_one": "Co je",
|
||||
"seed_position_question_two": "Slovo vaší fráze semen?",
|
||||
"seed_reminder": "Prosím zapište si toto pro případ ztráty, nebo poškození telefonu",
|
||||
"seed_share": "Sdílet seed",
|
||||
"seed_title": "Seed",
|
||||
"seed_verified": "Ověřeno semeno",
|
||||
"seed_verified_subtext": "V případě korupce nebo ztráty zařízení můžete později použít své uložené semeno později k obnovení této peněženky.",
|
||||
"seedtype": "SeedType",
|
||||
"seedtype_alert_content": "Sdílení semen s jinými peněženkami je možné pouze u BIP39 SeedType.",
|
||||
"seedtype_alert_title": "Upozornění seedtype",
|
||||
|
@ -902,6 +910,7 @@
|
|||
"variable_pair_not_supported": "Tento pár s tržním kurzem není ve zvolené směnárně podporován",
|
||||
"verification": "Ověření",
|
||||
"verify_message": "Ověřit zprávu",
|
||||
"verify_seed": "Ověřte osivo",
|
||||
"verify_with_2fa": "Ověřte pomocí Cake 2FA",
|
||||
"version": "Verze ${currentVersion}",
|
||||
"view_all": "Zobrazit vše",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "Im Geschäft",
|
||||
"incoming": "Eingehend",
|
||||
"incorrect_seed": "Der eingegebene Text ist ungültig.",
|
||||
"incorrect_seed_option": "Falsch. Bitte versuchen Sie es erneut",
|
||||
"incorrect_seed_option_back": "Falsch. Bitte stellen Sie sicher, dass Ihr Samen korrekt gespeichert wird, und versuchen Sie es erneut.",
|
||||
"inputs": "Eingänge",
|
||||
"insufficient_funds_for_tx": "Unzureichende Mittel zur erfolgreichen Ausführung der Transaktion.",
|
||||
"insufficient_lamport_for_tx": "Sie haben nicht genug SOL, um die Transaktion und ihre Transaktionsgebühr abzudecken. Bitte fügen Sie Ihrer Wallet mehr Sol hinzu oder reduzieren Sie die SOL-Menge, die Sie senden.",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "online",
|
||||
"onramper_option_description": "Kaufen Sie schnell Krypto mit vielen Zahlungsmethoden. In den meisten Ländern erhältlich. Spreads und Gebühren variieren.",
|
||||
"open_gift_card": "Geschenkkarte öffnen",
|
||||
"open_wallet": "Offener Brieftasche",
|
||||
"optional_description": "Optionale Beschreibung",
|
||||
"optional_email_hint": "Optionale Benachrichtigungs-E-Mail für den Zahlungsempfänger",
|
||||
"optional_name": "Optionaler Empfängername",
|
||||
|
@ -626,6 +629,7 @@
|
|||
"seed_alert_title": "Achtung",
|
||||
"seed_alert_yes": "Ja, habe ich",
|
||||
"seed_choose": "Seed-Sprache auswählen",
|
||||
"seed_display_path": "Menü -> Sicherheit und Sicherung -> Schlüssel/Samen anzeigen",
|
||||
"seed_hex_form": "Seed (Hexformat)",
|
||||
"seed_key": "Seed-Schlüssel",
|
||||
"seed_language": "Seed-Sprache",
|
||||
|
@ -644,9 +648,13 @@
|
|||
"seed_language_russian": "Russisch",
|
||||
"seed_language_spanish": "Spanisch",
|
||||
"seed_phrase_length": "Länge der Seed-Phrase",
|
||||
"seed_position_question_one": "Was ist das",
|
||||
"seed_position_question_two": "Wort Ihrer Samenphrase?",
|
||||
"seed_reminder": "Bitte notieren Sie diese für den Fall, dass Sie Ihr Telefon verlieren oder es kaputtgeht",
|
||||
"seed_share": "Seed teilen",
|
||||
"seed_title": "Seed",
|
||||
"seed_verified": "Samen verifiziert",
|
||||
"seed_verified_subtext": "Sie können Ihren gespeicherten Saat",
|
||||
"seedtype": "Seedtyp",
|
||||
"seedtype_alert_content": "Das Teilen von Seeds mit anderen Wallet ist nur mit bip39 Seedype möglich.",
|
||||
"seedtype_alert_title": "Seedype-Alarm",
|
||||
|
@ -904,6 +912,7 @@
|
|||
"variable_pair_not_supported": "Dieses Variablenpaar wird von den ausgewählten Börsen nicht unterstützt",
|
||||
"verification": "Verifizierung",
|
||||
"verify_message": "Nachricht überprüfen",
|
||||
"verify_seed": "Saatgut überprüfen",
|
||||
"verify_with_2fa": "Verifizieren Sie mit Cake 2FA",
|
||||
"version": "Version ${currentVersion}",
|
||||
"view_all": "Alle anzeigen",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "In Store",
|
||||
"incoming": "Incoming",
|
||||
"incorrect_seed": "The text entered is not valid.",
|
||||
"incorrect_seed_option": "Incorrect. Please try again",
|
||||
"incorrect_seed_option_back": "Incorrect. Please make sure your seed is saved correctly and try again.",
|
||||
"inputs": "Inputs",
|
||||
"insufficient_funds_for_tx": "Insufficient funds to successfully execute transaction.",
|
||||
"insufficient_lamport_for_tx": "You do not have enough SOL to cover the transaction and its transaction fee. Kindly add more SOL to your wallet or reduce the SOL amount you\\'re sending.",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "Online",
|
||||
"onramper_option_description": "Quickly buy crypto with many payment methods. Available in most countries. Spreads and fees vary.",
|
||||
"open_gift_card": "Open Gift Card",
|
||||
"open_wallet": "Open Wallet",
|
||||
"optional_description": "Optional description",
|
||||
"optional_email_hint": "Optional payee notification email",
|
||||
"optional_name": "Optional recipient name",
|
||||
|
@ -625,6 +628,7 @@
|
|||
"seed_alert_title": "Attention",
|
||||
"seed_alert_yes": "Yes, I have",
|
||||
"seed_choose": "Choose seed language",
|
||||
"seed_display_path": "Menu -> Security and Backup -> Show key/seeds",
|
||||
"seed_hex_form": "Wallet seed (hex form)",
|
||||
"seed_key": "Seed key",
|
||||
"seed_language": "Seed language",
|
||||
|
@ -643,9 +647,13 @@
|
|||
"seed_language_russian": "Russian",
|
||||
"seed_language_spanish": "Spanish",
|
||||
"seed_phrase_length": "Seed phrase length",
|
||||
"seed_position_question_one": "What is the",
|
||||
"seed_position_question_two": "word of your seed phrase?",
|
||||
"seed_reminder": "Please write these down in case you lose or wipe your phone",
|
||||
"seed_share": "Share seed",
|
||||
"seed_title": "Seed",
|
||||
"seed_verified": "Seed Verified",
|
||||
"seed_verified_subtext": "You can use your saved seed later on to restore this wallet in the event of corruption or losing your device.\n\nYou can view this seed again from the",
|
||||
"seedtype": "Seedtype",
|
||||
"seedtype_alert_content": "Sharing seeds with other wallets is only possible with BIP39 SeedType.",
|
||||
"seedtype_alert_title": "SeedType Alert",
|
||||
|
@ -902,6 +910,7 @@
|
|||
"variable_pair_not_supported": "This variable pair is not supported with the selected exchanges",
|
||||
"verification": "Verification",
|
||||
"verify_message": "Verify Message",
|
||||
"verify_seed": "Verify Seed",
|
||||
"verify_with_2fa": "Verify with Cake 2FA",
|
||||
"version": "Version ${currentVersion}",
|
||||
"view_all": "View all",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "En la tienda",
|
||||
"incoming": "Entrante",
|
||||
"incorrect_seed": "El texto ingresado no es válido.",
|
||||
"incorrect_seed_option": "Incorrecto. Por favor intente de nuevo",
|
||||
"incorrect_seed_option_back": "Incorrecto. Asegúrese de que su semilla se guarde correctamente e intente nuevamente.",
|
||||
"inputs": "Entradas",
|
||||
"insufficient_funds_for_tx": "Fondos insuficientes para ejecutar con éxito la transacción.",
|
||||
"insufficient_lamport_for_tx": "No tienes suficiente SOL para cubrir la transacción y su tarifa de transacción. Por favor, agrega más SOL a su billetera o reduce la cantidad de sol que está enviando.",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "En línea",
|
||||
"onramper_option_description": "Compra rápidamente cripto con muchos métodos de pago. Disponible en la mayoría de los países. Los diferenciales y las tarifas varían.",
|
||||
"open_gift_card": "Abrir tarjeta de regalo",
|
||||
"open_wallet": "Billetera abierta",
|
||||
"optional_description": "Descripción opcional",
|
||||
"optional_email_hint": "Correo electrónico de notificación del beneficiario opcional",
|
||||
"optional_name": "Nombre del destinatario opcional",
|
||||
|
@ -626,6 +629,7 @@
|
|||
"seed_alert_title": "Atención",
|
||||
"seed_alert_yes": "Sí tengo",
|
||||
"seed_choose": "Elige el idioma semilla",
|
||||
"seed_display_path": "Menú -> Seguridad y copia de seguridad -> Mostrar llave/semillas",
|
||||
"seed_hex_form": "Semilla de billetera (forma hexadecimal)",
|
||||
"seed_key": "Llave de semilla",
|
||||
"seed_language": "Lenguaje de semillas",
|
||||
|
@ -644,9 +648,13 @@
|
|||
"seed_language_russian": "Ruso",
|
||||
"seed_language_spanish": "Español",
|
||||
"seed_phrase_length": "Longitud de la frase inicial",
|
||||
"seed_position_question_one": "¿Qué es el",
|
||||
"seed_position_question_two": "¿Palabra de tu frase de semillas?",
|
||||
"seed_reminder": "Anótalos en caso de que pierdas o borres tu aplicación",
|
||||
"seed_share": "Compartir semillas",
|
||||
"seed_title": "Semilla",
|
||||
"seed_verified": "Semilla verificada",
|
||||
"seed_verified_subtext": "Puede usar su semilla guardada más adelante para restaurar esta billetera en caso de corrupción o perder su dispositivo. \n\n Puede ver esta semilla nuevamente desde el",
|
||||
"seedtype": "Tipos de semillas",
|
||||
"seedtype_alert_content": "Compartir semillas con otras billeteras solo es posible con semillas bip39 - un tipo específico de semilla.",
|
||||
"seedtype_alert_title": "Alerta de tipo de semillas",
|
||||
|
@ -903,6 +911,7 @@
|
|||
"variable_pair_not_supported": "Este par de variables no es compatible con los intercambios seleccionados",
|
||||
"verification": "Verificación",
|
||||
"verify_message": "Mensaje de verificación",
|
||||
"verify_seed": "Verificar semilla",
|
||||
"verify_with_2fa": "Verificar con Cake 2FA",
|
||||
"version": "Versión ${currentVersion}",
|
||||
"view_all": "Ver todo",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "En magasin",
|
||||
"incoming": "Entrantes",
|
||||
"incorrect_seed": "Le texte entré est invalide.",
|
||||
"incorrect_seed_option": "Incorrect. Veuillez réessayer",
|
||||
"incorrect_seed_option_back": "Incorrect. Veuillez vous assurer que votre graine est enregistrée correctement et réessayer.",
|
||||
"inputs": "Contributions",
|
||||
"insufficient_funds_for_tx": "Fonds insuffisants pour exécuter avec succès la transaction.",
|
||||
"insufficient_lamport_for_tx": "Vous n'avez pas assez de sol pour couvrir la transaction et ses frais de transaction. Veuillez ajouter plus de Sol à votre portefeuille ou réduire la quantité de Sol que vous envoyez.",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "En ligne",
|
||||
"onramper_option_description": "Achetez rapidement des cryptomonnaies avec de nombreuses méthodes de paiement. Disponible dans la plupart des pays. Les spreads et les frais peuvent varier.",
|
||||
"open_gift_card": "Ouvrir la carte-cadeau",
|
||||
"open_wallet": "Portefeuille ouvert",
|
||||
"optional_description": "Descriptif facultatif",
|
||||
"optional_email_hint": "E-mail de notification du bénéficiaire facultatif",
|
||||
"optional_name": "Nom du destinataire facultatif",
|
||||
|
@ -625,6 +628,7 @@
|
|||
"seed_alert_title": "Attention",
|
||||
"seed_alert_yes": "Oui, je suis sûr",
|
||||
"seed_choose": "Choisissez la langue de la phrase secrète (seed)",
|
||||
"seed_display_path": "Menu -> Sécurité et sauvegarde -> Afficher la clé / les graines",
|
||||
"seed_hex_form": "Graine du portefeuille (forme hexagonale)",
|
||||
"seed_key": "Clé secrète (seed key)",
|
||||
"seed_language": "Langage de la phrase secrète",
|
||||
|
@ -643,9 +647,13 @@
|
|||
"seed_language_russian": "Russe",
|
||||
"seed_language_spanish": "Espagnol",
|
||||
"seed_phrase_length": "Longueur de la phrase de départ",
|
||||
"seed_position_question_one": "Qu'est-ce que le",
|
||||
"seed_position_question_two": "mot de votre phrase de semence?",
|
||||
"seed_reminder": "Merci d'écrire votre phrase secrète (seed) au cas où vous perdriez ou effaceriez votre téléphone",
|
||||
"seed_share": "Partager la phrase secrète (seed)",
|
||||
"seed_title": "Phrase secrète (seed)",
|
||||
"seed_verified": "Graine vérifiée",
|
||||
"seed_verified_subtext": "Vous pouvez utiliser votre graine enregistrée plus tard pour restaurer ce portefeuille en cas de corruption ou de perdre votre appareil. \n\n Vous pouvez revoir cette graine à partir du",
|
||||
"seedtype": "Type de graine",
|
||||
"seedtype_alert_content": "Le partage de graines avec d'autres portefeuilles n'est possible qu'avec le type de graine BIP39.",
|
||||
"seedtype_alert_title": "Alerte Type de Graine",
|
||||
|
@ -902,6 +910,7 @@
|
|||
"variable_pair_not_supported": "Cette paire variable n'est pas prise en charge avec les échanges sélectionnés",
|
||||
"verification": "Vérification",
|
||||
"verify_message": "Vérifier le message",
|
||||
"verify_seed": "Vérifiez les semences",
|
||||
"verify_with_2fa": "Vérifier avec Cake 2FA",
|
||||
"version": "Version ${currentVersion}",
|
||||
"view_all": "Voir tout",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "A cikin Store",
|
||||
"incoming": "Mai shigowa",
|
||||
"incorrect_seed": "rubutun da aka shigar ba shi da inganci.",
|
||||
"incorrect_seed_option": "Ba daidai ba. Da fatan za a sake gwadawa",
|
||||
"incorrect_seed_option_back": "Ba daidai ba. Da fatan za a tabbatar da zuriyar ku an ajiye daidai kuma a sake gwadawa.",
|
||||
"inputs": "Abubuwan da ke ciki",
|
||||
"insufficient_funds_for_tx": "Rashin isasshen kuɗi don aiwatar da ma'amala.",
|
||||
"insufficient_lamport_for_tx": "Ba ku da isasshen sool don rufe ma'amala da kuɗin ma'amala. Da unara ƙara ƙarin sool a cikin walat ɗinku ko rage adadin Sol ɗin da kuke aikawa.",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "Kan layi",
|
||||
"onramper_option_description": "Da sauri sayi Crypto tare da hanyoyin biyan kuɗi da yawa. Akwai a yawancin ƙasashe. Yaduwa da kudade sun bambanta.",
|
||||
"open_gift_card": "Bude Katin Kyauta",
|
||||
"open_wallet": "Bude Wadda",
|
||||
"openalias_alert_content": "Zaka aika kuɗi zuwa \n${recipient_name}",
|
||||
"openalias_alert_title": "An gano adireshin",
|
||||
"optional_description": "Bayanin zai iya ba da maki",
|
||||
|
@ -627,6 +630,7 @@
|
|||
"seed_alert_title": "Hankali",
|
||||
"seed_alert_yes": "E, Na yi",
|
||||
"seed_choose": "Zaɓi harshen seed",
|
||||
"seed_display_path": "Ming menu -> Tsaro da Ajiyayyen -> Kaben Now / Duri",
|
||||
"seed_hex_form": "Gany Sero (form form)",
|
||||
"seed_key": "Maɓallin iri",
|
||||
"seed_language": "Harshen Magani",
|
||||
|
@ -645,9 +649,13 @@
|
|||
"seed_language_russian": "Rashanci",
|
||||
"seed_language_spanish": "Spanish",
|
||||
"seed_phrase_length": "Tsawon jimlar iri",
|
||||
"seed_position_question_one": "Menene",
|
||||
"seed_position_question_two": "Maganar Je'in Seedhniyarka?",
|
||||
"seed_reminder": "Don Allah rubuta wadannan in case ka manta ko ka sake kwallon wayarka",
|
||||
"seed_share": "Raba iri",
|
||||
"seed_title": "iri",
|
||||
"seed_verified": "Iri",
|
||||
"seed_verified_subtext": "Kuna iya amfani da zuriyar da kuka tsira daga baya don mayar da wannan walat ɗin a lokacin da ya faru na cin hanci da rashawa ko rasa na'urarka. \n\n Za ku iya duba wannan iri ɗin kuma daga",
|
||||
"seedtype": "Seedtype",
|
||||
"seedtype_alert_content": "Raba tsaba tare da sauran wallets yana yiwuwa ne kawai tare da Bip39 seedtype.",
|
||||
"seedtype_alert_title": "Seedtype farke",
|
||||
|
@ -904,6 +912,7 @@
|
|||
"variable_pair_not_supported": "Ba a samun goyan bayan wannan m biyu tare da zaɓaɓɓun musayar",
|
||||
"verification": "tabbatar",
|
||||
"verify_message": "Tabbatar saƙon",
|
||||
"verify_seed": "Tabbatar zuriya",
|
||||
"verify_with_2fa": "Tabbatar da Cake 2FA",
|
||||
"version": "Sigar ${currentVersion}",
|
||||
"view_all": "Duba duka",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "स्टोर में",
|
||||
"incoming": "आने वाली",
|
||||
"incorrect_seed": "दर्ज किया गया पाठ मान्य नहीं है।",
|
||||
"incorrect_seed_option": "गलत। कृपया पुन: प्रयास करें",
|
||||
"incorrect_seed_option_back": "गलत। कृपया सुनिश्चित करें कि आपका बीज सही तरीके से बच गया है और फिर से प्रयास करें।",
|
||||
"inputs": "इनपुट",
|
||||
"insufficient_funds_for_tx": "लेनदेन को सफलतापूर्वक निष्पादित करने के लिए अपर्याप्त धन।",
|
||||
"insufficient_lamport_for_tx": "आपके पास लेनदेन और इसके लेनदेन शुल्क को कवर करने के लिए पर्याप्त सोल नहीं है। कृपया अपने बटुए में अधिक सोल जोड़ें या आपके द्वारा भेजे जा रहे सोल राशि को कम करें।",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "ऑनलाइन",
|
||||
"onramper_option_description": "जल्दी से कई भुगतान विधियों के साथ क्रिप्टो खरीदें। अधिकांश देशों में उपलब्ध है। फैलता है और फीस अलग -अलग होती है।",
|
||||
"open_gift_card": "गिफ्ट कार्ड खोलें",
|
||||
"open_wallet": "खुला बटुआ",
|
||||
"optional_description": "वैकल्पिक विवरण",
|
||||
"optional_email_hint": "वैकल्पिक प्राप्तकर्ता सूचना ईमेल",
|
||||
"optional_name": "वैकल्पिक प्राप्तकर्ता नाम",
|
||||
|
@ -627,6 +630,7 @@
|
|||
"seed_alert_title": "ध्यान",
|
||||
"seed_alert_yes": "हाँ मेरे पास है",
|
||||
"seed_choose": "बीज भाषा चुनें",
|
||||
"seed_display_path": "मेनू -> सुरक्षा और बैकअप -> कुंजी/बीज दिखाएं",
|
||||
"seed_hex_form": "वॉलेट सीड (हेक्स फॉर्म)",
|
||||
"seed_key": "बीज कुंजी",
|
||||
"seed_language": "बीज",
|
||||
|
@ -645,9 +649,13 @@
|
|||
"seed_language_russian": "रूसी",
|
||||
"seed_language_spanish": "स्पेनिश",
|
||||
"seed_phrase_length": "बीज वाक्यांश की लंबाई",
|
||||
"seed_position_question_one": "क्या है",
|
||||
"seed_position_question_two": "आपके बीज वाक्यांश का शब्द?",
|
||||
"seed_reminder": "यदि आप अपना फोन खो देते हैं या मिटा देते हैं तो कृपया इन्हें लिख लें",
|
||||
"seed_share": "बीज साझा करें",
|
||||
"seed_title": "बीज",
|
||||
"seed_verified": "बीज सत्यापित",
|
||||
"seed_verified_subtext": "आप भ्रष्टाचार की स्थिति में इस बटुए को पुनर्स्थापित करने या अपने डिवाइस को खोने के लिए बाद में अपने सहेजे गए बीज का उपयोग कर सकते हैं। \n\n आप इस बीज को फिर से देख सकते हैं",
|
||||
"seedtype": "बीज",
|
||||
"seedtype_alert_content": "अन्य पर्स के साथ बीज साझा करना केवल BIP39 सीडटाइप के साथ संभव है।",
|
||||
"seedtype_alert_title": "बीजगणित अलर्ट",
|
||||
|
@ -904,6 +912,7 @@
|
|||
"variable_pair_not_supported": "यह परिवर्तनीय जोड़ी चयनित एक्सचेंजों के साथ समर्थित नहीं है",
|
||||
"verification": "सत्यापन",
|
||||
"verify_message": "संदेश सत्यापित करें",
|
||||
"verify_seed": "बीज सत्यापित करें",
|
||||
"verify_with_2fa": "केक 2FA के साथ सत्यापित करें",
|
||||
"version": "संस्करण ${currentVersion}",
|
||||
"view_all": "सभी देखें",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "U trgovini",
|
||||
"incoming": "Dolazno",
|
||||
"incorrect_seed": "Uneseni tekst nije valjan.",
|
||||
"incorrect_seed_option": "Netočno. Pokušajte ponovo",
|
||||
"incorrect_seed_option_back": "Netočno. Provjerite je li vaše sjeme ispravno spasilo i pokušajte ponovo.",
|
||||
"inputs": "Unosi",
|
||||
"insufficient_funds_for_tx": "Nedovoljna sredstva za uspješno izvršavanje transakcije.",
|
||||
"insufficient_lamport_for_tx": "Nemate dovoljno SOL -a da pokriva transakciju i njegovu transakcijsku naknadu. Ljubazno dodajte više sol u svoj novčanik ili smanjite količinu SOL -a koju šaljete.",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "Na mreži",
|
||||
"onramper_option_description": "Brzo kupite kriptovalute s mnogim načinima plaćanja. Dostupno u većini zemalja. Širenja i naknade variraju.",
|
||||
"open_gift_card": "Otvori darovnu karticu",
|
||||
"open_wallet": "Otvoreni novčanik",
|
||||
"optional_description": "Opcijski opis",
|
||||
"optional_email_hint": "Neobavezna e-pošta za obavijest primatelja",
|
||||
"optional_name": "Izborno ime primatelja",
|
||||
|
@ -625,6 +628,7 @@
|
|||
"seed_alert_title": "Upozorenje",
|
||||
"seed_alert_yes": "Jesam",
|
||||
"seed_choose": "Odaberi jezik pristupnog izraza",
|
||||
"seed_display_path": "Izbornik -> Sigurnost i sigurnosna kopija -> Prikaži ključ/sjemenke",
|
||||
"seed_hex_form": "Sjeme novčanika (šesterokutni oblik)",
|
||||
"seed_key": "Sjemenski ključ",
|
||||
"seed_language": "Sjemeni jezik",
|
||||
|
@ -643,9 +647,13 @@
|
|||
"seed_language_russian": "Ruski",
|
||||
"seed_language_spanish": "Španjolski",
|
||||
"seed_phrase_length": "Duljina početne fraze",
|
||||
"seed_position_question_one": "Što je",
|
||||
"seed_position_question_two": "Riječ vaše sjemenske fraze?",
|
||||
"seed_reminder": "Molimo zapišite ih u slučaju da izgubite mobitel ili izbrišete podatke",
|
||||
"seed_share": "Podijeli pristupni izraz",
|
||||
"seed_title": "Prisupni izraz",
|
||||
"seed_verified": "Potvrđeno sjeme",
|
||||
"seed_verified_subtext": "Svoje spremljeno sjeme možete kasnije koristiti za vraćanje ovog novčanika u slučaju korupcije ili gubitka uređaja. \n\n To sjeme možete ponovo pogledati iz",
|
||||
"seedtype": "Sjemenska vrsta",
|
||||
"seedtype_alert_content": "Dijeljenje sjemena s drugim novčanicima moguće je samo s BIP39 sjemenom.",
|
||||
"seedtype_alert_title": "Upozorenje o sjemenu",
|
||||
|
@ -902,6 +910,7 @@
|
|||
"variable_pair_not_supported": "Ovaj par varijabli nije podržan s odabranim burzama",
|
||||
"verification": "Potvrda",
|
||||
"verify_message": "Provjerite poruku",
|
||||
"verify_seed": "Provjerite sjeme",
|
||||
"verify_with_2fa": "Provjerite s Cake 2FA",
|
||||
"version": "Verzija ${currentVersion}",
|
||||
"view_all": "Prikaži sve",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "Տեղում",
|
||||
"incoming": "Մուտքային",
|
||||
"incorrect_seed": "Տեքստը սխալ է",
|
||||
"incorrect_seed_option": "Սխալ Խնդրում ենք կրկին փորձել",
|
||||
"incorrect_seed_option_back": "Սխալ Խնդրում ենք համոզվեք, որ ձեր սերմը ճիշտ պահվում է եւ կրկին փորձեք:",
|
||||
"inputs": "Մուտքեր",
|
||||
"insufficient_funds_for_tx": "Անբավարար միջոցներ `գործարքը հաջողությամբ կատարելու համար:",
|
||||
"insufficient_lamport_for_tx": "Դուք չունեք բավարար SOL՝ գործարքն և գործարքի վարձը ծածկելու համար։ Խնդրում ենք ավելացնել ավելի շատ SOL ձեր դրամապանակում կամ նվազեցնել ուղարկվող SOL-ի քանակը։",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "Առցանց",
|
||||
"onramper_option_description": "Արագ գնեք կրիպտոցուլեր շատ վճարման մեթոդներով։ Հասանելի է մեծ մասամբ երկրներում։ Տարածված և վճարները փոփոխվում են",
|
||||
"open_gift_card": "Բացեք նվեր քարտ",
|
||||
"open_wallet": "Բաց դրամապանակ",
|
||||
"optional_description": "Ոչ պարտադիր նկարագրություն",
|
||||
"optional_email_hint": "Ոչ պարտադիր վճարողի ծանուցման էլեկտրոնային փոստ",
|
||||
"optional_name": "Ոչ պարտադիր ստացողի անուն",
|
||||
|
@ -625,6 +628,7 @@
|
|||
"seed_alert_title": "Ուշադրություն",
|
||||
"seed_alert_yes": "Այո, ես արդեն գրի եմ առել այն",
|
||||
"seed_choose": "Ընտրել սերմի լեզուն",
|
||||
"seed_display_path": "MENU -> Անվտանգություն եւ պահուստավորում -> Show ույց տալ ստեղնը / սերմերը",
|
||||
"seed_hex_form": "Դրամապանակի սերմ (hex ֆորմատ)",
|
||||
"seed_key": "Սերմի բանալի",
|
||||
"seed_language": "Սերմի լեզու",
|
||||
|
@ -643,9 +647,13 @@
|
|||
"seed_language_russian": "Ռուսերեն",
|
||||
"seed_language_spanish": "Իսպաներեն",
|
||||
"seed_phrase_length": "Սերմի արտահայտության երկարություն",
|
||||
"seed_position_question_one": "Ինչ է",
|
||||
"seed_position_question_two": "Ձեր սերմի արտահայտության խոսքը:",
|
||||
"seed_reminder": "Խնդրում ենք գրի առնել այս տեղեկությունը, եթե դուք կորցնեք կամ ջնջեք ձեր հեռախոսը",
|
||||
"seed_share": "Կիսվել սերմով",
|
||||
"seed_title": "Սերմ",
|
||||
"seed_verified": "SEED- ը հաստատեց",
|
||||
"seed_verified_subtext": "Դուք կարող եք ավելի ուշ օգտագործել ձեր պահպանված սերմը `վերականգնելու այս դրամապանակը կոռուպցիայի դեպքում կամ ձեր սարքը կորցնելու դեպքում: \n\n կարող եք կրկին դիտել այս սերմը",
|
||||
"seedtype": "Սերմի տեսակ",
|
||||
"seedtype_alert_content": "Այլ դրամապանակներով սերմերի փոխանակումը հնարավոր է միայն BIP39 SEEDTYPE- ով:",
|
||||
"seedtype_alert_title": "SEEDTYPE ALERT",
|
||||
|
@ -902,6 +910,7 @@
|
|||
"variable_pair_not_supported": "Այս փոփոխականի զույգը չի աջակցվում ընտրված բորսաների հետ",
|
||||
"verification": "Ստուգում",
|
||||
"verify_message": "Ստուգել հաղորդագրությունը",
|
||||
"verify_seed": "Ստուգեք սերմը",
|
||||
"verify_with_2fa": "Ստուգեք Cake 2FA-ով",
|
||||
"version": "Տարբերակ ${currentVersion}",
|
||||
"view_all": "Դիտել բոլորը",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "Di Toko",
|
||||
"incoming": "Masuk",
|
||||
"incorrect_seed": "Teks yang dimasukkan tidak valid.",
|
||||
"incorrect_seed_option": "Salah. Tolong coba lagi",
|
||||
"incorrect_seed_option_back": "Salah. Pastikan benih Anda disimpan dengan benar dan coba lagi.",
|
||||
"inputs": "Input",
|
||||
"insufficient_funds_for_tx": "Dana yang tidak mencukupi untuk berhasil menjalankan transaksi.",
|
||||
"insufficient_lamport_for_tx": "Anda tidak memiliki cukup SOL untuk menutupi transaksi dan biaya transaksinya. Mohon tambahkan lebih banyak sol ke dompet Anda atau kurangi jumlah sol yang Anda kirim.",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "Online",
|
||||
"onramper_option_description": "Beli crypto dengan cepat dengan banyak metode pembayaran. Tersedia di sebagian besar negara. Spread dan biaya bervariasi.",
|
||||
"open_gift_card": "Buka Kartu Hadiah",
|
||||
"open_wallet": "Dompet Buka",
|
||||
"openalias_alert_content": "Anda akan mengirim dana ke\n${recipient_name}",
|
||||
"openalias_alert_title": "Alamat Terdeteksi",
|
||||
"optional_description": "Deskripsi opsional",
|
||||
|
@ -628,6 +631,7 @@
|
|||
"seed_alert_title": "Perhatian",
|
||||
"seed_alert_yes": "Ya, sudah",
|
||||
"seed_choose": "Pilih bahasa bibit",
|
||||
"seed_display_path": "Menu -> Keamanan dan Cadangan -> Tampilkan kunci/biji",
|
||||
"seed_hex_form": "Biji dompet (bentuk hex)",
|
||||
"seed_key": "Kunci benih",
|
||||
"seed_language": "Bahasa benih",
|
||||
|
@ -646,9 +650,13 @@
|
|||
"seed_language_russian": "Rusia",
|
||||
"seed_language_spanish": "Spanyol",
|
||||
"seed_phrase_length": "Panjang frase benih",
|
||||
"seed_position_question_one": "Apakah yang",
|
||||
"seed_position_question_two": "Kata frasa benih Anda?",
|
||||
"seed_reminder": "Silakan tulis ini di tempat yang aman jika kamu kehilangan atau menghapus ponselmu",
|
||||
"seed_share": "Bagikan bibit",
|
||||
"seed_title": "Bibit",
|
||||
"seed_verified": "Benih diverifikasi",
|
||||
"seed_verified_subtext": "Anda dapat menggunakan benih yang disimpan nanti untuk mengembalikan dompet ini jika terjadi korupsi atau kehilangan perangkat Anda. \n\n Anda dapat melihat benih ini lagi dari",
|
||||
"seedtype": "Seedtype",
|
||||
"seedtype_alert_content": "Berbagi biji dengan dompet lain hanya dimungkinkan dengan BIP39 seedtype.",
|
||||
"seedtype_alert_title": "Peringatan seedtype",
|
||||
|
@ -905,6 +913,7 @@
|
|||
"variable_pair_not_supported": "Pasangan variabel ini tidak didukung dengan bursa yang dipilih",
|
||||
"verification": "Verifikasi",
|
||||
"verify_message": "Verifikasi pesan",
|
||||
"verify_seed": "Verifikasi benih",
|
||||
"verify_with_2fa": "Verifikasi dengan Cake 2FA",
|
||||
"version": "Versi ${currentVersion}",
|
||||
"view_all": "Lihat Semua",
|
||||
|
|
|
@ -367,6 +367,8 @@
|
|||
"in_store": "In negozio",
|
||||
"incoming": "In arrivo",
|
||||
"incorrect_seed": "Il testo inserito non è valido.",
|
||||
"incorrect_seed_option": "Errato. Per favore riprova",
|
||||
"incorrect_seed_option_back": "Errato. Assicurati che il tuo seme venga salvato correttamente e riprova.",
|
||||
"inputs": "Input",
|
||||
"insufficient_funds_for_tx": "Fondi insufficienti per eseguire correttamente la transazione.",
|
||||
"insufficient_lamport_for_tx": "Non hai abbastanza SOL per coprire la transazione e la sua quota di transazione. Si prega di aggiungere più SOL al tuo portafoglio o ridurre l'importo SOL che stai inviando.",
|
||||
|
@ -476,6 +478,7 @@
|
|||
"online": "in linea",
|
||||
"onramper_option_description": "Acquista rapidamente la criptovaluta con molti metodi di pagamento. Disponibile nella maggior parte dei paesi. Gli spread e le commissioni variano.",
|
||||
"open_gift_card": "Apri carta regalo",
|
||||
"open_wallet": "Portafoglio aperto",
|
||||
"optional_description": "Descrizione facoltativa",
|
||||
"optional_email_hint": "Email di notifica del beneficiario facoltativa",
|
||||
"optional_name": "Nome del destinatario facoltativo",
|
||||
|
@ -627,6 +630,7 @@
|
|||
"seed_alert_title": "Attenzione",
|
||||
"seed_alert_yes": "Sì, l'ho fatto",
|
||||
"seed_choose": "Scegli la lingua del seme",
|
||||
"seed_display_path": "Menu -> Sicurezza e backup -> Mostra chiave/Semi",
|
||||
"seed_hex_form": "Seme di portafoglio (forma esadecimale)",
|
||||
"seed_key": "Chiave di semi",
|
||||
"seed_language": "Linguaggio di semi",
|
||||
|
@ -645,9 +649,13 @@
|
|||
"seed_language_russian": "Russo",
|
||||
"seed_language_spanish": "Spagnolo",
|
||||
"seed_phrase_length": "Lunghezza della frase seed",
|
||||
"seed_position_question_one": "Qual è il",
|
||||
"seed_position_question_two": "Parola della tua frase di semi?",
|
||||
"seed_reminder": "Gentilmente trascrivi le parole. Ti tornerà utile in caso perdessi o ripristinassi il tuo telefono",
|
||||
"seed_share": "Condividi seme",
|
||||
"seed_title": "Seme",
|
||||
"seed_verified": "Semi verificato",
|
||||
"seed_verified_subtext": "Puoi usare il tuo seme salvato in seguito per ripristinare questo portafoglio in caso di corruzione o perdere il dispositivo. \n\n Puoi visualizzare di nuovo questo seme dal",
|
||||
"seedtype": "Seedtype",
|
||||
"seedtype_alert_content": "La condivisione di semi con altri portafogli è possibile solo con Bip39 SeedType.",
|
||||
"seedtype_alert_title": "Avviso seedType",
|
||||
|
@ -904,6 +912,7 @@
|
|||
"variable_pair_not_supported": "Questa coppia di variabili non è supportata con gli scambi selezionati",
|
||||
"verification": "Verifica",
|
||||
"verify_message": "Verificare il messaggio",
|
||||
"verify_seed": "Verifica il seme",
|
||||
"verify_with_2fa": "Verifica con Cake 2FA",
|
||||
"version": "Versione ${currentVersion}",
|
||||
"view_all": "Visualizza tutto",
|
||||
|
|
|
@ -367,6 +367,8 @@
|
|||
"in_store": "インストア",
|
||||
"incoming": "着信",
|
||||
"incorrect_seed": "入力されたテキストは無効です。",
|
||||
"incorrect_seed_option": "正しくない。もう一度やり直してください",
|
||||
"incorrect_seed_option_back": "正しくない。種子が正しく保存されていることを確認し、再試行してください。",
|
||||
"inputs": "入力",
|
||||
"insufficient_funds_for_tx": "トランザクションを正常に実行するための資金が不十分です。",
|
||||
"insufficient_lamport_for_tx": "トランザクションとその取引手数料をカバーするのに十分なSOLがありません。財布にソルを追加するか、送信するソル量を減らしてください。",
|
||||
|
@ -476,6 +478,7 @@
|
|||
"online": "オンライン",
|
||||
"onramper_option_description": "多くの支払い方法で暗号をすばやく購入してください。ほとんどの国で利用可能です。スプレッドと料金は異なります。",
|
||||
"open_gift_card": "オープンギフトカード",
|
||||
"open_wallet": "開いたウォレット",
|
||||
"optional_description": "オプションの説明",
|
||||
"optional_email_hint": "オプションの受取人通知メール",
|
||||
"optional_name": "オプションの受信者名",
|
||||
|
@ -626,6 +629,7 @@
|
|||
"seed_alert_title": "注意",
|
||||
"seed_alert_yes": "はい、あります",
|
||||
"seed_choose": "シード言語を選択してください",
|
||||
"seed_display_path": "メニュー - >セキュリティとバックアップ - >キー/シードを表示します",
|
||||
"seed_hex_form": "ウォレットシード(ヘックスフォーム)",
|
||||
"seed_key": "シードキー",
|
||||
"seed_language": "シード言語",
|
||||
|
@ -644,9 +648,13 @@
|
|||
"seed_language_russian": "ロシア",
|
||||
"seed_language_spanish": "スペイン語",
|
||||
"seed_phrase_length": "シードフレーズの長さ",
|
||||
"seed_position_question_one": "何ですか",
|
||||
"seed_position_question_two": "あなたの種のフレーズの言葉?",
|
||||
"seed_reminder": "スマートフォンを紛失したりワイプした場合に備えて、これらを書き留めてください",
|
||||
"seed_share": "シードを共有する",
|
||||
"seed_title": "シード",
|
||||
"seed_verified": "種子確認済み",
|
||||
"seed_verified_subtext": "後で保存された種子を使用して、腐敗やデバイスの紛失の場合にこの財布を復元することができます。\n\nこのシードを再度見ることができます",
|
||||
"seedtype": "SeedType",
|
||||
"seedtype_alert_content": "他の財布と種子を共有することは、BIP39 SeedTypeでのみ可能です。",
|
||||
"seedtype_alert_title": "SeedTypeアラート",
|
||||
|
@ -903,6 +911,7 @@
|
|||
"variable_pair_not_supported": "この変数ペアは、選択した取引所ではサポートされていません",
|
||||
"verification": "検証",
|
||||
"verify_message": "メッセージを確認します",
|
||||
"verify_seed": "シードを確認します",
|
||||
"verify_with_2fa": "Cake 2FA で検証する",
|
||||
"version": "バージョン ${currentVersion}",
|
||||
"view_all": "すべて表示",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "매장 내",
|
||||
"incoming": "들어오는",
|
||||
"incorrect_seed": "입력하신 텍스트가 유효하지 않습니다.",
|
||||
"incorrect_seed_option": "잘못된. 다시 시도하십시오",
|
||||
"incorrect_seed_option_back": "잘못된. 씨앗이 올바르게 저장되어 있는지 확인하고 다시 시도하십시오.",
|
||||
"inputs": "입력",
|
||||
"insufficient_funds_for_tx": "거래를 성공적으로 실행하기위한 자금이 충분하지 않습니다.",
|
||||
"insufficient_lamport_for_tx": "거래 및 거래 수수료를 충당하기에 충분한 SOL이 없습니다. 지갑에 더 많은 솔을 추가하거나 보내는 솔을 줄입니다.",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "온라인",
|
||||
"onramper_option_description": "많은 결제 방법으로 암호화를 신속하게 구입하십시오. 대부분의 국가에서 사용할 수 있습니다. 스프레드와 수수료는 다양합니다.",
|
||||
"open_gift_card": "기프트 카드 열기",
|
||||
"open_wallet": "오픈 지갑",
|
||||
"optional_description": "선택적 설명",
|
||||
"optional_email_hint": "선택적 수취인 알림 이메일",
|
||||
"optional_name": "선택적 수신자 이름",
|
||||
|
@ -626,6 +629,7 @@
|
|||
"seed_alert_title": "주의",
|
||||
"seed_alert_yes": "네, 있어요",
|
||||
"seed_choose": "시드 언어를 선택하십시오",
|
||||
"seed_display_path": "메뉴 -> 보안 및 백업 -> 키/씨앗 표시",
|
||||
"seed_hex_form": "지갑 씨앗 (16 진 양식)",
|
||||
"seed_key": "시드 키",
|
||||
"seed_language": "종자 언어",
|
||||
|
@ -644,9 +648,13 @@
|
|||
"seed_language_russian": "러시아인",
|
||||
"seed_language_spanish": "스페인의",
|
||||
"seed_phrase_length": "시드 문구 길이",
|
||||
"seed_position_question_one": "무엇입니까",
|
||||
"seed_position_question_two": "당신의 씨앗 문구의 말?",
|
||||
"seed_reminder": "휴대 전화를 분실하거나 닦을 경우를 대비해 적어 두세요.",
|
||||
"seed_share": "시드 공유",
|
||||
"seed_title": "씨",
|
||||
"seed_verified": "종자 확인",
|
||||
"seed_verified_subtext": "나중에 저장된 씨앗을 사용하여 부패 또는 장치를 잃을 때이 지갑을 복원 할 수 있습니다.\n\n이 씨앗을 다시 볼 수 있습니다.",
|
||||
"seedtype": "시드 타입",
|
||||
"seedtype_alert_content": "다른 지갑과 씨앗을 공유하는 것은 BIP39 SeedType에서만 가능합니다.",
|
||||
"seedtype_alert_title": "종자 경보",
|
||||
|
@ -903,6 +911,7 @@
|
|||
"variable_pair_not_supported": "이 변수 쌍은 선택한 교환에서 지원되지 않습니다.",
|
||||
"verification": "검증",
|
||||
"verify_message": "메시지를 확인하십시오",
|
||||
"verify_seed": "씨앗을 확인하십시오",
|
||||
"verify_with_2fa": "케이크 2FA로 확인",
|
||||
"version": "버전 ${currentVersion}",
|
||||
"view_all": "모두 보기",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "စတိုးတွင်",
|
||||
"incoming": "ဝင်လာ",
|
||||
"incorrect_seed": "ထည့်သွင်းထားသော စာသားသည် မမှန်ကန်ပါ။",
|
||||
"incorrect_seed_option": "မမှန်ကန်ပါ ကျေးဇူးပြုပြီးထပ်ကြိုးစားပါ",
|
||||
"incorrect_seed_option_back": "မမှန်ကန်ပါ သင်၏မျိုးစေ့ကိုမှန်ကန်စွာသိမ်းဆည်းပြီးထပ်မံကြိုးစားပါ။",
|
||||
"inputs": "သွင်းငေှ",
|
||||
"insufficient_funds_for_tx": "ငွေပေးငွေယူအောင်မြင်စွာလုပ်ဆောင်ရန်ရန်ပုံငွေမလုံလောက်ပါ။",
|
||||
"insufficient_lamport_for_tx": "သငျသညျငွေပေးငွေယူနှင့်၎င်း၏ငွေပေးငွေယူကြေးကိုဖုံးလွှမ်းရန် sol ရှိသည်မဟုတ်ကြဘူး။ ကြင်နာစွာသင်၏ပိုက်ဆံအိတ်သို့ပိုမို sol ကိုထပ်ထည့်ပါသို့မဟုတ်သင်ပို့လွှတ်ခြင်း sol ပမာဏကိုလျှော့ချပါ။",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "အွန်လိုင်း",
|
||||
"onramper_option_description": "ငွေပေးချေမှုနည်းလမ်းများစွာဖြင့် Crypto ကိုလျင်မြန်စွာ 0 ယ်ပါ။ နိုင်ငံအများစုတွင်ရရှိနိုင်ပါသည်။ ဖြန့်ဖြူးနှင့်အခကြေးငွေကွဲပြားခြားနားသည်။",
|
||||
"open_gift_card": "Gift Card ကိုဖွင့်ပါ။",
|
||||
"open_wallet": "ပွင့်လင်းပိုက်ဆံအိတ်",
|
||||
"optional_description": "ရွေးချယ်နိုင်သော ဖော်ပြချက်",
|
||||
"optional_email_hint": "ရွေးချယ်နိုင်သော ငွေလက်ခံသူ အကြောင်းကြားချက် အီးမေးလ်",
|
||||
"optional_name": "ရွေးချယ်နိုင်သော လက်ခံသူအမည်",
|
||||
|
@ -625,6 +628,7 @@
|
|||
"seed_alert_title": "အာရုံ",
|
||||
"seed_alert_yes": "ဟုတ်ကဲ့၊",
|
||||
"seed_choose": "မျိုးစေ့ဘာသာစကားကို ရွေးချယ်ပါ။",
|
||||
"seed_display_path": "Menu -> Security နှင့် Backup -> သော့ / အစေ့များကိုပြပါ",
|
||||
"seed_hex_form": "ပိုက်ဆံအိတ်မျိုးစေ့ (Hex Form)",
|
||||
"seed_key": "မျိုးစေ့သော့",
|
||||
"seed_language": "မျိုးစေ့ဘာသာ",
|
||||
|
@ -643,9 +647,13 @@
|
|||
"seed_language_russian": "ရုရှ",
|
||||
"seed_language_spanish": "ငပိ",
|
||||
"seed_phrase_length": "မျိုးစေ့စာပိုဒ်တိုအရှည်",
|
||||
"seed_position_question_one": "ဘာလဲ",
|
||||
"seed_position_question_two": "သင်၏အမျိုးအနွယ်စကားစု၏စကားဟူမူကား,",
|
||||
"seed_reminder": "ကျေးဇူးပြု၍ သင့်ဖုန်းကို ပျောက်ဆုံးသွားပါက သို့မဟုတ် ဖျက်မိပါက ၎င်းတို့ကို ချရေးပါ။",
|
||||
"seed_share": "မျိုးစေ့မျှဝေပါ။",
|
||||
"seed_title": "မျိုးစေ့",
|
||||
"seed_verified": "မျိုးစေ့အတည်ပြု",
|
||||
"seed_verified_subtext": "နောက်မှသင်သိမ်းဆည်းထားသောမျိုးစေ့ကိုနောက်ပိုင်းတွင်ဤပိုက်ဆံအိတ်ကိုအဂတိလိုက်စားမှုသို့မဟုတ်သင်၏စက်ပစ္စည်းကိုဆုံးရှုံးစေသည့်အခါဤပိုက်ဆံအိတ်ကိုပြန်ယူရန်နောက်မှသင်အသုံးပြုနိုင်သည်။ \n\n ဤမျိုးစေ့ကိုနောက်တဖန်ကြည့်ရှုနိုင်သည်",
|
||||
"seedtype": "မျိုးပွားခြင်း",
|
||||
"seedtype_alert_content": "အခြားပိုက်ဆံအိတ်များနှင့်မျိုးစေ့များကိုမျှဝေခြင်းသည် BIP39 sebyspe ဖြင့်သာဖြစ်သည်။",
|
||||
"seedtype_alert_title": "ပျိုးပင်သတိပေးချက်",
|
||||
|
@ -902,6 +910,7 @@
|
|||
"variable_pair_not_supported": "ရွေးချယ်ထားသော ဖလှယ်မှုများဖြင့် ဤပြောင်းလဲနိုင်သောအတွဲကို ပံ့ပိုးမထားပါ။",
|
||||
"verification": "စိစစ်ခြင်း။",
|
||||
"verify_message": "မက်ဆေ့ခ်ျကိုအတည်ပြုရန်",
|
||||
"verify_seed": "မျိုးစေ့ကိုစစ်ဆေးပါ",
|
||||
"verify_with_2fa": "Cake 2FA ဖြင့် စစ်ဆေးပါ။",
|
||||
"version": "ဗားရှင်း ${currentVersion}",
|
||||
"view_all": "အားလုံးကိုကြည့်ရှုပါ။",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "In winkel",
|
||||
"incoming": "inkomend",
|
||||
"incorrect_seed": "De ingevoerde tekst is niet geldig.",
|
||||
"incorrect_seed_option": "Onjuist. Probeer het opnieuw",
|
||||
"incorrect_seed_option_back": "Onjuist. Zorg ervoor dat uw zaad correct is opgeslagen en probeer het opnieuw.",
|
||||
"inputs": "Invoer",
|
||||
"insufficient_funds_for_tx": "Onvoldoende fondsen om de transactie met succes uit te voeren.",
|
||||
"insufficient_lamport_for_tx": "U hebt niet genoeg SOL om de transactie en de transactiekosten te dekken. Voeg vriendelijk meer SOL toe aan uw portemonnee of verminder de SOL -hoeveelheid die u verzendt.",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "online",
|
||||
"onramper_option_description": "Koop snel crypto met veel betaalmethoden. Beschikbaar in de meeste landen. Spreads en vergoedingen variëren.",
|
||||
"open_gift_card": "Geschenkkaart openen",
|
||||
"open_wallet": "Open portemonnee",
|
||||
"optional_description": "Optionele beschrijving",
|
||||
"optional_email_hint": "Optionele kennisgeving per e-mail aan de begunstigde",
|
||||
"optional_name": "Optionele naam ontvanger",
|
||||
|
@ -625,6 +628,7 @@
|
|||
"seed_alert_title": "Aandacht",
|
||||
"seed_alert_yes": "Ja ik heb",
|
||||
"seed_choose": "Kies een starttaal",
|
||||
"seed_display_path": "Menu -> Beveiliging en back -up -> Key/Seeds tonen",
|
||||
"seed_hex_form": "Portemonnee zaad (hexvorm)",
|
||||
"seed_key": "Zaadsleutel",
|
||||
"seed_language": "Zaadtaal",
|
||||
|
@ -643,9 +647,13 @@
|
|||
"seed_language_russian": "Russisch",
|
||||
"seed_language_spanish": "Spaans",
|
||||
"seed_phrase_length": "Lengte van de zaadzin",
|
||||
"seed_position_question_one": "Wat is de",
|
||||
"seed_position_question_two": "woord van je zaadzin?",
|
||||
"seed_reminder": "Schrijf deze op voor het geval u uw telefoon kwijtraakt of veegt",
|
||||
"seed_share": "Deel zaad",
|
||||
"seed_title": "Zaad",
|
||||
"seed_verified": "Zaad geverifieerd",
|
||||
"seed_verified_subtext": "U kunt uw opgeslagen zaad later gebruiken om deze portemonnee te herstellen in het geval van corruptie of het verliezen van uw apparaat. \n\n U kunt dit zaad opnieuw bekijken van de",
|
||||
"seedtype": "Zaadtype",
|
||||
"seedtype_alert_content": "Het delen van zaden met andere portefeuilles is alleen mogelijk met BIP39 SeedType.",
|
||||
"seedtype_alert_title": "Zaadtype alert",
|
||||
|
@ -902,6 +910,7 @@
|
|||
"variable_pair_not_supported": "Dit variabelenpaar wordt niet ondersteund met de geselecteerde uitwisselingen",
|
||||
"verification": "Verificatie",
|
||||
"verify_message": "Verifieer bericht",
|
||||
"verify_seed": "Controleer zaad",
|
||||
"verify_with_2fa": "Controleer met Cake 2FA",
|
||||
"version": "Versie ${currentVersion}",
|
||||
"view_all": "Alles bekijken",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "W Sklepie",
|
||||
"incoming": "Przychodzące",
|
||||
"incorrect_seed": "Wprowadzony seed jest nieprawidłowy.",
|
||||
"incorrect_seed_option": "Błędny. Spróbuj ponownie",
|
||||
"incorrect_seed_option_back": "Błędny. Upewnij się, że twoje ziarno jest prawidłowo zapisane i spróbuj ponownie.",
|
||||
"inputs": "Wejścia",
|
||||
"insufficient_funds_for_tx": "Niewystarczające fundusze na skuteczne wykonanie transakcji.",
|
||||
"insufficient_lamport_for_tx": "Nie masz wystarczającej ilości SOL, aby pokryć transakcję i opłatę za transakcję. Uprzejmie dodaj więcej sol do portfela lub zmniejsz wysyłaną kwotę SOL.",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "online",
|
||||
"onramper_option_description": "Szybko kup kryptowaluty z wieloma metodami płatności. Dostępne w większości krajów. Spready i opłaty różnią się.",
|
||||
"open_gift_card": "Otwórz kartę podarunkową",
|
||||
"open_wallet": "Otwarty portfel",
|
||||
"optional_description": "Opcjonalny opis",
|
||||
"optional_email_hint": "Opcjonalny e-mail z powiadomieniem odbiorcy płatności",
|
||||
"optional_name": "Opcjonalna nazwa odbiorcy",
|
||||
|
@ -625,6 +628,7 @@
|
|||
"seed_alert_title": "Uwaga",
|
||||
"seed_alert_yes": "Tak",
|
||||
"seed_choose": "Wybierz język",
|
||||
"seed_display_path": "Menu -> Bezpieczeństwo i kopia zapasowa -> Pokaż klucz/nasiona",
|
||||
"seed_hex_form": "Nasiona portfela (forma sześciokątna)",
|
||||
"seed_key": "Klucz nasion",
|
||||
"seed_language": "Język nasion",
|
||||
|
@ -643,9 +647,13 @@
|
|||
"seed_language_russian": "Rosyjski",
|
||||
"seed_language_spanish": "Hiszpański",
|
||||
"seed_phrase_length": "Długość frazy początkowej",
|
||||
"seed_position_question_one": "Co to jest",
|
||||
"seed_position_question_two": "Słowo twojego wyrażenia nasion?",
|
||||
"seed_reminder": "Musisz zapisać tą fraze, bo bez niej możesz nie odzyskać portfela!",
|
||||
"seed_share": "Udostępnij seed",
|
||||
"seed_title": "Seed",
|
||||
"seed_verified": "Ziarno zweryfikowane",
|
||||
"seed_verified_subtext": "Możesz później użyć zapisanego ziarna, aby przywrócić ten portfel w przypadku uszkodzenia lub utraty urządzenia. \n\n Możesz ponownie obejrzeć to ziarno z",
|
||||
"seedtype": "Sedtype",
|
||||
"seedtype_alert_content": "Dzielenie się nasionami z innymi portfelami jest możliwe tylko z BIP39 sededType.",
|
||||
"seedtype_alert_title": "Ustanowienie typu sedype",
|
||||
|
@ -902,6 +910,7 @@
|
|||
"variable_pair_not_supported": "Ta para zmiennych nie jest obsługiwana na wybranych giełdach",
|
||||
"verification": "Weryfikacja",
|
||||
"verify_message": "Sprawdź wiadomość",
|
||||
"verify_seed": "Zweryfikować ziarno",
|
||||
"verify_with_2fa": "Sprawdź za pomocą Cake 2FA",
|
||||
"version": "Wersja ${currentVersion}",
|
||||
"view_all": "Wyświetl wszystko",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "Na loja",
|
||||
"incoming": "Recebidas",
|
||||
"incorrect_seed": "O texto digitado não é válido.",
|
||||
"incorrect_seed_option": "Incorreto. Por favor, tente novamente",
|
||||
"incorrect_seed_option_back": "Incorreto. Certifique -se de que sua semente seja salva corretamente e tente novamente.",
|
||||
"inputs": "Entradas",
|
||||
"insufficient_funds_for_tx": "Fundos insuficientes para executar com sucesso a transação.",
|
||||
"insufficient_lamport_for_tx": "Você não tem Sol suficiente para cobrir a transação e sua taxa de transação. Por favor, adicione mais sol à sua carteira ou reduza a quantidade de sol que você envia.",
|
||||
|
@ -477,6 +479,7 @@
|
|||
"onramper_option_description": "Compre rapidamente criptografia com muitos métodos de pagamento. Disponível na maioria dos países. Os spreads e taxas variam.",
|
||||
"opcionalmente_order_card": "Opcionalmente, peça um cartão físico.",
|
||||
"open_gift_card": "Abrir vale-presente",
|
||||
"open_wallet": "Carteira aberta",
|
||||
"optional_description": "Descrição opcional",
|
||||
"optional_email_hint": "E-mail opcional de notificação do beneficiário",
|
||||
"optional_name": "Nome do destinatário opcional",
|
||||
|
@ -627,6 +630,7 @@
|
|||
"seed_alert_title": "Atenção",
|
||||
"seed_alert_yes": "Sim, eu tenho",
|
||||
"seed_choose": "Escolha o idioma da semente",
|
||||
"seed_display_path": "Menu -> Segurança e Backup -> Mostrar chave/sementes",
|
||||
"seed_hex_form": "Semente de carteira (forma hexadecimal)",
|
||||
"seed_key": "Chave de semente",
|
||||
"seed_language": "Linguagem de semente",
|
||||
|
@ -645,9 +649,13 @@
|
|||
"seed_language_russian": "Russa",
|
||||
"seed_language_spanish": "Espanhola",
|
||||
"seed_phrase_length": "Comprimento da frase-semente",
|
||||
"seed_position_question_one": "Qual é o",
|
||||
"seed_position_question_two": "Palavra da sua frase de semente?",
|
||||
"seed_reminder": "Anote-os para o caso de perder ou limpar seu telefone",
|
||||
"seed_share": "Compartilhar semente",
|
||||
"seed_title": "Semente",
|
||||
"seed_verified": "Semente verificada",
|
||||
"seed_verified_subtext": "Você pode usar sua semente salva mais tarde para restaurar esta carteira em caso de corrupção ou perda do seu dispositivo. \n\n Você pode ver essa semente novamente do",
|
||||
"seedtype": "SeedType",
|
||||
"seedtype_alert_content": "Compartilhar sementes com outras carteiras só é possível com o BIP39 SeedType.",
|
||||
"seedtype_alert_title": "Alerta de SeedType",
|
||||
|
@ -904,6 +912,7 @@
|
|||
"variable_pair_not_supported": "Este par de variáveis não é compatível com as trocas selecionadas",
|
||||
"verification": "Verificação",
|
||||
"verify_message": "Verifique a mensagem",
|
||||
"verify_seed": "Verifique a semente",
|
||||
"verify_with_2fa": "Verificar com Cake 2FA",
|
||||
"version": "Versão ${currentVersion}",
|
||||
"view_all": "Ver todos",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "В магазине",
|
||||
"incoming": "Входящие",
|
||||
"incorrect_seed": "Введённый текст некорректный.",
|
||||
"incorrect_seed_option": "Неверный. Пожалуйста, попробуйте еще раз",
|
||||
"incorrect_seed_option_back": "Неверный. Пожалуйста, убедитесь, что ваше семя сохранено правильно, и попробуйте еще раз.",
|
||||
"inputs": "Входы",
|
||||
"insufficient_funds_for_tx": "Недостаточно средств для успешного выполнения транзакции.",
|
||||
"insufficient_lamport_for_tx": "У вас недостаточно Sol, чтобы покрыть транзакцию и плату за транзакцию. Пожалуйста, добавьте больше Sol в свой кошелек или уменьшите сумму Sol, которую вы отправляете.",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "Онлайн",
|
||||
"onramper_option_description": "Быстро купите крипто со многими способами оплаты. Доступно в большинстве стран. Спреды и сборы различаются.",
|
||||
"open_gift_card": "Открыть подарочную карту",
|
||||
"open_wallet": "Открытый кошелек",
|
||||
"optional_description": "Дополнительное описание",
|
||||
"optional_email_hint": "Необязательное электронное письмо с уведомлением получателя платежа",
|
||||
"optional_name": "Необязательное имя получателя",
|
||||
|
@ -626,6 +629,7 @@
|
|||
"seed_alert_title": "Внимание",
|
||||
"seed_alert_yes": "Да",
|
||||
"seed_choose": "Выберите язык мнемонической фразы",
|
||||
"seed_display_path": "Меню -> Безопасность и резервное копирование -> Показать ключ/семена",
|
||||
"seed_hex_form": "Семя кошелька (шестнадцатеричная форма)",
|
||||
"seed_key": "Ключ семян",
|
||||
"seed_language": "Язык семян",
|
||||
|
@ -644,9 +648,13 @@
|
|||
"seed_language_russian": "Русский",
|
||||
"seed_language_spanish": "Испанский",
|
||||
"seed_phrase_length": "Длина исходной фразы",
|
||||
"seed_position_question_one": "Что такое",
|
||||
"seed_position_question_two": "Слово вашей семенной фразы?",
|
||||
"seed_reminder": "Пожалуйста, запишите мнемоническую фразу на случай потери или очистки телефона",
|
||||
"seed_share": "Поделиться мнемонической фразой",
|
||||
"seed_title": "Мнемоническая фраза",
|
||||
"seed_verified": "Семя проверено",
|
||||
"seed_verified_subtext": "Позже вы можете использовать сохраненное семя, чтобы восстановить этот кошелек в случае коррупции или потери вашего устройства. \n\n Вы можете снова просмотреть это семя из",
|
||||
"seedtype": "SEEDTYPE",
|
||||
"seedtype_alert_content": "Обмен семенами с другими кошельками возможно только с BIP39 SeedType.",
|
||||
"seedtype_alert_title": "SEEDTYPE ALERT",
|
||||
|
@ -903,6 +911,7 @@
|
|||
"variable_pair_not_supported": "Эта пара переменных не поддерживается выбранными биржами.",
|
||||
"verification": "Проверка",
|
||||
"verify_message": "Проверьте сообщение",
|
||||
"verify_seed": "Проверьте семя",
|
||||
"verify_with_2fa": "Подтвердить с помощью Cake 2FA",
|
||||
"version": "Версия ${currentVersion}",
|
||||
"view_all": "Просмотреть все",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "ในร้าน",
|
||||
"incoming": "ขาเข้า",
|
||||
"incorrect_seed": "ข้อความที่ป้อนไม่ถูกต้อง",
|
||||
"incorrect_seed_option": "ไม่ถูกต้อง. โปรดลองอีกครั้ง",
|
||||
"incorrect_seed_option_back": "ไม่ถูกต้อง. โปรดตรวจสอบให้แน่ใจว่าเมล็ดพันธุ์ของคุณได้รับการบันทึกอย่างถูกต้องและลองอีกครั้ง",
|
||||
"inputs": "อินพุต",
|
||||
"insufficient_funds_for_tx": "เงินทุนไม่เพียงพอที่จะดำเนินการทำธุรกรรมได้สำเร็จ",
|
||||
"insufficient_lamport_for_tx": "คุณไม่มีโซลเพียงพอที่จะครอบคลุมการทำธุรกรรมและค่าธรรมเนียมการทำธุรกรรม กรุณาเพิ่มโซลให้มากขึ้นลงในกระเป๋าเงินของคุณหรือลดจำนวนโซลที่คุณส่งมา",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "ออนไลน์",
|
||||
"onramper_option_description": "ซื้อ crypto อย่างรวดเร็วด้วยวิธีการชำระเงินจำนวนมาก มีให้บริการในประเทศส่วนใหญ่ สเปรดและค่าธรรมเนียมแตกต่างกันไป",
|
||||
"open_gift_card": "เปิดบัตรของขวัญ",
|
||||
"open_wallet": "กระเป๋าสตางค์เปิด",
|
||||
"optional_description": "คำอธิบายเพิ่มเติม",
|
||||
"optional_email_hint": "อีเมลแจ้งผู้รับเงินเพิ่มเติม",
|
||||
"optional_name": "ชื่อผู้รับเพิ่มเติม",
|
||||
|
@ -625,6 +628,7 @@
|
|||
"seed_alert_title": "ความสนใจ",
|
||||
"seed_alert_yes": "ใช่ ฉันได้เขียน",
|
||||
"seed_choose": "เลือกภาษาของ seed",
|
||||
"seed_display_path": "เมนู -> ความปลอดภัยและการสำรองข้อมูล -> แสดงคีย์/เมล็ดพันธุ์",
|
||||
"seed_hex_form": "เมล็ดกระเป๋าเงิน (รูปแบบฐานสิบหก)",
|
||||
"seed_key": "คีย์เมล็ดพันธุ์",
|
||||
"seed_language": "ภาษาเมล็ด",
|
||||
|
@ -643,9 +647,13 @@
|
|||
"seed_language_russian": "รัสเซีย",
|
||||
"seed_language_spanish": "สเปน",
|
||||
"seed_phrase_length": "ความยาววลีของเมล็ด",
|
||||
"seed_position_question_one": "ไฟล์",
|
||||
"seed_position_question_two": "คำพูดของวลีเมล็ด?",
|
||||
"seed_reminder": "โปรดเขียนข้อมูลนี้ลงสมุดเพื่อความปลอดภัยหากคุณสูญเสียหรือล้างโทรศัพท์ของคุณ",
|
||||
"seed_share": "แบ่งปัน seed",
|
||||
"seed_title": "Seed",
|
||||
"seed_verified": "ตรวจสอบเมล็ดพันธุ์",
|
||||
"seed_verified_subtext": "คุณสามารถใช้เมล็ดพันธุ์ที่บันทึกไว้ในภายหลังเพื่อคืนค่ากระเป๋าเงินนี้ในกรณีที่เกิดการทุจริตหรือสูญเสียอุปกรณ์ของคุณ \n\n คุณสามารถดูเมล็ดพันธุ์นี้ได้อีกครั้งจากไฟล์",
|
||||
"seedtype": "เมล็ดพันธุ์",
|
||||
"seedtype_alert_content": "การแบ่งปันเมล็ดกับกระเป๋าเงินอื่น ๆ เป็นไปได้เฉพาะกับ bip39 seedtype",
|
||||
"seedtype_alert_title": "การแจ้งเตือน seedtype",
|
||||
|
@ -902,6 +910,7 @@
|
|||
"variable_pair_not_supported": "คู่ความสัมพันธ์ที่เปลี่ยนแปลงได้นี้ไม่สนับสนุนกับหุ้นที่เลือก",
|
||||
"verification": "การตรวจสอบ",
|
||||
"verify_message": "ยืนยันข้อความ",
|
||||
"verify_seed": "ตรวจสอบเมล็ดพันธุ์",
|
||||
"verify_with_2fa": "ตรวจสอบกับ Cake 2FA",
|
||||
"version": "เวอร์ชัน ${currentVersion}",
|
||||
"view_all": "ดูทั้งหมด",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "Nasa Stock",
|
||||
"incoming": "Papasok",
|
||||
"incorrect_seed": "Ang text na ipinasok ay hindi wasto.",
|
||||
"incorrect_seed_option": "Maling. Mangyaring subukang muli",
|
||||
"incorrect_seed_option_back": "Maling. Mangyaring tiyakin na ang iyong binhi ay nai -save nang tama at subukang muli.",
|
||||
"inputs": "Mga input",
|
||||
"insufficient_funds_for_tx": "Hindi sapat na pondo upang matagumpay na magsagawa ng transaksyon.",
|
||||
"insufficient_lamport_for_tx": "Wala kang sapat na SOL upang masakop ang transaksyon at ang bayad sa transaksyon nito. Mabuting magdagdag ng higit pa sa iyong pitaka o bawasan ang sol na halaga na iyong ipinapadala.",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "Online",
|
||||
"onramper_option_description": "Mabilis na bumili ng crypto na may maraming paraan ng pagbabayad. Available sa karamihan ng mga bansa. Iba-iba ang mga spread at fee.",
|
||||
"open_gift_card": "Buksan ang Gift Card",
|
||||
"open_wallet": "Buksan ang pitaka",
|
||||
"optional_description": "Opsyonal na paglalarawan",
|
||||
"optional_email_hint": "Opsyonal na payee notification email",
|
||||
"optional_name": "Opsyonal na pangalan ng tatanggap",
|
||||
|
@ -625,6 +628,7 @@
|
|||
"seed_alert_title": "Attention",
|
||||
"seed_alert_yes": "Oo meron ako",
|
||||
"seed_choose": "Pumili ng seed language",
|
||||
"seed_display_path": "Menu -> Seguridad at Pag -backup -> Ipakita ang mga susi/buto",
|
||||
"seed_hex_form": "Wallet seed (hex form)",
|
||||
"seed_key": "Seed key",
|
||||
"seed_language": "Wika ng seed",
|
||||
|
@ -643,9 +647,13 @@
|
|||
"seed_language_russian": "Russian",
|
||||
"seed_language_spanish": "Spanish",
|
||||
"seed_phrase_length": "Haba ng parirala ng seed",
|
||||
"seed_position_question_one": "Ano ang",
|
||||
"seed_position_question_two": "Salita ng iyong pariralang binhi?",
|
||||
"seed_reminder": "Mangyaring isulat ang mga ito kung sakaling mawala o mabura sa inyong telepono",
|
||||
"seed_share": "Ibahagi ang seed",
|
||||
"seed_title": "Seed",
|
||||
"seed_verified": "Napatunayan ang binhi",
|
||||
"seed_verified_subtext": "Maaari mong gamitin ang iyong nai -save na binhi sa ibang pagkakataon upang maibalik ang pitaka na ito kung sakaling may katiwalian o mawala ang iyong aparato.\n\nMaaari mong tingnan muli ang binhi na ito mula sa",
|
||||
"seedtype": "Seed type",
|
||||
"seedtype_alert_content": "Ang pagbabahagi ng mga buto sa iba pang mga pitaka ay posible lamang sa bip39 seedtype.",
|
||||
"seedtype_alert_title": "Alerto ng Seedtype",
|
||||
|
@ -902,6 +910,7 @@
|
|||
"variable_pair_not_supported": "Ang variable na pares na ito ay hindi suportado sa mga napiling exchange",
|
||||
"verification": "Pag-verify",
|
||||
"verify_message": "I -verify ang mensahe",
|
||||
"verify_seed": "I -verify ang binhi",
|
||||
"verify_with_2fa": "Mag-verify sa Cake 2FA",
|
||||
"version": "Bersyon ${currentVersion}",
|
||||
"view_all": "Tingnan lahat",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "Mağazada",
|
||||
"incoming": "Gelen",
|
||||
"incorrect_seed": "Girilen metin geçerli değil.",
|
||||
"incorrect_seed_option": "Yanlış. Lütfen tekrar deneyin",
|
||||
"incorrect_seed_option_back": "Yanlış. Lütfen tohumunuzun doğru bir şekilde kaydedildiğinden emin olun ve tekrar deneyin.",
|
||||
"inputs": "Girişler",
|
||||
"insufficient_funds_for_tx": "İşlemi başarıyla yürütmek için yeterli fon.",
|
||||
"insufficient_lamport_for_tx": "İşlemi ve işlem ücretini karşılamak için yeterli SOL'unuz yok. Lütfen cüzdanınıza daha fazla SOL ekleyin veya gönderdiğiniz sol miktarını azaltın.",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "Çevrimiçi",
|
||||
"onramper_option_description": "Birçok ödeme yöntemi ile hızlı bir şekilde kripto satın alın. Çoğu ülkede mevcuttur. Forma ve ücretler değişir.",
|
||||
"open_gift_card": "Hediye Kartını Aç",
|
||||
"open_wallet": "Açık cüzdan",
|
||||
"optional_description": "İsteğe bağlı açıklama",
|
||||
"optional_email_hint": "İsteğe bağlı alacaklı bildirim e-postası",
|
||||
"optional_name": "İsteğe bağlı alıcı adı",
|
||||
|
@ -625,6 +628,7 @@
|
|||
"seed_alert_title": "Dikkat",
|
||||
"seed_alert_yes": "Evet yazdım",
|
||||
"seed_choose": "Tohum dilini seçin",
|
||||
"seed_display_path": "Menü -> Güvenlik ve Yedekleme -> Anahtar/Tohumları Göster",
|
||||
"seed_hex_form": "Cüzdan tohumu (onaltılık form)",
|
||||
"seed_key": "Tohum",
|
||||
"seed_language": "Tohum dili",
|
||||
|
@ -643,9 +647,13 @@
|
|||
"seed_language_russian": "Rusça",
|
||||
"seed_language_spanish": "İspanyolca",
|
||||
"seed_phrase_length": "Çekirdek cümle uzunluğu",
|
||||
"seed_position_question_one": "Nedir",
|
||||
"seed_position_question_two": "Tohum ifadenizin kelimesi?",
|
||||
"seed_reminder": "Telefonunu kaybetmen veya silinmesi ihtimaline karşı lütfen bunları not et",
|
||||
"seed_share": "Tohumu paylaş",
|
||||
"seed_title": "Tohum",
|
||||
"seed_verified": "Tohum doğrulandı",
|
||||
"seed_verified_subtext": "Kaydedilen tohumunuzu daha sonra, yolsuzluk veya cihazınızı kaybetme durumunda bu cüzdanı geri yüklemek için kullanabilirsiniz. \n\n Bu tohumu tekrar görüntüleyebilirsiniz.",
|
||||
"seedtype": "Tohum",
|
||||
"seedtype_alert_content": "Tohumları diğer cüzdanlarla paylaşmak sadece BIP39 tohumu ile mümkündür.",
|
||||
"seedtype_alert_title": "SeedType uyarısı",
|
||||
|
@ -902,6 +910,7 @@
|
|||
"variable_pair_not_supported": "Bu değişken paritesi seçilen borsalarda desteklenmemekte",
|
||||
"verification": "Doğrulama",
|
||||
"verify_message": "Mesajı Doğrula",
|
||||
"verify_seed": "Tohumu doğrulamak",
|
||||
"verify_with_2fa": "Cake 2FA ile Doğrulayın",
|
||||
"version": "Sürüm ${currentVersion}",
|
||||
"view_all": "Hepsini göster",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "У магазині",
|
||||
"incoming": "Вхідні",
|
||||
"incorrect_seed": "Введений текст невірний.",
|
||||
"incorrect_seed_option": "Неправильно. Будь ласка, спробуйте ще раз",
|
||||
"incorrect_seed_option_back": "Неправильно. Будь ласка, переконайтеся, що ваше насіння зберігається правильно і повторіть спробу.",
|
||||
"inputs": "Вхoди",
|
||||
"insufficient_funds_for_tx": "Недостатні кошти для успішного виконання транзакції.",
|
||||
"insufficient_lamport_for_tx": "У вас недостатньо SOL, щоб покрити транзакцію та її плату за трансакцію. Будь ласка, додайте до свого гаманця більше SOL або зменшіть суму, яку ви надсилаєте.",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "Онлайн",
|
||||
"onramper_option_description": "Швидко купуйте криптовалюту з багатьма методами оплати. Доступний у більшості країн. Поширення та збори різняться.",
|
||||
"open_gift_card": "Відкрити подарункову картку",
|
||||
"open_wallet": "Відкритий гаманець",
|
||||
"optional_description": "Додатковий опис",
|
||||
"optional_email_hint": "Додаткова електронна адреса для сповіщення одержувача",
|
||||
"optional_name": "Додаткове ім'я одержувача",
|
||||
|
@ -626,6 +629,7 @@
|
|||
"seed_alert_title": "Увага",
|
||||
"seed_alert_yes": "Так",
|
||||
"seed_choose": "Виберіть мову мнемонічної фрази",
|
||||
"seed_display_path": "Меню -> Безпека та резервна копія -> Показати ключ/насіння",
|
||||
"seed_hex_form": "Насіння гаманця (шістнадцяткова форма)",
|
||||
"seed_key": "Насіннєвий ключ",
|
||||
"seed_language": "Насіннєва мова",
|
||||
|
@ -644,9 +648,13 @@
|
|||
"seed_language_russian": "Російська",
|
||||
"seed_language_spanish": "Іспанська",
|
||||
"seed_phrase_length": "Довжина початкової фрази",
|
||||
"seed_position_question_one": "Що таке",
|
||||
"seed_position_question_two": "Слово вашої насіннєвої фрази?",
|
||||
"seed_reminder": "Будь ласка, запишіть мнемонічну фразу на випадок втрати або очищення телефону",
|
||||
"seed_share": "Поділитися мнемонічною фразою",
|
||||
"seed_title": "Мнемонічна фраза",
|
||||
"seed_verified": "Насіння перевірено",
|
||||
"seed_verified_subtext": "Пізніше ви можете скористатися збереженим насінням, щоб відновити цей гаманець у разі пошкодження або втрату пристрою. \n\n Ви можете переглянути це насіння ще раз з",
|
||||
"seedtype": "Насіннєвий тип",
|
||||
"seedtype_alert_content": "Спільний доступ до інших гаманців можливе лише за допомогою BIP39 Seedtype.",
|
||||
"seedtype_alert_title": "Попередження насінника",
|
||||
|
@ -903,6 +911,7 @@
|
|||
"variable_pair_not_supported": "Ця пара змінних не підтримується вибраними біржами",
|
||||
"verification": "Перевірка",
|
||||
"verify_message": "Перевірте повідомлення",
|
||||
"verify_seed": "Перевірте насіння",
|
||||
"verify_with_2fa": "Перевірте за допомогою Cake 2FA",
|
||||
"version": "Версія ${currentVersion}",
|
||||
"view_all": "Переглянути все",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "اسٹور میں",
|
||||
"incoming": "آنے والا",
|
||||
"incorrect_seed": "درج کردہ متن درست نہیں ہے۔",
|
||||
"incorrect_seed_option": "غلط براہ کرم دوبارہ کوشش کریں",
|
||||
"incorrect_seed_option_back": "غلط براہ کرم یقینی بنائیں کہ آپ کا بیج صحیح طریقے سے محفوظ ہے اور دوبارہ کوشش کریں۔",
|
||||
"inputs": "آدانوں",
|
||||
"insufficient_funds_for_tx": "لین دین کو کامیابی کے ساتھ انجام دینے کے لئے ناکافی فنڈز۔",
|
||||
"insufficient_lamport_for_tx": "آپ کے پاس ٹرانزیکشن اور اس کے لین دین کی فیس کا احاطہ کرنے کے لئے کافی SOL نہیں ہے۔ برائے مہربانی اپنے بٹوے میں مزید سول شامل کریں یا آپ کو بھیجنے والی سول رقم کو کم کریں۔",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "آن لائن",
|
||||
"onramper_option_description": "ادائیگی کے بہت سے طریقوں سے جلدی سے کرپٹو خریدیں۔ زیادہ تر ممالک میں دستیاب ہے۔ پھیلاؤ اور فیس مختلف ہوتی ہے۔",
|
||||
"open_gift_card": "گفٹ کارڈ کھولیں۔",
|
||||
"open_wallet": "کھلا پرس",
|
||||
"openalias_alert_content": "آپ کو فنڈز بھیجیں گے\\n${recipient_name}",
|
||||
"openalias_alert_title": "پتہ کا پتہ چلا",
|
||||
"optional_description": "اختیاری تفصیل",
|
||||
|
@ -627,6 +630,7 @@
|
|||
"seed_alert_title": "توجہ",
|
||||
"seed_alert_yes": "ہاں میرے پاس ہے",
|
||||
"seed_choose": "بیج کی زبان کا انتخاب کریں۔",
|
||||
"seed_display_path": "مینو -> سیکیورٹی اور بیک اپ -> کلیدی/بیج دکھائیں",
|
||||
"seed_hex_form": "پرس بیج (ہیکس فارم)",
|
||||
"seed_key": "بیج کی کلید",
|
||||
"seed_language": "بیج کی زبان",
|
||||
|
@ -645,9 +649,13 @@
|
|||
"seed_language_russian": "روسی",
|
||||
"seed_language_spanish": "ہسپانوی",
|
||||
"seed_phrase_length": "ﯽﺋﺎﺒﻤﻟ ﯽﮐ ﮯﻠﻤﺟ ﮯﮐ ﺞﯿﺑ",
|
||||
"seed_position_question_one": "کیا ہے؟",
|
||||
"seed_position_question_two": "آپ کے بیج کے فقرے کا کلام؟",
|
||||
"seed_reminder": "اگر آپ اپنا فون کھو دیتے ہیں یا صاف کرتے ہیں تو براہ کرم یہ لکھ دیں۔",
|
||||
"seed_share": "بیج بانٹیں۔",
|
||||
"seed_title": "بیج",
|
||||
"seed_verified": "بیج کی تصدیق",
|
||||
"seed_verified_subtext": "آپ بدعنوانی یا اپنے آلے کو کھونے کی صورت میں اس پرس کو بحال کرنے کے لئے بعد میں اپنے محفوظ کردہ بیج کا استعمال کرسکتے ہیں۔ \n\n آپ اس بیج کو دوبارہ سے دیکھ سکتے ہیں",
|
||||
"seedtype": "سیڈ ٹائپ",
|
||||
"seedtype_alert_content": "دوسرے بٹوے کے ساتھ بیجوں کا اشتراک صرف BIP39 بیج ٹائپ کے ساتھ ہی ممکن ہے۔",
|
||||
"seedtype_alert_title": "سیڈ ٹائپ الرٹ",
|
||||
|
@ -904,6 +912,7 @@
|
|||
"variable_pair_not_supported": "یہ متغیر جوڑا منتخب ایکسچینجز کے ساتھ تعاون یافتہ نہیں ہے۔",
|
||||
"verification": "تصدیق",
|
||||
"verify_message": "پیغام کی تصدیق کریں",
|
||||
"verify_seed": "بیج کی تصدیق کریں",
|
||||
"verify_with_2fa": "کیک 2FA سے تصدیق کریں۔",
|
||||
"version": "ورژن ${currentVersion}",
|
||||
"view_all": "سب دیکھیں",
|
||||
|
|
|
@ -365,6 +365,8 @@
|
|||
"in_store": "Tại cửa hàng",
|
||||
"incoming": "Đang nhận",
|
||||
"incorrect_seed": "Văn bản nhập không hợp lệ.",
|
||||
"incorrect_seed_option": "Không đúng. Hãy thử lại",
|
||||
"incorrect_seed_option_back": "Không đúng. Vui lòng đảm bảo hạt giống của bạn được lưu chính xác và thử lại.",
|
||||
"inputs": "Đầu vào",
|
||||
"insufficient_funds_for_tx": "Không đủ tiền để thực hiện thành công giao dịch.",
|
||||
"insufficient_lamport_for_tx": "Bạn không có đủ SOL để thanh toán giao dịch và phí giao dịch. Vui lòng thêm SOL vào ví của bạn hoặc giảm số lượng SOL bạn đang gửi.",
|
||||
|
@ -474,6 +476,7 @@
|
|||
"online": "Trực tuyến",
|
||||
"onramper_option_description": "Mua tiền điện tử nhanh chóng với nhiều phương thức thanh toán. Có sẵn ở hầu hết các quốc gia. Chênh lệch và phí thay đổi.",
|
||||
"open_gift_card": "Mở thẻ quà tặng",
|
||||
"open_wallet": "Mở ví",
|
||||
"optional_description": "Mô tả tùy chọn",
|
||||
"optional_email_hint": "Email thông báo cho người nhận (tùy chọn)",
|
||||
"optional_name": "Tên người nhận (tùy chọn)",
|
||||
|
@ -624,6 +627,7 @@
|
|||
"seed_alert_title": "Chú ý",
|
||||
"seed_alert_yes": "Có, tôi đã ghi lại",
|
||||
"seed_choose": "Chọn ngôn ngữ hạt giống",
|
||||
"seed_display_path": "Menu -> Bảo mật và Sao lưu -> Hiển thị khóa/Hạt giống",
|
||||
"seed_hex_form": "Hạt giống ví (dạng hex)",
|
||||
"seed_key": "Khóa hạt giống",
|
||||
"seed_language": "Ngôn ngữ hạt giống",
|
||||
|
@ -642,9 +646,13 @@
|
|||
"seed_language_russian": "Tiếng Nga",
|
||||
"seed_language_spanish": "Tiếng Tây Ban Nha",
|
||||
"seed_phrase_length": "Độ dài cụm từ hạt giống",
|
||||
"seed_position_question_one": "Cái gì là gì",
|
||||
"seed_position_question_two": "Lời của cụm từ hạt giống của bạn?",
|
||||
"seed_reminder": "Vui lòng ghi lại những điều này phòng khi bạn mất hoặc xóa điện thoại của mình",
|
||||
"seed_share": "Chia sẻ hạt giống",
|
||||
"seed_title": "Hạt giống",
|
||||
"seed_verified": "Hạt giống được xác minh",
|
||||
"seed_verified_subtext": "Bạn có thể sử dụng hạt giống đã lưu của mình sau này để khôi phục ví này trong trường hợp tham nhũng hoặc mất thiết bị của mình. \n\n Bạn có thể xem lại hạt giống này từ",
|
||||
"seedtype": "Loại hạt giống",
|
||||
"seedtype_alert_content": "Chia sẻ hạt giống với ví khác chỉ có thể với BIP39 SeedType.",
|
||||
"seedtype_alert_title": "Cảnh báo hạt giống",
|
||||
|
@ -901,6 +909,7 @@
|
|||
"variable_pair_not_supported": "Cặp biến này không được hỗ trợ với các sàn giao dịch đã chọn",
|
||||
"verification": "Xác minh",
|
||||
"verify_message": "Xác minh tin nhắn",
|
||||
"verify_seed": "Xác minh hạt giống",
|
||||
"verify_with_2fa": "Xác minh với Cake 2FA",
|
||||
"version": "Phiên bản ${currentVersion}",
|
||||
"view_all": "Xem tất cả",
|
||||
|
|
|
@ -367,6 +367,8 @@
|
|||
"in_store": "A níyí",
|
||||
"incoming": "Wọ́n tó ń bọ̀",
|
||||
"incorrect_seed": "Ọ̀rọ̀ tí a tẹ̀ kì í ṣe èyí.",
|
||||
"incorrect_seed_option": "Ti ko tọ. Jọwọ gbiyanju lẹẹkansi",
|
||||
"incorrect_seed_option_back": "Ti ko tọ. Jọwọ rii daju pe irugbin rẹ wa ni fipamọ ni deede ki o tun gbiyanju lẹẹkan si.",
|
||||
"inputs": "Igbewọle",
|
||||
"insufficient_funds_for_tx": "Awọn owo ti ko to lati ṣe idunadura ni ifijišẹ.",
|
||||
"insufficient_lamport_for_tx": "O ko ni sosi to lati bo idunadura ati idiyele iṣowo rẹ. Fi agbara kun Sol diẹ sii si apamọwọ rẹ tabi dinku sodo naa ti o \\ 'tun n firanṣẹ.",
|
||||
|
@ -476,6 +478,7 @@
|
|||
"online": "Lórí ayélujára",
|
||||
"onramper_option_description": "Ni kiakia Ra Crypto pẹlu ọpọlọpọ awọn ọna isanwo. Wa ni ọpọlọpọ awọn orilẹ-ede. Itankale ati awọn idiyele yatọ.",
|
||||
"open_gift_card": "Ṣí káàdí ìrajà t'á lò nínú irú kan ìtajà",
|
||||
"open_wallet": "Ṣii apamọwọ",
|
||||
"optional_description": "Ṣeto ẹru iye",
|
||||
"optional_email_hint": "Ṣeto imọ-ẹrọ iye fun owo ti o gbọdọjọ",
|
||||
"optional_name": "Ṣeto orukọ ti o ni",
|
||||
|
@ -626,6 +629,7 @@
|
|||
"seed_alert_title": "Ẹ wo",
|
||||
"seed_alert_yes": "Mo ti kọ ọ́",
|
||||
"seed_choose": "Yan èdè hóró",
|
||||
"seed_display_path": "Aṣayan -> Aabo ati afẹyinti -> Fiwe bọtini / Awọn irugbin",
|
||||
"seed_hex_form": "Irú Opamọwọ apamọwọ (HOX)",
|
||||
"seed_key": "Bọtini Ose",
|
||||
"seed_language": "Ewu ọmọ",
|
||||
|
@ -644,9 +648,13 @@
|
|||
"seed_language_russian": "Èdè Rọ́síà",
|
||||
"seed_language_spanish": "Èdè Sípéènì",
|
||||
"seed_phrase_length": "Gigun gbolohun irugbin",
|
||||
"seed_position_question_one": "Kini awọn",
|
||||
"seed_position_question_two": "Ọrọ ti gbolohun irubò rẹ?",
|
||||
"seed_reminder": "Ẹ jọ̀wọ́, kọ wọnyí sílẹ̀ k'ẹ́ tó pàdánù ẹ̀rọ ìbánisọ̀rọ̀ yín",
|
||||
"seed_share": "Pín hóró",
|
||||
"seed_title": "Hóró",
|
||||
"seed_verified": "Irugbin ijẹrisi",
|
||||
"seed_verified_subtext": "O le lo irugbin ti o fipamọ nigbamii lati mu apamọwọ yii pada sinu iṣẹlẹ ti ibajẹ tabi padanu ẹrọ rẹ. \n\n O le wo irugbin yii lẹẹkansi lati",
|
||||
"seedtype": "Irugbin-seetypu",
|
||||
"seedtype_alert_content": "Pinpin awọn irugbin pẹlu awọn gedo miiran ṣee ṣe pẹlu Bip39 irugbin.",
|
||||
"seedtype_alert_title": "Ṣajọpọ Seeytype",
|
||||
|
@ -903,6 +911,7 @@
|
|||
"variable_pair_not_supported": "A kì í ṣe k'á fi àwọn ilé pàṣípààrọ̀ yìí ṣe pàṣípààrọ̀ irú owó méji yìí",
|
||||
"verification": "Ìjẹ́rìísí",
|
||||
"verify_message": "Daju ifiranṣẹ",
|
||||
"verify_seed": "Dajudaju irugbin",
|
||||
"verify_with_2fa": "Ṣeẹda pẹlu Cake 2FA",
|
||||
"version": "Àtúnse ${currentVersion}",
|
||||
"view_all": "Wo gbogbo nǹkan kan",
|
||||
|
|
|
@ -366,6 +366,8 @@
|
|||
"in_store": "店内",
|
||||
"incoming": "收到",
|
||||
"incorrect_seed": "输入的文字无效。",
|
||||
"incorrect_seed_option": "不正确。请重试",
|
||||
"incorrect_seed_option_back": "不正确。请确保您的种子可以正确保存,然后重试。",
|
||||
"inputs": "输入",
|
||||
"insufficient_funds_for_tx": "资金不足无法成功执行交易。",
|
||||
"insufficient_lamport_for_tx": "您没有足够的溶胶来支付交易及其交易费用。请在您的钱包中添加更多溶胶或减少您发送的溶胶量。",
|
||||
|
@ -475,6 +477,7 @@
|
|||
"online": "在线",
|
||||
"onramper_option_description": "快速使用许多付款方式购买加密货币。在大多数国家 /地区可用。利差和费用各不相同。",
|
||||
"open_gift_card": "打开礼品卡",
|
||||
"open_wallet": "打开钱包",
|
||||
"optional_description": "可选说明",
|
||||
"optional_email_hint": "可选的收款人通知电子邮件",
|
||||
"optional_name": "可选收件人姓名",
|
||||
|
@ -625,6 +628,7 @@
|
|||
"seed_alert_title": "注意",
|
||||
"seed_alert_yes": "确定",
|
||||
"seed_choose": "选择种子语言",
|
||||
"seed_display_path": "菜单 - >安全性和备份 - >显示键/种子",
|
||||
"seed_hex_form": "钱包种子(十六进制形式)",
|
||||
"seed_key": "种子钥匙",
|
||||
"seed_language": "种子语言",
|
||||
|
@ -643,9 +647,13 @@
|
|||
"seed_language_russian": "俄文",
|
||||
"seed_language_spanish": "西班牙文",
|
||||
"seed_phrase_length": "种子短语长度",
|
||||
"seed_position_question_one": "什么是",
|
||||
"seed_position_question_two": "你的种子短语的话?",
|
||||
"seed_reminder": "请记下这些内容,以防丟失或数据损坏",
|
||||
"seed_share": "分享种子",
|
||||
"seed_title": "种子",
|
||||
"seed_verified": "种子经过验证",
|
||||
"seed_verified_subtext": "您可以在以后使用保存的种子在发生损坏或丢失设备的情况下还原该钱包。\n\n您可以从",
|
||||
"seedtype": "籽粒",
|
||||
"seedtype_alert_content": "只有BIP39籽粒可以与其他钱包共享种子。",
|
||||
"seedtype_alert_title": "籽粒警报",
|
||||
|
@ -902,6 +910,7 @@
|
|||
"variable_pair_not_supported": "所选交易所不支持此变量对",
|
||||
"verification": "验证",
|
||||
"verify_message": "验证消息",
|
||||
"verify_seed": "验证种子",
|
||||
"verify_with_2fa": "用 Cake 2FA 验证",
|
||||
"version": "版本 ${currentVersion}",
|
||||
"view_all": "查看全部",
|
||||
|
|
Loading…
Reference in a new issue