forked from Lythinca/extinction-translations
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathbr.lua
1440 lines (1378 loc) · 46.6 KB
/
br.lua
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
local my_language = {
give_vehicle = "Você guardou ~b~%s~w~ no seu inventário.",
store_vehicle_command = "Guardar o veículo",
no_entity_vehicle = "~r~O veículo não existe ou está muito longe de você.",
no_entity_vehicle_id = "~r~Veículo sem identificação, você não pode guarda-lo.",
store_vehicle = "~b~Você guardou o veículo.",
teleported_former_position = "~g~Você foi teleportado para a última localização salva.",
not_enough_of = "~r~Você não possuí %s.",
max_storage_chest = "~r~O depósito encontra-se cheio.",
cant_carry_more_items = "~r~Você não pode carregar mais itens (full).",
put_item = "Você guardou ~g~x%s~w~ %s~w~.",
take_item = "Você pegou ~g~x%s~w~ %s~w~.",
delete_item = "Você removeu ~r~x%s~w~ %s~w~.",
you_equiped_item = "Você equipou seu ~g~%s~w~.",
bind_weapon_command = "Atalho para slot de arma %s",
kevlar_broke = "~r~AHH!~n~~w~Seu colete foi destruído.",
inventory_command = "Abrir/Fechar inventário",
press_enter_to_join = "Pressione ~g~ENTER~w~ para começar a jogar.",
new_character = "Novo personagem",
survivor = "Sobrevivente",
right = "Direita",
left = "Esquerda",
male = "Homem",
female = "Mulher",
ped = "Ped",
name = "Nome",
sex = "Sexo",
title = "Titulo",
select_this_character = "Selecione este personagem",
no_entity_zombie = "Zumbi não encontrado ou muito longe de você.",
you_found = "Você encontrou ~g~%sx %s~w~.",
you_found_nothing = "Você não encontrou ~g~nada~w~.",
press_e_to_loot = "Aperte ~b~[E]~w~ para saquear",
full_for_item = "~r~Você não possuí espaço para este item.",
put_item_container = "Você guardou ~g~x%s~w~ %s~w~ em seu container.",
take_item_container = "Você retirou ~g~x%s~w~ %s~w~ do seu container.",
not_allowed_here = "~r~Você não pode fazer isto aqui.",
cant_store_moving_veh = "~r~Você não pode guardar um véiculo em movimento.",
use_repair_tool = "usar kit de reparo",
please_get_closer = "~b~Por favor aproxime-se, entidade não encontrada.",
you_cancel_action = "~r~Você cancelou esta ação.",
selected_target_message = "Alvo selecionado:~n~%s~n~~r~Pressione ~b~Y~r~ para cancelar~n~~r~Pressione ~g~X~r~ para continuar.",
target_you = "~b~VOCÊ",
target_screen = "~g~Alvo",
take_this_path = "pegue este caminho",
-- hud
default_hud = "HUD Padrão",
cinema_hud = "HUD Cinemática",
no_hud = "HUD Desabilitada",
-- perms
kick_member = "Expulsar membros",
invite_someone = "Convidar",
edit_member = "Editar membros",
edit_rank = "Editar cargos",
create_rank = "Criar cargos",
delete_rank = "Deletar cargos",
edit_structure = "Editar informações",
edit_permissions = "Editar permissões",
permission_level = "Níveis de permissão",
red_delete = "Deletar",
rank = "Cargo",
red_kick = "Expulsar",
crew_name = "Nome da equipe",
slogan = "Slogan",
information = "informação",
boss_rank = "Nome do cargo chefe",
member_rank = "Nome do cargo membro",
member = "Membro",
permissions_manager = "gerenciar permissões",
members_manager = "gerenciar membros",
ranks_manager = "gerenciar cargos",
ranks_list = "lista de cargos",
members_list = "lista de membros",
create_a_rank = "criar um cargo",
invite_someone = "convidar alguém",
stats = "Estatísticas",
total_ranks = "Total de cargos",
total_members = "Total de membros",
level = "Nível",
actions = "ações",
crew_manager = "gerenciar equipe",
you_created_a_new_crew = "Você criou a equipe: %s",
you_deleted_your_crew = "Você deletou sua equipe.",
you_are_not_in_a_crew = "Você não está em uma equipe",
you_joined_the_crew = "Você entrou na equipe '%s'",
kick_failed = "A expulsão falhou, motivo: %s",
already_in_crew = "Você já esetá em uma equipe",
no_invitation = "Você não recebeu nenhum convite para equipe.",
left_crew = "Você saiu de sua equipe.",
permission_updated = "As permissões de <C>~g~%s</C>~w~ foram atualizadas.",
incorrect_name = "~r~O formato do nome é inválido",
incorrect_rank_perm = "~r~ERRO!\n~w~O nome deste cargo ou sua permissão é inválida.",
warn_rank_limit = "~r~Você atingiu o limite de cargos.",
create_rank_success = "~g~SUCESSO!\n~w~Você criou o cargo <C>~b~%s</C>~w~ com o nível de permissão <C>~b~%s</C>~w~.",
crew_grant_warn = "~HUD_COLOUR_DEGEN_RED~Você não pode interagir com um membro com o cargo maior que o seu.",
you_sent_an_invitation = "Você convidou <C>~g~%s</C>~w~ para se juntar a sua equipe.",
you_received_an_invitation = "Você recebeu um convite para uma equipe.\n~b~/%s para aceitar.",
invitation_expired = "O convite expirou",
crew_kick_success = "Você expulsou <C>~b~%s</C>~w~ de sua equipe.",
first_rank_warning = "O primeiro cargo é o cargo padrão.",
you_updated_this = "Você promoveu %s para ~g~<C>%s</C>~w~.",
changes_saved_on = "As mudanças em <C>~g~%s</C>~w~ foram salvas.",
yes = "sim",
no = "não",
none = "Nenhum",
character_id = "ID do Personagem",
server_id = "ID do Servidor",
report = "Reportar",
rename = "Renomear",
trade_with = "Comércio",
please_wait_x_before = "~r~Por favor, aguarde %s segundos antes de fazer isto.",
-- cloth
take_outfit = "Comprar este outfit",
wardrobe_options = "opções do guarda-roupas",
wardrobe = "guarda-roupas",
manual_options = "opções manuais",
manual_mode = "modo manual",
save_outfit = "salvar este outfit",
variation = "variação",
outfits = "outfits",
cloth_shop = "Loja de Roupas",
ped_cloth_shop = "Loja de Roupas de Ped",
manual_props = "adereços manuais",
manuel = "manual",
new_name = "Novo nome",
outfit_name = "Nome do Outfit",
variations_saved = "~g~Sucesso.~n~~w~As variações de seu personagem foram salvas.",
equipped_new_outfit = "Você vestiu o outfit: ~b~%s",
warning_limit_outfits = "Você antigiu o número máximo de outfits. ~g~(%s)",
saved_new_outfit = "Você salvou um novo outfit: ~b~%s~w~.",
rename_outfit = "Seu outfit ~b~%s~w~ foi renomeado para ~g~%s~w~.",
delete_outfit = "Seu outfit: ~b~%s~w~ foi deletado.",
torso = "Corpo",
props = "Adereços",
top = "Jaqueta",
tops = "Jaquetas",
badge = "Distintivo",
pants = "Calças",
pant = "Calça",
shoes = "Sapatos",
bags = "Bolsas",
undershirt = "camisas",
neck = "pescoço",
bracelets = "braceletes",
montres = "relógicos",
earrings = "orelhas",
glasses = "óculos",
hats = "chapéus",
graphiques = "decorações",
-- health
inconscious = "Inconsciente",
doing_something = "Fazendo algo",
time_before_respawn = "Tempo antes do respawn",
you_died = "~r~Você morreu",
healing_wounds = "Curando feridas",
already_doing_something = "~r~Você já está realizando uma ação.",
you_have_been_healed = "~g~Você foi curado.",
you_respawned = "~g~Você respawnou.",
player_too_far_to_interact = "~r~O jogador que você deseja interagir está muito longe.",
send_trade_invitation_to = "Você enviou um convite de troca para ~b~%s~w~.\n~b~Aguarde até que o jogador aceite.",
receive_invitation_from = "Você recebeu um convite de troca de ~b~%s~w~.\n~b~Digite ~w~/trade accept %s~b~ para iniciar as trocas.",
invalid_command_args = "Comando inválido, argumentos: %s",
start_trade_command_help = "Iniciar trocas com umjogador",
accept_trade_command_help = "Aceitar um pedido de trocas",
deny_trade_command_help = "Negar um pedido de trocas",
invalid_invitation = "O convite de trocas é inválido ou expirou",
name_accepted_your_trade_invitation = "~b~%s~w~ aceitou seu pedido de trocas",
you_accepted_trade_invitation_of_name = "Você aceitou o pedido de trocas de %s",
name_denied_your_trade_invitation = "~b~%s~w~ recusou seu pedido de trocas",
you_denied_trade_invitation_of_name = "Você recusou o pedido de trocas de %s",
you_already_trading = "Você já está em uma troca",
other_already_trading = "O jogador já está em uma troca",
other_player_not_enough_money = "~r~A troca falhou. O jogador não possuí dinheiro suficiente.",
you_player_not_enough_money = "~r~A troca falhou. Você não possuí dinheiro suficiente.",
other_player_not_enough_item = "~r~A troca falhou. O jogador não possuí itens suficientes.",
you_player_not_enough_item = "~r~A troca falhou. Você não possuí itens suficientes.",
success_trade = "~g~A troca foi confirmada.",
fail_trade_other_player = "~r~A troca falhou, o jogador se desconectou.",
trade_other_full_item = "~r~A troca falhou, o jogador não possuí espaço de inventário suficiente.",
trade_full_for_item = "~r~A troca falhou, você não possuí espaço de inventário suficiente.",
press_e_to_loot_inv = "Pressione ~INPUT_CONTEXT~ para saquear o inventário.",
press_e_to_interact_with = "~HUD_COLOUR_NET_PLAYER27~Pressione ~INPUT_CONTEXT~ para interagir com ~b~%s~HUD_COLOUR_NET_PLAYER27~.",
press_e_to = "Pressione ~INPUT_CONTEXT~ para ~b~%s~w~.",
press_e_to_open_catalog = "Pressione ~b~E~w~ para ver o ~g~catálogo~w~.",
this_person = "esta pessoa",
the_shop = "esta loja",
you_are_not_allowed_to_do_that = "~HUD_COLOUR_DEGEN_RED~Você não tem permissão para fazer isto.",
no_weapon = "~r~Você não possuí nenhuma arma equipada.",
no_need_ammo = "~r~Você não precisa de munição para utilizar esta arma.",
not_right_ammo = "~r~Você não está utilizando a munição adequada, você precisa de munição ~b~%s~w~.",
you_used_ammo = "Você carregou sua ~b~%s~w~ com ~b~x%s~w~ de ~b~%s~w~.",
choose_a_destination = "escolha um ~b~destino",
open_your_chest = "abrir seu baú",
no_enough_money = "~r~Você não possuí dinheiro suficiente.",
you_paid = "Você pagou ~g~$%s~w~ para ~b~%s~w~.",
you_paid_basket = "Você pagou ~g~$%s~w~ pelo item(s).",
you_sell_basket = "Você recebeu ~g~$%s~w~ por vender ~b~x%s~w~ item(s).",
you_repaired_your_vehicle = "~g~Você reparou seu veiculo.",
repairing_your_vehicle = "Reparando veículo",
wheels_are_fine = "~r~Os pneus do veículo estão sem problemas.",
changing_wheel = "Trocando os pneus",
you_repaired_the_wheels = "~g~Você trocou os pneus do veículo",
front_post_ls = "Posto Seguro de Los Santos",
front_post_ls_2 = "Posto Seguro de Los Santos 2",
front_post_bc = "Posto Seguro de Blaine County",
front_post_bc_2 = "Posto Seguro de Blaine County 2",
main_post_ls = "Posto Principal de Los Santos",
main_post_bc = "Posto Principal de Blaine County",
random_zone = "Zona aleatória",
this_item_is_equipped = "~r~Este item está equipado, remova-o de seus atalhos.",
only_in_safezone = "~r~Você não pode fazer isto fora de uma zona segura.",
-- commerce stuff
feature_gold_only = "Esta vantagem é apenas para ~y~membros gold~w~.",
feature_diamond_only = "Esta vantagem é apenas para ~b~membros diamond~w~.",
you_turned_into = "Você se transformou em ~g~%s~w~.",
wait_between_transformation = "~r~Por favor, aguarde antes de utilizar a metaformose novamente.",
wait_between = "~r~Por favor, aguarde antes de realizar isto novamente.",
available_morphs = "Formas Disponíveis",
animal_models = "Animais",
zombie_models = "Zumbis",
success_update_name = "Você alterou o nome do seu personagem para ~b~%s~w~.",
success_reset_stats = "~g~Você resetou sua estatísticas. (O ranking será atualizado mais tarde)",
-- animals
boar = "Javali",
cat = "Gato",
chop = "Rottweiler (Chop)",
rottweiler = "Rottweiler",
cow = "Vaca",
coyote = "Coyote",
deer = "Veado",
hen = "Galinha",
husky = "Husky",
mtlion = "Puma",
pig = "Porco",
poodle = "Poodle",
pug = "Pug",
rabbit = "Coelho",
rat = "Rato",
retriever = "Retriever",
shepherd = "Shepherd",
westy = "Terrier",
player_id = "ID do Jogador",
bounty = "Recompensa",
reason = "Motivo",
id_player_not_found = "~r~Nenhum jogador encontrado com este ID.",
ammo_dealer = "Vendedor de munições",
misc_dealer = "Loja de equipamentos",
veh_dealer = "Loja de veículos",
custom_dealer = "LS Custom",
gun_dealer = "Loja de armas",
bounty_created = "Você pagou ~g~$%s~w~ para criar um contrato de recompensa para ~b~%s~w~.",
contract_success = "A recompensa sob a cabeça de ~r~%s~w~ foi enviada para ~b~%s~w~.",
a_contract_on_your_head = "~r~Sua cabeça foi colocada sob recompensa. Seu assassino receberá a recompensa por ela",
reward_for_contract = "Caçador de Recompensas! Você recebeu ~g~$%s~w~ por matar ~b~%s~w~.",
hey_can_help_you = "Olá, em que posso ajudar?",
i_want_to_buy_items = "Eu quero comprar itens",
i_want_to_sell_items = "Eu quero vender itens",
press_context_or_jump_to_get_up = "Pressione ~INPUT_CONTEXT~ ou ~INPUT_JUMP~ para ~b~levantar-se~w~.",
server_restart_warning = "O servidor irá reiniciar..",
auto_restart_in = "Reiniciamento automático em %s segundos.",
not_allowed_create_character = "Você não pode criar um novo personagem.",
character_not_yours = "Este personagem não é seu.",
character_does_not_exist = "Este personagem não existe ou não existe mais.",
loading_character = "Carregando seu personagem...",
playtime_is = "~b~Seu tempo de jogo em Extinction:\n~w~%s",
dont_spam = "^1Não faça spam!",
babygod_warning = "~b~Você saiu da zona segura, você tem alguns segundos de invencibilidade para encontrar um lugar seguro!",
-- LS Custom
modifications_classiques = "Modificações clássicas",
modifications_custom = "Modificiações especiais",
modifications_benny = "Modificações da bennys",
paint = "pintar",
custom_your_car = "Customizar seu carro",
wheels_modifications = "Modificações no pneu",
performances = "Performances",
neons = "Neons",
extra = "Extra",
klaxon = "Busina",
teinte_fenetre = "Pintura de vidros",
phares_xenons = "Faróis xenon",
modele_plaque = "Modelo de placa",
livery = "Pinturas especiais",
headlight_color = "Cores de luzes",
wheel_type = "Tipos de pneu",
primary_wheel_type = "Pneu primário",
back_wheel_type = "Pneu traseiro",
wheel_color = "Cor do pneu",
tire_smoke = "Fumaça de arrancada",
custom_color = "Cor customizada",
custom_wheel = "Pneu customizado",
custom_back_wheel = "Pneu traseiro customizado",
suspension = "Suspensão",
transmission = "Transmissão",
moteur = "Motor",
frein = "Freios",
turbo = "Turbo",
primary_color = "Cor primária",
secondary_color = "Cor secundária",
interior_color = "Cor do interior",
dashboard_color = "Dashboard color",
color_effect = "Efeito de cor",
left_neon = "Neon esquerdo",
right_neon = "Neon direito",
front_neon = "Neon primário",
back_neon = "Neon traseiro",
aileron = "Spoiler",
pc_front = "Front bumper",
pc_back = "Rear bumper",
carroserie = "Side skirt",
exhaust = "Exhaust",
cadre = "Frame",
calandre = "Grille",
capot = "Hood",
gb_left = "Left fender",
gb_right = "Right fender",
roof = "Roof",
plate_support = "Plate holders",
front_plate = "Front plate",
interior_style = "Interior style",
figurine = "Figurine",
motif_dashboard = "Dashboard style",
cadran = "Dial design",
haut_parleur_portes = "Speaker doors",
motif_sieges = "Seat style",
volant = "Steering wheel",
levier = "Shifter leavers",
logo_custom = "Logo",
ice = "ICE",
haut_parleur_coffre = "Speaker back doors",
hydrolique = "Hydraulics",
moteur = "Engine",
filtres_air = "Air filter",
entretoises = "Spacers",
arc_couverture = "Arch",
antenne = "Antenna",
motif_exterieur = "Exterior style",
reservoir = "Tank",
window = "Window",
style = "Style",
default = "Default",
type = "Type",
normal = "Normal",
black = "Black",
black_smoke = "Black smoke",
simple_smoke = "Simple smoke",
stock = "Stock",
limo = "Limousine",
sa_black = "San Andreas black",
sa_blue = "San Andreas blue",
sa_white = "San Andreas white",
simple_white = "Simple white",
ny_white = "North Yankton white",
race = "Corrida",
sport = "Esportivo",
stock = "Original",
street = "Rua",
discount = "Desconto",
select_your_car = "Selecione seu veículo",
select_car_custom = "Select the vehicle you want to customize. The number between arrows is the item key.",
loading_vehicle = "Creating vehicle",
invalid_vehicle = "~r~Invalid vehicle entity.",
invalid_vehicle_please_spawn = "~r~Invalid vehicle item. Please spawn it one time before trying to do anything.",
free_take_and_validate = "Everything is free. Take what you want and confirm!",
car_custom_saved = "~g~Modificações do veículo salvas com sucesso.",
-- Character creation
character_creation = "Criação de personagem",
confirm = "confirmar",
start_playing = "Começar a jogar",
appearance = "aparência",
character_list = "lista de personagens",
face_features = "características do rosto",
parents = "parentes",
parent = "parente",
mix = "mix",
skin = "pele",
desc_mix = "Selecione se rosto de seu personagem é baseado na escolha de seu pai / mãe.",
desc_skin = "Selecione se a pele de seu personagem é baseada na escolha de seu pai / mãe.",
identity = "identidade",
player_name = "nome do jogador",
new_character = "novo personagem",
warning_headblend = "~r~Você não selecionou seus parentes.",
warning_overlays = "~r~Você não selecionou cabelos, sombrancelhas ou barba.",
warning_identity = "~r~Atenção.~n~~w~Você esqueceu de preencher a seção de identidade.",
-- kits
kit_does_not_exist = "~r~Este kit não existe",
kit_needs_rank = "Você não possuí o rank ~r~%s~w~.",
wait_before_using_kit = "Por favor, aguarde ~r~%s~w~ antes de usar este kit.",
received_kit = "Você recebeu o kit ~b~%s~w~.",
no_kit = "Você não possuí nenhum kit.",
unable_to_find_booster = "Unable to find a booster with this id.",
wait_already_player_boost = "Please wait a moment before using this booster. There is already one player booster active.",
wait_already_crew_boost = "Please wait a moment before using this booster. There is already one crew booster active.",
wait_already_server_boost = "Please wait a moment before using this booster. There is already one server booster active.",
booster_activated = "Booster activated for ~g~%s minutes~w~! ~b~XP +%s%%",
server_booster_activated = "~b~%s~w~ activated a server booster for ~g~%s minutes~z~! ~b~XP +%s%%",
crew_booster_activated = "~b~%s~w~ activated a crew booster for ~g~%s minutes~z~! ~b~XP +%s%%",
no_booster = "You do not have any booster.",
rank_expired = "~r~Seu pacote apoiador expirou.",
supporter_role = "~g~Grupo Apoiador:~w~ %s",
no_rank_warning = "Você não possuí nenhum grupo apoiador.\n~r~Caso você tenha comprado, vincule sua conta do FiveM.",
no_fivem_id = "Sua conta do FiveM não foi vinculada no jogo.\n~r~Verifique se você possuí uma conta no FiveM e se ela está vinculada no jogo.",
no_queue_warning = "Você não possuí nenhum pacote na fila.\n~r~Aguarde um momento ou utilize /getRank se você já comprou seu apoiador.",
package_sync_success = "~g~Seus pacotes foram sincronizados com sucesso!\n~w~Comandos úteis: /getRank, /booster",
level_required = "Você precisa ter o nível %s.",
rank_required = "Você precisa ter o rank %s.",
level_required_2 = "~r~Você precisa ter o nível %s.",
updated_deathmessage = "~g~Você atualizou sua mensagem de morte.",
updated_deatheffect = "~g~Você atualizou seu efeito de morte.",
use = "Usar",
test = "Testar",
-- zombie
you_bitten = "~r~Você foi mordido.",
infection_rate = "Nível de Infecção: ~r~%s%%",
-- ranks
thug = "Bandido",
hustler = "Vigarista",
soldier = "Soldado",
trigger = "Gatilho",
enforcer = "Executor",
facilitator = "Facilitador",
public_enemy = "Inimigo Público",
shot_caller = "Mandante",
street_boss = "Chefe das Ruas",
kingpin = "Rei do Crime",
-- Tattoo
tattoo = "tatuagem",
tattoos = "tatuagens",
torso = "corpo",
head = "cabeça",
left_arm = "braço esquerdo",
right_arm = "braço direito",
left_leg = "perna esquerda",
right_leg = "perna direita",
unknown = "desconhecido",
other = "outras",
remove_tattoo = "Remover todas as tatuagens",
-- Hairdress
haircuts = "Cortes de cabelo",
makeup = "Maquiagem",
face = "Rosto",
eyebrows = "Sombrancelhas",
facial_hair = "Pelo facial",
body_hair = "Pelo corporal",
barber_shop = "Barbearia",
face_makeup = "Maquiagem facial",
lipstick = "Batom",
face_foundation = "Base facial",
skin_blemishes = "Manchas na pele",
skin_ageing = "Envelhecimento da pele",
moles_freckles = "Sardas",
sun_damage = "Danos na pele",
skin_complexion = "Complexidade na pele",
body_blemishes = "Manchas no corpo",
body_blemishes_2 = "Manchas no corpo 2",
opacity = "Opacidade",
variations = "Variações",
filter = "Filtro",
eyes_color = "Cores de olho",
-- Mask
masks = "Máscaras",
-- Items
money = "Dinheiro",
-- Ammo
["9mm"] = "9mm",
["300_mag"] = ".300 Magnum",
["7_62mm"] = "7.62mm",
["calibre_12"] = "Calibre 12",
["45_acp"] = ".45 ACP",
["5_56mm"] = "5.56mm",
-- Food
["fish_1"] = "Largemouth Bass",
["fish_2"] = "Rainbow Trout",
["fish_3"] = "Kokanee",
["fish_4"] = "Arctic Grayling",
["fish_5"] = "Rock Bass",
["fish_6"] = "Smallmouth Bass",
["fish_7"] = "Paddlefish",
["fish_8"] = "Bull Trout",
["fish_9"] = "Lake Trout",
["fish_10"] = "Chinook",
["fish_11"] = "Pallid Sturgeon",
["fish_12"] = "Salmon",
misc_meat = "Carne crua",
rabbit_meat = "Carne de coelho",
lion_meat = "Carne de puma",
rare_plume = "Pluma rara",
dog_meat = "Carne de cachorro",
cat_meat = "Carne de gato",
rare_fish = "Peixe raro",
mask = "Máscara",
malette = "Maleta",
malette_metal = "Maleta metálica",
ciseaux = "Tesouras",
clean_kit = "Kit de limpeza",
fishing_rod = "Vara-de-pesca",
meuble = "Mobília",
tissu = "Roupas",
accessory = "Acessórios",
radio = "Rádio",
recyclor = "Reciclador",
medkit = "Kit Médico",
kevlar = "Colete Balístico",
gps = "GPS",
repair_tool = "Kit de Reparo",
jvn = "JVN",
engine_veh = "Motor",
wheel_veh = "Pneu",
vetement = "Jaqueta",
bloc_note = "Bloco de Notas",
paint_spray = "Spray de pintura",
spike = "Faixa de Espinhos",
paracetamol = "Paracetamol",
bandage = "Bandagem",
gaz_mask = "Máscara de Gás",
filter = "Fitlro",
tattoo_tool = "Ferramenta de tatuagem",
drug_med = "Droga",
antizin = "Antizin",
pickup_spikestrip = "pickup the spike strip",
you_dropped_spikestrip = "You dropped a ~g~spike strip~w~.",
you_pickup_spikestrip = "You picked up a ~g~spike strip~w~.",
you_have_been_killed_by = "Você foi morto ~r~%s (%s)",
kill_notif = "~m~Matou",
you_killed = "Você matou ~r~%s~w~",
already_used_reset_only = "~r~Você já resetou seu personagem.\n~w~Apenas apoiadores %s~w~ podem refazer seus personagens mais de uma vez.",
already_used_reset_only2 = "~r~Você já fez isto.\n~w~Apenas apoiadores %s~w~ podem fazer isto mais de uma vez.",
hud_options = "Opções de HUD",
advanced_hud = "Exibir HUD avançada",
players = "Jogadores",
health = "Vida",
player_menu = "Menu de Jogador",
you_are_now_zombie = "~r~Você agora é um zumbi.",
my_weapons = "minhas armas",
customize_weapons = "customizar minha arma",
weapon_skin = "pintura",
-- camo
skin_classic = "Padrão",
skin_green = "Verde",
skin_yellow = "Amarelo",
skin_pink = "Rosa",
skin_gold = "Ouro",
skin_blue = "Azul",
skin_orange = "Laranja",
weapon_katana = "Katana",
-- The field below does not need to be translated.
weapon_advancedrifle = GetLabelText("WT_RIFLE_ADV"),
weapon_appistol = GetLabelText("WT_PIST_AP"),
weapon_assaultrifle = GetLabelText("WT_RIFLE_ASL"),
weapon_assaultrifle_mk2 = GetLabelText("WT_RIFLE_ASL2"),
weapon_assaultshotgun = GetLabelText("WT_SG_ASL"),
weapon_assaultsmg = GetLabelText("WT_SMG_ASL"),
weapon_autoshotgun = GetLabelText("WT_AUTOSHGN"),
weapon_bat = GetLabelText("WT_BAT"),
weapon_ball = GetLabelText("WT_BALL"),
weapon_battleaxe = GetLabelText("WT_BATTLEAXE"),
weapon_bottle = GetLabelText("WT_BOTTLE"),
weapon_bullpuprifle = GetLabelText("WT_BULLRIFLE"),
weapon_bullpuprifle_mk2 = GetLabelText("WT_BULLRIFLE2"),
weapon_bullpupshotgun = GetLabelText("WT_SG_BLP"),
weapon_bzgas = GetLabelText("WT_BZGAS"),
weapon_carbinerifle = GetLabelText("WT_RIFLE_CBN"),
weapon_carbinerifle_mk2 = GetLabelText("WT_RIFLE_CBN2"),
weapon_combatmg = "M60",
weapon_combatmg_mk2 = "M60 MK II",
weapon_combatpdw = GetLabelText("WT_COMBATPDW"),
weapon_combatpistol = GetLabelText("WT_PIST_CBT"),
weapon_compactlauncher = GetLabelText("WT_CMPGL"),
weapon_compactrifle = GetLabelText("WT_CMPRIFLE"),
weapon_crowbar = GetLabelText("WT_CROWBAR"),
weapon_dagger = "Dagger",
weapon_dbshotgun = GetLabelText("WT_DBSHGN"),
weapon_doubleaction = GetLabelText("WT_REV_DA"),
weapon_fireextinguisher = GetLabelText("WT_FIRE"),
weapon_firework = GetLabelText("WT_FWRKLNCHR"),
weapon_flare = GetLabelText("WT_FLARE"),
weapon_flaregun = GetLabelText("WT_FLAREGUN"),
weapon_flashlight = GetLabelText("WT_FLASHLIGHT"),
weapon_golfclub = GetLabelText("WT_GOLFCLUB"),
weapon_grenade = GetLabelText("WT_GNADE"),
weapon_grenadelauncher = GetLabelText("WT_GL"),
weapon_gusenberg = GetLabelText("WT_GUSENBERG"),
weapon_hammer = GetLabelText("WT_HAMMER"),
weapon_hatchet = GetLabelText("WT_HATCHET"),
weapon_heavypistol = GetLabelText("WT_HEAVYPSTL"),
weapon_heavyshotgun = GetLabelText("WT_HVYSHOT"),
weapon_heavysniper = "AWP",
weapon_heavysniper_mk2 = "AWP MK II",
weapon_hominglauncher = GetLabelText("WT_HOMLNCH"),
weapon_knife = GetLabelText("WT_KNIFE"),
weapon_knuckle = GetLabelText("WT_KNUCKLE"),
weapon_machete = GetLabelText("WT_MACHETE"),
weapon_machinepistol = GetLabelText("WT_MCHPIST"),
weapon_marksmanpistol = GetLabelText("WT_MKPISTOL"),
weapon_marksmanrifle = GetLabelText("WT_MKRIFLE"),
weapon_marksmanrifle_mk2 = GetLabelText("WT_MKRIFLE2"),
weapon_mg = GetLabelText("WT_MG"),
weapon_microsmg = GetLabelText("WT_SMG_MCR"),
weapon_minigun = GetLabelText("WT_MINIGUN"),
weapon_minismg = GetLabelText("WT_MINISMG"),
weapon_molotov = GetLabelText("WT_MOLOTOV"),
weapon_musket = GetLabelText("WT_MUSKET"),
weapon_nightstick = GetLabelText("WT_NGTSTK"),
weapon_petrolcan = GetLabelText("WT_PETROL"),
weapon_pipebomb = GetLabelText("WT_PIPEBOMB"),
weapon_pistol = GetLabelText("WT_PIST"),
weapon_pistol50 = GetLabelText("WT_PIST_50"),
weapon_pistol_mk2 = GetLabelText("WT_PIST2"),
weapon_poolcue = GetLabelText("WT_POOLCUE"),
weapon_proxmine = GetLabelText("WT_PRXMINE"),
weapon_pumpshotgun = GetLabelText("WT_SG_PMP"),
weapon_pumpshotgun_mk2 = GetLabelText("WT_SG_PMP2"),
weapon_railgun = GetLabelText("WT_RAILGUN"),
weapon_revolver = GetLabelText("WT_REVOLVER"),
weapon_revolver_mk2 = GetLabelText("WT_REVOLVER2"),
weapon_rpg = GetLabelText("WT_RPG"),
weapon_sawnoffshotgun = GetLabelText("WT_SG_SOF"),
weapon_smg = GetLabelText("WT_SMG"),
weapon_smg_mk2 = GetLabelText("WT_SMG2"),
weapon_smokegrenade = GetLabelText("WT_GNADE_SMK"),
weapon_sniperrifle = GetLabelText("WT_SNIP_RIF"),
weapon_snowball = GetLabelText("WT_SNWBALL"),
weapon_snspistol = GetLabelText("WT_SNSPISTOL"),
weapon_snspistol_mk2 = GetLabelText("WT_SNSPISTOL2"),
weapon_specialcarbine = GetLabelText("WT_RIFLE_SCBN"),
weapon_specialcarbine_mk2 = GetLabelText("WT_SPCARBINE2"),
weapon_stickybomb = GetLabelText("WT_GNADE_STK"),
weapon_stungun = GetLabelText("WT_STUN"),
weapon_switchblade = GetLabelText("WT_SWBLADE"),
weapon_unarmed = GetLabelText("WT_UNARMED"),
weapon_vintagepistol = GetLabelText("WT_VPISTOL"),
weapon_wrench = GetLabelText("WT_WRENCH"),
weapon_raypistol = GetLabelText("WT_RAYPISTOL"),
weapon_raycarbine = GetLabelText("WT_RAYCARBINE"),
weapon_rayminigun = GetLabelText("WT_RAYMINIGUN"),
weapon_stone_hatchet = GetLabelText("WT_SHATCHET"),
bifta = "Bifta",
speeder = "Speeder",
kalahari = "Kalahari",
paradise = "Paradise",
ninef = "9F",
ninef2 = "9F Cabrio",
asea = "Asea",
boxville2 = "Boxville",
bulldozer = "Dozer",
cheetah = "Cheetah",
cogcabrio = "Cognoscenti Cabrio",
dubsta = "Dubsta",
dubsta2 = "Dubsta",
emperor = "Emperor",
entityxf = "Entity XF",
firetruk = "Fire Truck",
fq2 = "FQ 2",
infernus = "Infernus",
jackal = "Jackal",
journey = "Journey",
jb700 = "JB 700",
oracle = "Oracle XS",
patriot = "Patriot",
radi = "Radius",
romero = "Romero Hearse",
stinger = "Stinger",
stockade = "Stockade",
superd = "Super Diamond",
tailgater = "Tailgater",
tornado = "Tornado",
utillitruck = "Utility Truck",
utillitruck2 = "Utility Truck",
voodoo2 = "Voodoo",
scorcher = "Scorcher",
policeb = "Police Bike",
hexer = "Hexer",
buzzard = "Buzzard Attack Chopper",
polmav = "Police Maverick",
cuban800 = "Cuban 800",
jet = "Jet",
titan = "Titan",
squalo = "Squalo",
marquis = "Marquis",
freightcar = "Freight Train",
freight = "Freight Train",
freightcont1 = "Freight Train",
freightcont2 = "Freight Train",
freightgrain = "Freight Train",
tankercar = "Freight Train",
metrotrain = "Freight Train",
trailers = "Trailer",
tanker = "Trailer",
trailerlogs = "Trailer",
tr2 = "Trailer",
tr3 = "Trailer",
picador = "Picador",
policeold1 = "Police Rancher",
policeold2 = "Police Roadcruiser",
asterope = "Asterope",
banshee = "Banshee",
buffalo = "Buffalo",
bullet = "Bullet",
f620 = "F620",
handler = "Dock Handler",
gburrito = "Gang Burrito",
tractor2 = "Fieldmaster",
penumbra = "Penumbra",
submersible = "Submersible",
docktug = "Docktug",
sultan = "Sultan",
dilettante = "Dilettante",
futo = "Futo",
habanero = "Habanero",
intruder = "Intruder",
landstalker = "Landstalker",
minivan = "Minivan",
schafter2 = "Schafter",
serrano = "Serrano",
manana = "Manana",
seashark2 = "Seashark",
youga = "Youga",
premier = "Premier",
speedo = "Speedo",
washington = "Washington",
annihilator = "Annihilator",
blazer2 = "Blazer Lifeguard",
cruiser = "Cruiser",
raketrailer = "Trailer",
cargoplane = "Cargo Plane",
dump = "Dump",
pony = "Pony",
lguard = "Lifeguard",
sentinel = "Sentinel XS",
sentinel2 = "Sentinel",
comet2 = "Comet",
stingergt = "Stinger GT",
ingot = "Ingot",
peyote = "Peyote",
stanier = "Stanier",
stratum = "Stratum",
akuma = "Akuma",
bati = "Bati 801",
bati2 = "Bati 801RR",
pcj = "PCJ 600",
dloader = "Duneloader",
prairie = "Prairie",
duster = "Duster",
issi2 = "Issi",
trailers2 = "Trailer",
tvtrailer = "Trailer",
cutter = "Cutter",
trflat = "Trailer",
tornado2 = "Tornado",
tornado3 = "Tornado",
tribike = "Whippet Race Bike",
tribike2 = "Endurex Race Bike",
tribike3 = "Tri-Cycles Race Bike",
burrito2 = "Bugstars Burrito",
dune = "Dune Buggy",
feltzer2 = "Feltzer",
blista = "Blista",
bagger = "Bagger",
voltic = "Voltic",
fugitive = "Fugitive",
felon = "Felon",
pbus = "Police Prison Bus",
armytrailer = "Army Trailer",
policet = "Police Transporter",
speedo2 = "Clown Van",
felon2 = "Felon GT",
BMX = "BMX",
exemplar = "Exemplar",
fusilade = "Fusilade",
boattrailer = "Boat Trailer",
cavalcade = "Cavalcade",
surge = "Surge",
buccaneer = "Buccaneer",
nemesis = "Nemesis",
armytanker = "Army Trailer",
rocoto = "Rocoto",
stockade3 = "Stockade",
rebel2 = "Rebel",
schwarzer = "Schwartzer",
scrap = "Scrap Truck",
sandking = "Sandking XL",
sandking2 = "Sandking SWB",
carbonizzare = "Carbonizzare",
rumpo = "Rumpo",
primo = "Primo",
sabregt = "Sabre Turbo",
regina = "Regina",
jetmax = "Jetmax",
tropic = "Tropic",
vigero = "Vigero",
police2 = "Police Cruiser",
stretch = "Stretch",
dinghy2 = "Dinghy",
boxville = "Boxville",
luxor = "Luxor",
police3 = "Police Cruiser",
trailers3 = "Trailer",
double = "Double-T",
TRACTOR = "Tractor",
Biff = "Biff",
Dominator = "Dominator",
Hauler = "Hauler",
Packer = "Packer",
Phoenix = "Phoenix",
Sadler = "Sadler",
sadler2 = "Sadler",
daemon = "Daemon",
coach = "Dashound",
tornado4 = "Tornado",
ratloader = "Rat-Loader",
RapidGT = "Rapid GT",
RapidGT2 = "Rapid GT",
Surano = "Surano",
BfInjection = "Injection",
Bison2 = "Bison",
Bison3 = "Bison",
Bodhi2 = "Bodhi",
Burrito = "Burrito",
Burrito4 = "Burrito",
Rubble = "Rubble",
TipTruck = "Tipper",
TipTruck2 = "Tipper",
Mixer = "Mixer",
Mixer2 = "Mixer",
Phantom = "Phantom",
Pounder = "Pounder",
Buzzard2 = "Buzzard",
Frogger = "Frogger",
Airtug = "Airtug",
Benson = "Benson",
Ripley = "Ripley",
AMBULANCE = "Ambulance",
FORKLIFT = "Forklift",
GRANGER = "Granger",
pRanger = "Park Ranger",
trailersmall = "Trailer",
BARRACKS = "Barracks",
BARRACKS2 = "Barracks Semi",
CRUSADER = "Crusader",
Utillitruck3 = "Utility Truck",
SHERIFF = "Sheriff Cruiser",
monroe = "Monroe",
Mule = "Mule",
Taco = "Taco Van",
Trash = "Trashmaster",
Dinghy = "Dinghy",
blazer = "Blazer",
maverick = "Maverick",
Cargobob = "Cargobob",
Cargobob3 = "Cargobob",
Stunt = "Mallard",
emperor3 = "Emperor",
caddy = "Caddy",
Emperor2 = "Emperor",
Surfer2 = "Surfer",
TOWTRUCK = "Towtruck",
Towtruck2 = "Towtruck",
Baller = "Baller",
SURFER = "Surfer",
mammatus = "Mammatus",
RIOT = "Police Riot",
velum = "Velum",
rancherxl2 = "Rancher XL",
Caddy2 = "Caddy",
Airbus = "Airport Bus",
Rentalbus = "Rental Shuttle Bus",
gresley = "Gresley",
zion = "Zion",
zion2 = "Zion Cabrio",
ruffian = "Ruffian",
adder = "Adder",
vacca = "Vacca",
boxville3 = "Boxville",
Suntrap = "Suntrap",
bobcatXL = "Bobcat XL",
burrito3 = "Burrito",
police4 = "Unmarked Cruiser",
cablecar = "Cable Car",
BLIMP = "Atomic Blimp",
BUS = "Bus",
dilettante2 = "Dilettante",
Rebel = "Rusty Rebel",
skylift = "Skylift",
Shamal = "Shamal",
graintrailer = "Graintrailer",
Vader = "Vader",
sheriff2 = "Sheriff SUV",
baletrailer = "Baletrailer",
TOURBUS = "Tourbus",
fixter = "Fixter",
oracle2 = "Oracle",
baller2 = "Baller",
buffalo2 = "Buffalo S",
cavalcade2 = "Cavalcade",
coquette = "Coquette",
tractor3 = "Fieldmaster",
Gauntlet = "Gauntlet",
MESA = "Mesa",
police = "Police Cruiser",
cargobob2 = "Cargobob",
taxi = "Taxi",
Sanchez = "Sanchez (livery)",
FLATBED = "Flatbed",
Seminole = "Seminole",
Mower = "Lawn Mower",
Ztype = "Z-Type",
Predator = "Police Predator",
rumpo2 = "Rumpo",
pony2 = "Pony",
BjXL = "BeeJay XL",
CAMPER = "Camper",
RancherXL = "Rancher XL",
faggio2 = "Faggio",
Lazer = "P-996 LAZER",
seashark = "Seashark",
bison = "Bison",
FBI = "FIB",
FBI2 = "FIB",
Mule2 = "Mule",
RHINO = "Rhino Tank",
burrito5 = "Burrito",
asea2 = "Asea",
mesa2 = "Mesa",
MESA3 = "Mesa",
frogger2 = "Frogger",
hotknife = "Hotknife",
elegy2 = "Elegy RH8",
khamelion = "Khamelion",
carbonrs = "Carbon RS",
dune2 = "Space Docker",
armytrailer2 = "Army Trailer",
tr4 = "Trailer",
blazer3 = "Hot Rod Blazer",
sanchez2 = "Sanchez",
submersible2 = "Kraken",
dodo = "Dodo",
marshall = "Marshall",
BLIMP2 = "Xero Blimp",
dukes = "Dukes",
dukes2 = "Duke O'Death",
buffalo3 = "Sprunk Buffalo",
dominator2 = "Pisswasser Dominator",
gauntlet2 = "Redwood Gauntlet",
stalion = "Stallion",
stalion2 = "Burger Shot Stallion",
blista2 = "Blista Compact",
blista3 = "Go Go Monkey Blista",
gargoyle = "Gargoyle",
omnis = "Omnis",
sheava = "ETR1",
tyrus = "Tyrus",
le7b = "RE-7B",
lynx = "Lynx",
tropos = "Tropos Rallye",