-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathi18n.tsx
More file actions
1396 lines (1333 loc) · 61.6 KB
/
i18n.tsx
File metadata and controls
1396 lines (1333 loc) · 61.6 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
import React, { createContext, useContext, useEffect, useMemo, useState } from 'react';
export type Locale = 'en' | 'zh-CN' | 'zh-TW' | 'ru' | 'fr';
const STORAGE_KEY = 'lastpush_locale';
const translations: Record<Locale, Record<string, string>> = {
en: {
'app.name': 'LastPush',
'nav.overview': 'Overview',
'nav.domains': 'Domains',
'nav.orders': 'Orders',
'nav.sites': 'Sites',
'nav.billing': 'Billing',
'nav.settings': 'Settings',
'nav.support': 'Support',
'nav.signout': 'Sign Out',
'nav.docs': 'Docs',
'nav.signin': 'Sign In',
'nav.getstarted': 'Get Started',
'nav.finddomain': 'Find Domain',
'nav.newsite': 'New Site',
'nav.dashboard': 'Dashboard',
'layout.loading': 'Loading...',
'layout.user': 'User',
'layout.language': 'Language',
'layout.wallet.connect': 'Connect Wallet',
'layout.wallet.disconnect': 'Disconnect',
'home.title': 'Deploy frontend.',
'home.title2': 'Manage domains.',
'home.subtitle': 'The developer-first platform for modern web projects. Purchase domains, configure DNS automatically, and push to deploy in seconds.',
'home.search.placeholder': 'Find your next domain (e.g., project-titan)',
'home.search': 'Search',
'home.results': 'Search Results',
'home.renews': 'Renews at ${price}/yr',
'home.unavailable': 'Unavailable',
'home.buy': 'Buy Now',
'home.taken': 'Taken',
'login.title': 'Welcome to LastPush',
'login.subtitle': 'Sign in to manage your domains and deployments',
'login.wallet': 'Connect Wallet',
'login.wrongnetwork': 'Wrong network',
'login.walletconnected': 'Wallet Connected',
'login.continue.email': 'Continue with Email',
'login.continue.x': 'Continue with X',
'login.or': 'Or',
'login.email.label': 'Email Address',
'login.email.placeholder': 'user@yourdomain.com',
'login.sendlink': 'Send Magic Link',
'login.sending': 'Sending...',
'login.verify': 'Verify & Continue',
'login.verifying': 'Verifying...',
'login.code.label': 'Verification Code',
'login.code.placeholder': '123456',
'login.back': 'Back',
'login.almost': 'Almost there',
'login.walletconnected.short': 'Wallet {short} connected.',
'login.onboarding': 'Confirm your details to finish setup.',
'login.username': 'Username',
'login.workspace': 'Workspace Name (Optional)',
'login.enter': 'Enter Dashboard',
'dashboard.sites': 'Active Sites',
'dashboard.domains': 'Domains',
'dashboard.balance': 'Current Balance',
'dashboard.deploy': 'Deploy',
'dashboard.buy': 'Buy',
'dashboard.addfunds': 'Add Funds',
'dashboard.activity': 'Deployment Activity (Last 7 Days)',
'dashboard.events': 'Recent Events',
'dashboard.noevents': 'No recent events.',
'dashboard.viewall': 'View all activity',
'dashboard.activesites': 'Active projects',
'dashboard.connecteddomains': 'Connected domains',
'dashboard.walletbalance': 'Wallet balance',
'domains.title': 'Domains',
'domains.buy': 'Buy Domain',
'domains.empty.title': 'No domains yet',
'domains.empty.subtitle': 'Buy a new domain to get started.',
'domains.autorenews': 'Auto-renews {date}',
'domains.active': 'Active',
'domains.pending': 'Pending',
'domains.hold': 'Hold',
'domains.detail.invalid': 'Invalid domain',
'domains.detail.overview': 'Overview',
'domains.detail.dns': 'DNS Records',
'domains.detail.expires': 'Expires {date}',
'domains.detail.registration': 'Registration',
'domains.detail.autorenew': 'Auto-renew',
'domains.detail.manage': 'Manage Subscription',
'domains.detail.ssl': 'SSL / HTTPS',
'domains.detail.sslactive': 'Universal SSL Active',
'domains.detail.sslpending': 'SSL Pending',
'domains.detail.sslcopy': 'Your domain is automatically secured with a wildcard certificate.',
'domains.dns.title': 'DNS Management',
'domains.dns.remaining': 'Remaining records: {remaining} / {limit}',
'domains.dns.add': 'Add Record',
'domains.dns.type': 'Type',
'domains.dns.name': 'Name',
'domains.dns.content': 'Content',
'domains.dns.ttl': 'TTL',
'domains.dns.proxy': 'Proxy',
'domains.dns.none': 'No records found.',
'domains.dns.proxied': 'Proxied',
'domains.dns.dnsonly': 'DNS Only',
'domains.dns.save': 'Save',
'domains.dns.saving': 'Saving...',
'sites.title': 'Sites',
'sites.newproject': 'New Project',
'sites.empty.title': 'No sites yet',
'sites.empty.subtitle': 'Create a new site to deploy your first project.',
'sites.empty.cta': 'Create New Site',
'sites.deploy.title': 'Deploy a new site',
'sites.deploy.subtitle': 'Import your code or upload a static bundle.',
'sites.deploy.upload': 'Upload File',
'sites.deploy.url': 'Use URL',
'sites.deploy.drag': 'Drag & drop your bundle',
'sites.deploy.support': 'Support for .zip, .tar.gz',
'sites.deploy.filesize': 'File must be smaller than {size}.',
'sites.deploy.filetype': 'File must be one of: {types}.',
'sites.deploy.project': 'Project Name',
'sites.deploy.bundleurl': 'Bundle URL',
'sites.deploy.deploy': 'Deploy Now',
'sites.deploy.waiting': 'Waiting for build logs...',
'sites.deploy.logs': '>',
'sites.deploy.building': 'Deploying...',
'sites.deploy.countdown': 'Redirecting in {seconds}s',
'sites.deploy.domain': 'Domain',
'sites.deploy.defaultdomain': 'Default Domain',
'sites.deploy.nodomain': 'No default domains available.',
'sites.deploy.prefix': 'Domain Prefix',
'sites.deploy.check': 'Check Availability',
'sites.deploy.checking': 'Checking...',
'sites.deploy.available': 'Available',
'sites.deploy.unavailable': 'Unavailable',
'sites.deploy.remaining': 'Remaining records: {remaining} / {limit}',
'sites.deploy.status.label': 'Status',
'sites.deploy.status.upload': 'File Upload',
'sites.deploy.status.building': 'Building',
'sites.deploy.status.success': 'Success',
'sites.deploy.success': 'Deployment successful.',
'sites.deploy.viewsite': 'View Site',
'sites.detail.settings': 'Settings',
'sites.detail.createdeploy': 'Create Deployment',
'sites.detail.production': 'Production Deployment',
'sites.detail.url': 'URL',
'sites.detail.created': 'Created',
'sites.detail.history': 'Deployment History',
'sites.detail.current': 'Current Production',
'sites.detail.rollback': 'Rollback',
'sites.detail.domains': 'Domains',
'sites.detail.adddomain': 'Add Domain',
'sites.detail.quick': 'Quick Actions',
'sites.detail.logs': 'View Logs',
'sites.detail.env': 'Environment Variables',
'sites.detail.delete': 'Delete Project',
'sites.detail.name': 'Name',
'sites.detail.domain': 'Domain',
'sites.detail.framework': 'Framework',
'sites.detail.lastdeploy': 'Last deployed',
'sites.detail.deletesite': 'Delete Site',
'sites.detail.deleteconfirm': 'Delete this site? This cannot be undone.',
'sites.detail.deleting': 'Deleting...',
'sites.detail.deletecountdown': 'Redirecting in {seconds}s',
'sites.detail.loading': 'Loading...',
'billing.title': 'Billing & Usage',
'billing.balance': 'Available Balance',
'billing.addfunds': 'Add Funds (${amount})',
'billing.usage': 'Current Usage (Month)',
'billing.bandwidth': 'Bandwidth',
'billing.buildminutes': 'Build Minutes',
'billing.paymentmethod': 'Payment Method',
'billing.nopayment': 'No payment method on file.',
'billing.managecards': 'Manage Cards',
'billing.transactions': 'Transactions',
'billing.date': 'Date',
'billing.description': 'Description',
'billing.status': 'Status',
'billing.amount': 'Amount',
'billing.invoice': 'Invoice',
'billing.paid': 'Paid',
'billing.failed': 'Failed',
'billing.topup.title': 'Add Funds via USDT',
'billing.topup.close': 'Close',
'billing.topup.chain': 'Select Chain',
'billing.topup.loading': 'Creating order...',
'billing.topup.deposit': 'Send to: {address}',
'billing.topup.token': 'Token',
'billing.topup.tokenlabel': 'Token: {token}',
'billing.topup.amount': 'Amount: ${amount}',
'billing.topup.network': 'Network: {network}',
'billing.topup.placeorder': 'Place Order',
'billing.topup.qr': 'Payment QR',
'billing.topup.confirm': 'I have paid',
'billing.topup.confirming': 'Confirming...',
'billing.topup.confirmcountdown': 'Redirecting in {seconds}s',
'billing.topup.ordercountdown': 'Time remaining: {seconds}s. Order will expire after this.',
'billing.topup.copy': 'Copy',
'billing.topup.copied': 'Copied',
'billing.topup.copyfailed': 'Copy failed',
'settings.title': 'Settings',
'settings.subtitle': 'Manage your account, security, and notifications.',
'settings.profile': 'Profile',
'settings.displayname': 'Display Name',
'settings.email': 'Email',
'settings.walletenabled': 'Wallet login enabled {suffix}',
'settings.save': 'Save Changes',
'settings.plan': 'Plan & Usage',
'settings.currentplan': 'Current Plan',
'settings.projects': 'Projects',
'settings.domains': 'Domains',
'settings.upgrade': 'Upgrade Plan',
'settings.notifications': 'Notifications',
'settings.notify.deploys': 'Deployment status updates',
'settings.notify.billing': 'Billing receipts and failed payments',
'settings.notify.security': 'Security alerts and sign-in notices',
'settings.apikeys': 'API Keys',
'settings.nokeys': 'No API keys yet.',
'settings.keylabel': 'Key label',
'settings.create': 'Create',
'settings.rotate': 'Rotate Key',
'settings.danger': 'Danger Zone',
'settings.deleteworkspace': 'Delete workspace',
'settings.deletewarn': 'This action is irreversible and will remove all sites and domains.',
'settings.delete': 'Delete Workspace',
'orders.title': 'Orders',
'orders.subtitle': 'Track domain purchase and provisioning status.',
'orders.buy': 'Buy Domain',
'orders.empty.title': 'No orders yet',
'orders.empty.subtitle': 'Search for a domain to place your first order.',
'orders.empty.cta': 'Find Domain',
'orders.status.online': 'Online',
'orders.status.failed': 'Failed',
'orders.status.dnspending': 'Pending DNS',
'orders.status.purchased': 'Purchased',
'orders.status.purchasing': 'Purchasing',
'ordernew.title': 'Confirm Purchase',
'ordernew.subtitle': 'Orders are paid from your wallet balance.',
'ordernew.domain': 'Domain',
'ordernew.price': 'Price (1 year)',
'ordernew.balance': 'Balance',
'ordernew.balancebadge': 'Balance',
'ordernew.defaultpayment': 'Default payment method',
'ordernew.insufficient': 'Insufficient balance. Please top up to continue.',
'ordernew.topup': 'Go to Top Up',
'ordernew.pay': 'Pay with Balance',
'ordernew.cancel': 'Cancel',
'ordernew.signin': 'Sign in required',
'ordernew.signin.copy': 'Please sign in to place a domain order.',
'ordernew.invalid': 'Invalid order',
'ordernew.invalid.copy': 'Missing domain or price details.',
'ordernew.back': 'Back to Search',
'orderdetail.title': 'Order Status',
'orderdetail.order': 'Order #{id}',
'orderdetail.back': 'Back to Domains',
'orderdetail.amount': 'Amount',
'orderdetail.status': 'Status',
'orderdetail.pending': 'Pending - we are still processing your domain.',
'orderdetail.progress': 'Progress',
'orderdetail.check': 'Check Status',
'orderdetail.refresh': 'Refreshing...',
'orderdetail.step.purchasing': 'Domain purchasing',
'orderdetail.step.purchased': 'Domain purchased',
'orderdetail.step.cloudflare': 'Provisioning to Cloudflare',
'orderdetail.step.online': 'Domain online',
},
'zh-CN': {
'app.name': 'LastPush',
'nav.overview': '概览',
'nav.domains': '域名',
'nav.orders': '订单',
'nav.sites': '站点',
'nav.billing': '账单',
'nav.settings': '设置',
'nav.support': '支持',
'nav.signout': '退出登录',
'nav.docs': '文档',
'nav.signin': '登录',
'nav.getstarted': '开始使用',
'nav.finddomain': '查找域名',
'nav.newsite': '新建站点',
'nav.dashboard': '控制台',
'layout.loading': '加载中...',
'layout.user': '用户',
'layout.language': '语言',
'layout.wallet.connect': '连接钱包',
'layout.wallet.disconnect': '断开连接',
'home.title': '部署前端。',
'home.title2': '管理域名。',
'home.subtitle': '面向开发者的平台,用于购买域名、自动配置 DNS,并快速部署。',
'home.search.placeholder': '搜索你的域名(例如 project-titan)',
'home.search': '搜索',
'home.results': '搜索结果',
'home.renews': '续费 ${price}/年',
'home.unavailable': '不可用',
'home.buy': '立即购买',
'home.taken': '已被占用',
'login.title': '欢迎使用 LastPush',
'login.subtitle': '登录以管理你的域名与部署',
'login.wallet': '连接钱包',
'login.wrongnetwork': '网络不正确',
'login.walletconnected': '钱包已连接',
'login.continue.email': '使用邮箱继续',
'login.continue.x': '使用 X 继续',
'login.or': '或',
'login.email.label': '邮箱地址',
'login.email.placeholder': 'user@yourdomain.com',
'login.sendlink': '发送魔法链接',
'login.sending': '发送中...',
'login.verify': '验证并继续',
'login.verifying': '验证中...',
'login.code.label': '验证码',
'login.code.placeholder': '123456',
'login.back': '返回',
'login.almost': '就快完成了',
'login.walletconnected.short': '钱包 {short} 已连接。',
'login.onboarding': '确认信息完成设置。',
'login.username': '用户名',
'login.workspace': '工作区名称(可选)',
'login.enter': '进入控制台',
'dashboard.sites': '活跃站点',
'dashboard.domains': '域名',
'dashboard.balance': '当前余额',
'dashboard.deploy': '部署',
'dashboard.buy': '购买',
'dashboard.addfunds': '充值',
'dashboard.activity': '部署活动(近 7 天)',
'dashboard.events': '近期事件',
'dashboard.noevents': '暂无事件。',
'dashboard.viewall': '查看全部活动',
'dashboard.activesites': '活跃项目',
'dashboard.connecteddomains': '已连接域名',
'dashboard.walletbalance': '钱包余额',
'domains.title': '域名',
'domains.buy': '购买域名',
'domains.empty.title': '暂无域名',
'domains.empty.subtitle': '购买一个新域名开始使用。',
'domains.autorenews': '自动续费 {date}',
'domains.active': '正常',
'domains.pending': '处理中',
'domains.hold': '暂停',
'domains.detail.invalid': '无效域名',
'domains.detail.overview': '概览',
'domains.detail.dns': 'DNS 记录',
'domains.detail.expires': '到期 {date}',
'domains.detail.registration': '注册',
'domains.detail.autorenew': '自动续费',
'domains.detail.manage': '管理订阅',
'domains.detail.ssl': 'SSL / HTTPS',
'domains.detail.sslactive': 'SSL 已启用',
'domains.detail.sslpending': 'SSL 处理中',
'domains.detail.sslcopy': '域名自动绑定通配证书。',
'domains.dns.title': 'DNS 管理',
'domains.dns.remaining': '剩余解析:{remaining} / {limit}',
'domains.dns.add': '新增记录',
'domains.dns.type': '类型',
'domains.dns.name': '名称',
'domains.dns.content': '内容',
'domains.dns.ttl': 'TTL',
'domains.dns.proxy': '代理',
'domains.dns.none': '暂无记录。',
'domains.dns.proxied': '代理',
'domains.dns.dnsonly': '仅 DNS',
'domains.dns.save': '保存',
'domains.dns.saving': '保存中...',
'sites.title': '站点',
'sites.newproject': '新建项目',
'sites.empty.title': '暂无站点',
'sites.empty.subtitle': '创建新站点部署你的项目。',
'sites.empty.cta': '创建站点',
'sites.deploy.title': '部署新站点',
'sites.deploy.subtitle': '导入代码或上传静态包。',
'sites.deploy.upload': '上传文件',
'sites.deploy.url': '使用 URL',
'sites.deploy.drag': '拖拽上传打包文件',
'sites.deploy.support': '支持 .zip, .tar.gz',
'sites.deploy.filesize': '文件大小需小于 {size}。',
'sites.deploy.filetype': '文件格式需为:{types}。',
'sites.deploy.project': '项目名称',
'sites.deploy.bundleurl': '包地址',
'sites.deploy.deploy': '立即部署',
'sites.deploy.waiting': '等待构建日志...',
'sites.deploy.logs': '>',
'sites.deploy.building': '部署中...',
'sites.deploy.countdown': '将在 {seconds} 秒后跳转',
'sites.deploy.domain': '域名',
'sites.deploy.defaultdomain': 'Default Domain',
'sites.deploy.nodomain': '没有可用的默认域名。',
'sites.deploy.prefix': '域名前缀',
'sites.deploy.check': '检查可用性',
'sites.deploy.checking': '检查中...',
'sites.deploy.available': '可用',
'sites.deploy.unavailable': '不可用',
'sites.deploy.remaining': '剩余解析:{remaining} / {limit}',
'sites.deploy.status.label': '状态',
'sites.deploy.status.upload': '文件上传',
'sites.deploy.status.building': '编译部署中',
'sites.deploy.status.success': '部署成功',
'sites.deploy.success': '部署成功。',
'sites.deploy.viewsite': '查看站点',
'sites.detail.settings': '设置',
'sites.detail.createdeploy': '创建部署',
'sites.detail.production': '生产部署',
'sites.detail.url': 'URL',
'sites.detail.created': '创建时间',
'sites.detail.history': '部署历史',
'sites.detail.current': '当前生产环境',
'sites.detail.rollback': '回滚',
'sites.detail.domains': '域名',
'sites.detail.adddomain': '添加域名',
'sites.detail.quick': '快捷操作',
'sites.detail.logs': '查看日志',
'sites.detail.env': '环境变量',
'sites.detail.delete': '删除项目',
'sites.detail.name': '名称',
'sites.detail.domain': '域名',
'sites.detail.framework': '框架',
'sites.detail.lastdeploy': '最近部署',
'sites.detail.deletesite': '删除站点',
'sites.detail.deleteconfirm': '确认删除该站点?该操作不可撤销。',
'sites.detail.deleting': '删除中...',
'sites.detail.deletecountdown': '将在 {seconds} 秒后跳转',
'sites.detail.loading': '加载中...',
'billing.title': '账单与用量',
'billing.balance': '可用余额',
'billing.addfunds': '充值 (${amount})',
'billing.usage': '本月用量',
'billing.bandwidth': '带宽',
'billing.buildminutes': '构建分钟',
'billing.paymentmethod': '支付方式',
'billing.nopayment': '暂无支付方式。',
'billing.managecards': '管理卡片',
'billing.transactions': '交易记录',
'billing.date': '日期',
'billing.description': '描述',
'billing.status': '状态',
'billing.amount': '金额',
'billing.invoice': '发票',
'billing.paid': '已支付',
'billing.failed': '失败',
'billing.topup.title': 'USDT 充值',
'billing.topup.close': '关闭',
'billing.topup.chain': '选择链',
'billing.topup.loading': '生成订单中...',
'billing.topup.deposit': '收款地址:{address}',
'billing.topup.token': '代币',
'billing.topup.tokenlabel': '代币:{token}',
'billing.topup.amount': '金额:${amount}',
'billing.topup.network': '网络:{network}',
'billing.topup.placeorder': '下单',
'billing.topup.qr': '收款二维码',
'billing.topup.confirm': '我已支付',
'billing.topup.confirming': '确认中...',
'billing.topup.confirmcountdown': '将在 {seconds} 秒后跳转',
'billing.topup.ordercountdown': '剩余时间:{seconds} 秒,超时订单将失效。',
'billing.topup.copy': '复制',
'billing.topup.copied': '已复制',
'billing.topup.copyfailed': '复制失败',
'settings.title': '设置',
'settings.subtitle': '管理账户、安全与通知。',
'settings.profile': '资料',
'settings.displayname': '显示名称',
'settings.email': '邮箱',
'settings.walletenabled': '钱包登录已启用 {suffix}',
'settings.save': '保存更改',
'settings.plan': '套餐与用量',
'settings.currentplan': '当前套餐',
'settings.projects': '项目',
'settings.domains': '域名',
'settings.upgrade': '升级套餐',
'settings.notifications': '通知',
'settings.notify.deploys': '部署状态更新',
'settings.notify.billing': '账单与失败支付',
'settings.notify.security': '安全提醒与登录通知',
'settings.apikeys': 'API 密钥',
'settings.nokeys': '暂无 API 密钥。',
'settings.keylabel': '密钥名称',
'settings.create': '创建',
'settings.rotate': '轮换密钥',
'settings.danger': '危险区域',
'settings.deleteworkspace': '删除工作区',
'settings.deletewarn': '此操作不可逆,将删除所有站点与域名。',
'settings.delete': '删除工作区',
'orders.title': '订单',
'orders.subtitle': '跟踪域名购买与解析状态。',
'orders.buy': '购买域名',
'orders.empty.title': '暂无订单',
'orders.empty.subtitle': '搜索域名并下单。',
'orders.empty.cta': '查找域名',
'orders.status.online': '在线',
'orders.status.failed': '失败',
'orders.status.dnspending': 'DNS 待生效',
'orders.status.purchased': '已购买',
'orders.status.purchasing': '购买中',
'ordernew.title': '确认购买',
'ordernew.subtitle': '订单默认使用余额支付。',
'ordernew.domain': '域名',
'ordernew.price': '价格(1 年)',
'ordernew.balance': '余额',
'ordernew.balancebadge': '余额',
'ordernew.defaultpayment': '默认支付方式',
'ordernew.insufficient': '余额不足,请先充值。',
'ordernew.topup': '去充值',
'ordernew.pay': '余额支付',
'ordernew.cancel': '取消',
'ordernew.signin': '需要登录',
'ordernew.signin.copy': '请登录后再下单。',
'ordernew.invalid': '无效订单',
'ordernew.invalid.copy': '缺少域名或价格信息。',
'ordernew.back': '返回搜索',
'orderdetail.title': '订单状态',
'orderdetail.order': '订单 #{id}',
'orderdetail.back': '返回域名',
'orderdetail.amount': '金额',
'orderdetail.status': '状态',
'orderdetail.pending': '处理中,请稍候。',
'orderdetail.progress': '进度',
'orderdetail.check': '检查状态',
'orderdetail.refresh': '刷新中...',
'orderdetail.step.purchasing': '域名购买中',
'orderdetail.step.purchased': '域名购买成功',
'orderdetail.step.cloudflare': '解析到 Cloudflare',
'orderdetail.step.online': '解析生效,Domain online',
},
'zh-TW': {
'app.name': 'LastPush',
'nav.overview': '概覽',
'nav.domains': '網域',
'nav.orders': '訂單',
'nav.sites': '站點',
'nav.billing': '帳單',
'nav.settings': '設定',
'nav.support': '支援',
'nav.signout': '登出',
'nav.docs': '文件',
'nav.signin': '登入',
'nav.getstarted': '開始使用',
'nav.finddomain': '搜尋網域',
'nav.newsite': '新建站點',
'nav.dashboard': '控制台',
'layout.loading': '載入中...',
'layout.user': '使用者',
'layout.language': '語言',
'layout.wallet.connect': '連接錢包',
'layout.wallet.disconnect': '中斷連接',
'home.title': '部署前端。',
'home.title2': '管理網域。',
'home.subtitle': '為開發者打造的平台,支援購買網域、設定 DNS,快速部署。',
'home.search.placeholder': '搜尋你的網域(例如 project-titan)',
'home.search': '搜尋',
'home.results': '搜尋結果',
'home.renews': '續費 ${price}/年',
'home.unavailable': '不可用',
'home.buy': '立即購買',
'home.taken': '已被占用',
'login.title': '歡迎使用 LastPush',
'login.subtitle': '登入以管理你的網域與部署',
'login.wallet': '連接錢包',
'login.wrongnetwork': '網路不正確',
'login.walletconnected': '錢包已連接',
'login.continue.email': '使用信箱繼續',
'login.continue.x': '使用 X 繼續',
'login.or': '或',
'login.email.label': '信箱地址',
'login.email.placeholder': 'user@yourdomain.com',
'login.sendlink': '傳送魔法連結',
'login.sending': '傳送中...',
'login.verify': '驗證並繼續',
'login.verifying': '驗證中...',
'login.code.label': '驗證碼',
'login.code.placeholder': '123456',
'login.back': '返回',
'login.almost': '即將完成',
'login.walletconnected.short': '錢包 {short} 已連接。',
'login.onboarding': '確認資訊完成設定。',
'login.username': '使用者名稱',
'login.workspace': '工作區名稱(選填)',
'login.enter': '進入控制台',
'dashboard.sites': '活躍站點',
'dashboard.domains': '網域',
'dashboard.balance': '目前餘額',
'dashboard.deploy': '部署',
'dashboard.buy': '購買',
'dashboard.addfunds': '充值',
'dashboard.activity': '部署活動(近 7 天)',
'dashboard.events': '近期事件',
'dashboard.noevents': '目前沒有事件。',
'dashboard.viewall': '查看全部活動',
'dashboard.activesites': '活躍專案',
'dashboard.connecteddomains': '已連接網域',
'dashboard.walletbalance': '錢包餘額',
'domains.title': '網域',
'domains.buy': '購買網域',
'domains.empty.title': '尚無網域',
'domains.empty.subtitle': '購買一個新網域開始使用。',
'domains.autorenews': '自動續費 {date}',
'domains.active': '正常',
'domains.pending': '處理中',
'domains.hold': '暫停',
'domains.detail.invalid': '無效網域',
'domains.detail.overview': '概覽',
'domains.detail.dns': 'DNS 記錄',
'domains.detail.expires': '到期 {date}',
'domains.detail.registration': '註冊',
'domains.detail.autorenew': '自動續費',
'domains.detail.manage': '管理訂閱',
'domains.detail.ssl': 'SSL / HTTPS',
'domains.detail.sslactive': 'SSL 已啟用',
'domains.detail.sslpending': 'SSL 處理中',
'domains.detail.sslcopy': '網域會自動綁定萬用憑證。',
'domains.dns.title': 'DNS 管理',
'domains.dns.remaining': '剩餘解析:{remaining} / {limit}',
'domains.dns.add': '新增記錄',
'domains.dns.type': '類型',
'domains.dns.name': '名稱',
'domains.dns.content': '內容',
'domains.dns.ttl': 'TTL',
'domains.dns.proxy': '代理',
'domains.dns.none': '尚無記錄。',
'domains.dns.proxied': '代理',
'domains.dns.dnsonly': '僅 DNS',
'domains.dns.save': '儲存',
'domains.dns.saving': '儲存中...',
'sites.title': '站點',
'sites.newproject': '新建專案',
'sites.empty.title': '尚無站點',
'sites.empty.subtitle': '建立新站點部署你的專案。',
'sites.empty.cta': '建立站點',
'sites.deploy.title': '部署新站點',
'sites.deploy.subtitle': '匯入程式碼或上傳靜態包。',
'sites.deploy.upload': '上傳檔案',
'sites.deploy.url': '使用 URL',
'sites.deploy.drag': '拖曳上傳打包檔',
'sites.deploy.support': '支援 .zip, .tar.gz',
'sites.deploy.filesize': '檔案大小需小於 {size}。',
'sites.deploy.filetype': '檔案格式需為:{types}。',
'sites.deploy.project': '專案名稱',
'sites.deploy.bundleurl': '包連結',
'sites.deploy.deploy': '立即部署',
'sites.deploy.waiting': '等待建置日誌...',
'sites.deploy.logs': '>',
'sites.deploy.building': '部署中...',
'sites.deploy.countdown': '{seconds} 秒後跳轉',
'sites.deploy.domain': '網域',
'sites.deploy.defaultdomain': 'Default Domain',
'sites.deploy.nodomain': '沒有可用的預設網域。',
'sites.deploy.prefix': '網域前綴',
'sites.deploy.check': '檢查可用性',
'sites.deploy.checking': '檢查中...',
'sites.deploy.available': '可用',
'sites.deploy.unavailable': '不可用',
'sites.deploy.remaining': '剩餘解析:{remaining} / {limit}',
'sites.deploy.status.label': '狀態',
'sites.deploy.status.upload': '檔案上傳',
'sites.deploy.status.building': '編譯部署中',
'sites.deploy.status.success': '部署成功',
'sites.deploy.success': '部署成功。',
'sites.deploy.viewsite': '查看站點',
'sites.detail.settings': '設定',
'sites.detail.createdeploy': '建立部署',
'sites.detail.production': '正式部署',
'sites.detail.url': 'URL',
'sites.detail.created': '建立時間',
'sites.detail.history': '部署歷史',
'sites.detail.current': '目前正式環境',
'sites.detail.rollback': '回滾',
'sites.detail.domains': '網域',
'sites.detail.adddomain': '新增網域',
'sites.detail.quick': '快捷動作',
'sites.detail.logs': '查看日誌',
'sites.detail.env': '環境變數',
'sites.detail.delete': '刪除專案',
'sites.detail.name': '名稱',
'sites.detail.domain': '網域',
'sites.detail.framework': '框架',
'sites.detail.lastdeploy': '最近部署',
'sites.detail.deletesite': '刪除站點',
'sites.detail.deleteconfirm': '確定刪除該站點?此操作無法復原。',
'sites.detail.deleting': '刪除中...',
'sites.detail.deletecountdown': '{seconds} 秒後跳轉',
'sites.detail.loading': '載入中...',
'billing.title': '帳單與用量',
'billing.balance': '可用餘額',
'billing.addfunds': '充值 (${amount})',
'billing.usage': '本月用量',
'billing.bandwidth': '頻寬',
'billing.buildminutes': '建置分鐘',
'billing.paymentmethod': '付款方式',
'billing.nopayment': '尚未設定付款方式。',
'billing.managecards': '管理卡片',
'billing.transactions': '交易記錄',
'billing.date': '日期',
'billing.description': '描述',
'billing.status': '狀態',
'billing.amount': '金額',
'billing.invoice': '發票',
'billing.paid': '已支付',
'billing.failed': '失敗',
'billing.topup.title': 'USDT 充值',
'billing.topup.close': '關閉',
'billing.topup.chain': '選擇鏈',
'billing.topup.loading': '建立訂單中...',
'billing.topup.deposit': '收款地址:{address}',
'billing.topup.token': '代幣',
'billing.topup.tokenlabel': '代幣:{token}',
'billing.topup.amount': '金額:${amount}',
'billing.topup.network': '網路:{network}',
'billing.topup.placeorder': '下單',
'billing.topup.qr': '收款 QR',
'billing.topup.confirm': '我已支付',
'billing.topup.confirming': '確認中...',
'billing.topup.confirmcountdown': '{seconds} 秒後跳轉',
'billing.topup.ordercountdown': '剩餘時間:{seconds} 秒,逾時訂單將失效。',
'billing.topup.copy': '複製',
'billing.topup.copied': '已複製',
'billing.topup.copyfailed': '複製失敗',
'settings.title': '設定',
'settings.subtitle': '管理帳戶、安全與通知。',
'settings.profile': '個人資料',
'settings.displayname': '顯示名稱',
'settings.email': '信箱',
'settings.walletenabled': '錢包登入已啟用 {suffix}',
'settings.save': '儲存變更',
'settings.plan': '方案與用量',
'settings.currentplan': '目前方案',
'settings.projects': '專案',
'settings.domains': '網域',
'settings.upgrade': '升級方案',
'settings.notifications': '通知',
'settings.notify.deploys': '部署狀態更新',
'settings.notify.billing': '帳單與失敗付款',
'settings.notify.security': '安全提醒與登入通知',
'settings.apikeys': 'API 金鑰',
'settings.nokeys': '尚無 API 金鑰。',
'settings.keylabel': '金鑰名稱',
'settings.create': '建立',
'settings.rotate': '輪換金鑰',
'settings.danger': '危險區域',
'settings.deleteworkspace': '刪除工作區',
'settings.deletewarn': '此操作不可逆,將刪除所有站點與網域。',
'settings.delete': '刪除工作區',
'orders.title': '訂單',
'orders.subtitle': '追蹤網域購買與解析狀態。',
'orders.buy': '購買網域',
'orders.empty.title': '尚無訂單',
'orders.empty.subtitle': '搜尋網域並下單。',
'orders.empty.cta': '搜尋網域',
'orders.status.online': '線上',
'orders.status.failed': '失敗',
'orders.status.dnspending': 'DNS 待生效',
'orders.status.purchased': '已購買',
'orders.status.purchasing': '購買中',
'ordernew.title': '確認購買',
'ordernew.subtitle': '訂單預設使用餘額支付。',
'ordernew.domain': '網域',
'ordernew.price': '價格(1 年)',
'ordernew.balance': '餘額',
'ordernew.balancebadge': '餘額',
'ordernew.defaultpayment': '預設付款方式',
'ordernew.insufficient': '餘額不足,請先充值。',
'ordernew.topup': '去充值',
'ordernew.pay': '餘額支付',
'ordernew.cancel': '取消',
'ordernew.signin': '需要登入',
'ordernew.signin.copy': '請登入後再下單。',
'ordernew.invalid': '無效訂單',
'ordernew.invalid.copy': '缺少網域或價格資訊。',
'ordernew.back': '返回搜尋',
'orderdetail.title': '訂單狀態',
'orderdetail.order': '訂單 #{id}',
'orderdetail.back': '返回網域',
'orderdetail.amount': '金額',
'orderdetail.status': '狀態',
'orderdetail.pending': '處理中,請稍候。',
'orderdetail.progress': '進度',
'orderdetail.check': '檢查狀態',
'orderdetail.refresh': '刷新中...',
'orderdetail.step.purchasing': '網域購買中',
'orderdetail.step.purchased': '網域購買成功',
'orderdetail.step.cloudflare': '解析到 Cloudflare',
'orderdetail.step.online': '解析生效,Domain online',
},
ru: {
'app.name': 'LastPush',
'nav.overview': 'Обзор',
'nav.domains': 'Домены',
'nav.orders': 'Заказы',
'nav.sites': 'Сайты',
'nav.billing': 'Биллинг',
'nav.settings': 'Настройки',
'nav.support': 'Поддержка',
'nav.signout': 'Выйти',
'nav.docs': 'Документация',
'nav.signin': 'Войти',
'nav.getstarted': 'Начать',
'nav.finddomain': 'Найти домен',
'nav.newsite': 'Новый сайт',
'nav.dashboard': 'Панель',
'layout.loading': 'Загрузка...',
'layout.user': 'Пользователь',
'layout.language': 'Язык',
'layout.wallet.connect': 'Подключить кошелек',
'layout.wallet.disconnect': 'Отключить',
'home.title': 'Разверните фронтенд.',
'home.title2': 'Управляйте доменами.',
'home.subtitle': 'Платформа для разработчиков: покупайте домены, автоматически настраивайте DNS и деплойте за секунды.',
'home.search.placeholder': 'Найдите домен (например, project-titan)',
'home.search': 'Поиск',
'home.results': 'Результаты поиска',
'home.renews': 'Продление ${price}/год',
'home.unavailable': 'Недоступно',
'home.buy': 'Купить',
'home.taken': 'Занято',
'login.title': 'Добро пожаловать в LastPush',
'login.subtitle': 'Войдите, чтобы управлять доменами и деплоями',
'login.wallet': 'Подключить кошелек',
'login.wrongnetwork': 'Неверная сеть',
'login.walletconnected': 'Кошелек подключен',
'login.continue.email': 'Продолжить с Email',
'login.continue.x': 'Продолжить с X',
'login.or': 'Или',
'login.email.label': 'Email адрес',
'login.email.placeholder': 'user@yourdomain.com',
'login.sendlink': 'Отправить Magic Link',
'login.sending': 'Отправка...',
'login.verify': 'Проверить и продолжить',
'login.verifying': 'Проверка...',
'login.code.label': 'Код подтверждения',
'login.code.placeholder': '123456',
'login.back': 'Назад',
'login.almost': 'Почти готово',
'login.walletconnected.short': 'Кошелек {short} подключен.',
'login.onboarding': 'Подтвердите данные для завершения.',
'login.username': 'Имя пользователя',
'login.workspace': 'Название рабочего пространства (необязательно)',
'login.enter': 'Войти в панель',
'dashboard.sites': 'Активные сайты',
'dashboard.domains': 'Домены',
'dashboard.balance': 'Текущий баланс',
'dashboard.deploy': 'Деплой',
'dashboard.buy': 'Купить',
'dashboard.addfunds': 'Пополнить',
'dashboard.activity': 'Активность деплоя (7 дней)',
'dashboard.events': 'Последние события',
'dashboard.noevents': 'Событий нет.',
'dashboard.viewall': 'Посмотреть всю активность',
'dashboard.activesites': 'Активные проекты',
'dashboard.connecteddomains': 'Подключенные домены',
'dashboard.walletbalance': 'Баланс кошелька',
'domains.title': 'Домены',
'domains.buy': 'Купить домен',
'domains.empty.title': 'Домены отсутствуют',
'domains.empty.subtitle': 'Купите домен, чтобы начать.',
'domains.autorenews': 'Автопродление {date}',
'domains.active': 'Активен',
'domains.pending': 'В обработке',
'domains.hold': 'На удержании',
'domains.detail.invalid': 'Недействительный домен',
'domains.detail.overview': 'Обзор',
'domains.detail.dns': 'DNS записи',
'domains.detail.expires': 'Истекает {date}',
'domains.detail.registration': 'Регистрация',
'domains.detail.autorenew': 'Автопродление',
'domains.detail.manage': 'Управление подпиской',
'domains.detail.ssl': 'SSL / HTTPS',
'domains.detail.sslactive': 'Universal SSL активен',
'domains.detail.sslpending': 'SSL в процессе',
'domains.detail.sslcopy': 'Домен автоматически защищен wildcard-сертификатом.',
'domains.dns.title': 'Управление DNS',
'domains.dns.remaining': 'Осталось записей: {remaining} / {limit}',
'domains.dns.add': 'Добавить запись',
'domains.dns.type': 'Тип',
'domains.dns.name': 'Имя',
'domains.dns.content': 'Значение',
'domains.dns.ttl': 'TTL',
'domains.dns.proxy': 'Прокси',
'domains.dns.none': 'Записей нет.',
'domains.dns.proxied': 'Проксировано',
'domains.dns.dnsonly': 'Только DNS',
'domains.dns.save': 'Сохранить',
'domains.dns.saving': 'Сохранение...',
'sites.title': 'Сайты',
'sites.newproject': 'Новый проект',
'sites.empty.title': 'Сайтов нет',
'sites.empty.subtitle': 'Создайте сайт для первого деплоя.',
'sites.empty.cta': 'Создать сайт',
'sites.deploy.title': 'Развернуть новый сайт',
'sites.deploy.subtitle': 'Импортируйте код или загрузите статический архив.',
'sites.deploy.upload': 'Загрузить файл',
'sites.deploy.url': 'Использовать URL',
'sites.deploy.drag': 'Перетащите архив',
'sites.deploy.support': 'Поддержка .zip, .tar.gz',
'sites.deploy.filesize': 'Размер файла должен быть меньше {size}.',
'sites.deploy.filetype': 'Формат файла должен быть: {types}.',
'sites.deploy.project': 'Название проекта',
'sites.deploy.bundleurl': 'URL архива',
'sites.deploy.deploy': 'Деплой сейчас',
'sites.deploy.waiting': 'Ожидание логов сборки...',
'sites.deploy.logs': '>',
'sites.deploy.building': 'Деплой...',
'sites.deploy.countdown': 'Перенаправление через {seconds}с',
'sites.deploy.domain': 'Домен',
'sites.deploy.defaultdomain': 'Default Domain',
'sites.deploy.nodomain': 'Нет доступных доменов по умолчанию.',
'sites.deploy.prefix': 'Префикс домена',
'sites.deploy.check': 'Проверить доступность',
'sites.deploy.checking': 'Проверка...',
'sites.deploy.available': 'Доступно',
'sites.deploy.unavailable': 'Недоступно',
'sites.deploy.remaining': 'Осталось записей: {remaining} / {limit}',
'sites.deploy.status.label': 'Статус',
'sites.deploy.status.upload': 'Загрузка файла',
'sites.deploy.status.building': 'Сборка',
'sites.deploy.status.success': 'Успешно',
'sites.deploy.success': 'Деплой успешен.',
'sites.deploy.viewsite': 'Открыть сайт',
'sites.detail.settings': 'Настройки',
'sites.detail.createdeploy': 'Создать деплой',
'sites.detail.production': 'Продакшн деплой',
'sites.detail.url': 'URL',
'sites.detail.created': 'Создано',
'sites.detail.history': 'История деплоев',
'sites.detail.current': 'Текущий продакшн',
'sites.detail.rollback': 'Откат',
'sites.detail.domains': 'Домены',
'sites.detail.adddomain': 'Добавить домен',
'sites.detail.quick': 'Быстрые действия',
'sites.detail.logs': 'Посмотреть логи',
'sites.detail.env': 'Переменные окружения',
'sites.detail.delete': 'Удалить проект',
'sites.detail.name': 'Имя',
'sites.detail.domain': 'Домен',
'sites.detail.framework': 'Фреймворк',
'sites.detail.lastdeploy': 'Последний деплой',
'sites.detail.deletesite': 'Удалить сайт',
'sites.detail.deleteconfirm': 'Удалить этот сайт? Это нельзя отменить.',
'sites.detail.deleting': 'Удаление...',
'sites.detail.deletecountdown': 'Перенаправление через {seconds}с',
'sites.detail.loading': 'Загрузка...',
'billing.title': 'Биллинг и использование',
'billing.balance': 'Доступный баланс',
'billing.addfunds': 'Пополнить (${amount})',
'billing.usage': 'Текущее использование (месяц)',
'billing.bandwidth': 'Трафик',
'billing.buildminutes': 'Минуты сборки',
'billing.paymentmethod': 'Способ оплаты',
'billing.nopayment': 'Нет способа оплаты.',
'billing.managecards': 'Управлять картами',
'billing.transactions': 'Транзакции',
'billing.date': 'Дата',
'billing.description': 'Описание',
'billing.status': 'Статус',
'billing.amount': 'Сумма',
'billing.invoice': 'Счет',
'billing.paid': 'Оплачено',
'billing.failed': 'Неудачно',
'billing.topup.title': 'Пополнение USDT',
'billing.topup.close': 'Закрыть',
'billing.topup.chain': 'Выберите сеть',
'billing.topup.loading': 'Создание заказа...',
'billing.topup.deposit': 'Адрес: {address}',
'billing.topup.token': 'Токен',
'billing.topup.tokenlabel': 'Токен: {token}',
'billing.topup.amount': 'Сумма: ${amount}',
'billing.topup.network': 'Сеть: {network}',