-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathGame.locres
1165 lines (1132 loc) · 279 KB
/
Game.locres
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
tugJüJÃ7à € : dX†é Cosmetics_Parrot_desc 4÷¾ çx} keybind_pressanybutton Æ*6¸ F>lÔ keybind_pressanykey ¼ÍöŽ ”u7 Power_Level ÈsáR I2X other_gear_pickup ód6ª •c? Pickup_Notification_Info U¯‡ bË}Ê UIHint_LowHealthDescription ¢—” Øb®ò cape_herocape_description ^ƒ €cC… button_accept µQV ÇÇ‹† slot_armor ¬LÆ/ C}Û¿
slot_item Fè_
JyJ• Artifacts_LAbel ú˜?ç ä–ùà missioninspector_toohard TÚ¼ ¾ûô statuseffect_accelerating z@”€
Ý0Î HUD_AcceptGift KÐß £TC¯" missionnotification_acceptrequest T]k Y‡"‚ Accept_Request_Key ¾÷â] ‚Ò Accessibility_Menu_Button /€ëÄ pòâ menu_accessibility /€ëÄ Æ,L settings_accessibility /€ëÄ ëP! Accessibility_Help_Button ýÝ}Ì h‹W AchievementUnlockedString Í(> „ dâ Achievement_Name „ dâ Yd¢R keybind_action Esè Lå[ Activate_NavBar á’–Æ $ë´ ActivateCrossplay ‚ˆYC PÏ=Ó Activate_Online_Play_Btn ùoÙÊ ,)¼ xal_add_controller C,¨n @´œš Adjust_Brightness_Title 5”À ‚,t÷ Adjust_Brightness_button 5”À ¢€ menu_brightnessTitle 5”À Ç3ˆ¢ settings_brightness 5”À —Ãà Setting_Brightness ÀK'ñ ʨ settings_brightness_hint ÀK'ñ ÆÌ› Adjust_Brightness_Hint êKº ‰Ç¥ menu_brightnessSubtitle êKº ¦AÊ/ settings_musicVolume_hint ËjÏ\ ¨æ Hud_Scale_Hint Y£i9 *Z? settings_hudScale_hint Y£i9 =Áï• AudioSettings_videoVolume_desc Â6 ·†mC settings_menuMusicVolume_hint }»Ùq åï settiings_dialogueVolume_hint ¡Ž|ñ! 4ÕùM settings_sfxVolume_hint ¿[…ê" ÐÖ‘$ settings_fpsLimit_hint @w # ƒ» ¯" settings_antiAliasingQuality_hint ô>$ ÷½â settings_displayMode_hint Ô,
#% ¬×èß settings_masterVolume_hint À~3& >âv settings_resolution_hint Óo' qu settings_ShadowQuality_hint ¸5q×( L]» settings_deadzoneLeft_hint ç+9) u»9õ settings_deadzoneRight_hint 2±¸S* ^1Aå settings_subtitles_hint «³¶+ 'ܼó menu_advancedGraphics ³Î7?, ó€Ø¸ settings|_advancedGraphics ³Î7?, `œÅ ItemTag_All ¿À§&- CY¯ˆ deathscreen_allhavefallen ù¡¹. .>ŒY settings_menuMusicVolume Ö›¦æ/ 4da settings_ambientOcclusion ogg˜0 Fk joinerror_generic C–½?1 \®OÑ inventory_aplayerisunderattack sãÃV2 z‘í settings_antiAliasingQuality 4‘æB3 ¦ä É ApocalypsePLUS ùÄê4 ¢?S apply_left_handed_bindings XÙÕY5 "FÆÕ Cosmetics_ArcticFox µ:=½6 aOa Cosmetics_Babypig_desc }æ)ƒ7 ¯ËÖ Sign_Out_Menu Ì_Kx8 ÆÝ;P
Are_You_Sure Ʊl9 {꣕ Are_You_Sure_Key Ʊl9 n$NE Are_You_Sure_Menu Ʊl9 ‰j
Are_you_Sure Ʊl9 íùO¦
are_you_sure Ʊl9 —Ü dialog_campConfirm Ʊl9 .–Ý> dialog_desktopConfirm Ʊl9 +i-\ dialog_menuConfirm Ʊl9 óX'å joinOtherGame_AreYouSure Ʊl9 °Èš kickPlayer_AreYouSure Ʊl9 äÆ ItemTag_Armor A!Œy: Xùø\ UI_Armor A!Œy: ê HUD_ArrowsFired Ï‚0; ÷ HUD_ArrowsHit >°…Ý< ç*¬Á statuseffect_damagesynergy ã`¼o= zĤ! UIHints_ArtifactInInventoryTitle ìI£Õ> ToÐ2 ItemTag_Items %RY? ûý•L menu_audio `eÀ}@ I3Íá settings_audio `eÀ}@
¶Õ” auto_pickup 5?A ã¤G4 settings_autoMute ý$ûB ýZl englishOnly_TTS L¦C ÷oè£
english_only L¦C øµþ hud_awaitrescue Hì‡lD <^½y menu_b_join ’’èE í%o cosmetic_babychicken Úv~F Nxö Cosmetics_BabyGhast_name Ô¯Ô˜G v¢X
Cosmetics_babygoat_name 2ýÑH #~„ú Costmetics_Babypig ¶ÑzI Ðbõ@
Back_Char ñoÑDJ ‡®V
Menu_Back ñoÑDJ 48Îê button_back ñoÑDJ
h inv_back ñoÑDJ Š |
keybind_back ñoÑDJ $[§ nav_back ñoÑDJ ÃK¢í settings_graphics_balanced ËœýMK a[j‡ missioninspector_tooeasy äx3}L ¡t»
Bind_Always *Z‚DM BPØ Bind_FullScreen x|ŽzN @¼Å9 Bind_Never {̱}O ½ç[Ô statuseffect_blind —^ªP Qó» HUD_BlocksWalkedOn mv~Q Á+Ìh settings_bloom è}ÁôR FÚ settings_display_borderless )gõ4S À$U”
boss_no_name ´òöDT Ï"÷ statuseffect_burning +7‚kU 4Þ¸N keybind_problem #Y`V Yžq start_game_mode_change gö£W púÉÏ button_claim_reward –OX ,*÷Ë title_ConfigureOnlinePlay ?ËY œs7 Button_CurrentXP krWZ Õ?{ Button_Cancel Vq”8[ KC[i HUD_Cancel Vq”8[ ‚kz action_cancel Vq”8[ òôdP chatWheel_cancel Vq”8[ „ë dialog_cancel Vq”8[ úªù inv_cancel Vq”8[ Jf=‚ keybind_cancel Vq”8[ ÛT† sidebar_cancel Vq”8[ ‹+ teleportlist_cancel Vq”8[ ZŸ® Button_CancelMission B¹\ DÎ: statuseffect_chained `6£¦] }ÙÓ difficultychanger_change ²@ï^ š Welcome_Body_2 àÝ’÷_ # characterPicker_inUse ÖØ+É` Ž³A statuseffect_ChargedArrows º …a Ø4ª Quickaction_chat E„O=b AF›¿ keybind_title_Chat E„O=b nc˜V controlMap_chatwheel f+Ýc ÑU€Ä gamepadBind_chat f+Ýc x‘õ pcbind_chat f+Ýc X<µ chatWheelShortcuts_title /ºú”d q#ç÷ settings_chatWheelType ªGÙ/e jT Privileges_CheckingTitle çˆ-
f L^Ÿë Privileges_CheckingBody jÄÊg Ž@å, Mission_ChestsFound À†Nh Ï2z‹ mapstat_chests E‰æ`i 3Í«ª UIHints_ChatWheelSelect_Title WDåj 8Ôßß HUD_UnlockChest 7œø¾k ¹Ý%[ postgame_claimreward í)ŽWl ]UË
nav_clear 4ûafm >JQ Clone_Nav_Key ßn¸˜n ;ôÀ
Close_Key %Jo D`
HUD_Close %Jo .úe close %Jo öAŠ¤ sidebar_close %Jo Þ,± cloudservices_failedLogin ÂfXÊp Ý“s missionSelected_Collapse •~aõq :¤O8 keybind_combat &³æ‚r Ã"#
HUD_ComeHere „Zs åÄŠé Popup_Body_Coming_Soon n` Ât ⠀Πenchantment_rarity_common ž‰\Úu Ï=Òß rarity_common ž‰\Úu ÅÊ‹M& missioninspector_completethefollowing 7åYv :ª£· UnlockRequirements_completedAny ¨™ž7w I-ì' UnlockRequirements_completedMissionsOn »Ö’x Ñìg game_ConfigureCross-Play ”ý:fy öBMU game_ConfigureOnlinePlay øŸÖgz \× action_confirm ;ˆ { ˜sØœ dialog_confirm ;ˆ { öP£š keybind_conflict A†ªw| Áù¤ Message_ConnectionDropped ‹|}} ™@(g Message_ConnectionFailed_Title P\šü~ K⎊ Message_ConnectionLost_Title Ë#ä” ¹\É Message_ConnectionTimeout_Title ý’z¡€ »©iM Message_connectFail ‘:Š% lò3 menu_controller ™Q)Ä‚ xÅ‘. settings_controller ™Q)Ä‚ ÂKp menu_controllerMap S=™Ìƒ בp ItemTag_Cosmetics _ÜN„ Lr statuseffect_cowardice ¡±E;… ;kT menu_createHero ²ˆ~c† Ž– Í Button_Credits 𧜇 ÏÛJ’ settings_credits 𧜇 ×sÁ crosssave_popupTitle Àܧˆ õéœ Health_currentHealth Þ—l‰ @«žT language_CurrentLanguage 6bnአ¶_° Setting_Cursor_Binding á‚Hß‹ )Ñéâ
label_custom 32.(Œ
r]J settings_customiseControls º˜Ì (›“/ title_customize_controls º˜Ì ØÙ%Ê settings_customiseControls_hint ñˆ®ãŽ ¥u@ dlc_badge_name ‘j#¿ y6¥ missionvariation_daily
T â ãäŸ( missionvariation_dailycompletedtemplate 㑠E{Ú HUD_DamageDone Ru4’ h¡ settings_deadzoneLeft PCÊ£“ |Jò settings_deadzoneRight Úb¡” ß’Ð statuseffect_DeathBarter Õñz'• X€T statuseffect_deathBarter Õñz'• •æÄŠ
nav_defaults ð[亖 Ên« Delete_Nav_Button ÄSåâ— ˆ?6 delete_character ›Z
ë˜ Xu¯ cloudsave_DeleteHero lÑr(™ Ä\7 statuseffect_DenseBrew £”sYš üÊL’ settings_dialogueVolume x•› <twU controlMap_directionalRoll 9eœ 9è| pcbind_directionalRoll 9eœ ŽbC_ disable_crossplatform_play E53å Žøã# Message_DisconnectedFromHost_Title õð"ž yíû Message_DisconnectedFromHost ¬ÿ
Ÿ 6¢¯¸ menu_displayGraphics à¼Ë¿ K5 settings_displaygraphics à¼Ë¿ †'±= settings_displayMode Ï‡È ¡ ÀLT…
Clone_Key ª#ón¢ ¬i Delete_Char á¯è,£ '!u pet_babychicken_description × Òy¤ ¦mX edit_text_done é·«…¥ Ϻ™
menu_done é·«…¥ ¶ôE¡ EquipArtifactHintTouch ”¢ÒЦ Ç8\9 cloudsave_DownloadHero ó9za§ ˜¥ menu_DownloadHero ó9za§ #œL cloudsave_DownloadSuccessful ÇæÍ_¨ RÀØm statuseffect_dynamoMelee rúY© ‚˜A¦ statuseffect_dynamoRanged rúY© y£æS eula_title _¥ÞAª ;$ò settings_graphics_hint ÊÉfÿ« @л[ nav_edit •»1¸¬ gJ" cloudsave_EmptySlot öïß ?šÂ enchantment_slot_empty öïß ;õƒ inv_enchant ÛYc® ù_ó( UIHints_EnchantSelectGearTitle jþ[¯ q¬~ ItemTag_Enchanted ùáG° jQgk mob_prefix_enchanted Jó± ÷¤Û% UIHints_EnchantingOpenInventoryTitle í‚k² »ÃÔ% UIHints_EnchantmentPointsGainedTitle Ïeé³ †e€è Message_EnchantMentPointEarned Œ¿ƒ´ S\‹ Inv_Enchantments –Ò‚¢µ pJ Menu_Enchantments –Ò‚¢µ &ß2¶ HUD_EnemiesKilled º§h¶ a‹3Q HUD_EnemiesHit ÊQU· °ƒ÷È difficulty_easy_description ãw‡¸ 1Hs difficulty_normal_description ˜›Ìá¹ ¡IÞY difficulty_plus_description r™)Àº LAîn difficulty_hard_description qûFó» 10 plus_enchants åH‘¼ Í9Š settings_enemyOutlineColor †ñ™½ n› settings_enemyOutlineColour †ñ™½ |— use_code ÉYܾ Ô ƒu autoCategory_Equip ä$Ûx¿ Jæpi cosmetic_equip ä$Ûx¿ ¬ @ UIHints_EquipArtifactTitle ¼öÕMÀ wìe slot_equipped ¡XŒâÁ ºï%
Error_Online •¸íI lm8é even_more_artifacts cÃTà ,þ event_ends_in 8YÜðÄ u}èä Event_name_text ƒaCŠ;…~+ UIHints_EnchantingOpenInventoryDescription z—ÙÆ Ý¢ëö! E385C65444C2796BAB1AD2A79302B3AC òã{
Ç ×(SM Button_Exit è#±È ¿w™$ Exit_Button è#±È •ùj
credits_exit è#±È T?` tts_exit è#±È ¬‚– Menu_ExitTutorial Ÿ°ÚÉ ÔÉü missionSelected_Expand Ä“"Ê d-Ó´ settings_fpsCounter qJ]?Ë Q-üÉ settings_fpsLimit B…uíÌ ß}p7 hotbar_inventory_full ´VÛ_Í :¶¼É Message_FailedToCreate gŠ¤3Î ü¼¿L! games_failed_to_search_for_games ²®MTÏ ÌÙÔw settings_graphics_fanciest Ä‹×Ð É7`è settings_graphics_fancy M Ñ ”€ÂÛ settings_graphics_fast ”U!äÒ Kñ†ÿ settings_graphics_fastest ÃÓ¬Ó Î
ÔÚ feeling_alone DbM0Ô ÖUŠa UIHInts_FeelingLostTitle ØÕ ¯ÿU^ UIHint_FindTheObjectiveTitle ø²¼Ö ¸‰s™# UIHint_FindTheObjectiveDescription ¤B=× ?Æ pcbind_forwardRoll V6„Ø «Ü¥¿ statuseffect_freezingResistance š–šÙ QšY statuseffect_frenzied Öã`ÒÚ –¼îN friend_has_fallen ƒnwJÛ ícˆm
Menu_Friends GÚîÜ rœÂ[ Quickaction_Friends GÚîÜ Y!-ö controlMap_friendsmenu FÝ ²tèü gamepadBind_friends FÝ NDo8 pcbind_friends FÝ Ÿw1‡ FriendsNotFound P¤–CÞ qH²ö! F776589442EB369BDB0810844EF391BD @ïß ø\äa statuseffect_frozen ¶â
à ‚ÞMÒ pcbind_fullmap mcc3á >vaë Menu_FullScreen oDŠâ ör— settings_display_fullscreen zŠxæã o€ Gear_Drops_Label ñ5Ïä ¯Ì×
menu_game æ×ÝËå 1úö settings_game æ×ÝËå u©Š deathscreen_gameover S®êòæ D±jØ$ deathscreen_lastlifewarning_friends X*¤6ç Þú! deathscreen_lastlifewarning_solo -±¾è 6ÎVJ youdied_gameover_returning #MÆé ×ëtã joinerror_gameNoLongerExist ÑK`jê NÌj\ Popup_GameOver .ÕÕåë H¶|µ statuseffect_ghostform ë)‡®ì ŽB¼L
xal_goOnline 1 <6í ©)h settings_graphics =å¤Ùî {óÞ
Button_Great ‘
rqï ”Z Hud_Scale_Setting ¤ì¶ð .]ç settings_hudScale ¤ì¶ð þo cape_hammercape ÷ÅÛŒñ —N3 HUD_HardestBlow ™ÒN[ò -9Ø controlMap_heal fÑ–ló ò Y• gamepadBind_heal fÑ–ló [ÅH¤ pcbind_heal fÑ–ló §BK· HUD_HealthPotionsUsed o¡q(ô ÅG÷ label_healedHealthRemaining fìÕàõ ͪŽ cape_herocape 6›ˆö ¹Öú
Setting_High 7‘ ÷ à/ºþ settings_high 7‘ ÷ q ªp Hold&Release_Toggle ëÍØ[ø 0óXz Button_HoldToConfirm 3=ü¦ù 2`&^! 4D934F2B4AC62B15C4A2E1AD911948E7 rG¾ú W±O?
Menu_Host !p’-û ´wz$ merchant_inventory_full_description ™”°;ü ék½ Inventory_Full_Key Hµ»Íý …Á¨ Should_Be_Visible Dgìºþ ~½^j menu_brightnessIconVisible Dgìºþ ]ãI[ Not_Visible «wl{ÿ kÉi menu_brightnessIconNotVisible «wl{ÿ yL Account_Link_ps4_note2 êû[‡ `7 pathfinder_hint `Ðd ÚŠ UIHints_PoppingDescription ÷Eñ: 7¹ö autopickup_test ¬—yÒ ÛÜî Account_Link_Body_2 ‹Ì%Í ®CËÜ Account_Link_Body2_ps4 ÿ’ º ¡Gœ Intro_Video_Button 4” ó)v Quickaction_inventory .(³ “ÇoI friends_invite IÆ'ý Ú1 invite_invite IÆ'ý VÆV invite_failed nܵ ß¡U. close_invite_pending .|1=
ý (s invite_sent O’
ÞÞ†
invite_by ßjCä Λ4 cape_irongolemcape –Í
yHb difficulty_plus_rules ê>d pîß‚ HUD_ItemsUsed &2 eü„ Button_Join ZÏíx ,0j
Menu_Join ZÏíx {] ô
friends_join ZÏíx Š•?É xal_pinJoin Çp=þ ´9 JoinSessionFailure_Title ô‰i Ä6Y partyinvite_solo #DëA htÕ[ joinOtherGame_Title ;1ÓÓ Î~ partyinvite_mp ? Då. button_keep_item ÆÙ <ÎÈí Keep_This_Loot þT ˆæ
key_bindings \`è‹ }/±~ settings_keybindings \`è‹ ©™ûT kickPlayer_Title Î£Ò ’œ-v Message_Kicked ‡°½ ›Èü UIHint_KillTheZombieTitle ¸R^¢ ~Í—
HUD_Level |ùÅÞ -”P HUD_LevelUp E%²$ Œ,u° Message_LevelUp E%²$ IM] Other_Item »xg ÈŽ hotbar_level_counter_LV µXvõ Áõ„Í Settings_language Þà £Fáã title_language Þà Psó] settings_languageSelect f»žÍ! £_… deathscreen_lastchance ¬tT¡" #» HUD_LeastDamageTaken ÊEÕÀ# kNï
xal_leave é3$ t Leave_Game_Button O\ÉW% «À nav_lefthanded w¡Ø_& ð¨x{ UnlockRequirements_level ‘”ˆ' Ϻ Popup_LevelUnlocked 4Sœ¹( ˜
postgame_level_complete úV‡¤) D$Yp settings_Licenses 5'†* ú+Ei settings_lightbarEffects Ìr«,+ A›ˆÉ Nav_Link_Account à?û, YÏ’7 deathscreen_livesleft ~0€- ›P+= lives ÎÀáh. m? missionend_loading ¾i ç/ ðtO cloudsave_LocalSavesFull M,0 ¨Ÿ mission_locked °-‹1 -Õ$¿
eula_text 8ÌP~2 ¦lî¤ powerful_enchants áJ—¦3 =z„,
Particle_Low ,Ÿ±4 ZÔ|°
settings_low ,Ÿ±4 S õ/ UIHint_LowHealthTitle f`5 Fȉ slot_melee -ˆ… 6 [;\Ç dropdown_modifiers †ÖÌ7 Jx merchant_make_trade_amount ]˜ø«8 ž|Óx HUD_MakeTrade P¯Ã9 ª›v2 Quickaction_map Èpg¢: …´ÖÒ pcbind_mapOverlay 7€½ ; ™;o settings_masterVolume z|s< 8Ýaó$ enchantmentinspector_maxtierreached ƒ"A–= øŠ-ç Particle_Medium âðÊÎ> vãÖ7 settings_medium âðÊÎ> eL ItemTag_Melee ÀåÏv? Ù=»S UI_Melee ÀåÏv?
M¥@ gamepadBind_melee u’S@ l¥å
pcbind_melee Z€ðA ¬Ð'o controlMap_melee hž»B ´}Áõ menu ÉþâC š×QÅ Popup_MerchantUnlocked Ba—<D 7Èð merchant_unlocked ¼FPE Åæ` label_merchantsUnlocked ZòF FD؈ UIHints_ChatWheelOpen_Title 2
kG 1‚F missioninspector_mission ÙùìH ‘¦˜¸ postgame_mission_summary 'b¤I Ò¼Ù’ Popup_MissionUnlocked ak7ˆJ h¶ÇÍ EndRound_GameEndingDots 3*xK wBÒù hud_mobsarespawning „-a(L 8Uˆ missionSelected_More SÄsM 34$7 controlMap_moveOrAim 5ƒçêN âÅþ UIHint_MoveAroundTitle ã¿ZO !!,Ú statuseffect_mushroomized åš«®P ]+úQ settings_musicVolume -éNÈQ ’(ei Cosmetics_mysteryCape_name «"ÊÏR &«øÿ rewards_NextReward {,ëS A•‰ hud_nightishere ä±6òT ð§ HUD_+NeedHealthPotion µQ0DU Š¸-
HUD_Hurry tªYV i9ðÐ Message_NetDriverError_Title •è›W !¥7 dialog_networkissue_title ×V–ùX ‰¼Ã Message_NetworkFail_Title ¤$%Y I¼Ÿ« unlockeddifficulty_newChallenge æÖ;ÀZ q*P! unlockeddifficulty_newdifficulty T‹Ö"[ ƒ New_Event_Title ´¾–\ ‘>OÊ Popup_NewObjective \·ÿ] hë„/ new_obj_format EöL^ —‹´ new_enchanted &ÅÉú_ ÌÎ4± new_gear_artifacts 9•G²` ß–â hud_nightdamagesfriendsin &†Í7a Þâ–ê hud_nightwillhurtyouin I×¹b Õ?Ðì HUD_Nope ãèp:c bYò˜ UIhint_noArrows <Ò2½d 4À.
no_arrows <Ò2½d ¡¶*‡! ED70D87D4EEF5F7F7202CAB1822A4C00 8ç(e “Œ] difficulty_rule_lives_no ‰Ä8bf +íü games_no_games_found b—‚Ög ,ï¸ rebind_none Å
qh žÙ¹ Account_Link_Note ÄÚNÏi —¶ù Account_Link_ps4_note1 VúÁ™j .
4 PS4_Note aûok bû! Costmetics_BabyGhast_description /‰ÕIl †Ä" UIHints_UseArtifactDescription ±RÐvm *¸y Ok ЊÙn z§¬¡ HUD_OK ø[Uo ŽŒµ‰ ui_or È›ôp í³†ù statuseffect_oakwood ´œñtq ‘b·˜ option_off
ïë1r ƒö9(
settings_Off
ïë1r ̤P£ settings_Ultra
ïë1r Çô¬¹ settings_ultra
ïë1r —•]a cape_sinistercape_description Èw¤s ^ÿÓ%
option_on fNt §aµ settings_On fNt ¹øB{! UIHints_SelectMissionDescription Ø»´åu ;a¢ difficulty_rule_lives_one ¢Ê%èv T*\ keybind_online H=õ²w ˆR( Popup_Title_Online_Unavailable X+Qx q6”‰ menu_openGames &:â±y &7Î controlMap_openinventory H¶sžz ›!\8 gamepadBind_inventory H¶sžz ¿^2 pcbind_openinventory H¶sžz Œ5þu controlMap_openmap ït)¿{ ¶m†– gamepadBind_map ït)¿{ 팗 UIHints_FeelingLostDescription y!è| L«T{ Accessibility_Help $æ¾’} Yºo settings_advancedGraphics_hint ÿö~D~ ¿C ItemTag_Other h†: çÓ{Ÿ keybind_other h†: c¼º Outro_Video_Button å—LÙ€ Ï_ sawblade_overheat øgÁy Úmàÿ cloudsave_OverwriteHero lüÿ‚ ©rUì P1_Key k³“xƒ ÷‰Eb P2_Level …&j„ êtðc P3_Level à{šÒ… ¹‡ùg P4_Level YCMO† Ãh/^ gearpower_POWER ]¹å2‡ qµ xal_public y“'ˆ Sbzš statuseffect_paincycle 9Y1{‰ „àù statuseffect_paincyclecharging ¶3yŠ ¨" " Cosmetics_Parrot >ˆ4Í‹
*Ñ dlc_mobchancetext 4yÊŸŒ OuŸÆ settings_Particles ¸¸f€ NàT pathfinder ó_fŽ ]MÍ controlMap_pausemenu ƒis ÃCfé gamepadBind_pause ƒis ÍbfL
pcbind_pause ƒis †uš˜ phantoms_are_coming àöD Â1 Pick_Up_Nav_Bar !ð‘ œ6* inv_pickup !ð‘ cÄt EquipArtifactHintGamepad aU[’ Ýù. UIHint_PickupArrowsTitle DpÆ“ 3±#m UIHints_PickupArtifactTitle 2©Ú±” ˆ
èb dialog_networkissue_body +O• ¸Ö§Q statuseffect_poisoned ?¯ž’– iÜ= UIHints_PoppingTitle Ç
¬— a‚ statuseffect_potionbarrier fØ2¡˜ ^Hð ui_item_power °Ô¯d™ Ú;8 enchantment_rarity_powerful á›N»š }„¦ß enchantmentinspector_powerful á›N»š KVˆ Req_Prefix ¿
#¥› ³ú>; Press&Select_Toggle ƒm§›œ P.šã e3_input_prompt (p¼ ~&z> pressStickJoin_prompt_generic ` ž X5ýS pressStickJoin_prompt_switch áb+íŸ }û Title_PressAnyButton ’ï˜% ·^àC( UIHints_ChatWheelChat_Description_press sé븡 ÏÝÛs keybind_primary /Ý$¢ ®Å+! E0A0D9354A0ACD79AE06F2B3202AD035 ¬)PD£ E¢® xal_priv ¬)PD£ @‡,*! 1DFA61554D95DCE782DB1FB9DF55E6FC ÿt¤ ï2za statuseffect_protection ºï´Ì¥ 'ô¸ xal_publ Ÿ®°k¦ <ÓÅý
Put_down_Nav ¢Xµ?§ 54œ controlMap_quickactions W>è¨ *7i gamepadBind_quickactions W>è¨ E env_quickequip w;:¤© ™N. Quit_Game_Menu ñN™[ª 4 dialog_DesktopClose #Hm¹« žïþ
quit_desktop žIÒ‹¬ cDv slot_ranged :EÞL ³/~6 button_refuse †k“® jƒ7 HUD_ReservedDrop Ure6¯ Ô†\ Reward_Key ñ, ° ±±~ statuseffect_rampaging \rQY± ÞUï ItemTag_Ranged Üxh ² ôl´®
UI_Ranged Üxh ² 8Æô¡ controlMap_ranged ÛÆ¡³ kTŒ gamepadBind_ranged ÛÆ¡³ èX`| pcbind_ranged ÛÆ¡³ êv— UIHint_PickupArrowsDescription BœZº´ zHÑZ rarity_rare é8òµ ÄXð plus_artifacts
±Æî¶ â= news_readmore ††ýè· ÙÎ notification_ready “×\¢¸ 9I`ä Menu_Received _„É’¹ 7¿
# missioninspector_recommended_power 1öº ŸZh€ Menu_Reconnect ú$ñÁ»
Ÿ+z statuseffect_regeneration Î$¬¼ ÚNë˜" UIHints_ChatWheelChat_Description £áëÁ½ oTÐ postgame_replaytrial º‹.¾ ̺É# missionnotification_requestexpires j¾å¿ €qP: keybind_required 7§Y×À SxuÎ Reset_Default ¼øÒcÁ Î+ õ Reset_Defaults ¼øÒcÁ ~€òË reset_defaults ¼øÒcÁ ŸŸV« Menu_Resolution ¡™X @ !² settings_resolution ¡™X ÿÀœ Popup_Restarting !JZà •Ö” Menu_ResumeGame ² ›Ä ’cké cloudsave_getFailed ‡ÈrÅ ,b™
Button_Retry Óu3ŒÆ i²(q dialog_returnCamp æfîÇ «™ dialog_menuReturn U&“È HÛoó Label_ReturningToLobby FÙØÉ Â‡ïö Menu_ReturnToCamp FÙØÉ
Ý¥ð Menu_ReturnToCheckpoint džÚSÊ Èy Menu_ReturnToMainMenu ѤëHË yÔÈa deathscreen_returning_to_lobby ðæÔ(Ì 6’ hud_revivefallenfriends H´´ Í ø1, revive_your_friends_to_chase_away_the_night ©þCÎ ²¾£ postgame_reward $ÆæÏ š/Òû format_reward k9Ð Þ¢¹s difficulty_easy_rules y.3Ñ ç¬‡¾ difficulty_normal_rules ?ÚŸ†Ò BÇG– difficulty_hard_rules Õ±3<Ó ÿóX! UIHints_EquipArtifactDescription ¾vÇJÔ /@§» controlMap_roll d¨0Õ ðyÿö gamepadBind_roll d¨0Õ ö~š¬ statuseffect_RollCharge œHÊ‰Ö 3ŽÅ pcbind_rootPlayer Ƙ†„× ŒÓ?F missioninspector_secretmission H:Ø €5= menu_select .û~Ù Àß settings_sfxVolume ðôÊÚ ª€/ä Account_Link_Title_PS4 f•Ä·Û ¤ª2 Account_Link_Title þ‹"Ü Ñ‰‰ Link_Step_1 ˜ŠàÝ ?&< Link_Step_2 v%³òÞ ÆªúU
Keep_Item ¿ß ©²¥« inv_salvage IE¸à "Ù® salvage_confirm IE¸à ðET salvage_toggle IE¸à =ù,, iteminspector_salvagepayback ’šá @;çÛ! 340F730A4FF0C696AFAA6A9F5B606FF7 báí—â øxn itemsalvaged_salvaged {¦-ã ñeú Menu_ScreenMode Ûåéä ‰µþÉ option_ScreenNarration /&,nå dwù2 setting_ScreenNarration /&,nå ,}ô Menu_ScreenResolution lt©¸æ <ól¹ xal_manageFriends Û(ùç –Äϸ games_searching_for_games µEíñè œZY missionvariation_seasonal eØÒ¬é Š ¾+ missionvariation_seasonalcompletedtemplate w<"°ê Ìf÷h mapstat_secrets HÙ¯Íë •îÛ button_select FM2ì ÔÞBç difficultyscreen_select FM2ì lý¨# difficultyscreen_select_difficulty ÚóP¥í cî_ settings_selectLanguage_title á÷XGî –û% UIHints_EnchantSelectGearDescription ¢+%®ï Œ_ UIHints_SelectEnchantmentTitle ¨ð ¿¬GÖ Cursor_Binding MõPûñ ®˜? settings_selectLanguage_desc NÃdò aä€õ UIHints_SelectMissionTitle q”²ó
ÙF' enchantment_slot_select_which_to_apply Œ`ÉÚô Ygs slot_selected ®Ž˜õ ~²$ chatWheelShortcuts_desc ÒÍQõö <ŒÚ× UIHints_ChatWheelChat_Title På÷ Xøö Message_SessionFailure “X,Vø ê’
2 Message_SessionInvite 2üù ˜{›Â joinerror_sessionFull _J¶ú ê Å Quickaction_Settings …ª>-û ¶ÏÉ} Settings_Menu_Button …ª>-û Ð5 menu_settings …ª>-û WwŒ settings …ª>-û ‰D statuseffect_shadowform ,Ç”Êü Š7ÞA settings_ShadowQuality 44
ý «4 UIHints_ArtifactShootFoeTitle
hþ áR]n UIHint_UseYourBowDescription L»7ÿ òÜ|
Dialog_SignIn ¤5] GÂ&! Account_Link_SignInWithMicrosoft ¶ê’ ;5;} Account_Link__Main_PS4 ü`4 ŒÈ Account_Link__Main ”î â,¢` Account_Sign_out_Title ËùœG ž@ê Account_Sign_Out_Btn ùØÆn ×'¯Å cape_sinistercape pAÒ çA+# HUD_SkeletonsKilled þ„ ]PÕ intro_skip Éäqð .’bR Smart_Bind 7¹?á YYz0 cloudsave_setFailed ‚xdµ
(ð¶& joinerror_MinecraftServiceUnavailable 'ó¶ MÆn statuseffect_speeddown ³§¬| }, statuseffect_speedup %©O
Sg®ÿ HUD_SpidersKilled
˜ ò£×€ statuseffect_spiritspeed ;?Ñ /†ü menu_start_game ¾uȯ ûÌÏÇ missioninspector_startmission ¦L‚Î ;Ô$ button_startOnlineGame â¥_ :d½G missioninspector_starttutorial )!ä£ oNÛÚ deathscreen_StartIn y¥ dµÅe missioninspector_story h¨‘Ü N
Ô statuseffect_strength É`4 2Ù+K HUD_StrengthPotionsUsed Ê Œ˜ Azî¶ statuseffect_stunned e‚N* °¯Þ× settings_subtitles ¾ Ôˆ ®Ä HUD_NeedSupplies ®æŽ ¼ ] statuseffect_swiftness QÚNz ç0»
HUD_SwiftnessPotionsUsed Grƒ (ï textToSpeech_SwitchCharacter Ã+ç –‰ Switch_Profile_Button ÈÒÝè DmÔ Switch_Profile_Menu ÈÒÝè T)-Ó switch_profile ÈÒÝè ‡\} gear_level_team_power ³Ø žý±7 HUD_TNTUsed
ø‚ CÕ5Ô Rewards_ToLobby sÕWú! Eɧí deathscreen_livesleft_team ·F¾{" °‰– ui_teamlivesleft w<>^# ”÷•f Quickaction_teleport )´$ Qo*ä controlMap_teleport )´$ ;¿Bª gamepadBind_teleport )´$ ‘ûRª pcbind_teleport )´$ ûÍ«Ž teleport )´$ /0k pcbind_teleport1 (j×% 怅y pcbind_teleport2 Æ°ßÅ& ƒç9Á pcbind_teleport3 £×c}' ÚÕ!Ò HUD_Thanks Ççîƒ( ,Äðî Cosmetics_ArcticFox_desc «ÃÊò) fO]É Cosmetics_babygoat_description `£ê`* d;è cape_irongolemcape_description 4ÓØ+ t´½ Welcome_Body_1 qAZ, Y;¸ Message_ConnectionFailed AoAt- ‡@N Message_ConnectionTimeout Æ. [àÅ Message_ConnectionLost ƒI„¡/ uù?ü Message_NetworkFail Dèk0 &þÑ. Message_VersionMismatch îüç]1 ¸QR¬ accessibility_information °©?p2 Ÿ÷
N Message_NetDriverError ¼b6\3 äÝU™$ UIHints_ChatWheelSelect_Description F‚ÛÜ4 &fX cape_hammercape_description ?p¥R5 Ñ,×á setting_enemyOutline_hint mâfa6 ˜Äæ! settings_enemyOutlineColour_hint mâfa6 ”M›“ game_autosave_feature 2Jòã7 ™]S‚% Message_InviteWasSentOver2MinutesAgo ®Öu‹8 Ø0¾e mission_reward_salvage_new ç·|Q9 íŸø£ mission_reward_salvage_old f¤: Ï(-› tts_changedthreatlevel w“»j; ضi! tts_threatlevellocked }ï^< ”)À settings_chatWheelTypeHint ko= HD£ settings_ScreenNarration_Hint À’1ð> ‰× settings_autoMute_hint þóæ‹? ØŒ( settings_fpsCounter_hint S1¥·@ Å
om settings_vibration_hint 1àÊRA ¬º²Œ settings_vsync_hint RüuB ʵK settings_lightbarEffects_hint é™bC °¬ËE settings_particles_hint 9Ó¾vD ›ÔŠØ settings_ambientOcclusion_hint Ô†<ŒE ³àR settings_bloom_hint ·ÃsF Y$ë" enchantmentinspector_tooexpensive \:¹öG ^5tÍ UIHint_MoveAroundDescription ÆÿéH 8]ž settings_tutorialHints_Hint /VèÏI ×ÏCW settings_tutorialHints (÷J eøÀß enchantment_upgrade_tiers ŠM+K ¢û¯ item_diamond_dust_upgraded ŠQ
IL Å,àc Message_NoLongerConnectedToOS 4ŒðM Û"I<$ Message_UnableToJoinCrossplay_Title ºmBáN [z¸w Button_SalvageUndo %¨<¨O Y( autoCategory_Unequip Smú&P PIäì cosmetic_unequip Smú&P ³Á5 inv_unequip Smú&P ümº’ rarity_unique Ù4—Q sÜø missionloot_unknown ¸yhR ŠÄŠº FPSLimit_unlimited §8J]S z button_unlink_ms_account ðb®½T ”x| dialog_unlink_title_template 8\ÈU U\+ enchantmentinspector_unlockbyupgradingmore Ö[¨*V «í HUD_UnlockedText Ì„)÷W ªI€ Menu_Unlocked Ì„)÷W p[ÖÙ Upgrade_Nav Ú{+X r¸æ4 UploadHero_Picker T3¡ Y n§¤D cloudsave_UploadHero T3¡ Y +-¦c controlMap_item1 <ÒØÌZ Š°$L gamepadBind_item1 <ÒØÌZ „‘$é
pcbind_item1 <ÒØÌZ Å‚q controlMap_item2 Ò}mÞ[ d‘^ gamepadBind_item2 Ò}mÞ[ j>‘û
pcbind_item2 Ò}mÞ[ å¯É controlMap_item3 ·Ñf\ x-æ gamepadBind_item3 ·Ñf\ Y-C
pcbind_item3 ·Ñf\ a.ªU UIHints_UseArtifactTitle lé] \´ç" UIHints_ChatWheelOpen_Description šk¹-^ ¿Ò7 UIHint_UseYourBowTitle „ò_ ׯež Auth_UserSignedOut Ÿ‚/Ô` ¨
za settings_vsync ÉffRa £ toast_victory x>žb vP Message_VersionMismatch_Title D0ë c }øL few_enchanted ù…Õd ]Ïs settings_vibration SÅ,e PÍh» audioSettings_videoVolume þâªìf 7.
T Menu_ControllerSettings ß-xg ÏšGŸ View_Controls ß-xg 20šd
view_next ¯¢Ùh š;Ò™ sidebar_viewProfile 1oŸ›i ÷3™ settings_controlmaps_hint b:·j UÝoe Account_Link_Direction œsuk 6ý}I
Link_Wait ƒy’l /íÚ EnableCrossplayPopupBody …Aé'm "ÇØ, cloudsave_confirmDelete oè¹:n +°Oˆ cloudsave_confirmOverwrite Ÿ+
²o ÎU& message_unlink_account_template_CELA1 ÞEp ˆ¢” crossplay_signOut_body 3¬×q *ÖÛ Crossplay_warning_body ØŸA\r 6¤3z Welcome_Title ØJ“Ós qÆìµ HUD_Wait x×At ?ò™j
Warning_Text ðÒau þ„ýb joinerror_noAddress €áfnv F) crosssave_popupMessage ÿ}Œ%w ú-U¼ statuseffect_weakened }Tlx TV?Ÿ missionvariation_weekly ÍŽly -Ì<#) missionvariation_weeklycompletedtemplate
ðï¡z pöÆ" UIHints_PickupArtifactDescription }ð{ ÕŠÒ Cosmetics_mysteryCape_desc ½†zu| .“5ø Menu_Windowed H^œŽ} b³°Q settings_display_windowed H^œŽ} Øø statuseffect_wither –Fâ`~ ýý D notification_missionreply ½8k Ê/6ó menu_X_join ‹h㈀ ^
¯+ HUD_XPLabel ¸8ì( î´K
YourPower õCtì‚ T1Uö Pickup_Notification_You KD-ƒ Ft“ HUD_YouDied «¼Û„ ßy–_ deathscreen_youdied «¼Û„ Ç%JÓ youdied_fallen_gameover à[„Ü… î£ youdied_you_have_fallen 3‡’n† W¾my HUD_YouAreDown çŠG³‡ ªpF Message_NoLongerConnected SQÄሠ•‹f Message_UnableToJoinCrossplay éÀ‰ ¹PEµ$ UIHints_ArtifactShootFoeDescription _”ŽˆŠ ¶ ÷Þ% UIHints_SelectEnchantmentDescription ½B
Ý‹ 9" accountLink_body1 Ü À_Œ EíG press_F1 À…= dw§\+ UIHints_EnchantmentPointsGainedDescription Ù-b Ž ȸ
Message_JoinPermissionError Þà\ t× itemsalvaged_yougained (‘Ÿ^ ÇrMs cloudsave_fullCharactersInfo d8Ø\‘ –² Link_Body_1 ÃGkˆ’ ¥´MB keybind_problemList
lŸX“ Õf‹„ Auth_YouSignedOut ©âõ7” 5°®' UIHints_ArtifactInInventoryDescription {uì#• ÐRæ" Error_online_Body Ý– Å®ë8 enablexplay_title_template C|— <~÷N Restart_Vo ÝÀœ˜ ‚XµÍ xal_kicked ±cD™ öŠW Message_HostKickedYou ¿ÚV€š ¦}= joinerror_alreadyInSession 5öá›
6"( mission_loot_inventory_full_description ÕNkúœ ˆÇ3/ UIHint_KillTheZombieDescription C¬ÂÈ E• HUD_ZombiesKilled öõÇWž –®˜ character_name_hint éMŸŸ ˜ð] UnlockRequirements_completedOn Ìtje ‘I<á statuseffect_invulnerability îsåQ¡ âsŠ HUD_item †óŠ~¢ [Gu Event_PlayerJoin »üœ£ ‰c¿* Event_PlayerLeft %mLÿ¤ ò.ñ HUD_PieceOfGear k£¥ ÍÒÆ invite_playing Á¹û=¦ ˆ®hé UnlockRequirements_reached aV«§ JL ¥ customise_rename Ï´74¨ ^ŠÜ´ item_cooldown ’Æü.© é`œ
Menu_Seconds óV)ª
ÊÂ salvage_emeralds_to V§}.« T
¸$ xal_toJoin ¯ms¬
[¾' missionnavigate_xmissionsingletemplate [/€ ˆé%¢! missionnavigate_xmissiontemplate ŠÎø±® DþÁM! missionnotification_startinggame Ôš®ð¯ íÚuÝ) cosmetics_x_cosmetics_available_template äò›D° ûf• hud_X_fallen_friend_template ¼&¹¨± âœ"î hud_X_fallen_friends_template 5% Þ² -žlð difficulty_rule_lives_many @q2³ ¥e¥ tts_missioninspectortemplate ¹Ò§´ œ|¡f tts_unlockrequirement C‚(µ û]'i" tts_presskeytoreturntomissionmenu tÖÙ9¶ ÕB¨' inventory_count ÝQ· ÷@Z inventory_count_Key ‹2¾¸ ê]d PopUp_Text <Í¢%¹ i 2 notification_missionrequest èòt[º ¥µÛ AccountLinkStringTable þòë… accountlink_note2_ps4 ³dF`» K$ accountlink_body2_ps4 ÿ’ º 4¿B* accountlink_note1_ps4 dT„ù¼ orA crossplay_toggle_hint .ÉŠ½ ám‡Ë accountlink_title_ps4 ôÈ #¾ ^¬— accountlink_main_ps4 ü`4 ä². sign_out_of_msa_button ùØÆn +ÃE sign_out_of_msa_button_hint †øEþ¿ ò<„# SWITCH_sign_out_of_msa_button_hint #÷.À ¯àD unlink_msa_button_hint_ps4 M8·ŽÁ 0Ü unlink_msa_warn_template êßJ Z½ accountlink_body1_ps4 OR”}à n.HP Affector X¨h artifact_cooldown_decreased iÜdîÄ Ÿ#Ÿ artifact_cooldown_increased ¨ÊµöÅ /àË chest_probability_increased 8b°Æ ÿ^:B emeralds_damage_player î•AÇ ÑE› emeralds_heal_player VºWÍÈ ‰pÀ‘ instant_gameover íªÃ‰É Úpr^ startup_lives_count °Š.iÊ 9©å mob_damage_increased ÆêÓ1Ë Õ…ß mob_health_increased øm´ïÌ |bR± mob_speed_increased KÂÅÍ 9¹H mob_invisible <]ðrÎ ªŽœª night_mode ¤~+Ï ½…]8
pet_count ¤¤vÐ )þÁy player_damage_decreased ÿ·ÀÑ îÿJŽ player_damage_increased >¡ÆØÒ ÅÒÄC player_health_decreased Á0pÓ ÓO´ player_health_increased &¡Ô 4l³ù player_speed_increased ½6áÕ ¢eô soul_count â]5¦Ö °(ŒÄ player_enchantment Q¦(•× YЊ² player_burning_arrows àÑíØ ³(< player_firework_arrows »¦xòÙ /¤~ü player_torment_arrows –¥{£Ú Yïwh replace_melee_mobs }ËiXÛ 8¥Õ mob_enchantment_melee KÏûœÜ Ú??ç mob_enchantment Ì5.¥Ý öŒ
w replace_ranged_mobs -ËFÞ tM2 mob_enchantment_ranged +•b2ß 8ªÉ0 AncientLabels 0[ iteminspector_ancient Ýĺà Ð ƒë iteminspector_gilded ^às¶á ãc archhavenLabels ]ÛÀã description_crash_the_gates _¼Äâ ºè, description_defeat_the_guards ¥zƒíã #hìq description_explore_cave ,”ø§ä œ‡•® description_get_codex ëj9å ÇÜš~ description_find_exit `Š©ææ ç ç¨ description_reach_cave ÞíÖŸç lE- description__reach_village êÓc¤è UÅ description_board_ship @né m name_under_the_cover ö(ê þx,w ArmorProperties > %ÊF´ AllyDamageBoost =0ôÉë vŠ&$ AreaHeal a 69ì 3m,- ArtifactCooldownDecrease ‡Š¿í Õnæð ArtifactDamageBoost m<1î ŪS
Beekeeper ŪSï åÿ ! DodgeInvulnerability_description ÷ÒWÐð ¹nÂ~ DodgeGhostForm_description Á½.ñ œßð DamageAbsorption õÑgûò ÄEH– DodgeCooldownIncrease ÊÝÇ?ó LÊ DodgeInvulnerability r³%Qô ‹·u=
DodgeRoot ©÷ÿéõ [ú³Ü DodgeSpeedIncrease Õ^ù¤ö %“œº EmeraldShield –Î÷ 'Ù•ž EnvironmentalProtection ð.…ø بN$$ EnvironmentalProtection_description óÁOLù uŽ™Ó FreezingResistance š–šÙ o
²ñ DodgeGhostForm Qf$¶ú Ž{£ï PetBat_description
Jaû ò6E` AreaHeal_description »lå¹ü {ÄŽ Heavyweight {ÄŽý ਠIncreasedArrowBundleSize ‰ë qþ ¡mï³ IncreasedMobTargeting ¨¼Jþÿ ²2VS EmeraldShield_description ô¼ä² '\Ú{ LifeStealAura ¿ABv p¨8" MeleeAttackSpeedBoost :€°· <†o: MeleeDamageBoost =_Þ pûW MissChance ¤ßšI 7E$g" IncreasedMobTargeting_description xï©@ ÆõÕ MoveSpeedAura
è7 w\Ô MoveSpeedReduction ¦$ µ.ëÑ PetBat Sk-t
Ý_ PotionCooldownDecrease ˆ¿s /”äî Heavyweight_description Û}h
¢ÌžÔ RangedDamageBoost Ë`…” »Ñ´ ItemCooldownReset àvÅ iåG ItemCooldownReset_description ¬ˆŽ
÷g' SoulGatheringBoost «;«* 4¬þH SuperbDamageAbsorption ä¦L y;|< TeleportChance »}¼ 🸨 DodgeRoot_description ±3«Ï ñ Ç Unset ñ Ç -ÿº Unset_description ñ Ç goŽé FreezingResistance_description ž¸HT "¯r% IncreasedArrowBundleSize_description ‘Þ -zc% ArtifactCooldownDecrease_description †Ð’¾ Cq ArtifactDamageBoost_description ‚Ì£û ã „ MissChance_description %» E¨¥ Beekeeper_description í¹ñ QJ TeleportChance_description è_ M¦¥Ù DamageAbsorption_description ~oíÍ Ý\ÓR# SuperbDamageAbsorption_description ~oíÍ à¶Qž DodgeSpeedIncrease_description €§M Zä LifeStealAura_description Åox BÍ€›" DodgeCooldownIncrease_description !ŒF õÊù " MeleeAttackSpeedBoost_description Óg…® „>Û‡ MeleeDamageBoost_description €(* ¹ w¬ MoveSpeedReduction_description -…` Ì0¼Þ MoveSpeedAura_description 8Ï©&! ÔQY
# PotionCooldownDecrease_description õÂìº" ªŽˆ¯ RangedDamageBoost_description øV_Ç# xí¯ SoulGatheringBoost_description J°`¹$ Œˆ^ AllyDamageBoost_description \;|% ÊØ
~ AutoDetect p.‡© OnAcMessage „Ëà & XÜ< LowPerfMessage ÁÆå' j¿i LowMemMessage öFÿÿ( Pãà bamboobluffLabels ÈC+Š description_bb_g_05 »Ø®) @¯ description_bb_g_03 &‘äÉ* iŦ description_bb_g_03_2 ǽf+ ú³õ½ description_bb_g_00 3ܼ, ŸÔI description_bb_g_01 3ܼ, q{ü description_bb_g_02 3ܼ, &잘 description_bb_g_06 °Ò44- “Pq{ description_bb_c_03 Æ?lT. 2êû. name_bb_02 õr°/ }ÿÄi description_bb_c_00 Ca»0 WG– name_bb_03 šwÛò1 ÜEN< name_bb_01 å*ÏJ2 ˜xÑ description_bb_c_01 Åbå±3 ö7Íà description_bb_c_02 Åbå±3 $—2 description_bb_g_04 VÍÉ^4 BK¿¡ basaltdeltasLabels
a name_basalt_deltas €aZ5 €:—È description_clear_the_ambush ’Vá6 zBá description_clear_the_lava µ=f®7 GŒ”ç description_defeat_the_ghast :“ØÃ8 9b›˜ description_explore_the_region =ý¸:9 È£dÔ! description_find_the_exit_portal òf¨Œ: oËL¥! description_find_the_next_portal Òи; ̦äÀ description_leave_the_nether ì…#< W¬ú$ description_activate_power_the_gate t= µÏŒ description_survive_the_ambush *Ú”…> FûL‡
ButtonLabels & €cC… button_accept Slàl? M’® button_add åóö0@ u+ž‹ button_addfriend !£sA ©ž½û
button_Apply Òh5B ICñý button_Back ñoÑDJ ÿ€á/ button_Cancel Vq”8[ ^¼®±
button_Close %Jo E¹žK Button_Confirm ;ˆ {
}6ÿ button_Continue 'gC oßÚ button_decline Ó;]¹D ÚAÀD button_Defaults ð[亖 Ï2˜ button_Revert Ò`ÞùE €Ôï button_enchantCost {2iF ”‚¬
button_equip ä$Ûx¿ åÙ! Button_Great_excl ‘
rqï Tkå¹ friend_kick ѦŸG ÍÖz@ button_Link uúZùH /3½ button_logout †U<^I Þƒ@‚ button_logoutandquit ô\WJ ¤`&°
button_No ãèp:c SXÜS
button_OK ЊÙn à¿·…
game_offline LÄHK ÓøþÊ game_online 6:LL h~ game_playOnline !ëãM <Œè” button_Previous –ÌjN }©9 button_refresh ÁMOZO ÷j button_remove $ É+P [€± button_removefriend gG½Q ˜²ë° button_search K½HYR ïâ8% button_Select FM2ì qÈQI button_Skip Éäqð …ù… game_startgame ¾uȯ ;L button_SwitchHero ”×~$S ¦¥Fµ button_ToggleAll w3¹+T E button_unequip Smú&P $ÊÔÏ button_unlink ÷Åw&U ½>:H button_upgrade Ú{+X ½ï3 button_Yes _†;V cacticanyonLabels
ÍM}ú$ description_enter_the_desert_temple „1ÙW Zc¤› description_find_the_gold_key •öX ¼p! description_find_the_golden_key! •öX ŒàPn# description_find_the_desert_temple ¢T_“Y Aá
Ö description_open_the_gold_gate §Ë“³Z ¬çð€( description_activate_the_guiding_beacon µ<?[ kÒÚ
) description_activate_the_guiding_beacons ¢F¦\ X‚ name_road_go_ever_on b;–Ð] Èz description_survive_the_ambush! Šy+³^ uÁÇâ name_roads_go_ever_on |¶¶I_ âùÕ CactiCanyonSubtitles °î‘ sub_outro_deserttemple xÖÝ` Ù ` sub_adventure !àa ÿ
dA sub_summon xˆ¶[b wÂLã sub_outro_treasures ?Ü|c Ö¿bß sub_maze µ¸Ö(d ßVÓ“
sub_entrance UHne ÎtR„
sub_power ôMnf ¶@ ChangeSkin_Picker v…ÔP ChangeSkin 0s¶Ùg E„O= Chat LÌW7 chat_pickupitem }º h ¡Ú_² ColorLabels X p color_Gold cúVi t¾ color_Green …>¬pj óÿà color_Lavender ¹:üÜk ÑAP color_Magenta ÅVYl ×<Á6 color_MintGreen 7“‹dm ›š>
color_Orange {˜ãn x}¥ž color_Pink #_¸o $}4
color_Purple Äaép ±ä
color_Red wÌÚ‡q ¸ ö… color_White 'êäàr 'Ê<
color_Yellow ÇcÈás _ÜN
Cosmetics Ë@ˆ cosmeticstype_cape ›¿Røt ¢({" cosmeticstype_pet wø;u î—ž- creeperwoodsLabels v²?Ó description_disable_traps 5Ýv 2Jn description_lost_villagers i)R‡w ë—ó~ description_search_mansion ;èx »
1 description_enter_attic ]
3:y ]óô name_creepy_crypt øñüðz „Aðc description_destroy As-{ ¶¼wõ description_enter_mansion &\| ÏûŸb" description_exit_through_the_gate Ò k} ‹6[ description_find_nest lS/L~ “E3 description_find_the_silver_key äûý £”0¿ description_find_the_exit òdŠS€ Zc¤› description_find_the_gold_key (B2 ªðô¥ description_the_tome Ǫl‚ Y"ï% description_find_the_illager_caravan »ëÓÔƒ [Ô¡0) description_free_the_imprisoned_villager Gýý„ ¡äö description_free_the_villagers #ž
Û… \¨—i description_escape_cave dƒƒY† wd= description_leave_the_crypt ÀK‡ NÜòà description_disable_machine õȬ=ˆ íÁ» name_spidercave ´5Ñ ‰ …¶àÑ description_survice ÀÛÈŠ ÃWËk name_the_caravan ¶µdV‹ Ȧà name_the_escape Ê:¦Œ @àÙÅ name_the_attic È=¿~ t¦Qo name_woodland_mansion ›”‘-Ž e…µ name_woodland_prison r(°ï !W\ CreeperWoodsSubtitles ö÷ sub_decree º>Öö íuàÞ sub_stop ƒnyN‘ ¤.
sub_woods 6tb›’ ¤Û™ sub_outro_free úv«z“ þ½W sub_caravan Å¥a)” U„ê
sub_freefolk ÿ
µ*• ë€ sub_outro_thanks {æ– ¶uÇ sub_doom ¯v´¼— W-ª crimsonforestLabels ƧѨ name_crimson_forest Ä,5˜ ó'T description_explore_the_forest ÷ö™ oËL¥! description_find_the_next_portal Òи; 65} description_leave_the_forest ôš ªÐÃÑ description_raise_the_gate —çž› µÏŒ description_survive_the_ambush *Ú”…> ƒ¯Àb
Crossplay 6ùÜ AllSessions À©9œ @µz› PlaystationOnly mòJT ïpp( CrossplayFilterTitle Ð4Ó¿ž Ë÷F EnableCrossplayNote È,?Ÿ „¡ã DisableCrossplayNote G¨4>
Xm! DeleteHero_Picker &Õ‰ð DeleteHero lÑr(™ lÌô deserttempleLabels
€Ëa9' description_raise_the_forward_platform 1&¬¨¡ Œº¯$ description_defeat_the_nameless_one ‡–¢ h
œ( description_escape_the_nameless_kingdom æÓ¶d£ zé8N: description_fetch_the_staff_of_the_slumbering_necromancer ˆ>ZƤ Zc¤› description_find_the_gold_key (B2 G3Î' description_find_the_necromancers_tomb 7É}’¥ ‘~Nž# description_leave_the_lower_temple /Õ€´¦ Aá
Ö description_open_the_gold_gate §Ë“³Z i9¤. description_reach_the_tomb_of_the_necromancer ’– Ƨ ð*¥' description_survive_the_incoming_horde ±P¯»¨ µ*¶É name_the_lower_temple ²Ç&1© ¨n2 name_the_nameless_kingdom ¯D'êª “Ë€v description_unlock_the_gate OïÇu« (ž„F DesertTempleSubtitles
NÊ´
sub_halls ñ»y¬ Ž:
sub_thwarted ëØ< ¶uÇ sub_doom Ôíø¸® £Ö%
sub_staff “´ìŒ¯ P‘¼ã sub_outro_staff âÜа ¸
é sub_destroy ›ŸN—± ¦W] sub_necromancer ;#å² I<^
sub_claim Fo¡³ „â‚ sub_undead †Wžî´ :ÏŠ[ sub_forgotten ÞÛŽ¯µ U-±ñ
DialogLabels jÈX< controllerPairing_title Çv¶ ®–¹[ controllerPairing_body_format ÏV‚· !uGx dialog_ConfirmDisplayChanges ¦(艸 ÅŸœ! dialog_KeepDisplaySettings_Apply 5¿ ¼¹ öÈDë
dialog_error •¸íI ¨¦e inviteNotProcessed_body ‰©Asº ï€n inviteNotProcessed_title é'h» ôîãø joinDuringGameplay_title äI¼ Û\Õm joinDuringLocal_title J·ã{½ ˜&ý# signin_msa_title_microsoftRequired Q¬ÌÕ¾ ¶pÝ info_PickedUpItem <¢¿ { signin_psn_title_required /–¶‚À ÁmG privilegeError_title döá{Á 76{ dialog_ConfirmChanges
ujõ þIeÚ signin_body_psn Cž'à ºµ± signin_body_msa éèî¨Ä S* signin_body_template á˜^8Å <*‚! message_unlink_account_template2 ¦”¯Æ Sõ*ç dialog_warning ðÒau Ýþ" joinDuringGameplay_body ×vÇ Ìé dialog_AreYouSure_Apply Ï´¨²È ›o1 signin_template_mustBeSignedIn yá”É %Å– dialog_RestartForVO_body ÝÀœ˜ 8öv Difficulty ¾a®5
Difficulty_2 ûx¹äÊ Û
Difficulty_3 Ä+¦Ë "Ò threat_unlock_requirement ðªÂÌ ´µ) difficulty_unlock_explainermissions_text |$ßNÍ PÎ'
Difficulty_1 o>8Î “(Ô# difficulty_unlock_requirement_text Ÿ:{{Ï xè| difficulty_unlock_text Ô\Ð ÚfÁð' difficulty_unlock_explainersimple_text ,žj¦Ñ L]i ExtraChallenge_3 ÐðÁ2Ò Ç•`µ ExtraChallenge_1 Ò,=Ó ):Õ§ ExtraChallenge_2 僎—Ô òŽÿ¨ DifficultyLabels å¦ø threat_easier —5=Õ ÝÕ
threat_easy »9ƒ?Ö X³m threat_hard >ôX× \ñ threat_harder µÀÜ7Ø m dingyjungleLabels 8qš] description_dj_g_05 é¶Ù oæøÒ description_dj_g_01 ¹HÜÚ IMÀ description_dj_g_02 $.ê}Û ¨èËÙ name_dj_02 ¢T_“Y ä.ñx description_dj_g_03 ¡®J©Ü ]&å description_dj_g_04 ¡®J©Ü å©ð¯ description_dj_g_08 Lg“Ý FG~Ë name_dj_01 ÑÑùOÞ ©P_¢ description_dj_g_01_plus m-à©ß èªÉ description_dj_c_01 oÓ8à ³¹“÷ description_dj_g_07 hCòOá ‹i description_dj_a_01 ±P¯»¨ e Ü“ description_dj_a_02 ±P¯»¨ ÖÞ/O description_dj_g_06 sS¯â Íwa name_dj_03 …
÷ã t· ü name_dj_04 }ŒOFä ¤×r DingyJungleSubtitles *ðV÷ sub_jungle šÝ`iå Åéñ‹ sub_shattered BË–»æ Ç®¦{ sub_outro_heart y³´úç ÂNåR sub_corruption XÉt¯è &•D1 sub_shards ÓÍé ò}Z! sub_threats ‘Zê ‘j#¿ DLC (¤$ upsellbullet_3newmissions ËR¡ë „ûëï upsellbullet_6newmissions €—“Êì Z>Ò$ TheCreepingWinter_upsellDescription \ø†í ¤—`ï TheJungleAwakens_upsellTitle ¶±YËî }=š Nether_upsellDescription Ú:¶‡ï ð& upsellbullet_allnewgear ÓƒÆð ëLR# TheJungleAwakens_upsellDescription }‰/Œñ ÙRç4 upsellbullet_battlenewmobs ûÓ@õò nq TheCreepingWinter_name œõEó ¢Zð" TheHowlingPeaks_upsellDescription èÔô ú
»n TheCreepingWinter_upsellTitle ø~ôõ #r¹ú TheHowlingPeaks_name ëySÝö oüŸÄ TheJungleAwakens_name m
ÌD÷ Ä9ýn Nether_name Ù]—Ÿø C¶Ë upsellbullet_newbossbattle ¥ï‚ïù ú¿{ upsellbullet_newskinsandpet
Ñ„òú Iˆ$À Nether_upsellTitle ²KPDû ýìhv TheHowlingPeaks_upsellTitle ãéäü Q––á DLC4UI Ž¾Þ_
ancient_hunt nlE ý ZUg( announce_NewChallenge æÖ;ÀZ ÐÚÆ announce_NewMissionType X)l"þ ÂÓc announce_AncientHunt_Desc ê Jÿ G"!+ DLCPrefabLabels ”·Pv action_breakice ·,2 ¡i—ý prefabitem_capturedPanda {ÍÅ ú¢K action_push J<FD ½l¹Í action_take
T] ¦MD‰ action_test u † >žVÑ Enchantment D ’[QI Committed_effect îg ‹„³ EnigmaMelee_effect ‡–¯® Y,)S EnigmaRanged_effect ‡–¯® ý†Ûò Rushdown_effect Už Ó{ï GravityPulse_desc -Ý™l S» Accelerate S» #Â|â Acrobat #Â|â
IÃü Shielding_desc ä´ˆô ÞŠ DynamoMelee_desc Jº› ¥´ú DynamoRanged_desc |µýª
ˇª Rampaging_desc 3Ù°S R¹ RollCharge_desc {4³ ñ¢›è Aiding ñ¢›è ŸÇ Alacrity â'ÏX d; Anima ¿ˆF V?Ùo Bow_desc _Omž öG¹ ArtifactCharge PÏU NZä DamageSynergy ã`¼o= o+ú~ ChargingAcceleration_desc -'
ª cÃÌ0 PainCycle_desc 0éF (ìOœ BaneOfIllagers_desc ®²´ ;¹Â BagOfSouls q+ëµ ä€G Barrier ä€G mµ
Ö ShockWeb_desc ÿ×°r #.ë
BeastBoss ŠÄ -eè BeastBurst OPA½ eúz} BeastSurge Ï´( ¹³ži Recycler_desc ˆé:5 y¯4â
BonusShot aÑÅj _eùW Punch_desc F¤ 2Å®X Bow §j! +7‚k Burning +7‚kU ‹6ì BurstBowstring ăw#" aû‹ BusyBee ¯@„# ¶=> Cave ·ìì,$ î
ChainReaction Ô²1Å% fHåñ Chains fHåñ& ÷^Ê Infinity_desc ¤BBä' ÎâöÞ EmeraldDivination_effect_desc KB( ¢&Y
BusyBee_desc $) Å TumbleBee_desc ÷vTX*
Æ̨ Stunning_desc ~rY‡+ P ‹ RollCharge_effect {ù˜, Ǽy= Supercharge_desc @ßÅ- ¹ÑP] CogCrossbowEnchantment_desc ˆ~òà. NR™´ ChargingAcceleration NR™´/ ûÌ Chilling ûÌ0 Üêš” CogCrossbowEnchantment Üêš”1 q\"M
Committed q\"M2 T™ß
Cool Down T™ß3 ×€L
CooldownShot DÞ5@4 }ãh
DeathBarter_effect ðÃDy5 ¡±E;
Cowardice ¡±E;… ´Î: Critical Ð(V6 wFõó Committed_desc Îà 7 t‡Ç Electrified_effect e³.8 ™ÇÓˆ
Shock_effect e³.8 º3ë Swirling_effect e³.8 ´dR¸ Thundering_effect e³.8 fb¿ DamageSynergy_effect ¥_‹ä9 黸] Exploding_effect ©hNŸ: >ñÐ DeathBarter Õñz'• ñï Leeching_desc ¥å{; A²*Ù Rushdown_desc Xpu< fƒ}ä Deflect fƒ}ä= <Ê-
DoubleDamage /³> Œ^ DoubleDamage_desc Þå"? 4¼Dé DynamoMelee rúY© F#ÆÒ
DynamoRanged rúY© Àñõ Anima_desc ™Gù@ >õÿ: ResurrectionSurge_desc 8@pA ‚‡ Echo ‚‡B þò
k Electrified þò
kC ’.›¶ Chilling_desc R¶DD G.yº EnigmaMelee CÆ£VE ZQÍ
EnigmaRanged CÆ£VE †Å
8 Piercing_effect_every •˜ˆF +ìžô FuseShot_desc ¼]²G æjë Knockback_desc =EªH T‚X FuseShot_effect_allTheTime ¥ab¦I ñ ï Piercing_effect j¤ÂÎJ )7Ê
Burning_desc ü¹'‰K ÁÛ¾é Recycler_effect *Ô¤L ²x FuseShot_effect ÏåÙhM f~õ
Exploding f~õN K©»Ü Explorer K©»ÜO q*c— FastAttack 2Ê›P ë FastAttack_desc ´$iQ Òˆ9 FinalShout U²{žR ¼Cé Prospector_desc C¸<¿S "Æ Fire ¹8C¦T î^Óz
FireFocus ’–U ²ãp
FireTrail NΦV CLhÎ Piercing_desc “lðW ÝOÊT
Snowing_desc Ò®]ËX PEÕ] BonusShot_desc üiDY Û-çÀ
FoodReserves .ºsZ Ò?Ð Explorer_desc µœà[ Ëͯ Freezing Ëͯ\ g€;) FreezingRanged ½æ·] Öã`Ò Frenzied Öã`ÒÚ Ôu» FuseShot Ó©‚^ ž?< Enigma_desc ôû‘ _ Õ;õ EnigmaRanged_desc ¸Ö¹Y` ¦ï*í Critical_desc éļa xQ¼ AnimaRanged_desc ó{ýb t›l Deflecting_desc
ë§c u|± MultiDodge_desc é]Õd w| Multi_desc EH¡ve °±ç WindImmunity_desc ü.If &‚Õô PushVolumeImmunity_desc ¢
g ¼Ç^n SlowImmunity_desc éOV¾h ’ë8
WindResistance_desc ¨pãÄi o.h” SlowResistance_desc Ï÷lŠj ¥'¬µ MultiDodge_effect cÈ̃k §b½
GravityMelee DCÚl OÀX GravityRanged DCÚl ÉÙ
GravityPulse >YY<m ý”30 Growing ý”30n ïP Chain_desc >‡Co ’éóë Chains_desc Ìýop ui”u RadianceMelee_desc a;oqq ApN^ RadianceRanged_desc a;oqq È%” Thundering_desc ÷¾º…r Þ-i Poisoned_desc n{fs ÿíŽ Altruistic ³OCt ^=2= healthsynergy_characteristic ·©?›u iµ^W HealthSynergy ‹@Zv b¸R WildRage_desc µñØw á5¬ Swirling_desc Œ
^×x —zéÛ Huge —zéÛy ƒ~" HuntingBowEnchantment
U€†z ÌÖ HuntingBowTaggedEnchantment ÌÖ{ ŸûTÖ Regeneration_desc i é| ”ÊÎ BaneOfIllagers ƒþ0…} ˆ0Þ" PushVolumeImmunity_characteristic ÓÞ¢Á~ .K
1 SlowImmunity_characteristic Ù5÷c @EŠ Accelerating_desc Tx°E€ •+
Smiting_desc olVó ¸Úï7 SoulFocus_desc ¤ï—‚ ¶+ñ
Looting_desc Mø~ƒ ‚*ê BagOfSouls_desc ˜V„ ãÎ0o RapidFire_desc dÂ… Ëè Infinity Ëè † P¤ˆ\
Invisible P¤ˆ\‡ êÞÌØ
Knockback êÞÌ؈ üVîŽ Leeching üV ïUüƒ ResurrectionSurge Ò‘™Š ¸wÀ¬ LightningFocus p‰3Í‹ ;wÏS Looting ;wÏSŒ ¶ó€ EmeraldDivination ³¹ã ¡,±™ Sharpness_desc ùõŽ xeNæ PainCycle_effect þ/" ö,¥¯ Reckless_effect |¨;ª §¯û ResurrectSurroundingMobs
j‘ ÉÅðu Exploding_desc ²ðHa’ õKNÎ MultiDodge t¦T°“ SU/j Multi í…*” G. ArtifactCharge_effect ‚P5 AÞ“ ArtifactCharge_effect_plural Ë
Ç– µñÁ§
PainCycle 9Y1{‰ £Íâ@ BeastBoss_effect ÌòÄ›— e]Ç BeastSurge_effect ô¹ÿ˜ )±+Õ Piercing )±+Õ™ @¸‹±
JunglePoison î-1Ìš Þó%² JunglePoisonMelee î-1Ìš ?¯ž’ Poisoned qþú› të”i PoisonFocus 57x0œ 5V^á PotionFortification fØ2¡˜ °Ô¯d Power °Ô¯d™ “ÇþI Power_desc `¿2 æg»9 Unchanting_desc ©½0ž §ÇpH Prospector §ÇpHŸ ºï´Ì Protection ºï´Ì¥ 9A Punch 9A ¥‹¿¿ PushVolumeImmunity Ð>©¦¡ 4D Quick 4D¢ ¥L6 Quick_desc O»O£ º_Š¹ RadianceMelee äq¤ ƒ'öJ RadianceRanged @’5ø¥ \rQY
Rampaging \rQY± µ²@w
RapidFire .çÔƦ ¨zôý Reckless ¨zôý§ c¥×Æ Recycler c¥×ƨ e(‘ Protection_desc ô§Ì© ’-ML Celerity_desc %“…cª 2:….
Acrobat_desc ] Æ~« Î$¬
Regeneration Î$¬¼ ¬ë' Ricochet ¬ë'¬ ¢ë3 RollCharge œHÊ‰Ö ¦š FireTrail_desc ÍÅôW T›—½ Swiftfooted_desc Á r® WÝî Electrified_desc !f/S¯ ot‰ Rushdown ot‰° zÈ9A
Fire_desc ÇM—|± ªp¹i
Sharpness ªp¹i² YUéÐ
Shielding YUéг h²©w ShockWeb ×Ïé´ Ÿë•× Shock S±˜Hµ Ùñ‹ BurstBowstring_desc ÓE¶ |öªÈ SlowBowEnchantment HÍ’Ñ· '¬ñº
SlowImmunity Ç‚ó¸ ½†>D SlowResistance ¸Q¨¹ ýë÷§ Freezing_characteristic ꧉=º pþR\ Freezing_desc ×1÷ú» üJŽÉ Ricochet_desc ˆv„£¼ Šì. Smiting Šì.½ …lÛé Snowing x
Á¾ v¹¥à
Echo_desc Í„c¿ E
Ü(
SoulFocus è°ûìÀ õ¬Â Soul DûÁ Ÿ· SpiritSpeed ›i2 r’Õ
SpeedSynergy sÙ“Ã X„Ú
Cave_desc G$TÁÄ ã¿‡ Tempo_desc ‘,½›Å m"wH Stunning m"wHÆ ûøl˜ Supercharge ûøl˜Ç }÷ˆ
SurpriseGift ,îeˆÈ šµçé Swiftfooted šµçéÉ ;K™: Swirling ;K™:Ê U0ö® Tempo òã3ÜË JÈØá FireFocus_desc (NÌ Õ•q"
Growing_desc •T¤Í LÔW DeathBarter_effect_desc Á‚ÛeÎ %&@è Shock_desc ª'5ØÏ v´ˆÛ LightningFocus_desc ÑKkùÐ t#ϳ PoisonFocus_desc PMs*Ñ W=ˆá GravityMelee_desc Ù
ÁÒ ˜›Õ. GravityRanged_desc Ù
ÁÒ u¿žâ Thorns u¿žâÓ ÔšbH Thundering ÔšbHÔ ûoÐ Snowing_effect ãF+Õ ´Ê#õ
TumbleBee ù¢‚Ö Œö Unchanting Œö× ñ Ç Unset ñ Ç |V} FinalShout_effect ML?$Ø 5m\ ShockWeb_effect ï;˜Ù ¨$~ BeastBurst_desc •Þ2qÚ ¯ŠÆ BeastSurge_desc ä$Û 'Q× VesselTrail ×ZºÜ Ä÷mè
Weakening Ä÷mèÝ 5›¦Ù SpeedSynergy_desc L]{VÞ 7OÚQ HealthSynergy_desc #øß ÒQ„ CooldownShot_desc Ò Ðuà ‰HJ´ SpiritSpeed_desc ]Sb_á Ñ›6
Soul_desc ¿¥Víâ ˆ Á FinalShout_desc þpÿã f=š Altruistic_desc }‰bƒä Ø | Thorns_desc œkI¼å üHï" FoodReserves_desc D|èôæ T´ƒx SurpriseGift_desc f‹!+ç MjS! PotionFortification_desc ¸:è eä6 DamageSynergy_desc Ê …é ÞZ
D ArtifactCharge_desc $>“ê tdéN Cowardice_desc HÁ¸ë à‰ò[ Frenzied_desc txÒì ù½I¶ WildRage Žp)hí z$½' WindBowEnchantment Ž´öŸî XM[ä
WindImmunity
<Å°ï ë=« WindResistance ÚÞð ”Ù¥s Weakening_desc ó#ñ -º'œ
Barrier_desc ´qæìò Åœ‰J ShardArmor_desc ƒåæó i‹t BeastBoss_desc ¼kÍõô ± RapidFire_effect ›Œáõ ³FFU Unchanting_effect kêBö ô½€2 BusyBee_effect ÞL?÷ ãP¬ TumbleBee_effect ÞL?÷ ÙO^ label_chanceToTrigger =ÍTø ™ô< Echo_effect ¾ßY´ù RGqÑ CooldownShot_effect $øIÆú UfÞo Celerity_effect 6Ê?û êƒX Burning_effect P=‡Kü 9qP
Power_effect P=‡Kü ˜l5š label_damagePerSecond ÄF»ýý ±C BonusShot_effect Lj2Lþ -§Î‹ Thorns_effect ‘òºÿ ¹vñ Protection_effect À¬ ؇X1 DynamoMelee_effect äèÛ Þìé DynamoRanged_effect äèÛ ã`Är label_duration ŸL Þ™É EmeraldDivination_effect óJ% s!| BeastBurst_effect
cBÞ ¥~€+ ResurrectionSurge_effect bܤU `úÇ BagOfSoul_effect ¯&ú ;7• FireTrail_effect ß\𬠬PtU
Anima_effect ”ñTÞ WŒÏ RadianceMelee_effect Ô„ì ‘)ú9 RadianceRanged_effect Ô„ì )§ƒ Regeneration_effect 7*>ë
2Ó¥¡ Explorer_effect &±I ¹§I HealthSynergy_effect &±I °¿1— Accelerating_effect Û4Õ. üy¸y Looting_effect 3`£
zà“t Prospector_effect 3`£
W濆 BaneOfIllagers_effect «8; 4®á Sharpness_effect «8; ‚5æ™ Smiting_effect «8; »jþ` Supercharge_effect «8; ›^¢. FireFocus_effect ¥^ &
0 LightningFocus_effect Óú
±CBã PoisonFocus_effect î® z¿ Cowardice_effect Œ„™ §}g| SoulFocus_effect +«ÁV WÎç FoodReserves_effect ÔYܺ œ¢¦
Growing_effect àœÏ ÷í Frenzied_effect vUVO ÛCV Swiftfooted_effect ±z~± } Altruistic_effect ô’î IíIn AnimaRanged_effect ”%g¥ ÄÜ°L Leeching_effect zo ]øòo
Punch_effect v9†Š ä€1„ GravityPulse_effect …ä\£ m›£y Acrobat_effect åÁu îí.h Shielding_effect ]‚
Çæà Weakening_effect ]‚
ËÕ˜ Chilling_effect ®u¾ ]z`¦ Freezing_effect ®u¾ ‰¹ýj Barrier_effect à:åQ Ù|ÏP Soul_effect t+³! q|A
Tempo_effect ’–À" «+Ræ BurstBowstring_effect ó¢# ßšN´ ChargingAcceleration_effect ââZ—$ çÔŠ CogCrossbowEnchantment_effect ââZ—$ pGrŠ endlessrampartLabels žù³‡ description_er_a_03 ôU“|% d¤$ description_er_a_19 –’& ¹ÁÎÖ description_er_a_14 ^¾Æ' Wn{Ä description_er_a_17 íשë( èõI description_er_g_04 À´Ìi)
Q#× description_er_a_20 ËT[* ~œ description_er_a_18 Ù¹+ pŸ» description_er_g_09 ‹³ó, ¦ÏIñ description_er_g_05 òdŠS€ ùK description_er_a_13 ©"Áþ- H`üã description_er_g_06 š2Rù. {# description_er_g_08 š2Rù. oX² description_er_g_11 š2Rù. ñX+~ description_er_g_01 ®Ë+/ ÷žl description_er_g_02 ™@b0 êï» name_cr_02 û‘¨I1 åÔbü description_er_k_07 ãñ¹¶2 2 Ç| description_er_a_16 Q¬”3 ˆ name_cr_03 ,ùFÐ4 ܦrn description_er_a_15 ù ¡5 Âì description_er_k_10 üÎ%6 ež¥ó description_er_a_12 ±P¯»¨ S×l0 name_cr_05 oþ ø7 6°Ðˆ name_cr_04 ɼ¤8 h6Ÿo description_er_a_21 ªz°Q9 @¿ name_cr_01 Òf¶Í: ‰
a EndlessStruggle †,Ð"6 EndlessStruggleTier_DefeatAnyBossMissionOnXDifficulty CNøE; gK[5 EndlessStruggleTier_DefeatXBossMissionsOnYDifficulty ’‘’< Ÿr4õ Events Ð- eventmsg_arena e˜êÖ= ù}=$ eventmsg_boss ݲÆ> ±*à eventmsg_door_open Û0dˆ? 1´o event_title ´¾–\ ‰•‚ fieryforgeLabels C¨¹5, description_defeat_the_redstone_monstrosity m¼6@ ž¸—î description_find_forge_entrance B¬µÆA jñO. description_find_a_way_out_of_the_fiery_forge ˜üµ„B ½ÜÖ name_flight_from_the_darkness ˜üµ„B …¬ description_locate_forge Ø›UC 3Þ”g name_machines_of_war …‚ú'D ‚s‡ description_overload_cores I¶E ð*¥' description_survive_the_incoming_horde ±P¯»¨ ‘
ø6 description_escape_to_the_surface_via_the_mining_lift ®FêNF Ç,æ FieryForgeSubtitles }â¸Á sub_stopped ÷~G ™Úƒ sub_strike @eÆ–H ®@P[ sub_fieryforge ÿ¥´I PóÅå sub_outro_destroyed ;5ßþJ ¼²
sub_outro_machines nnK !Ã÷\
sub_ruins ùmvL ¢Ez sub_devastate /øðM ê¤Ï@
sub_machines ‚*µN ¾=ä FriendsLabels + 6Í=€ friends_anerroroccured ª½ZO IÒ‘´% friends_anerroroccuredpleasetryagain >ˆÝýP P$º friends_checkyourspelling Þ=k™Q ÕYЬ friends_currentlyplaying Ø~h;R ŽäU‘ finding_friends É¢˜S ÏUÍë friends_friend_added “´e¾T ¦îü friends_friend_removed ´v¿U èÓp& freinds_alreadyadded Þ`V ¼’”O friends_gamesessions ‹ú ¿W s9# friends_games UM<X ±¾¸a
friends_help ,\íY œŸÂF friends_onewaydelaywarning Ÿ0z4Z °¹A friends_ingamesession ú=áØ[ jU•¸ friends_inmenues qúLO\ =wÍ friends_inagamesession Rºg] É8 friends_inviteunavailable Zƒ¦^ R!F" friends_manageyourprivacysettings ÄTû_ ù“Ÿ€ friends_newsearch –%Wü` ÂpBë friends_nomatch ùVRÛa Øcfh friends_nomatchesfound Z*|Gb y,?y friends_offline +¸Åc ž±H
friends_ohno Ô£Îd ’<½ friends_online H=õ²w “í'
freinds_parties ¥^õe d´©T friends_playerfound cqf 2¦F friends_players L³!úg 3›Ã· friends_playing aDh 9ZP friends_pleasetryagain u…®Êi š|ž friends_pressStick_default ÄX[mj ‡;© friends_pressStick_switch õ1›k Cy'à friends_privateGame sÿÓÒl àj"$ friends_searchforyourfriendtemplate "’m ¾„o— friends_searchingfor ‡Ón –Äϸ games_searching_for_games µEíñè N©,Ä friends_searching µöÌÎo p•–© friends_tryagain ·s)qp O[¸Š friends_trytosearchforanother Ém#
q ˆA friends_youcannowfind ÍZëãr
ýE¨ friends_onewayinviteblocked îÚ÷³s Ð[ùî friend_identifier_xbox Ö˜—t %œ[ friends_severalminutes ›
Ùu eeå* friends_xminutes ³ë$Gv îwâ friends_xseconds 8ù#aw g%ªÙ FrostedFjordSubtitles QÖ© sub_unlucky ²#²rx ‡Šö/ sub_outro_spread —]ÀÅy 9+rL sub_destroyed ÛŠ6Æz §¶– sub_orb ï*J{ •ä( sub_winter c,Ó¬| ÁcxL
sub_split ¼=ý} ÉH¥ sub_snow €VÆ8~ ‹Âqš
sub_frost `ûÌ ÒÁì/ sub_outro_within ê$k€ ‚$â frozenfjordlabels Ý]¬ description_ff_c_02 üìKà m½Yñ
name_ff_c_01 ©Ý›‚ ´¾˜j description_ff_g_01 ´ïÂgƒ ?v‘À description_ff_g_03 Da†á„ 3ò©¾ description_ff_c_01 5NÌÐ… Z-x description_ff_g_02 Q.Ö•† P× 9 description_ff_a_01 Q‰‡ êñh%
name_ff_g_01 á²³—ˆ Ê galesanctumLabels
k‹T( description_gs_c_01 Þ
X‰ ¼úÅ description_gs_c_boss <RŠ glV description_gs_g_03 pD]#‹ ®ô¯ description_gs_a_01 ŽiÙ|Œ ìÇeü description_gs_g_01 ùAN fˆm description_gs_g_08 –gŽ ïÑ9 description_gs_g_09 ³Éu …$á: description_gs_c_02 <®Sª 0˜Ù description_gs_g_07 *¢…‘ Þ7»Ë description_gs_g_04 ¹8i’ »Ps description_gs_g_05 ¹8i’ Ì:‹_ name_gs_01 î€fŠ“ hÐî description_gs_g_02 Î 8” •
„ GaleSanctumSubtitles ]úƒ[ sub_temple -e°• PóÅå sub_outro_destroyed Øfv¥– ]CÃ sub_deep Yà©}— …`½m sub_corrupted V
Ř âjÅ™ sub_outro_breeze ÷ÜüF™ 9+rL sub_destroyed E’ø8š pRó
sub_gusty Z5be› ÎtR„
sub_power êp6µœ ÀèåÇ sub_past ê%eû \„oI
GameStats žæüƒ chests_opened E‰æ`i #Kæq chests_spawned Å|Z7ž [¦¢X
damage_dealt ïÓÝŸ
/§ player_damage_taken ü§ø# 3þ emeralds_found aM6[¡ è
Ê emeralds_spawned ¬’ÐÍ¢ W gear_picked_up ~§9£ ]ä• player_healing_done ¦æü¤ ×r¥¶ mobs_killed ‡L¥ Át¢
mobs_spawned »{ëᦠö¢^ player_deaths ѱžæ§ ïáÃü player_projectile_fired |K³•¨ |ÅŒ[ player_projectile_hit ±>Të© ì²#Ñ scalar_tracking_type_size õà/Pª ŒŽIÚ text_percentage ¨¿êj« –·ra gauntletgalesLabels j9> description_gg_c_01 o,^Z¬ ç¸CZ name_gg_04 «œ”& Ù±je description_gg_g_05 r ¢® ÕHm name_gg_01 ŸÅû¶¯ ^€”Ç name_gg_03 Ö(y° ;ç( name_gg_02 ¢YDZ `‰½ø description_gg_g_02 £õº² î@ description_gg_g_03 £õº² ¼ÖÖÝ description_gg_g_04 £õº² jO™¹ description_gg_a_01 ¿^Ë*³ Ž&ê description_gg_g_01 _ÛB‡´ 9ÚŸ× GoldLabels µªÈ¶ Gold_GoldReward Z&Æpµ nŸ®¤ highblockhallsLabels F湺 name_abandoned_cellar ¦‰&p¶ fÔ¶±% description_confront_the_archillager ˜Ü+· yŒJG name_crashing_the_party Ó2Sï¸ (e name_what_lies_below Ù@Þ¹ ÿü;( description_survive_the_trap ¥zƒíã î =ÿ& description_destroy_the_buffet_tables j–Q‰º ‘Uœ$ description_descend_into_the_cellar F‡óf» ›Þè« description_explore_the_cellar ŸAË ¼ ¶P† description_explore_the_prison eYŽj½ ÿ¥þ name_forgotten_prison Êaß¾ qq name_highblock_halls §Hao¿ #B‘& description_leave_the_forgotten_halls i¡2£À Aá
Ö description_open_the_gold_gate Ìm¯Á g½6ž description_escape_the_castle Ó´£‡Â ‡éé description_reach_the_feast ¹Ð„éà HÄÌü! description_unlock_the_gold_gate ®¸‚òÄ d¹qÑ HighblockHallsSubtitles ¤Ð¶¹ sub_throne »ìÛÅ ª¾ž sub_castle ħòÊÆ KÊ>] sub_outro_presson t`Ç ¡ßa¬ sub_outro_escaped :§t*È z®§:
sub_crawling 3®˜¾É NRÉ
sub_abode ÿ1füÊ ëW« sub_wits nh6sË ry9R
hm_hubLabels EŒ†‚ desc_nf_11 ØC ðÌ b´ûÓ desc_nf_06 oÍ ÛŒ,N desc_nf_01 äûý é|òy desc_nf_04 •öX QÃ$3 desc_nf_08 µDÎ MmÅ name_nf ´bFÏ ŒNÁ desc_nf_05 ¢FØ6Ð PD%ä desc_nf_03 Š¸9”Ñ ÓGk desc_nf_07 §Ë“³Z 4¤˜‹ desc_nf_09 žŠ†¡Ò 5#™\ desc_nf_02 tû%Ó ë:: desc_nf_10 O]»>Ô 9Ø Hold ¶™Ñ xal_hold 9ØÕ ‡×¹ Hold_To_Leave b'–ÉÖ ©5
D HUD (ã«n hud_inventory .(³ Šá¶
hypermission ›P+= lives ×'× ñ¡/P lives_remaining ï°ó\Ø U‘ submissions ã[LÇÙ d1 submissions_remaining öüF0Ú þo xAncientsOnAverage â}Û Df™x xChanceToEncounterAnyAncient ˆxÜ Ln9Þ hypermissionLabels G3à name_the_ancient aoJÝ „Aðc description_destroy ¡Þ:Þ NÜòÃ description_disable_machine 5o@=ß v²?Ó description_disable_traps ,
÷à ¶¼wõ description_enter_mansion &\| »
1 description_enter_attic ÷§-^á \¨—i description_escape_cave 0ÏìÉâ ÏûŸb" description_exit_through_the_gate “ÔÌCã b´ûÓ desc_nf_06 oÍ ‹6[ description_find_nest Œ¥±Zä “E3 description_find_the_silver_key ç?Êåå £”0¿ description_find_the_exit Úuiæ Zc¤› description_find_the_gold_key äós*ç ŒNÁ desc_nf_05 ¢FØ6Ð íÁ» name_spidercave ´5Ñ ‰ ʉ»å description_survive ߧeè @àÙÅ name_the_attic !¸é Ȧà name_the_escape o4ìXê t¦Qo name_woodland_mansion ›”‘-Ž e…µ name_woodland_prison r(°ï »ê‹‘ HyperMissionLabels ˜Kç hypermission_abort fúE±ë ‰uq hypermission_abortx _Hì A)xè! hypermission_abortdialogtemplate 2FÏí —|- hypermission_activeofferings [È•øî X
? hypermission_ancienthunt nlE ý ,_5e hypermission_abort_sure Ʊl9 äüŒ† hypermission_change ²@ï^ ™Ádà hypermission_changeofferings ›Ó¦ï löù8 hypermission_confirmdifficulty &oMxð /% hypermission_continue 'gC )ÍV hypermission_continuex [ÖwÛñ ÖÈð– hypermission_start_sure ©¢ìÏò ÆJéE hypermission_enchantmentpoints Ïeé³ Fe hypermission_forfeitofferings 0Wˆó öwßN hypermission_gearandartifacts f¦Mô
Ÿî hypermission_investedpoints c•Ïõ Õ#el hypermission_itemtooffer &Ódìö áò™! hypermission_noofferingsselected qÞ ÷ e“à hypermission_selectarmor ü°ø Œ*ð8 hypermission_selectartifact ¿MÎÀù äW£ hypermission_selectmelee †Ð¿¿ú n·t~ hypermission_selectranged ¤[0Qû :†ñ8 hypermission_offerings v}žü ªë¿‘- hypermission_offeringspermanentlylostwarning äpãný ¦-è´ hypermission_points Ãc$Ýþ òýÀª hypermission_select_difficulty ÚóP¥í q,Õ hypermission_selectitem ƒ 5ÿ ÝKö hypermission_selectoffering >Ü ÷
1 hypermission_selectofferings µÙfY >n{…$ hypermission_offeringsactivewarning ²ç Ó
ý hypermission_xsummary ¤ñäD ülÖÍ hypermission_xinprogress ÿ´Ÿ M:Q InputActionsLabels I©›ò InputShortName_LeftAlt §rNê »¶ InputShortName_Backspace ‡)· wï>G InputShortName_CapsLock H¡UÌ ¸¯ªG InputShortName_Delete ìaø 3á¸Î InputShortName_End :tû ÂÊ.> InputShortName_Enter ¥Nm«
pýÑ´ InputShortName_Esc y ïëbº InputShortName_Home Rusí ß“ñ InputShortName_Insert ;°3
d–ÁZ InputShortName_LeftShift †0pf ø‘Üê InputShortName_LeftCtrl Þ´" dK‡ InputShortName_Numlock Ãß?Ö 7§Ò InputShortName_PageDown [ÝÜÌ [Kê InputShortName_PageUp '«·t 'Í7— InputShortName_Pause ÚžM ‡A˜F InputShortName_RightShift ³øÕ ¾¶ InputShortName_RightCtrl ëÙä „\†¶ InputShortName_ScrollLock ýAŒ Ð
N¥ InputShortName_Tab Ùõ‚ k^Tº InterestLabels #VÀ interest_icons ˜¡54 î"}ã interest_legend Aô? kŸÌo interest_map_legend l’DÎ £ÑÌ interest_map_symbols Û‰U ðíGõ interest_things_to_find =} 6
interest_unlockables 3‘9y Z–’ IntroVideoSubtitles µªÌé sub_danger ¢"¦H gµÃ sub_you ª€5 ;+× sub_notbow ç£üT Iš¡ sub_hatred ªY¥! ˆÂP sub_rage .É'" Ù ` sub_adventure \Rÿ~# m‡‘ sub_shunned 8b«Ð$ ¥Ù sub_raided w«aL% §¶– sub_orb ²©Ã)& SÒG‘
sub_until gß@' 3
Ò/ sub_notthatone ÐF( ›Ø“ sub_who …ê(
) Ìš}Ü
sub_maybe ƒÛò* ¨]Í[ sub_evil n#69+ Æ‘M sub_vengeance E
“, ü¡
sub_wandered ’@Ï- ì‰t: sub_home KJ|’. 4@ sub_bow µÂÄ/ ´È”$
sub_found fQ~Ì0 MãeB sub_fall D™¦Æ1 £U4œ sub_terror ¡Òs…2 öÇÙ ItemPowerEffect ©“1 DamageIncreaseArtifact ‚Ì£û
¿w xDamageArtifact ‚Ì£û ö6óS DamageIncreasePerSecondArtifact °êYO3 …¿ xDamagePerSecondArtifact °êYO3 9Úíî xBlocksPushed ÑÄ{ï4
›î DamageBoosted ¼¸¡5 m9ï CooldownReduction ¾ßY´ù ëN…Ó DamageIncrease P=‡Kü ªDÓ xDamage P=‡Kü _Ñ
Ú DamageIncreasePerSecond ÄF»ýý Îpò‘ xDamagePerSecond ÄF»ýý ôá@] DamageReduction À¬ Ä€‘ï DurationIncrease ŸL ¹
HealingIncrease jÍžù6 J(aþ HealthIncrease ÛH²‡7 !1æQ xHealth ÛH²‡7 ¨R¥} xHealthHealed Ô„ì ëïv MaxHealthIncrease IÞ
÷8 ´ß0 DamageIncreaseMelee €(* R›
xDamageMelee €(* 2!¶ PushForceIncrease ìÌõ{9 ѽ DamageIncreaseRanged øV_Ç# Ë¿
y xDamageRanged øV_Ç# `”õ DamageIncreasePerSecondRanged wù~d: Òõvc xDamagePerSecondRanged wù~d: ²6ø7 SpeedIncrease Ú´; âï xSpeed Ú´; ¨( Ž StunDurationIncrease ÙGÿ< ĵ† SummonDamageIncrease Uºî= ¯:k xDamageSummon Uºî= °€D ItemPowerFormat ç@þ DamageManyProjectilesTemplate
< æ> )L‰ DamageRangeTemplate ¸F/¬? jï¦ô HealthHealedRangeTemplate ¸F/¬? úدQ items ”éh_# mysterybox_itempowerrange_template p£”@ ±g¤²
ItemStats `à‚ QuiverAmmo çûòA $ƒ“Ü AverageArea ì
M¿B R?S- RechargeSpeed_High ”U!äÒ T™žt AverageDamage °Ô¯d™ ~=”ÿ RechargeSpeed ÚF®C rŒn RechargeSpeed_Low x<QßD goK/ AttackSpeed þ»š6E ¸yh Unknown ¸yhR “¾¶” ItemType ¹ \¢õ% Flavour_Katana Ÿ™ DF ¶ÕtP Flavour_Katana_Unique2 ËõÝG ¸~
» Flavour_WindBow_Unique2 gçc@H Œ5•‘ Flavour_GiftBox ö8ºI ¼Y#ñ Flavour_Shortbow_Unique2 9ËñJ "‡ŒÅ Flavour_SoulKnife }V|vK ¼
›x Flavour_Sickles |Sê{L çNó9 Flavour_SoulScythe ‘VOM Ãû"Ì Flavour_DoubleAxe {ÇÅN ¹…Z Flavour_SoulKnife_Unique2 .*O ü †ç Flavour_Hammer_Unique2 -;ÉP ç-Ñ& Flavour_Claymore_Unique3 uúÀ4Q N Ú Flavour_Claymore Èv¨®R &U© Flavour_WindBow Ù^y›S ËDÞ Desc_HealthPotion 2Q¶ÖT ‹BÕÈ Flavour_CorruptedSeeds_Unique1 Æ•¾U ÌH¯ Flavour_Glaive_Unique1 ð¢MV E]:! Flavour_MysteryArmor_Unique1 W ázÑ Flavour_Bow ðgõÜX ¦×Ù Flavour_Trickbow ù–*&Y È㜠Desc_Arrow KÐ{Z V>c Flavour_Spear_Unique2 &ú[Ã[ mÃCf Flavour_LoveMedallion œåÍ”\ A„ Flavour_Battlestaff_Unique1 ¦mí] N·gì Flavour_Pickaxe_Unique2 %^ îÓõû Desc_Sword I¾y_ 5GqU Flavour_Whip_Unique1 ×J` ;©" Flavour_SnowArmor ¶2‹ða íZ¢ Flavour_BurstCrossbow êob RÕÎû Desc_TotemOfRegeneration XDÀcc écý½ Flavour_Glaive_Unique2 7…d …ë?
Flavour_Whip ORe
YL Flavour_ScaleMail_Unique1 ¤·yf Uco accelerated_fire_rate ?Œ1jg `¦ûB
roll_trigger "ÈêŸh á`u Flavour_ScatterCrossbow_Unique2 bøÕ©i _+« additional_knockback Tà¡£j ™ÜU÷ Flavour_UpdraftTome >´º]k ¬ó?û HuntingBow_Unique3 ̧yl IS§ Flavour_WolfArmor_Unique1 Ó¿Çám á!à] Food2 õ€Ú/n yaˆ¥ ArchersStrappings_Unique1 _
a,o æÕÓ" Flavour_ArchersStrappings_Unique1 ³¯6p tÊr° WolfArmor_Winter1 ^6=tq þ£Þ0 Arrow ½ìñ©r H³7 Flavour_SlowBow_Unique1 §Iks *ðö arrows_grow_size éœkt èl artifact_use_boost_damage %^·Õu ™Z“h force_activates_artifacts Š·(?v X®â Flavour_EmeraldArmor ?‡Pw 8¼V]$ increses_attack_speed_at_low_health žªàUx ¨ª RapidCrossbow_Unique2 ×ßy ä°^£ Axe ä°^£z •…,ž Crossbow_Unique2 É—ç${ ’ËcÅ DualCrossbows_Unique2 RWéá| ÎdÄ? BattleRobe j?4„} ÃÅ Battlestaff ÃÅ~ àFl Battlestaff_Unique2 ™3²¤ 4+8À beams_cause_damage ÿBŸ^€ ýR8ã Rapier_Unique1 ½C¹ ª…•Š Flavour_BeeNest '€ }‚ ²ˆ BeenestArmor_Unique1 빶ªƒ V™&
BeenestArmor …-„ ´nÛÛ binds_and_chains_enemies @œ¨… œÏq WolfArmor_Unique2 ëô1† ’’{\ Flavour_Hammer ¥ÇAI‡ -:šð NetherWartSporeGrenade ç_àˆ Muß` Harvester_Unique1 8¦
‰ ;Ük Boneclub_Unique1 oøÜ"Š M¡¸/ Bow_Unique1 ÛöÕ›‹ äî6ð Boneclub äî6ðŒ ;„oÙ Flavour_BootsOfSwiftness T³¥ª Ov
D BootsOfSwiftness õ9B9Ž 2Å®X Bow 2Å®X ݹL SoulBow_Unique2 ƒ£6 ŽUO Food1 Ñ°‘ ¸ÅW’ Desc_StrengthPotion ì]oô’ >‚; Desc_DefensePotion Ç´›“ ”k€™ Desc_SwiftnessPotion –[äT” ê™i+ grapple vines Åaé• xIåä Desc_GhostCloak O9®×– ö¸ Claymore_Unique2 ¼
ƒŽ— ÐØtí Chainsword _2Ƙ Š ׌ BurningOilVial „*„Ò™ Î`x
BurningArrow (É•š ³’û Desc_BurningArrow (€'› ûŽo³ burns_mobs "ß²%œ ú/Î* burns_nearby_enemies ¶"D› ©<™à BurstCrossbow ÿ=¾þž Ô? WindBow_Unique2 ”ÉîSŸ ÿ±¸ RapidCrossbow_Unique1 ‘”W ׯL¢ BeeNest ük!>¡ ìZè
Desc_GiftBox ¿þТ
QÈ_/ chance_to_gain_consumables_on_consuming_potion E׎£ £lK
death_barter xy‚w¤ ó`ò’ Desc_EnchantersTome 3œÅ¥ ¡h casts_shockwaves r qŒ¦ “{_® SpelunkersArmor_Unique1 M{»{§ ˜sqw ChampionsArmor ¹S)¨ A|t% chance_for_arrows_to_explode Å33Ÿ© ©” chance_for_multishot OR½¹ª ÜaÚ› chance_of_chain_reaction ;-Z« †t chance_enrage_mobs éR`1¬ ýÌ chance_to_gain_souls M¨™| UJsÑ chance_to_regain_arrows ¢ÖFF® Ê sometimes_summons_bee B±W¯ Ì#² chance_to_fire_piercing_bolts tü° ÷É[ÿ may_spawn_emerald yibð± ›fsÚ charged_on_item_use ±Ú 6² ‚Çx cooldown_reduction_charged ³'
³ Çn~ rolling_charges_next_arrow ±a´ ·3I fires_gale_arrows >hP.µ 3J2; Flavour_CowardsArmor lÞ¶ HÌX• TempestKnife_Unique2 þpÓ· •dÙ Claymore •dÙ¸ Ì‘iª
ClimbingGear M«é
¹ ¿É¿ CogCrossbow Œ@Ñ–º M8R˜ Conduit M8R˜» J®*ã continuous_attacks É»bñ¼ X7À Food5 MŸ£D½ £ºgX CorruptedBeacon Uâ.µ¾ û™V BurstCrossbow_Unique2 ÐÞ¿ cš) CorruptedBeacon_Spooky1 k;AnÀ “’3> CorruptedSeeds_Unique1 ënZãÁ z³Š Flavour_LightningRod ç‡C §ªm% Flavour_TempestKnife_Unique2 ׿‰Ã %~• Flavour_Axe_Unique1 ûuåÄ Àša crafts_arrows_on_hit @*fZÅ !…Âñ Desc_TotemOfShielding_Unique1 r²ûyÆ ä±\š Desc_TotemOfSoulProtection ¤Áž’Ç £ËDÉ
Desc_Conduit ðJ%~È ü™ëÃ
Desc_IceWand æäPÉ ïp Crossbow ïpÊ rd,¢ CowardsArmor_Unique1 ó6Ë fÝ”Ì DoubleAxe_Unique2 Žù%vÌ Là}W Cutlass Là}WÍ ÎŸ Daggers ΟΠ³.Ø· Flavour_Daggers bgÏ +)Í damage_reduction Á´ÌÐ }½™¶ Cutlass_Unique2 5ŠéðÑ ó踸
DarkArmor ™¤UÒ B# Flavour_DarkArmor õ!íÉÓ ¹ « Katana_Unique2 uð(Ô ¿ó
+ deal_extra_damage "E¿Õ ׿T DeathCapMushroom ïÚ{KÖ W¨Wƒ defeated_mobs_explode aŸC× õ¬š deflect_chance 0hŸSØ Œ½Þ DenseBrewPotion £”sYš Æ´¹ DiamondDust úQedÙ ™²à‡ Pickaxe_Unique1 èzGËÚ «âù
Sword_Unique1 €¶¯
Û Òþ Flavour_Pickaxe_Unique1 X‰=ŠÜ ñ3ƒZ HeavyCrossbow_Unique1 í†™Ý r0:T
DoubleAxe G*YxÞ
|% double_projectiles 'ß y¥x drop_more_consumables UÏà -LžÛ DualCrossbows -våñá i*™ Flavour_DualCrossbows blâ Wpƒ dual_wield ÚQ´yã _i˜ Desc_NetherWartSporeGrenade U÷n¯ä £M1‚ Flavour_DeathCapMushroom –wòå o{ŠÐ WindBow_Unique1 0B„Ûæ ‡*eç PowerBow_Unique1 v+ ç õtÂÉ EvocationRobe_Unique1 áJÜÀè v¹öÔ Emerald v¹öÔé Ý1©
EmeraldArmor ¿±{ê ˜Jà…
Desc_Emerald ]ƒ’ë œÊ)Ý emits_a_chilling_aura a,½Ðì OQ«
RainbowGrass ¾ ²2í ºóÀ| Flavour_DualCrossbows_Unique1 v@„î 'm~¥ EnchantersTome ÓOdRï 1mÒÆ EnderPearl Yr)ð ŠÎè" itempowerrange_estimated_template {/ñ ¬Y¬ž SoulKnife_Unique2 (Þò ˶ even_more_projectiles 1®©{ó ^¼|Ä Flavour_EmeraldArmor_Unique2 o`Øô ªZ-ý Flavour_Daggers_Unique3 xb2Óõ ©ÕX„ EvocationRobe åËgö ôŠË‡ Flavour_Axe_Unique2 #Ò!«÷ P=È! explodes_on_impact í¥®ø Ît
Desc_Trident örÆù À±¤ Desc_TNTBox ŸóŠ>ú \'!‹ ExplodingCrossbow › ©û SW}e explosion_damage_at_pets ;tøü 2ù"
extra_damage v`ïNý ÎE
extra_damage_to_illagers qqËþ çBŸ8 extra_damage_to_undead —ðêÿ 8. Daggers_Unique1 \À!F ˆ[Î fast_multiple_projectiles /4‡õ •Š
fast_thrusts n Ün ·‹¼ù faster_projectiles × Çû ‹ÅéN SoulCrossbow_Unique1 •U) ÞMrÁ Gauntlets_Unique3 xŸ!„ €1.× ExplodingCrossbow_Unique2 3W©ò uÔËO Axe_Unique1 ¿E‹Á ÿÐK chared_fires_three_arrows H…£Ó ¿R- fires_lightning_bolts ær=
vuÖ Desc_CorruptedBeacon å&
ïÞ¸ƒ Desc_CorruptedBeacon_Spooky1 å&
š|$/
FireworkBomb Ÿà« H^à€ Desc_FireworksArrow Y;¢Ù œSl· FireworksArrow ÈšØã
vÖá— FireworksArrowItem ÈšØã
MôxÏ FishingRod ½u¤- X¿ \
Mace_Unique2 M+Î- ÏÝ5 FlamingQuiver Uf¸8 ‘½K˜ Flavour_Longbow_Unique1 IÉl X〠Spear_Unique2 Áš/ ‡=‰ Flavour_CogCrossbow_Unique1 ÁV 8 r©zc WolfArmor_Unique1 xA j‰xÒ freezes_on_impact WW ýñ Rapier_Unique2 £^¿ _x8 SnowArmor_Unique1 6»ø€ zè PhantomArmor_Unique1 ºeY èݬ Flavour_PhantomArmor_Unique1 ·pXŒ Q47± SoulScythe_Unique2 m³< tµÂ Claymore_Winter1 „ó UÃ1õ FullPlateArmor_Unique1 öVè M× Flavour_FullPlateArmor_Unique1 Ãu =é«N soul_heal_increase 27ût ²ðË\ gain_health_when_exploring Ñ-ˆ‹ ” € gains_speed_after_dodge V¿6¼ ÄD¸
Gauntlets ÄD¸! u Flavour_Gauntlets Àƒgh" y<ù GhostCloak › wy# }‘æ GhostArmor_Unique1 ]W¢·$ x2 GhostArmor ΖÒ% ñL¹ GiftBox ƒ& låØŒ Flavour_Claymore_Unique1 op™f' PУ÷ Emerald_Armor_Unique2 Yq*( \ßùÝ Desc_BootsOfSwiftness cf«Ÿ) RøPE extra_dodge Œ¸à`* Ÿ?ƒ Desc_TormentQuiver ` Þ+ Ö«B Desc_FlamingQuiver 3˜V¢, cŸËW Desc_ThunderingQuiver ö a- Õ>Ò¶ Desc_MysteryBoxArmor ñ7/. >2ò Desc_MysteryBoxGear £ã*/ v{ô6 Desc_MysteryBoxArtifact ä#MV0 ˆä)ú Desc_MysteryBoxAny „»1 Tú‘¹ Desc_MysteryBoxMelee ÂÓ2 ™EÓ
Desc_MysteryBoxRanged ™0±3 ½" Glaive ½"4 —~d ClimbingGear_Unique2 %X!5 cúV Gold cúVi ‘Ϻ¥ PiglinArmor_Unique1 £ƒá†6 òÚ3
Desc_Gold ú=7 Õ» GolemKit ZAD•8 $D²: GongOfWeakening a2“J9 "ÈÒì Flavour_ChampionsArmor Ù#g”: ¢_i Desc_IcePotion OÓ‚; ´9: Desc_BackstabbersBrew OêIX< YÓØP Desc_DenseBrewPotion kÂM= 5T Glaive_Unique1 øö!N> “ß´» Claymore_Unique3 d_~? €£¸Â Hammer r
™@ ÔÌ\x great_pushback tÐë¡A è Ы
great_splash [ÆÇB uÐ] greater_damage ÷-©C ħ† Desc_DeathCapMushroom M5>D ™
¬
GrimArmor ÿQñÈE ¥R4 Flavour_GrimArmor ÷#GF áÁ1Õ Desc_CorruptedSeeds_Unique1 ¬Ä•G aOó~ Battlestaff_Unique1 ®²™‰H ¶ÕÅ
CowardsArmor Â+I ¨yá Longbow_Unique1 v'\J Ï»g Flavour_ScatterCrossbow_Unique1 ôôË+K ó`û Hammer_Unique2 "̪îL †e# ScatterCrossbow_Unique1 ÚUôM ×XO
Harvester ×XON ¶ñä» Bow_Spooky1 ½ÛO EML Sword_Unique2 ¾PþP 9Ίã Desc_Food1 1‡«HQ €ö]~ Desc_Food6 ŒÇþâR ×a?ñ Desc_Food2 8´S nYèl Desc_Food5 Ð_E›T ²ƒI Desc_Food3 íÁU >TÔ Desc_Food4 >îŒÐV uÍÐ heals_allies_in_the_area |FõˆW Íߤ; Desc_SoulHealer ¡M›åX —4l
HealthPotion µ‰höY ²‡) increased_max_health_when_expending_life oZ ¾iŸn health_regeneration Æ4N[ ½ Claymore_Unique1 ø-,o\ êÁTµ HeavyCrossbow ×&V¯] çý4
HeavyHarpoon ty¸^ )WÅ Desc_HeavyHarpoon ªÿ_ ‚Ô ChampionsArmor_Unique1 Bf¿` ií[ high_firerate ï¼ïÒa sípˆ ScaleMail_Unique1 ë¦Zkb ›{~] Axe_Unique2 '£c 8Ÿ{ hits_multiple_targets Wƒqd &¬‘Z Desc_SatchelOfTheElements @„çe TK;ï MercenaryArmor_Spooky1 òB+f d¾Ea ArchersStrappings eåCg
^l¥ Flavour_ArchersStrappings gYåph ';6Q HuntingBow_Unique1 G„Vi »Mi HuntingBow êÃøj jý’ IceWand 'Qúk áwI Flavour_Crossbow_Unique2 ŽòPl d£Üþ Flavour_SoulCrossbow_Unique1 Š1Tm *[t Flavour_WolfArmor_Winter1 Pð`>n nž›Å ExplodingCrossbow_Unique1 á£lÃo *éö Flavour_SoulRobe OJp Ùqðø full_hp_increases_damage Ãðûq žäƉ increase_maximum_souls ô‡r úu± increased_fire_rate íïús r3#_! increased_damage_to_wounded_mobs Фõt u;J¨ extra_fire_damage ÅG7u ²š¯Ñ extra_lightning_damage 0ªZv Ëïz# extra_poison_damage
Â×Öw ûÕþ extra_soul_damage Ka¨Bx ‰ò£Æ increases_attack_speed ¦&“y +/Z increases_critical_hit_chance –Þz Kûh inflicts_poison Ì‹¸é{ d´ inflics_damage_to_attacker ÐÝ| K¸Ðr Flavour_GolemKit ¬~«} ¯¿ƒÞ IronHideAmulet Ú‰›!~ YIº Flavour_Trickbow_Unique2 `¢G+ @ýüM* itempowerrange_powerafterupgrade_template O±€ ¿›‚£ SoulScythe_Unique1 f´*: ÊÎíƒ Flavour_RainbowGrass ÖŒ‚ N“6» Katana N“6»ƒ ¥<ˆ" knocks_enemies_back Äl~±„ ŒíÊ| firework_projectiles ÖÚ‘Ê… Ü°KÛ chance_to_spawn_area_damage gdÔ¾† nb{ Desc_UpdraftTome 4«6
‡ ;&Àz Desc_LightFeather ?i‹¹ˆ pø Q leeches_health_from_mobs .-+x‰ ¸‘ÖÐ Flavour_Spear_Unique1 ufObŠ õõ*‹
LightFeather ’£Î‹ â)Ð1 ScatterCrossbow_Unique2 Ñu>QŒ ÿ,í¢
LightningRod žôp& @Äíä SproutArmor_Unique1 ÓÚ=Ž ÑÙ š long_continuous_attacks ž1µm Ó¿?6 long_melee_reach %È%– 5f Longbow 5f‘ þïìY longer_melee_reach ®M’ )¥Ã$ LoveMedallion UÒœŠ“ ÌúÔ Shortbow_Unique3 ¸ÿÁ¹” Ù>ŸI Flavour_Shortbow_Unique3 „*ÐÑ• øä* Mace øä*– úñKÔ Flavour_ClimbingGear_Unique2 ÐP— °[ Flavour_Gauntlets_Unique3 +¼ãϘ 7¤•ñ Flavour_HeavyCrossbow_Unique1 ûe?™ ;é8& Flavour_WolfArmor ¶Éû®š É”ƒC HuntingBow_Unique2 hJWë› Wº¼¹ Katana_Unique1 q»Óœ »*Îy Gauntlets_Unique2 /çÈã (^ Flavour_EnchantersTome Qv{Óž È«Fl Shortbow_Unique2 «à}Ÿ ¶”bŽ Chainsword_Unique1 ÓÀw¨ CÐ ¼ extra_damage_cost_health Ü»¼Þ¡ =~‹x Food4 ~0¢ WWD` MercenaryArmor ±gi£ X—9› Flavour_MercenaryArmor £»Ê¤ ÅêÆ mobs_drop_more_emeralds –·5¥ ö—£< Daggers_Unique2 d¢‘¦ õô¸ Flavour_ReinforcedMail ,o3*§ ¶Ã1 multiple_projectiles ®kv_¨ ¶iþ Flavour_SatchelOfTheElements !F© ¢<†·
MysteryArmor ^WI}ª ª;‘ MysteryArmor_Unique1 ^WI}ª Rö–ã Flavour_Shortbow_Unique1 ã_¹^« “,¤ Cutlass_Unique1 v=>¬ ãÓ Flavour_FireworkBomb Ù£P< E% Flavour_RapidCrossbow õåWZ® ËýÒ Sickles_Unique1 ’‹Íw¯ X·us Flavour_SpiderCrossbow +2E° pjÝ£ Flavour_LightFeather Ò*Õ`± Flavour_CowardsArmor_Unique1 Y×Ѳ êr^ SoulBow_Unique1 w¤•³ -#z~ OakwoodBrew sô^´ ¤4˜ OcelotArmor î†9µ æl‚Ú Flavour_ChampionsArmor_Unique1 ‹ü¡×¶ 5ê| Flavour_NetherWartSporeGrenade êuD· ‚Jmž Flavour_Claymore_Unique2 göj¸ ¾å Emerald_Armor_Unique1 b‘ñR¹ °ÉÖ Flavour_EmeraldArmor_Unique1 Í4Ÿ¢º IØ7 Flavour_TempestKnife_Unique1
°³» z!“ enhanced_pets_attack ¤&cŒ¼ $öcú pets_attack_targeted_mobs z‹"Õ½ Mó„ pets_do_more_damage èS—¾ 4‘Ø8
PhantomArmor ~Éým¿ ±
ÿ^ Pickaxe ±
ÿ^À É6t PiglinArmor ~âCÕÁ u*¶ƒ FullPlateArmor =ês zêËx Flavour_FullPlateArmor ädà ; PlentifulQuiver 1û“Ä X)c mobs spawn poison clouds ŒfÅ Éñpd Characteristic_TwistingVineBow ikH:Æ L¦r¾ poison grapple vines AåéÇ „F\å Food3 §–v|È í³ØÆ Flavour_EvocationRobe !v‹É ¿ƒâ potion_use_boosts_defense ›T³¯Ê †Ê PowerBow Œy±éË ,0-ê powerful_pushback efr&Ì ¨qïå powerful_shots ú''¿Í ›yp
MobMasher ñóùÐÎ ü3~j CogCrossbow_Unique1 ý&€
Ï {²é Desc_IronHideAmulet ×Ü`‡Ð Þ;Vb pulls_enemies_in 5.Ñ ÇmDÀ pulls_in_enemies ÷mírÒ Ld1 Desc_FishingRod ejjSÓ &ó~ Shortbow_Unique1 iªïÔ #±[ö Desc_WindHorn pàÇòÕ ÕXöø Desc_FireworksArrowItem “…eCÖ ñ·8 MysteryBoxArmor LÊ× ÕõãY MysteryBoxArtifact Ï›×¢Ø ê?‹Å MysteryBoxGear Ìù×ÓÙ 8/_ MysteryBoxAny ÇçØèÚ 5ô7 MysteryBoxMelee …¤5ÀÛ Šì “ MysteryBoxRanged ÐâXÜ ‚ðZ Desc_RainbowGrass nµbÝ X#¥ï RapidCrossbow ÌR4Þ ´kŽZ Rapier ´kŽZß èÛ RecyclerQuiver Ð;à F¸Ìó Longbow_Unique2 fËtá °Ê7u artifact_cooldown_reduction öúþœâ =õÐŒ reduced_roll_cooldown >Bã ú4hC ReinforcedMail 2ûX¿ä ¢-c relentless_combo éã"Úå ïN ~ reliable_combo ½È$æ ¯g{ MercenaryArmor_Unique1 ¾[c³ç ·Ë Flavour_MercenaryArmor_Unique1 ɪ[è Ä«AŠ soul_use_item 9‰´+é ¦cí‡ TempestKnife_Unique1 Æ-jê #A# rolling_makes_next_attack_stronger ècë û8Ëv ClimbingGear_Unique1 ©)4ì i…Ðõ PowerBow_Unique2 º¤v´í YË£ SatchelOfTheElements À“÷¦î r¸UM
ScaleMail »âÊòï vBɶ ScatterCrossbow ÿxUæð é5>ç ChargedRedstoneMines ÝJèTñ ––d Desc_ChargedRedstoneMines ÜIvUò SW Flavour_ChargedRedstoneMines õôpˆó ^-[» Desc_BurningOilVial
Ïô §ÉŒ BackstabbersBrew pèÈÅõ þÇy£ OcelotArmor_Unique1 :W pö “ð„ Daggers_Unique3 ÿE÷ ì SoulBow_Winter1 €Fø ¢qù ShockPowder âË&`ù Í€LÁ Flavour_ShockPowder LCãú â7WÜ fires_dual_arrows a|Œõû ž“ÌØ shoots_when_rolling FÂü ÞHà Shortbow ÞHàý Á BP Sickles Á BPþ P²¥ž Sword_Spooky1 àMŒ ÿ œ6H HeavyCrossbow_Unique2 ”Ö? ä}}1
freezes_mobs dÈØ Šb:‹
SnowArmor Nò }ˆðÅ SlowBow ” 'Ê '£qŸ Flavour_MysteryArmor ÔTz a_˜S sometimes_strikes_twice ’è‘… m?Á– SoulBow XB{m ´Ì%ñ
SoulCrossbow + ÉË U…{k Gauntlets_Unique1 n4Ø ;eR¯ Flavour_Gauntlets_Unique1 >• ̪¸Å SoulHealer ›²óñ
6£D BurstCrossbow_Unique1 ³ÆŸ$ “L”]
SoulKnife >ñ³™ p¡S SoulLantern ØØw%
ñ„6Ò SoulRobe ǯ} –} SoulScythe Á…CI Øq^„ SoulRobe_Unique1 Ü?ôË µdÅ@ souls_critical_boost 7Äw ʨ™Á spawns_bees_when_rolling •• ÇC¡^ spawn_food_on_potion_use aân½ Uwü( spawns_poison_clouds ¦RTK HAk spawns_a_snowy_companion ußï ü•s spawns_fire_on_roll ÃëŠX G½¢Ç Spear G½¢Ç fèÒ‹ special_event_item ·8À \¡õ speed_boost_on_artifact_use }Ð&ç :2E! speed_boost_when_gathering_souls Íå škˆ’ rushdown_speed_increase ýAu |dÖ× DualCrossbows_Unique1 x
ž p+§ SpelunkersArmor »\‚¦ oô½‘ AssassinArmor_Unique1 9Š! ©c«: Flavour_AssassinArmor_Unique1 ñ⧠Wwˆ SpiderCrossbow {lûÏ E°·Ù spin_attack IÞÕ! (V¶ spin_attack_move p~ɾ" :ÿ¼D
SpinWheel çì™ó# Áwˆ SplashSlowingPotion #C„$ ¡ù BattleRobe_Unique1 dÅ0% Ý5šÊ SproutArmor ÇŒ‰& 3#ˆ ReinforcedMail_Unique1 ’&¨q' {OäW
steals_speed Ïí•Ò( ÏN Hammer_Unique1 ðÁ´) ¯ÒÅL Flavour_GhostArmor_Unique1 sDÌ_* ø
¹ Flavour_Sickles_Unique2 ù>Y+ lÈÛ¥ StrengthPotion †Íøì, W strong_charged_attacks ªpùr- xSut enchanted_mobs_take_more_damage éêëT. BÙ)Å stuns_mobs ›ˆôS/ :>
M Desc_ShockPowder e"f0 Ëy stylish_combo Ñ21 Ý’ Desc_WonderfulWheat Àt[2 ôŠ¤¬ Desc_TastyBone ‡À|3 §úÆ: Desc_GolemKit D01Á4 ¶N
Mace_Unique1 ô_Ú¤5 5„ÐÞ super_charged_arrows vÔç6 ¶¶‚Ò Food6 äè;d7 HOY
IcePotion RPÞ8 A¤å SwiftnessPotion üAÇ›9 Ø“*W Sword Ø“*W: n Ø TNTBox 6ïÐ<; Ïe=: Flavour_ClimbingGearSolid à£F:< 8Ï:
Flavour_Gold è(™˜= š”¿
TastyBone (Ë}> àZ#
TempestKnife ¤§’$? ~:kQ Flavour_HuntingBow_Unique3 5q@ ×? Flavour_RapidCrossbow_Unique2 Ôå–×A ¿·?{ Flavour_BattleRobe ¸î•B oèv Flavour_Battlestaff 2 ¾
C ò’E Flavour_Rapier_Unique1 üöVwD ]î-¯ Flavour_BeenestArmor_Unique1 áÑ-˜E #•ö¤ Flavour_Harvester_Unique1 ‰ÅF Oï¹ö Flavour_Boneclub_Unique1 Ù÷†G "P
õ Flavour_Bow_Unique1 ñ‘ßH ¡© Flavour_Chainsword ;x7¦I 2ê Flavour_SpelunkersArmor_Unique1 æLò"J šU! Flavour_CorruptedBeacon [dËÈK `6Dm Flavour_CorruptedBeacon_Spooky1 4Mc»L )} Desc_Sword_Unique1 tôX~M 3ãÔb Flavour_EvocationRobe_Unique1 îhmùN …u
" Flavour_ExplodingCrossbow_Unique2 }æd"O ƒýc Flavour_SoulScythe_Unique2 Ì,q7P êÁM_ Flavour_PiglinArmor_Unique1 b§Q ‹™5 Trickbow_Unique1 àBl3R f“× Flavour_Harvester @¼ô±S õ†:o Desc_Sword_Unique2 +xJT o@$º Flavour_IceWand ‰ÇsU ñ*À" Flavour_ExplodingCrossbow_Unique1 ¤R¼æV þ% Flavour_IronHideAmulet ùPBYW %R8À Sickles_Unique2 ½¯)X c¿< Flavour_Longbow ò1X[Y ÃÑF
Flavour_Mace ã›[Z XzÁB Flavour_Katana_Unique1 Õžø[ d]6$ Flavour_Chainsword_Unique1 ÷=\ wU• Pickaxe_Unique2 ¥œÏÞ] e«,' Trickbow_Unique2 44Õ^ *²h‡ Flavour_MobMasher ãšB_ þŠ Flavour_Longbow_Unique2 ã-ª` Õ»6ô Flavour_SoulBow_Winter1 貺›a àyÓé Desc_Sword_Spooky1 õ‹Ø®b Ù ã Flavour_HeavyCrossbow_Unique2 *;jˆc {*™Œ Crossbow_Unique1 ¦H(d ¾ Flavour_SoulBow ‡ÂÉe 1SÒÙ Flavour_SoulCrossbow ¼×Ü»f ½yC Flavour_SoulHealer ûSg è0U Desc_SoulLantern YýÆæh ¬ƒ; Flavour_SoulRobe_Unique1 4Zpi "ÚÞ Flavour_SpelunkersArmor C†•j ÐïŒW Desc_SpinWheel ¸çËk 3õ Flavour_Hammer_Unique1 Ï3l k’u( Flavour_TormentQuiver ¤K*m šÃ²! Flavour_TotemOfShielding_Unique1 ý9n Ìÿ¸ç Flavour_Bow_Unique2 |‰¡ìo ,Š±¤ Flavour_TwistingVineBow_Unique1 ,ñhNp ÿöü¨ Flavour_Trickbow_Unique1 £6ʼq 7ò* Flavour_Axe ¸™ç¬r ]×é Flavour_HuntingBow_Unique2 #ûss Ý‚Ô¹ Flavour_Crossbow lt ²Ä/ Flavour_SproutArmor µ}u ÁõS Flavour_BattleRobe_Unique1 ´ªîôv ¤µ= Flavour_FireworksArrowItem ¦DZ¶w }N|e Flavour_CogCrossbow »‘Wùx ¯.á’ Flavour_Glaive Ðœæy °³t Flavour_DarkArmor_Unique1 P\z j†Ð_ Flavour_Claymore_Winter1 aΣ<{ …ÉŽY Flavour_OcelotArmor_Unique1 yò(ë| Øü Flavour_Crossbow_Unique1 Ô>õA} Ì &v Flavour_Pickaxe »ŽÜ~ 2ÇO Flavour_ExplodingCrossbow |){ ìˆ) Flavour_Shortbow á_.M€ 80ë Flavour_Powerbow Cö ¦ZMÄ Flavour_Rapier “ØÇ‚ tÇP? Flavour_Powerbow_Unique1 C(Hwƒ ÓØ>' Flavour_SoulBow_Unique1 Nu{„ ï^ Flavour_GhostCloak ¸W!Ô… ‡ð%K Flavour_Spear ž×'† <'ƒ‹ Flavour_FishingRod Ï;Kv‡ òW¿« Flavour_Sickles_Unique1 r/š7ˆ ,0H Flavour_SoulKnife_Unique1 w0ño‰ ®§Ô÷ Flavour_HeavyCrossbow pÃKdŠ òææµ Flavour_WolfArmor_Unique2 _ä@d‹ „Én Flavour_BeenestArmor DùŒ ÕÊç½ Flavour_Gauntlets_Unique2 ÊVyg Ï=‘E Flavour_Daggers_Unique2 ìô›!Ž !’$W Flavour_Daggers_Unique1 åï ?óÙ¹ AssassinArmor B6• î€C Flavour_GongOfWeakening MÚ ‘ Ý Wt Flavour_Mace_Unique2 ‘’ {•Yû Flavour_AssassinArmor ÅûßË“ ;Ê Flavour_SproutArmor_Unique1 ìA+~” ±/ Flavour_PhantomArmor Ÿ¯
4• ÃsMÕ Flavour_ScaleMail ̰ɘ– VѸ© Flavour_WindBow_Unique1 ÁçÇr— ÿˆÙ Flavour_TwistingVineBow õB:˜ šhå- Flavour_Powerbow_Unique2 ìS«,™ =w‹5 Flavour_SoulBow_Unique2 Ëû]š éëÃÞ Flavour_ThunderQuiver Æ‘&=› = ý Flavour_BurstCrossbow_Unique2 QÛò©œ 9§ Flavour_RapidCrossbow_Unique1 ìHÄ¡ Ó¡µï Flavour_BurstCrossbow_Unique1 qýo9ž OèûÏ Flavour_ScatterCrossbow E&ÂqŸ =½ Flavour_DoubleAxe_Unique2 à꾊 1ʤ Flavour_Cutlass ý鼡 ª¸Ý Flavour_Cutlass_Unique1 +êR9¢ õòbû Flavour_HuntingBow_Unique1 £ ÊѶ- Flavour_HuntingBow šS®Ì¤ £Âm Flavour_TotemOfRegeneration ±Å~¦¥ ÝcÜ Flavour_WonderfulWheat ¹¦ eÅó Flavour_TempestKnife Æ)§ Ž‰ Flavour_SoulLantern G‘çǨ v¿Qü Flavour_SnowArmor_Unique1 j²H© 3âf Flavour_Mace_Unique1 #ÒRª =ð
Flavour_Rapier_Unique2 ¶Åâs« ‹{]w Flavour_FlamingQuiver šB¢e¬ +ÊÅ~ Flavour_ReinforcedMail_Unique1 ¥L² mRÖ Flavour_SoulScythe_Unique1 Vtÿ€® ôî±– Flavour_Battlestaff_Unique2 ¢¡{é¯ Iž‚ Flavour_ClimbingGear ÿŸ|Ì° ö<J Desc_TotemOfShielding G–þÙ± ‘gÜ$ Flavour_TotemOfShielding "{Šo² ·Š] Flavour_TotemOfSoulProtection DÒ|¶³ Šiì Flavour_SoulCrossbow_Unique2 É+ Š´ ‹4¤Ü Flavour_SpinWheel ©Ø¾Äµ ÝLap Flavour_EvocationRobe_Unique2 œŸ¶ ¢)í Flavour_SlowBow ‹ß· ÅɆ Flavour_GhostArmor "ô¸ ?ƒö9 Flavour_Boneclub Ï5¹ T¯ÎÞ Desc_FireworkBomb *Ú|¡º PO thrust_attack ñƒÃR» /róm ThunderingArrow túOE¼ p68Î ThunderingQuiver ¥½×@½ ú½–ã Desc_ThunderingArrow lkZܾ wPš° DarkArmor_Unique1 ù7×{¿ N!¸ TormentProjectile +8‚áÀ /ôõj TormentQuiver .}îÁ l5— TotemOfRegeneration oV I #·F TotemOfShielding_Unique1 ÌØÌà 啹¹ TotemOfShielding Ë#ï%Ä qö TotemOfSoulProtection 2åJwÅ (q°V Desc_TormentProjectile DLl(Æ ÞË Trickbow ÞËÇ CàØ% Trident CàØ%È BöŒ SoulKnife_Unique1 ààãÉ …®»# turbo_punches QœþHÊ ™nµS Desc_LoveMedallion 5ð§Ë £
= Bow_Unique2 ¥Â°ÍÌ 8Uº TwistingVineBow ÞÓñQÍ ö-à- UpdraftTome i°·°Î ^[@ï Desc_DiamondDust t¸JÏ æ£€F Glaive_Unique2 ´üÐ ÛwÛ EvocationRobe_Unique2 ê´üµÑ °Ø†}
Whip_Unique1 iªêÒ ej\\ SoulCrossbow_Unique2 ÇwÓ D«Ï Flavour_Cutlass_Unique2 ª¿ÒÔ âv> weakens_attack_damage_of_mobs õ¦Õ ñ‹×´ Desc_GongOfWeakening …¯
[Ö s8ƒ® Flavour_PiglinArmor “Hr× ž4
webs_enemies z‘}ùØ /Ãoà TwistingVineBow_Unique1 ±J'Ù Ù Qa Flavour_Bow_Spooky1 õ
ËöÚ 9\Zó
Desc_BeeNest /3
µÛ qi@ Desc_MobMasher #+ƒ3Ü ÏóM¾ Flavour_WindHorn úüªõÝ ÿaŒä Desc_SplashSlowingPotion äžmÞ 0Î8 Desc_EnderPearl “.®„ß Mr˜B Desc_Harvester_Unique1 œ¸rùà =H5\ Desc_Harvester ADÜsá L›Ý Flavour_MercenaryArmor_Spooky1 Ð$Oâ T\un Flavour_DualCrossbows_Unique2 }(U¢ã ¾zÞS Whip ¾zÞSä ˆr!Þ DoubleAxe_Unique1 `{å æ’ Flavour_DoubleAxe_Unique1 >Ô§Žæ ü÷V’ Spear_Unique1 Ó5‹<ç [6Œ WindBow %jîqè žw WindHorn Ve½sé c¬ wind_up_attack ¼$.Žê qd SlowBow_Unique1 ˆÀ£]ë Ö:ìù GrimArmor_Unique1 ¹läì ¸ÚÅ= Flavour_GrimArmor_Unique1 j/í Š" ¾
WolfArmor >ýöî ' WonderfulWheat )œoóï 1ÿS Desc_LightningRod v0tÓð vUB Flavour_OcelotArmor <8±ñ ¯QŒ' Flavour_TastyBone ñš]Iò œ]&- zaps_enemies_when_rolling ™«»’ó <ÖOµ Desc_RecyclerQuiver ,\9pô îÔøŽ Desc_PlentifulQuiver r@èŒõ S“< x_soul_gathering :i~ö ”ÐC x_cooldown_template ¾ßY´ù nõH
max_x_target ÷ºûØ÷ EJ z max_x_targets Ꜷ7ø ‚ä{Ñ KeybindButtons 4ûaf Clear Ù–+0ù ð[äº Defaults Ì;;>ú •»1¸ Edit Dùû ohîA LeftHanded ‚ü Oí LoadingScreen 9 Ä leveldesc_Lobby Í‘!Éý Úù~ò leveldesc_Menu Óç¢=þ t¡½p level_Lobby Ì<+xÿ ÖTm level_Menu ÉþâC ®ìmO load_travelto øí¦ ,¹Un load_levelname_short j'Š /\ÖM LobbyChestText jR> Chest_AGateToWhere }T¨î «}¥ Chest_AGreatView Ø-ÔB 0ϲ• Chest_ByTheBridge ׫oï 6»ûø Chest_ByTheWaterfall Yù™ë _¬C> Chest_ByTheWaterfall_Desc Dêq‡ ‡ª´Å Chest_Ruins_Desc å_‘G 9& Chest_ScaryChest_Desc å_‘G 4Ôœñ Chest_GlacialRavine_Desc ]/” úâD. Chest_AGateToWhere_Name úQedÙ çuX Chest_EdgeOfTown «$. ]´s Chest_GlacialRavine DÀðÛ
¡ê Chest_AGreatView_Name IIà: ÉQ¬… Chest_ByTheWaterfall_Name ±‚èÄ Yüü³ Chest_ByTheBridge_Name ºœçÿ
l«• Chest_AGateToWhere_Desc †Š' 7ê Chest_AGreatView_Desc =z½Ù Ï Chest_ByTheBridge_Desc
sW Îijî Chest_EdgeOfTown_Desc 4ëuì rîÞ Chest_Ruins _c
¼ ”õWô Chest_ScaryChest ra X”…U Chest_EdgeOfTown_Name †À4( ¢)sJ Chest_GlacialRavine_Name # 6‚Ö Chest_ScaryChest_Name Ähvƒ W[~ Chest_Ruins_Name ›hü óK3ô Message_AlreadyOpened c{×Ý èQÜ
LobbyClickys @þ’ Clicky_Inventory .(³ Ë~&® Clicky_Mission_select è0ö ‡w
– Clicky_Supply_Station ·=n] 4â; LobbyLabels
Åx÷ Character_Blacksmith Çl—í Çé" Character_Librarian_Name úQedÙ €\MZ Item_DiamondDust úQedÙ V”é Item_DiamondDust_Desc ¯`‹ ”¡ Artifact_Random_Desc ±yA2 Í(€| Item_Random_Desc !®˜g áù†Æ Item_RandomGear_Desc æ¬
9ÈÑñ Character_Mason @³š Ü`Ã¥ Character_NitWit ,Xé@! —1E Label_RandomArtifact Ï›×¢Ø â)Ǽ Label_RandomGear Ìù×ÓÙ é7ȇ Label_RandomItem ÇçØèÚ â’'Ž Character_Trader çÊÉp" ~¦úÕ lonelyfortressLabels ˆév description_lf_g_02 ‹ôì9# Ÿ;ž
name_lf_k_02 Ö—GÇ$
r
name_lf_g_04 t¬~% 8ã¬+
name_lf_g_01 sÐÞ& ®~à description_lf_k_01 iD¼Ë' ¢ÛÛD description_lf_g ´ïÂgƒ T\‚S description_lf_g_04 òdŠS€ @ÐËÑ description_lf_k_02 í;<( ÖL9
name_lf_g_02 k%eé) z¤“ lostsettlementLabels ØO‡ description_ls_g_10 J;‡* ½(¾? description_ls_g_11 /\;Ç+ ͇¡á description_ls_g_02 |?', ©gŽ description_ls_g_08 ìål±- ÷(ìÁ
name_ls_g_08 ÷&3J. ~yR= description_ls_a_06 •Ðd/ ØÊÄ description_ls_g_04 Švâ0 Ì 6 description_ls_g_09 Å>w¾1 TíÀu description_ls_g_05_a øÚÉ}2 t¿v| description_ls_g_05 J€»Ä3 6¢r
name_ls_a_06 ¹ˆ
4 ¨àY description_ls_g_03 ï”çö5 ÿwÖ description_ls_g_07 ¸bñ®6 #(ó description_ls_g_01 "k‘ù7 }gä¼
name_ls_g_01 ùÜèì8 S‡- description_ls_g_12 v~9 ¡8™
name_ls_g_07 €7 3: lðçÝ lowertempleLabels
€Ëa9' description_raise_the_forward_platform 1&¬¨¡ Œº¯$ description_defeat_the_nameless_one ‡–¢ h
œ( description_escape_the_nameless_kingdom æÓ¶d£ zé8N: description_fetch_the_staff_of_the_slumbering_necromancer ˆ>ZƤ Zc¤› description_find_the_gold_key (B2 G3Î' description_find_the_necromancers_tomb 7É}’¥ ‘~Nž# description_leave_the_lower_temple /Õ€´¦ Aá
Ö description_open_the_gold_gate §Ë“³Z i9¤. description_reach_the_tomb_of_the_necromancer ’– Ƨ ð*¥' description_survive_the_incoming_horde ±P¯»¨ µ*¶É name_the_lower_temple ²Ç&1© ¨n2 name_the_nameless_kingdom ¯D'êª “Ë€v description_unlock_the_gate OïÇu« ܱ MakeClone_Picker h)É
MakeClone A…f; •y2‹ MapName Êí¨ lobby_name Ì<+xÿ “•çu Merchant ŒB‰˜ HyperMission_bullet3 öw¸„< @¦{ GiftWrapperMerchant_desc Š#
ÿ= ¥÷·Ï Blacksmith_bullet1 ¯Áï=> È£õ« GiftWrapperMerchant_bullet2 ~Ø? .?¾e Blacksmith_bullet3 >lì¯@ K¸ VillageMerchant_lockedhint nû°_A Š€2 HyperMission_bullet1 l\B ^@Åò RescueVillagersQuest_explainer ¿LN C ”Ù<K PiglinMerchant_desc Ä©yD é%5 HyperMission_bullet2 ÕM=E üµ¢¹ VillageMerchant_desc `…ÔF r0š~ LuxuryMerchant_desc Åt+G ¯-‰ MysteryMerchant_desc izÏH KXÝ Blacksmith_bullet2 9‘QI â·€~ Blacksmith_desc ÛÝHLJ ëO°y RescueVillagersQuest ÎeôK {M”f PiglinMerchant_lockedhint f ÐÕL ¿v‹ MysteryMerchant_lockedhint Ù%DtM )Yç0 LuxuryMerchant_lockedhint Q=Æ^N &@¹ GiftWrapperMerchant_bullet1 Sì&€O qÜüA Blacksmith_lockedhint
]æµP ¾ý-\ HyperMission_desc Ø/]FQ Áy MerchantAnnouncement ¥‚7»
COLLECTED K?ZR Œ%ø GIFT_RECEIVED ntÍS ƒC°¢
GIFT_SENT þC¢T Q:.M
PURCHASED ¿‡CóU cä RECEIVED _„É’¹ ŠQ
I UPGRADED ¶1ÕÍV *¿¥² MerchantLabels . °ít merchant_price_bargain ¸ýW ¤ùïª merchant_restock_info º#‰vX É merchant_upgrade_item_completed üE'ôY WÃ@ merchant_complete_to_unlock ÚÀ`Z ’$ýÙ merchant_restockcost_info ‹H[ Í=µø merchant_slot_empty öïß L©Ku merchant_empty_slot qÐÈ\ |bÈø merchant_inventoryslot_equipped ¡XŒâÁ hâ<h merchant_slot_equipped ¡XŒâÁ !Ú«ç merchant_price_free ¨M¼Ö] òL3 item_gifted Ž·ØN^ ªÎQ¢ merchant_gift_wrapping ]
J_ cYĪ# merchant_gift_wrapping_unavailable Àù5Ý` C4Û%' merchant_giftwrapper_gifting_to_player œÑJa ”|Lø merchant_giftwrapper_selectitem <&<b ±v²W merchant_items_for_sale ÊAÂTc ,Ñ merchant_slot_locked °-‹1 ü©Ï merchant_giftwrapper_outofstock ÑjdÝd •c item_reserved Aî^Qe ±µ) merchant_hint_reserved_title ¹Îêåf ÞÄ ˆ merchant_restockreserved_info bä.g ¤H merchant_hint_reserved_body <úاh <ÌŽ© merchant_restock »)«Fi €J¬+ merchant_restockcost ßï-!j #s
$ merchant_restock_merchant_inventory Øãg}k ìê‰ merchant_restock_by_doing .\Wl ‰™Æœ merchant_slot_select_item ƒ 5ÿ uýÉD merchant_select_item_to_upgrade [Um I ²6" merchant_giftwrapper_selectplayer Wùm;n ñ’— merchant_slot_locked_title yÞ*ýo !Á¥+ merchant_giftwrapper_candeliveranotheritem .8pËp QÄb merchant_giftwrapper_noplayers #•Nq üªïc merchant_to_restock :ür ïg“³ merchant_slot_to_unlock_slot ›6fs <gà merchant_slot_locked_to_unlock —Çot FY? merchant_to_upgrade ·G÷eu ß6o`" merchant_slot_unlock_requirements •Ñ(v ѺÜ5 merchant_upgrade_complete †_f-w Gé´ merchant_upgrade_item ®æ˜ãx ˜?ò>) merchant_blacksmith_upgrade_requirements \ëëy o#˜.! merchant_blacksmith_upgrade_slot ¾†öPz H4•' merchant_blacksmith_item_upgrade_slots :™Vi{ rjòW merchant_upgrading_item d‘ø¤| Ú#~ú$ merchant_blacksmith_upgrading_items ¹n…} =°$à merchant_price_off ÙÆ-¢~ [FÇ merchant_bargain_template ï©ôR §³=
Merchants
ÿÅ…ï AncientHunt nlE ý HÒ#5 BlacksmithMerchant Çl—í á
ÄO Giftwrapper ÷Åùn€ pzù‰ LuxuryMerchant ±H– T…©H MysteryMerchant Gë†Þ‚ º…F" Manually_pay_to_restock_the_store òæk¥ƒ 4p^" PiglinMerchant CR5 „ ‡‡ ½) unlock_quest_completed_required_missions y.… 6À'C Retired Adventurer 6À'C† FH_ð VillageMerchant Ž:‡ xŽáš MerchantTransactionStatus $ Ñw ALREADY_RESERVED ¶£¯Þˆ ØB BUY_ITEM ‹nìx‰ ú/>{ CANT_AFFORD <ÊsŠ ³êu CANT_GIFT_CLONES ²jG+‹ Ú4 NO_GIFTING_TO_SELF Í/oŒ Ã+z CANNOT_OFFER_CLONED_ITEMS ”a8Ö Sè¥ CANNOT_OFFER_GILDED_ITEMS Ã¥û Ž `*ô}
COLLECT_ITEM º W¼ H·r¢ UPGRADE_COLLECT_ITEM º W¼ Ož÷a RESTOCK_CONFIRM_OFFERINGS «Û2 ábâW
GIFT_ITEM `ßW‘ Â<Tä RESTOCK_NOT_A_HYPERMISSION £Ù”…’ Qžæ~ INVENTORY_FULL ½ÂŸ“ »[‘ RECIPIENT_INVENTORY_FULL ½ÂŸ“ §)ø ITEM_LOCKED \$iì” V¬yb RESTOCK_MISSION_DISABLED vAc• m@g|! RESTOCK_MISSION_VOTE_IN_PROGRESS í¹Ô|– +\Éê NO_INVENTORY_ITEM_SELECTED T§
— B߈( NO_ITEM_SELECTED T§
— 3À¼ NO_PLAYER_SELECTED Pº¯ê˜ ,äã
NO_REGIFTING -÷EÓ™ ~“O NO_INVENTORY_SLOT_SELECTED Ýs¨š \ NO_SLOT_SELECTED Ýs¨š ¦=€
NOT_RESERVED °ÍH”› «ø‹Ë NOTHING_TO_RESTOCK ÒŒzœ :„W NOTHING_TO_WITHDRAW }œ® $„E RESTOCK_OFFER_AT_LEAST_ONE_ITEM Ø…´Êž NðJ{ RESTOCK_OFFER_ITEM q?¥CŸ #ºîê OFFERINGS_PROBLEM ÇN› Y%
RESERVE_ITEM Ú"×H¡ Ä&΃ RESTOCK_SLOTS »)«Fi há SLOT_OCCUPIED ¸Ãɧ¢ ‚Ó[é SLOT_LOCKED ü£ *‹› UNRESERVE_ITEM ÷j¤¤ ì‡w
UPGRADE_ITEM Ú{+X 4ã P RESTOCK_WITHDRAW_ITEM Ï8¥Œ¥ Ùùì Mission ‹ èÐC mooshroomisland_name <ÆÍé¦ Ô˜_5 gauntletgales_title W[9§ B’zÅ pumpkinpasturesbonus_title óP@N¨ ¬¸³y creeperwoods_title x»#© $@À soggyswamp_title '<vŽª ²‹¶ slimysewers_title li”« Mì2Þ galesanctum_title mGd¬ ‚ŒAæ squidcoast_title ΢ëë ÀñÉÄ endlessrampart_contents …©QЮ ©q*£ windsweptpeaks_contents O[©ï¯ "´¡– creeperwoodsbonus_contents 0ßè° ˜&6q galesanctum_contents kü9± ë™z“ lonelyfortress_contents LQ
² ô”µo netherhypermission_name nlE ý z§„± spidercave_title íJ«Ù³ £è
woodlandmansion_title íJ«Ù³ Äâ7= netherwastes_contents º
:Ö´ eùS pumpkinpasturesbonus_name BÚ퀵 Oñüú basaltdeltas_name €aZ5 űW cacticanyon_name \Ìmž¶ <‰× lonelyfortress_title ‹\¸· À[‡* endlessrampart_name +ã
A¸ ˆA
© complete_level_x ,«ŸÇ¹ éž complete_level_x_to_unlock úº ¢%⌠threat_level_rewards_power 0½r>» ,°ƒð highblockhalls_title !ópb¼ —«R creeperwoods_name ~¾ÁV½ ̸ëw creeperwoodsbonus_name øñüðz ñ´ crimsonforest_name Ä,5˜ ‡] crimsonforest_title ã:£¾ ½køù daily_trial
T â Ä·Ã soulsandvalley_title ®%“Ý¿ ³ÒÜä spidercave_contents _»ÀÀ •
¥ woodlandmansion_contents _»ÀÀ óR$» basaltdeltas_contents ìž$xÁ àV'ÿ overgrowntemple_contents j†ã¦Â ©çFË deserttemple_name p’¯·Ã Øúm dingyjungle_name ТxÄ ï¿@D dingyjungle_title àÀ
‘Å Å™EÜ fieryforge_name ›¯y0Æ ;e€ find_secret_location_in_x A}æµÇ 2h_Þ endlessrampart_title u®½(È ›ÿŸ frozenfjord_name ‹þà’É ø¹=þ galesanctum_name ¶û)hÊ J·® gauntletgales_name )‹ÔË ku· threat_level_loot_power ˆ5d÷Ì 4©Ä hm_hub_name ò‰ûÍ 3k› hm_hub_contents IÒ šÎ 3ÃyÀ specialtileshub_contents IÒ šÎ kv– highblockhalls_name §Hao¿ 4~ö netherwastes_title ƒTh®Ï ©qú obsidianpinnacle_contents 9óÐ _PÅ© lonelyfortress_name )zÑ ÷ ] lostsettlement_contents ɦÏÒ Ø£y lostsettlement_name „b®>Ó W)
M cacticanyon_title f[-UÔ ½ÿLK deserttemplebonus_name Œw2äÕ ƒ0 threat_level_drops_power ™—½Ö Ë8¸Ö fieryforge_title Ôïd× Œ†) mooshroomisland_title 3%—¿Ø uKR mooshroomisland_contents ôRÖÙ €ÝRµ netherfortress_name ´bFÏ X1$% netherwastes_name ‹Ú Ì Øº highblockhallsbonus_contents gª&™Û ã‹L deserttemplebonus_contents ׊&SÜ kŸª threat_level_normal_difficulty ˜)àìÝ h²o obsidianpinnacle_name 0(3Þ Ùï÷ overgrowntemple_name û½oBß m™bÄ bamboobluff_name HW’Úà Ýs8 StartMission_Press Ý„‰iá #Η bamboobluff_title xñbâ ,ËPž pumpkinpastures_name ÓÔƼã ôÃÈ mooncorecaverns_name x²Ü@ä 2àÊ endless_struggle_loot_quality |ÑiÌå ²è< netherfortress_title ØC@þæ 7Žö seasonal_trial eØÒ¬é ^UÕ¿ slimysewers_name zto[ç RU‰Ç lostsettlement_title †µ âè P soggyswampbonus_name ˆ´uÀé }ÿ soggyswamp_name ø—ê éHk” soulsandvalley_name °&œë å;b, specialtileshub_name ÿNéì ½½!H spidercave_name ´5Ñ ‰ |ÖÆ squidcoast_name ¤˜¬tí Ê”Q# netherhypermission_confirm_warning $¿<î ¿ß•` windsweptpeaks_title î'ï ¤¤ÝÓ overgrowntemple_title ÔGð ×7#Ð netherhypermission_title ®ZGàñ üŒÕ! netherhypermission_confirm_title M6Ãtò *ðb› highblockhalls_contents Âó £Jcã creeperwoods_contents ïxËô ‘2àÇ mooncorecaverns_title ŒÄ8õ ‡|> obsidianpinnacle_title ‹lÿ¾ö qLµ fieryforge_contents ’ðN
÷ ‘°¿ã creeperwoodsbonus_title ¹ÄÈŽø žª pumpkinpastures_contents „r+Iù 6.. mooncorecaverns_contents ¾nú
½ pumpkinpastures_title Z•Èû ¦ÛW soggyswampbonus_title H¢Êü .ãÙQ deserttemple_title ¯D'êª ™?• netherfortress_contents ý’÷ý ;D<# soulsandvalley_contents phQþ HåôÀ warpedforest_title [â„iÿ ºõëH frozenfjord_title àPßá
šóÅ| slimysewers_contents ̺Œ
’/ÁR gauntletgales_contents ¹êµ
«E‹ squidcoast_contents `l¼
¾UìË deserttemple_contents [4
hzµE soggyswamp_contents ˆ¯´
º>È soggyswampbonus_contents u{CË
ˆ{ƒ warpedforest_contents ·,-
y- cacticanyon_contents Üë÷
zDŽ frozenfjord_contents 1
„ºÀ‹ deserttemplebonus_title l®yj
<þ crimsonforest_contents bÚÛ
%F0) highblockhallsbonus_title ºÍÉ[
ôò¶h highblockhallsbonus_name êj~
d’õ basaltdeltas_title µ´Ø’
©e¬* warpedforest_name cüè
?* © dingyjungle_contents hÌu
y¬ÿé
weekly_trial ÍŽly 0V
hm_hub_title ê™Rñ
‚^Ë specialtileshub_title ê™Rñ
ä[ pumpkinpasturesbonus_contents °äü½
^Û netherhypermission_contents jdö
ž’wù windsweptpeaks_name nžkç
âÉu bamboobluff_contents }ñ&ü
?‘…H woodlandmansion_name ›”‘-Ž ±Ïº) button_toRespond ›`qw
Àjr2 button_ToVote #7
¨M-ÿ mission_ThemedTemplate [/€ âpÌ trial_ThemedTemplate µ“=
,I]s" endless_struggle_mob_resurrection „šž
ÉBk– threat_level_x_difficulty óêV
qÒ+ô endless_struggle_mob_damage ’h
ú§8 endless_struggle_mob_health ‚ç]Ã
%³ endless_struggle_mob_speed ìsÜ
Á²†( endless_struggle_mob_stagger_resistance á‹
¡\°¶! endless_struggle_mob_enchantment è†Î{
yZS« mission "ݽ
button_press Ý„‰iá Ž; MissionChances t&!J Ancients t&!J
S¯e( MissionInterest ™’d Interest_Boss ´òöDT Gû^_ Interest_Bosses ä‰FK!
ÏîÖ Interest_CapturedMerchant öO"
xhê Interest_CapturedMerchants &–té#
(¶]a
Interest_New {”dÌ$
ìeH Interest_NewReward °XS·%
d¥: Interest_NewRewards DÉ€ã&
%có² Interest_Playable üó#—'
ÅšMŸ Interest_Playables ~Å>ó(
¥ËT Interest_SecretLocation øMB)
>èQ Interest_SecretLocations °loœ*
–™´• MissionProgress æàm† AnyOfferingRequired f¢ÔÈ+
bCù¯ MoreOfferingsRequired &»”ì,
«!sœ AlreadyCompletedOnx à1JÇ-
j™m$ AlreadyCompletedOnDifficulty_remedy ªË8©.
Ä7ûô( completeAnyMissionOnXDifficultyToUnlock åš;²/
äž]¡" missioninspector_difficultylocked ìþ!¦0
OòØ" ThisMissionRequiresAtMostXToStart Î 1
¡fì)# ThisMissionRequiresAtLeastXToStart àVRm2
’ð MustOfferXItems o%í—3
¬ÙÔ‹% NoAncientMobsRespondToTheseOfferings ª•¾Ä4
±x·ö NoAncients @Ìâ5
ø,mÎ OfferingsTooWeak Cò×o6
éï‹Ö MustOfferAtLeastOneItem bA±Q7
çƒWÝ AcceptedHyperMission W".å8
è‡i% OfferingTotalItemPowerMustBeAtLeastX ‹Ž³=9
a²
Ö xDifficultyLockedTemplate !ʈN:
˜ñ4< MobType £ uîîo mob_MooshroomAncient 2šd;
I¨“ mob_AbominableWeaver oìËí<
ðùoW mob_AbominationVine :s‹=
&h—n
mob_Agent uë?
>
)Äl mob_AncientTerror åb0?
ôôø mob_ArchIllager öT¼å@
#ŸHÃ mob_ArchVisage ^-ŠvA
*3Sƒ mob_ArcticFox µ:=½6 Wl õ mob_BabyChicken Úv~F ¯+W
mob_BabyGoat 2ýÑH ¥Žã mob_BabyPanda R¬ 'B
Oøþ mob_BabyPig ¶ÑzI (ü mob_BabyZombie ¿>C
#Ú\ mob_BabyGhast ³RµQD
Ø
t mob_Barrage Až E
Àê_m mob_Bat îx‘_F
ÀÔ° mob_Bee îF~3G
:·ˆ
mob_Blaze V¹ìH
7Šˆw mob_BlazeSpawner wdÕæI
¥t[* mob_BrownPanda N¯_nJ
öP¡ mob_CaveSpider ·ìì,$ °Ú` mob_ChargedCreeper í¤K
n(Àõ mob_chicken ŠÍÕ8L
\h¨ä mob_ChickenJockey yÝM
Åz mob_ChickenJockeyTower †º§ÏN
@{Ûz mob_CauldronBoss ¯^O
sÅñ mob_Cow ]‰ÃP
˜ñÀP mob_Creeper Ü·j«Q
,Ùµ~ mob_CursedPresence \ô·iR
ç“ mob_SilverBabyKey °³fS
Jug mob_Donkey Ü¿qT
ý¾æ mob_Dragon È(ÆðU
…€©ˆ mob_ElderGuardian ŽŠ¤³V
*6Zb mob_Enchanter ºé5oW
;Ó=
mob_Enderman Ô’í#X
#â²Õ mob_Endermite ³=ÝØY
tú4; mob_EntangleVine M[ÕZ
FC‡ mob_Evoker s鉑[
UþÉŽ mob_EvokerFang 5§‹\
Þ€t* mob_FalseKing ïœq]
Eô{u mob_SheepFireRed wˆ®[^
)À\ mob_FirstEnchanter æwÎA_
¥×âi mob_FrostWarden ÆiÛ`
Qd_Q mob_FrozenZombie QiÆa
º[úÕ mob_PiglinFungusThrower W‰Éb
=F" mob_Geomancer ™u/c
+Q–² mob_GeomancerBomb ýid
¬ë mob_GeomancerWall 2º50e
Læ€
mob_Ghast Näf
ž>2¾ mob_Goat M!æg
-Yr8 mob_GoldBabyKey %Ûù/h
MÉg mob_GrimGuardian ê9Boi
úzñN
mob_Guardian ;Pj
7á mob_HauntedCaller *ö%)k
\™pÏ mob_ArchVessel jãzªl
ùuüï mob_Hoglin Ìã6ùm
î
£’
mob_Horse ½‰ön
B?¤® mob_HoveringInferno jºŒlo
¦-à mob_Husk u2ÇÃp
ÿ*Æ mob_Chillager Þºšq
®pJÛ mob_IcyCreeper eKÌër
¼3† mob_Illusioner À«Ç¦s
Ʋdk mob_IllusionerClone À«Ç¦s
LQñ, mob_IronGolem tW;Åt
æ§ý mob_JackOLantern ” Du
UË†Ï mob_JungleAbomination ]Vƒv
¨
„É mob_JungleZombie :ÿæw
>&Ä mob_SlimeLarge ü{ªx
OñžL mob_LazyPanda Göy
iÆ mob_Leaper ƒZ z
ÞSh
mob_Llama T]û{
+ÉÔÑ
mob_LlamaMob T]û{
T˜²} mob_MagmaCubeLarge H©µö|
õ{ÔH mob_MagmaCubeMedium H©µö|
Hü- mob_MagmaCubeSmall H©µö|
Š[ä mob_SlimeMedium jb
}
èRøÍ mob_MinecartChest 1v“Ç~
[Tö mob_MinecartFurnace ÛÃÕ
r—• mob_MinecartHopper /S—€
Æëoå mob_MinecartTNT ÆYg€
S[N| mob_MobSpawner ظ‚
Èf©@ mob_Mooshroom X¹ÆMƒ
Žb¢ mob_MooshroomMonstrosity 4api„
á†\ mob_MossySkeleton ¶)m…
T|£ mob_Mountaineer 7šm†
¤ß mob_Mule ×»Úü‡
xŠ!ˆ mob_NamelessKing ¼e—ˆ
YÕå mob_Necromancer :ì–‰
ÒùŠ mob_Npc ükD'Š
zä¹s mob_Ocelot Orse‹
Úc mob_OozingMenace ]0é„Œ
®ä#Ï mob_OrdinaryHorse UË«
ÊŽ2?
mob_Panda ™
š[Ž
þÛ mob_Parrot >ˆ4Í‹ !: mob_PestilentConjurer Lø˜
gz5 mob_Pig Ièû.
Ñ~¬Z mob_PiggyBank À?à‘
þ³L mob_PiglinMelee š=sÐ’
ÿ2¾ß mob_PiglinRanged ÏdI|“
ݍ5
mob_Pillager tE+”
`èc) mob_SlimeCauldron ¹SCî•
Ðuyg mob_Player åã³q–
CþfŸ mob_PlayfulPanda ýÁ`—
ÔKÃ mob_PoisonQuillVine ðA…˜
šØ™_ mob_PoisonQuillVineSimple ðA…˜
<}— mob_SheepPoisonGreen òãõƒ™
Ï~êi mob_PolarBear É^³Yš
‡LòN mob_QuickGrowingVine ¯ffÊ›
U> mob_QuickGrowingVineSimple ¯ffÊ›
á•. mob_Rabbit Ôž_8œ
³Q‡ mob_RampartCaptain s鯹
[¥Ž mob_Ravager ã+už
éÛ|& mob_RedstoneCube ,|صŸ
S+l& mob_RedstoneGolem ‘Å¥
Û
, mob_RedstoneMonstrosity ÓË°[¡
,j¹½ mob_RoyalGuard 8Nèã¢
´Y}
mob_Sheep çÚÕ|£
ÍCõ mob_Shulker ‰_„¤
ame” mob_Silverfish õ$3¥
ã(ˆ
mob_Skeleton iå–¦
ÃFh„ mob_SkeletonHorse SµøJ§
GÞê mob_SkeletonHorseman U”Ž'¨
"BŽ¤ mob_SlimeSmall îÁ0©
fKï mob_SnowGolem z¸£pª
¦ËCø mob_SolemnGiant …’à«
_î mob_SoulWizard 8ß䟬
•‚â mob_SheepSpeedBlue Oúå
k93í mob_Spider ^¯ùû®
!h~3 mob_SquallGolem s‘D¯
Qí§
mob_Squid ÜÒEð
áñºØ
mob_Stray ²r¼±
Mˆ¬ mob_TempestGolem ɨ²
ãü‹» mob_TheSeekingFlame ŒA'ž³
³khy mob_TheTinyScourge ç³ØÏ´
þŒ‹]
mob_TheTower Yè`«µ
Ǥú1 mob_TheUnending |Pw÷¶
vId mob_ThunderingGrowth ž•D)·
© mob_TripodCamera ‹]€‰¸
·ÿ mob_UnbreakableOne ”e¹
øù¡ mob_UnstoppableTusk Èöj…º
Ô A mob_SkeletonVanguard \
Z»
ݬ mob_Vex /ž¼
Í /d mob_VigilantScoundrel ‹e ˜½
¤¨|
mob_Villager KRNb¾
|/Ž mob_Vindicator ·D)¿
³Ï39 mob_VindicatorChef <š^¡À
e
?ð mob_Whisperer õÕPýÁ
ï ñŒ mob_WindCaller M’‹×Â
f mob_Windbeard ’¹rÃ
ô‡<
mob_Witch Kw/XÄ
ñÎ mob_WitherBoss Üñ5]Å
zƒ mob_WitherSkeleton G€ó@Æ
zõ9® mob_WitherSkeletonRanged °Ur~Ç
ÅŠ 9 mob_Wolf •ÔÈ
ÄÍø
mob_WoolyCow SíYÉ
WÉò, mob_Wraith b_8:Ê
OÏE mob_WickedWraith ÑnË
ø(/ƒ mob_Zombie ;å•Ì
¾£é¢ mob_ZombieHorse úh3¢Í
ÞšJm mob_ZombieVillager 墔”Î
5Reœ! mob_ZombifiedPiglinFungusThrower Âô›Ï
°ï? mob_ZombifiedPiglinMelee ¤nšoÐ
U(¥$ mob_ZombifiedPiglinRanged :~OÑ
ÓÍ“ mooncorecavernsLabels •šø& description_defeat_the_redstone_golem
¾ÄÒ
¡äö description_free_the_villagers #ž
Û… ÏûŸb" description_exit_through_the_gate }ôáêÓ
^áÜR! description_reach_the_mines_exit }ôáêÓ
8j5 name_left_behind B/š€Ô
Ë<¾. description_find_the_other_villager_labourers Úé Õ
ã¿»1( description_find_the_villager_labourers Úé Õ
Î+«} mooshroomislandLabels ‹…þ name_mooshroom_island <ÆÍé¦ ¯H}©# description_leave_mooshroom_island >lVÖ
>$¨L description_moo! Ãv€×
’nü description_moo? oVÊ0Ø
MÞ3.
NavBarLabels š’ú> Nav_Enchant ÛYc® 6}œ”
prompt_Press Ý„‰iá þæ%m prompt_toSkip A=.ìÙ
ðÇ!h netherfortressLabels EŒ†‚ desc_nf_11 ØC ðÌ b´ûÓ desc_nf_06 oÍ ÛŒ,N desc_nf_01 äûý é|òy desc_nf_04 •öX QÃ$3 desc_nf_08 µDÎ MmÅ name_nf ´bFÏ ŒNÁ desc_nf_05 ¢FØ6Ð PD%ä desc_nf_03 Š¸9”Ñ ÓGk desc_nf_07 §Ë“³Z 4¤˜‹ desc_nf_09 žŠ†¡Ò 5#™\ desc_nf_02 tû%Ó ë:: desc_nf_10 O]»>Ô v2S¢ netherwastesLabels m´› desc_nw_06 çxiÚ
|# desc_nw_07 çxiÚ
Ô#c desc_nw_01 àdÛ
:ŒÖ desc_nw_02 àdÛ
ƒ´‰ desc_nw_05 oÍ ·]§- name_nw ‹Ú _ëj¬ desc_nw_03 žŠ†¡Ò æÓ½1 desc_nw_04 &÷¥‰Ü
ƇŠØ NetworkUILabels >C•: player_1 k³“xƒ Ðì ( player_2 …&j„ µ‹œ player_3 à{šÒ… ³K
player_4 YCMO† …ö
player_index #Ha<Ý
“[Á. NewStringTable %¨¸i sub_wraith Õà–¡Þ
¢&<ý sub_outro_now ú0$*ß
Á‘KÊ
sub_wretched M‰Ìà
æÕ¹ù sub_distorted æ‚~»á
ö@¡ sub_source ó¹Lâ
*)` sub_outro_thaw w¢6ã
@¨Qj obsidianpinnacleLabels Ëa¢$ description_defeat_the_arch-illager øoO°ä
¾z´* description_follow_the_trail ÛC_å
åë™2 description_activate_the_beacons_to_close_the_gap ¿ùæ
iN& description_confront_the_arch-illager Ó´£‡Â °˜Lì name_the_eye_of_the_storm r®§ç
q'-£ ObsidianPinnacleSubtitles ½Zmó sub_unintelligible þ>iè
—Ÿ¿Ê
sub_tower )lûDé
¾¶nÝ sub_tonight ò°ï¬ê
<ñ*Ó
sub_ramparts 0°ÞOë
aí4 sub_far $NÕ5ì
2Ã#L online q Q² popup_invitePending .|1=
_…* OutroVideoSubtitles ¨]Í[ sub_evil TØN¾í
ÀŸã sub_heroes ]ë
î
€nÐ sub_thanks x¡Lï
Ï¡X’ sub_arch Bwµ–ð
²q±
sub_enemy :B¥ñ
\“>
sub_wasnt 'f.¨ò
SÒG‘
sub_until &"Fkó
AiVR
sub_defeated ó‘Çô
æ‹ð‡ overgrowntempleLabels å»- name_ot_02 îìg¶õ
ûV description_ot_c_02 ¾*Íö
eÅ‹º description_ot_b_01 É8;÷
·gÒ description_ot_g_02 „1ÙW ¯G¹å description_ot_g_07 æÓ¶d£ øÐÛj description_ot_g_03 ÎB ¶ø
Ê ] description_ot_g_06 –¼$où
Aè÷ description_ot_g_04 6[Ýtú
ôTã description_ot_c_01 ãñ¹¶2 €Ü • name_ot_03 ßàéû
$°O description_ot_g_05 ©@B›ü
sÒÀ description_ot_g_01 hCòOá —qC“ description_ot_a_01 ±P¯»¨ ©? name_ot_01 ÔGð »Ëðg description_ot_k_01 EÉ$Ký
Lf OvergrownTempleSubtitles ý§¤Û sub_abomination "–â3þ
–ë*
sub_creature I”Ô‹ÿ
'<s&
sub_beast K“?5 ¢“´ sub_overgrown œ`yÕ ðGÖè sub_outro_nightmare —*Ø +ŒP
sub_fight ®áú §Q$ú PlatformSpecificTerminology * óýK PS4_settings_deadzoneLeft_hint ç+9) <e¼›" SWITCH_settings_deadzoneLeft_hint ç+9) ¢–# XBOX_settings_deadzoneLeft_hint ç+9) ~ÚŠÁ PS4_settings_deadzoneRight_hint 2±¸S* Ÿ¬…4# SWITCH_settings_deadzoneRight_hint 2±¸S* D1ÊÔ! XBOX_settings_deadzoneRight_hint 2±¸S* ¤¸¨ÿ SWITCH_controllerButton GF {WL» config_crossplatform_play ”ý:fy g‘Ìf MSA_configureOnlinePlay_hint Å}/O ÅWM PS4_configureOnlinePlay_hint Å}/O •¾Oc SWITCH_configureOnlinePlay_hint Å}/O {“· PS4_connectController ´ü9 ŠC
Ö SWITCH_connectController Ÿ‡OÉ –<Ÿ connectController =´ó. zíÑR crossplatform_play_cap Ä3¶G ä4$G PS4_controllerCapitalized 3‚
~Ï PS4_settings_controllerSettings H´»Œ ‰Ñ9 PS4_controllerName ¸bÑy Ù¹rš PS4_settings_deadzoneLeft PCÊ£“ xÑò SWITCH_settings_deadzoneLeft PCÊ£“ ´6V XBOX_settings_deadzoneLeft PCÊ£“ ôá´· PS4_settings_deadzoneRight Úb¡” íz_ SWITCH_settings_deadzoneRight Úb¡” h$“H XBOX_settings_deadzoneRight Úb¡” ÅÔT½ PC_local_players iC»
Þ^ PS4_local_players iC»
` SWITCH_local_players iC»
lÌ.Ð XBOX_local_players iC»
»- MSA ž¡Ïò ÏYº NSO ^e²ë ¼>^X NSO_membership +3>“ °Nã PS4 ¸VŸË :pÚø PSPlus ìÀÎ HGÌç PSN ô¼ì ˆÈØû XBL §‹4Ø 3Ë·É MSA_a %o³ A0¹) PSN_accountFor цŒ KZ× SWITCH_controllerName $P–ö áÁí XBOX_controllerName $P–ö h¿€ crossplatform_play ˆŒ!Í cý PS4_controllerName_short ·´EÜ · Ð MSA_your 8Í•S ÊõN0 PlayerCharacter 0C÷: action_revive ç°x „¹<é
PlayerStatus Zð’ playerstatus_joined =Õ„ Ì>Œ½ playerstatus_left ör÷" ÍÅL playerstatus_unknown Ú¨^ þø PopupMessageLabels d?þ Popup_Internal_Error gAªÞ Ü1ø• Popup_CheckInternet ‰W«Ñ ñž½à Popup_GuestAccount |g! ‹à´Õ! Title_MissingBaseGameEntitlement î2" Yz¯ Popup_LogoutTitle †U<^I Ó+ò Popup_LogoutDescription µA<\# ôpŽ6 Privileges_ErrorTitle döá{Á ·Ë Popup_ConnectError /° {$ ‰gÊ( Message_EntitlementVerifificationFailed ¯—% ;,¾# Message_MissingBaseGameEntitlement Õª>& 6ìWC Popup_already_linked_PSN C¹H' ]£¢K Popup_LinkErrorMessage àD„( ç|ÇW Popup_LinkErrorHeader òùèƒ) M³–& Title_EntitlementVerifificationFailed -jF* ¼šÔÓ Popup_PlayfabLoginFailed é%€Ï+ Å[¨+ PopupLinkErrorMessage YSH, ¿l,C Popup_LoggedInOnAnotherDevice :5‚- Ã$¨¾ Retry_Signin_Hint O‚{6. 4E† PrefabInteractableLabels % Em/Y action_activate á’–Æ ûðl action_activateSluice Ú…rÿ/ 1¡Zå action_awaken æR¥§0 ñ©ÃF balloontip_capturedVillager .ˆ¨1 ‹p0B prefabitem_cauldron {^F»2 ¯7¤Ú prefabitem_chest 9Þ¥©3 ·` action_destroy l@g4 ¾‚Ï action_disturb f/uÈ5 _/Ø' chestreward_unlockRequirement_emeralds GºM6 X#Ǿ action_exit è#±È ~Z2 action_free ÎbÖÍ7 ¬ýÇu action_grab Å#z8 «ô™º prefabitem_inventory .(³ Ûr action_investigate Éêv9 «]HK prefabitem_lever =´I8: ±á®¿ prefabitem_lobbychest ¬.D; µ“øÊ
action_lower ~B_W< ¨…´‚ prefabitem_newLocation \ä´;= >Ms$ action_open Žu—+> ¥ÌÕñ balloontip_openGates KíS ? o÷© action_pickup !ð‘ àØŸ action_placerunes ¹öR:@ ;Õ( action_play ‹íÌA *°[a action_pull šˆ¿nB ú¢K action_push J<FD ¤q$ action_rescue s‚éfC HµÍz action_ring ø)uD ú`6 action_setupcamp ƒ-E ™ªT·
action_smash R{ó*F ½l¹Í action_take
T] —£' action_talk '*G(G -òó prefabitem_townbell Ü„ÝŸH òÑ&a action_travel %"Ù#I †° action_unlock ÆuORJ Ç%"È prefabitem_urn ®ýêK ²£ action_view ¶Šk¬L uÁ*J prefabitem_chestrewardEmeralds ¬øŽåM ä?ÉÓ Privileges
cÛp RequiredPatchAvailable n«ÄN UÖ? RequiredSystemUpdate ¹]ˆäO $ô
o AgeRestrictionFailure F#=rP m-ûÈ OnlinePlayRestricted “×c÷Q g~Ò% ChatRestriction °NåR í|µf UGCRestriction ¸Ì&S ãâZÜ
UserNotFound X>ÅT žèëk GenericFailure ôb·‰U 1-†y NetworkConnectionUnavailable ¨ÍVŠV *Q¨Š UserNotLoggedIn eý¯£W åÄQ‘
ProgressStat Æ™ WIN_HYPERMISSIONS úe=/X F5è9 DEFEAT_EVENT_MOBS_desc_one 2‹}ÉY ø]J DEFEAT_ENCHANTED_MOBS_desc_one ’òZ *Œ‰7 DEFEAT_ENCHANTED_MOBS_desc_many ÇåýË[ 8GPÊ DEFEAT_EVENT_MOBS_desc_many L?ý[\ é9M DEFEAT_ENCHANTED_MOBS ò“¨ë] žg¡ GIVE_GIFTS K î™^ È»Þß GIVE_GIFTS_desc_many 1æ€_ DPKº GIVE_GIFTS_desc_one ©Oa` a«¾…
WIN_MISSIONS ª“…ra €¨s• WIN_MISSIONS_DIFFICULTY ©G«b |•{› DEFEAT_EVENT_MOBS šþƒÁc †ƒx- WIN_HYPERMISSIONS_desc_one ²×´d ûuU WIN_HYPERMISSIONS_desc_many ®Ôk›e ü·d¥! WIN_MISSIONS_DIFFICULTY_desc_one ‹èÑf ç%& WIN_MISSIONS_desc_one ˜}ý„g .¡4" WIN_MISSIONS_DIFFICULTY_desc_many ¬e]·h ÕM¾À WIN_MISSIONS_desc_many ¸VMi M%½é pumpkinpasturesLabels ¿kÒÊ& description_escape_into_the_town_hall •j ,ûm‡ name_scape ¬Rƒk €J£0! description_reach_the_drawbridge ò„Ƶl ž™sU' description_find_the_unspoiled_village R'yƒm íØD ! description_lower_the_drawbridge W8ŒÔn 5ªëâ5 description_ring_the_town_bell_to_warn_the_townsfolk Ëo ð*¥' description_survive_the_incoming_horde \ swp N·@ name_the_last_hearth ä£'®q Ïõz PumpkinPasturesSubtitles 8ËV sub_outro_villagers ·\šór š§
sub_haste ¿Ï×s Äaóê sub_unspoiled Åñ$t ð!ÿ
sub_raids õ:Êôu ÊÝ sub_hope YNmv ÈH]U sub_outro_youdidit y HÈw Ð§É sub_warn Ï4{Úx "$Ö¯ Realms
iŸéù IslandsRealm_lockedTravelText 4ë™Ôy 1ptû& OtherDimensionsRealm_lockedTravelText 4ë™Ôy /L– IslandsRealm_name °¸êz ÿº ArchIllagerRealm_name ù–1´{ q% OtherDimensionsRealm_name G0 :| µ7?O# IslandsRealm_lockedDescriptionText %«¦}} #Û‡+ OtherDimensionsRealm_lockedDescriptionText Ž‘qÍ~ ÓS¾ ArchIllagerRealm_travelText ³å¡n ôá IslandsRealm_travelText ³å¡n É_™Ó OtherDimensionsRealm_travelText ³å¡n æ}¯ RedstoneMinesSubtitles RÄè
sub_brave R/f€ Þ7Œ9 sub_outro_rumourstrue Ä㉠5o•1 sub_outro_forge ýØgý‚ å/tø sub_rumblings ®ò¯Oƒ ku8À sub_rumours §~OK„ Sªí‘ sub_uncover ÈÂú… ú#± sub_beneath ‡Š£‘† H«, sub_soot Â@l· ]Ò Save_Data_Character ý Save_Character_Date _hjúˆ cWpÕ Save_Character_Rating ?@‰ µ¦Š Save_Character_Level ‘”ˆ' ÔwåÞ Save_Character_Title `QØŠ ±i Save_Character_Detail ù„ø ‹ Xî Save_Data_Global Ù:ì Save_Global_Detail }Àå"Œ [8{÷ Save_Global_Title j¡å ¦F|S Save_Global_SubTitle ñ¤nEŽ ùÿ¬ SettingsLabels òao settings_controllerButton GF ÜÜ®± changeLanguage_hint ©òÐ ÑJN confOnlinePlay_name øŸÖgz Ò:ý} confOnlinePlay_hint Å}/O |u”* setting_Off
ïë1r *’Þ setting_On fNt D setting_OnWithSoundDescription “»Ä ÈÉ*‰ settingsCue_toggleAllOff Î9»œ‘ m%) settingsCue_toggleAllOn
´½Û’ ÇX_ SettingsLocLabels Þ4”Y Lang_ChineseCN Öè-»“ Ëä%5 Lang_ChineseTR >v‰” ï=‹o
Lang_English &DÂi• ) Lang_English_UK >ÎE– 8Ay Lang_French BØ¡— #èò Lang_German iü™˜ Zx
Lang_Italian i#1‰™ @,a Lang_Japanese j܇š 2Wú Lang_Korean Hˆs› §QØ5 Lang_Polish ÝŽ8^œ ÛO Lang_Portugese_BZ êúZ\ /À<ï Lang_Portuguese_BR êúZ\ Èš\‘ Lang_Portugese_PT "“÷ž •…¶X
Lang_Russian \üÿ^Ÿ ~@~ Lang_Spanish_MX Œ]Ð
ñuÅÒ Lang_Spanish_SP Ñø.(¡ -öä
Lang_Swedish ßT¿â¢ ð¤›Õ slimysewersLabels RËEÏ name_level_placeholder OUñ£ Ž¹q description_reach_the_end .¹–ž¤ f‚m” soggyswampLabels
–Äùü name_a_perilous_potion '<vŽª ZÔ<‘# description_destoy_the_witch_brews rîÐd¥
Ë b# description_escape_the_soggy_swamp ¢LW¦ ûg ÷# description_explore_the_lost_ruins QJR§ ƒÕ‰0( description_find_the_enchanted_cauldron €á‚Õ¨ !£'| description_find_the_lost_ruins °Lóh© ‘Aâ*! description_find_the_witch_brews çÿŒª «ÁŽã" description_return_to_the_rowboat Ò⹫ 88–) description_smash_the_enchanted_cauldron t]ˆ€¬ #¸·Ð name_the_lost_ruins H¢Êü Þ$,¨ SoggySwampSubtitles
i6WJ
sub_coven µyw 6?‹ sub_carefully °¤6^® (™ sub_defeat 6Ru¯ G‹¬Æ sub_outro_recover Ò¶½° „. sub_outro_supply "øHI± ð÷6'
sub_brews -'‰·² =w, sub_well cÿá³ Þ”ä™ sub_unstoppable MôŒ´ »›å4 sub_horrors €y&±µ +xf sub_empower åšL϶ Ò~ SoulsandValleyLabels é> description_sv_g_04 5‚ãE· 0Î description_sv_g_01 x§%ƒ¸ Þ¶{ description_sv_g_02 x§%ƒ¸ øÊì® description_sv_k_01 ð°×a¹ ·UÿÝ description_sv_c_01 5³ÿDº »ÑÇ£ description_sv_g_03 ëM=,» ¦§ù‹ name_sv_01 °&œë Ôp_Z description_sv_a_01 *Ú”…> Àq#Ÿ specialtileshubLabels EŒ†‚ desc_nf_11 ØC ðÌ b´ûÓ desc_nf_06 oÍ ÛŒ,N desc_nf_01 äûý é|òy desc_nf_04 •öX QÃ$3 desc_nf_08 µDÎ MmÅ name_nf ´bFÏ ŒNÁ desc_nf_05 ¢FØ6Ð PD%ä desc_nf_03 Š¸9”Ñ ÓGk desc_nf_07 §Ë“³Z 4¤˜‹ desc_nf_09 žŠ†¡Ò 5#™\ desc_nf_02 tû%Ó ë:: desc_nf_10 O]»>Ô À£l² squidcoastLabels (Ê£ name_a_cry_for_heroes ðê ¼ &ÿwÞ description_defeat_the_invaders ®¾DL½ Õļ description_defeat_the_zombie! Qé ¾ ž¶ó description_go_to_the_village 4è¡>¿ –$¶" description_secure_the_inner_gate ž”BkÀ ªõþŠ% description_set_up_camp_outside_town ¼¢ ÙÁ lÙ‚Ü% description_shoot_the_skeleton_guard vMíâ Èz description_survive_the_ambush! ÅÄÀà &õÜf SquidCoastSubtitles
‹4]E sub_makehaste ²Ô8Ä ÍÓ’½ sub_nodoubt D±t²Å ÿª+ sub_burning ·
DÆ Ë€€Ì sub_theysweep žr±Ç qD sub_outro_somewhere Rå1È =ÓÇ sub_thisisatime "d’ªÉ 15ÿ¦ sub_outro_late Q©ŽsÊ ^±~q sub_outro_fret È7Ë _†Ù sub_subjugating ˆTcîÌ *«Ø sub_outro_hero ²N”Í lÀ³) Theme =±½ Theme_Hypermission_Locked å½Î •ÒÛs Theme_Normal_Unlock_Desc 7åYv •Æ Theme_Daily ¯ÀaÇÏ Þ·w(
Theme_Jungle m֤Р§«Òz Theme_Normal_Locked iÁGUÑ äTV Theme_Mountain /åˆÒ Æ„˜M Theme_Hypermission_Locked_Desc ð¹¢Ó Å®ì Theme_Seasonal ù¯¶ÆÔ ;ÉéŽ
Theme_Secret ˆyHÕ 4GЗ
Theme_Spooky ‡÷qÖ *êÈ
Theme_Weekly ¨šKD× êÒÅ÷
Theme_Winter Ybd{Ø ½áƒÀ TitleNewsLabels †p©ß
hide_news f™uÙ ¹\r hide_x aä\3Ú ¡”cÒ
news_feed <òoÛ ]Sr
show_news ½hýØÜ ŠÕ•+ show_x A ¥Ý ûå? Trials šµ. category_artifact zˆ€¤Þ à£ô& cant_start_an_already_completed_trial ½—¨6ß Jì®í completion_rewards iZYÉà „éB title_dailytrial Ñ„+“á >=ô daily_trial_completed ™aˆcâ ¤¥# no_drops_during_mission {&„þã ùŠ±Ò no_mission_gear_drops w0úìä ú¿v! no_rewards_before_end_of_mission =‘(å ±X¯ rewards »ç™æ "å>Ñ title_seasonalTrial —*…ç %ãu secret_mission ¹qNè µË‹2 start_secret_mission ùƃé ;}¦ start_trial Œ¾¥½ê êìõ¬ start_x_mission_template êW‹ë M£Óž successfully_completed_trial E¾‡ì l(Rï trial_completed r9Žãí ®Ëw trial_completion_rewards UÔî þ¤ðU trial_already_completed ,ÐBYï Å5ßI trial_reward_already_claimed ÃU„ð Ì*] trial_reward_claimed Bò(ñ GøÐ title_weeklyTrial ‘ÁÕXò üð”T x_trial_completed_template C"iÔó 7ØA« x_trial_reward_claimed ua.ô ÙTY UnderHallsLabels F湺 name_abandoned_cellar ¦‰&p¶ ‘Uœ$ description_descend_into_the_cellar F‡óf» ›Þè« description_explore_the_cellar ŸAË ¼ ¶P† description_explore_the_prison eYŽj½ ÿ¥þ name_forgotten_prison Êaß¾ qq name_highblock_halls §Hao¿ #B‘& description_leave_the_forgotten_halls úqVõ (e name_what_lies_below صXö ¿!×w UObjectToolTips g `< Anchors:Maximum ðIp÷ )ªˆŠ Anchors:Minimum p©èîø 8Ç<< SlateColor:SpecifiedColor @«5êù Ûr SlateColor:ColorUseRule ÿýØú áÒUœ
UpsellLabels ÇÖá upsell_availablenow ΂îû º(qð upsell_availablesoon g(
}ü òœ(? upsell_comingsoon I¦Ãý (º1u dlc_downloadablecontent èK-þ ‘ï dlc_expansion Àûÿ ‰3û upsell_learnmore wc 0‡å` dlc_missionpack ÓL y™ upsell_preordernow özï¸ ¯šP dlcinspector_purchasetoplay [›yT EeW^
ValuesFormat A
5
Ó% commaseparatedlist_finalanddelimiter ùið· ãÅÿË$ commaseparatedlist_finalordelimiter ‚úï [ä§ every_ordinal_more_than_1 î>IJ !‡Þ commaseparatedlist_anddelimiter NÉk Íä~b commaseparatedlist_delimiter NÉk ˜`a¢" commaseparatedlist_finaldelimiter NÉk 5®õ± commaseparatedlist_ordelimiter NÉk ÿ°l
ordinal_0 í°t¹ ¡Û¸ô ordinal_10 ¥éjq ļL ordinal_11 Ê¥Ïê
*±^ ordinal_12 :wQ Ot
æ ordinal_13 U;ô öLÚ{ ordinal_14 ÚÒlr
“+fà ordinal_15 µžÉé }„ÓÑ ordinal_16 ELWž ãoi ordinal_17 * ò Nó1 ordinal_18 [Ÿfw +”°‰ ordinal_19 4ÓÃì š×И
ordinal_1 ¼Û2 BÜ7z ordinal_20 W]¢X txeŠ
ordinal_2 )¼âò Ù2
ordinal_3 "ÔSB ¨'¯
ordinal_4 ’‹rº Í@²
ordinal_5 ýÇ×! #ï
ordinal_6
IV Fˆ»½
ordinal_7 bYìÍ ˜Øå
ordinal_8 Æx¿ uÿd]
ordinal_9 |ŠÝ$ yx×e compact_player_Px_Template ÷¢m >$Ûi
fraction_1_4 \•Ü /÷}Ú multiplenoun_10 #x*g \Ö multiplenoun_2 Ñþ¼« ¯eŽ number_8 ”1øT! rÏ| number_5 ‰fWU" ¨³Ä number_4 ¬«+ù# .Sxñ
fraction_4_4 ¤6Ì$ ÎöE
fraction_2_4 ÑdŒ% ÊpÙ6 number_9 XÓ‰& ]
multiplenoun_9 휉Ô' 8m¥¹ multiplenoun_8
ÈäÙ( %Xmó number_1 ®€Šè) €Òsó multiplenoun_4 ï§ñ* åµÏK multiplenoun_5 c"K€+ pO every_ordinal_seconds_exactly_1 ) Zc, UE: every_seconds_exactly_1 ) Zc, n}Æá multiplenoun_7 ©.¾ò- ùÖ number_7 ×#¤. zY multiplenoun_6 ³ / ²"Ä multiplenoun_1 }I³E0 œ`ºn number_6 ˆ¦.I1 ®dY number_3 ¡*˜2 ¡ºà…
fraction_3_4 Í_ç3 9ê¤n multiplenoun_3 Q²f#4 Ë÷Øá number_2 8I™5 Qh~ò
fraction_0_4 À(¯ú6 @?ÑK number_0 À(¯ú6 fÊûU duration_for_seconds_exactly_1 ¸ÇY%7 Âuî duration_seconds_exactly_1 ¸ÇY%7 ý°× duration_seconds_more_than_1 ¸ÇY%7 |”œ" every_ordinal_seconds_more_than_1 ¸ÇY%7 €³„–! duration_for_seconds_more_than_1 „•48 Þ’ÏÄ every_seconds_more_than_1 „•48 Áf` ordinal_above_20 ²Þo9 counter_with_target \¶ «: ö23^ labeled_counter_with_target ³Ÿ‹¯; SsgT WarpedForestLabels òZ{Ú description_wf_g_03 ß»$< y’rp description_wf_g_01 ÷ö™ —=Çb description_wf_g_02 òdŠS€ ±AP× description_wf_k_01 ð°×a¹ ûã# description_wf_a_01 *Ú”…> ar3# name_wf_01 cüè
:Í WebBrowser \Ò0 Dungeons Web Browser \Ò0= ýð¸4 windsweptpeaksLabels ‡ó" description_wp_g_06 â}> ¿$¿ description_wp_g_01 iòtR? Ÿw- description_wp_g_03 QïÇ°@ ú‘ description_wp_g_02 {²«ËA &Oúˆ description_wp_g_04 KB¥B }\ y description_wp_c_02 1,ŒC “ók description_wp_c_01 ý`&¥D ðÖµì description_wp_a_01 ±P¯»¨ C(F0 description_wp_g_05 Ó+E õŠ0„ name_wp_02 •Má8F %…– name_wp_01 ÐãÓ{G ç89é WindsweptPeaksSubtitles è9Aé sub_outro_summit V3ñH å@vú
sub_scour Í4…ÐI ¯Ÿ
;
sub_havoc úƒÏJ vÓ sub_outro_hidden ¯˜iK ©óò>
sub_peaks "–+•L »$î sub_unless `n‰ M O/×3 sub_flicker ”UìëN O ] A parrot makes a perfect companion while traveling the Overworld. Just watch your language. - Press Any Button - - Press Any Key - 20 , <First>{Who} picked up</><Second> {Item}</> @ <img id="Default"/><First> {Who} picked up</><Second> {Item}</> B A Health Potion will restore your health instantly when consumed. Q A cape fit for heroes who are brave enough to face off against the Arch-Illager. ACCEPT ARMOR ARTIFACT
ARTIFACTS Above Maximum Difficulty
Accelerating Accept Gift Accept Request Accept request Accessibility Accessibility Help Center Achievement Unlocked! Achievement_Name Action Activate Activate Cross-Platform Play Activate Online Play Add Controller Adjust Brightness # Adjust the brightness of the game. % Adjust the brightness of your screen ' Adjust the music volume level in-game. Adjust the scale of the HUD. ? Adjust the volume of all audio in the pre-rendered cinematics. , Adjust the volume of ambient sound effects. < Adjust the volume of dialogue spoken in game and cutscenes. $ Adjust the volume of sound effects. $ Adjusts the FPS limit for the game. N Adjusts the anti-aliasing quality. A lower quality is better for performance. & Adjusts the display mode of the game. ' Adjusts the master volume of the game. f Adjusts the resolution of the game. Lower resolutions have better performance. Low to high list sort. U Adjusts the shadow quality. A lower shadow quality may result in better performance. ‚ Adjusts the size of the dead zone of the left stick, which determines how far you must push the stick before input is registered. ƒ Adjusts the size of the dead zone of the right stick, which determines how far you must push the stick before input is registered. ~ Adjusts whether subtitles are on or not. There is an option for subtitles with sound description too for the hard of hearing. Advanced Graphics All All Have Fallen Ambience Volume Ambient Occlusion 3 An error occurred while trying to enter this game. Another player is under attack Anti-Aliasing Quality Apocalypse Plus Apply Left-Handed Bindings Arctic Fox ž Are the squeals of delight coming from you or this adorable Baby Pig? Your newest pet is so cute you could eat it up! You could, but you probably shouldn't. B Are you sure you want to sign out and return to the title screen? Are you sure? Armor
Arrows Fired Arrows Hit Artifact Synergy Artifact in inventory
Artifacts Audio
Auto Pick Up Auto-Mute Game Available in English Only
Await rescue
B TO JOIN
Baby Chicken Baby Ghast
Baby Goat Baby Pig Back Balanced Below Minimum Difficulty Bind Always Bind Fullscreen Bind Never Blind Blocks Walked On Bloom Borderless Windowed Boss Burning Button Binding Conflict CHANGE
CLAIM REWARD CONFIGURE ONLINE PLAY CURRENT XP Cancel
Cancel Mission Chained Change ; Change your Microsoft Account Settings and learn more at: Character In Use Charged arrows Chat Chat Wheel Chat Wheel Shortcuts Chat Wheel Type Checking Privileges 1 Checking privileges with server. Please wait...
Chests Found Chests Opened Choose a message Claim
Claim Reward Clear Clone Close H Cloud services aren't currently available, would you like to try again? Collapse Combat Come Here!
Coming soon! Common * Complete the following to unlock mission: Completed any mission on Completed missions on Configure Cross-Platform Play Configure Online Play Confirm Conflict Connection Dropped Connection failure Connection lost Connection timeout ( Connection to the server has been lost. Controller Controller Map
Cosmetics
Cowardice Create New Credits Cross-save now available! Current Health {Value} Current Language: Cursor Binding Custom Customize Controls Customize the controls. DLC Daily Trial Daily Trials Completed {0}/{1} Damage Done Dead Zone Left Stick Dead Zone Right Stick
Death Barter Defaults Delete Delete Character Delete Hero Dense Brew Dialogue Volume Directional Roll Disable Cross-Platform Play?
Disconnected Disconnected from the server. Display / Graphics
Display Mode % Do you want to clone this character? & Do you want to delete this character? g Don't take a baby chicken into combat - unless that baby chicken is really cute. Luckily, this one is. Done . Double Tap the Firework Arrows to equip them. Download Hero Download Successful Dynamo EULA [ Easily adjusts the graphics quality of the game. For more options check Advanced Graphics. Edit Empty Slot Enchant
Enchant gear
Enchanted Enchanted {0} Enchanting Enchantment Points Enchantment point earned
Enchantments Enemies Defeated Enemies Hit - Enemies are balanced for a first playthrough ( Enemies are hard to defeat and hit hard ) Enemies are powered up to extreme levels , Enemies are ultra beefy and ultra punishing 5 Enemies move faster, hit harder and can even respawn Enemy Outline Colour Enter this code Equip Equip artifact Equipped Error ' Even more gear and artifacts available Event Ends In: Event Name r Every level up gives you an Enchantment Point, which are used to upgrade items. Open the inventory to try it out. Everyone Exit Exit Tutorial Expand FPS Counter
FPS Limit FULL! > Failed to create online game session. Please try again later. Failed to search for games Fanciest Fancy Fast Fastest Feeling lonely? Feeling lost? Find the objective > Follow the navigation marker to reach your current objective.
Forward Roll Freezing Resistance Frenzied Friend has fallen Friends
Friends Menu Friends Not Found
Friends Only Frozen Full Map Full Screen Fullscreen GEAR DROPS Game
Game Over % Game Over next time all players fall Game Over next time you die Game Over. Returning To Camp Game no longer exists.
Game over Ghost Form
Go Online Graphics Great!
HUD Scale Hammer Cape
Hardest Blow Heal Health Potions Used ( Health Remaining {Current} out of {Max}
Hero Cape High Hold & Release Hold to confirm Hooks Host c However, your inventory is full, so you'll need to salvage some items before you can make a trade. INVENTORY FULL Icon should be barely visible Icon should not be visible ÿÿÿI f y o u a r e a l r e a d y u s i n g a n e x i s t i n g M i c r o s o f t A c c o u n t t o a c c e s s o t h e r M i n e c r a f t p r o d u c t s o n o t h e r d e v i c e s , y o u m a y w i s h t o u s e t h a t a c c o u n t . Y o u c a n o n l y d o t h i s o n c e p e r a c c o u n t o n P l a y S t a t i o n "!N e t w o r k , s o p l e a s e c h o o s e y o u r M i c r o s o f t A c c o u n t c a r e f u l l y . P If you find it hard to navigate, you may find the pathfinding mechanic helpful. c If you stray too far from each other, you will automatically be popped back to the leading player. d If you want to save a bit of time, you can have all items automatically picked up when walked over. çþÿÿI n t h e n e x t s t e p , y o u w i l l b e g i v e n i n s t r u c t i o n s o n h o w t o s i g n i n u s i n g a n o t h e r d e v i c e , s u c h a s a p h o n e o r a t a b l e t . I f y o u c h o o s e n o t t o l i n k y o u r a c c o u n t s n o w , y o u m a y d o s o a t a n y t i m e i n t h e < H i g h l i g h t > G a m e S e t t i n g s M e n u < / > b y s e l e c t i n g < H i g h l i g h t > C o n f i g u r e O n l i n e P l a y < / > . éþÿÿI n t h e n e x t s t e p , y o u w i l l b e g i v e n i n s t r u c t i o n s o n h o w t o s i g n i n u s i n g a n o t h e r d e v i c e , s u c h a s a p h o n e o r a t a b l e t . I f y o u c h o o s e n o t t o l i n k y o u r a c c o u n t s n o w , y o u m a y d o s o a t a n y t i m e i n t h e < H i g h l i g h t > G a m e S e t t i n g s M e n u < / > b y s e l e c t i n g < H i g h l i g h t > C r o s s - P l a t f o r m P l a y < / > . Intro Video
Inventory Invite Invite Failed Invite Pending Invite Sent Invite by {0} Iron Golem Cape 4 Item rewards have significantly higher power levels Items Used Join Join Game Via Pin Join Session Failure Join my party Join other game Join our party KEEP OLD ITEM
KEEP THIS
Key Bindings Kick {0} Kicked Kill the zombie LEVEL LEVEL UP LONG BOW LV Language Language Select Last Chance Least Damage Taken Leave Leave Game Left-Handed Level Level Unlocked Level complete Licenses Light Bar Effects
Link Account Lives Left Lives: Loading... Local Saves Full Locked ÷ Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Elit ut aliquam purus sit amet. Vestibulum rhoncus est pellentesque elit ullamcorper. Suscipit tellus mauris a diam maecenas sed enim. Nibh tortor id aliquet lectus. Aliquam purus sit amet luctus venenatis lectus magna fringilla. Nullam vehicula ipsum a arcu cursus. Imperdiet proin fermentum leo vel orci porta non. Amet nisl purus in mollis nunc sed id semper risus. Sed vulputate odio ut enim blandit volutpat maecenas. In ornare quam viverra orci sagittis. Libero nunc consequat interdum varius. Eget magna fermentum iaculis eu non. Lobortis feugiat vivamus at augue eget arcu dictum varius. Ac felis donec et odio pellentesque diam volutpat commodo sed. Pellentesque elit ullamcorper dignissim cras. Sit amet consectetur adipiscing elit ut aliquam purus sit.
Interdum velit euismod in pellentesque massa placerat duis ultricies. Elementum pulvinar etiam non quam. Egestas erat imperdiet sed euismod nisi porta. Nisl vel pretium lectus quam id. Et malesuada fames ac turpis egestas integer. Justo laoreet sit amet cursus sit amet dictum sit. Donec et odio pellentesque diam volutpat commodo sed egestas egestas. Donec ac odio tempor orci dapibus ultrices in. Id volutpat lacus laoreet non curabitur gravida. Non odio euismod lacinia at. Faucibus purus in massa tempor nec feugiat nisl.
Amet nisl suscipit adipiscing bibendum est. Interdum varius sit amet mattis vulputate enim nulla aliquet. Sit amet aliquam id diam. Tortor vitae purus faucibus ornare suspendisse. Hendrerit dolor magna eget est lorem ipsum dolor. Ac felis donec et odio pellentesque diam volutpat. Senectus et netus et malesuada fames ac turpis. Consectetur purus ut faucibus pulvinar elementum integer enim. Orci porta non pulvinar neque laoreet suspendisse interdum consectetur libero. Proin sagittis nisl rhoncus mattis rhoncus. Mi in nulla posuere sollicitudin aliquam.
Nam aliquam sem et tortor consequat id porta. Arcu dui vivamus arcu felis bibendum ut tristique et. Eu mi bibendum neque egestas congue quisque egestas. Arcu cursus vitae congue mauris rhoncus aenean. Nunc congue nisi vitae suscipit. Cursus euismod quis viverra nibh cras pulvinar. Velit aliquet sagittis id consectetur purus. Sapien et ligula ullamcorper malesuada proin. Molestie at elementum eu facilisis sed odio morbi quis commodo. Vitae semper quis lectus nulla. Bibendum arcu vitae elementum curabitur. Non diam phasellus vestibulum lorem sed risus ultricies tristique nulla. Urna neque viverra justo nec. Volutpat est velit egestas dui. Convallis convallis tellus id interdum velit laoreet id donec. Lectus urna duis convallis convallis tellus id interdum velit.
Nullam eget felis eget nunc lobortis mattis aliquam. Velit euismod in pellentesque massa placerat duis ultricies. At erat pellentesque adipiscing commodo elit at imperdiet dui accumsan. Viverra nibh cras pulvinar mattis. Dictum sit amet justo donec enim. Scelerisque mauris pellentesque pulvinar pellentesque habitant morbi. Est velit egestas dui id ornare. Quis risus sed vulputate odio ut enim blandit volutpat maecenas. Natoque penatibus et magnis dis parturient. Massa placerat duis ultricies lacus sed turpis. Urna cursus eget nunc scelerisque viverra mauris. + Lots of enemies with powerful enchantments Low Low Health MELEE
MODIFIERS / Make Trade {Amount} Emeralds. Hold To Confirm Make trade Map Map Overlay Master Volume Max Tier Reached Medium Melee Melee / Interact
Melee Attack Melee Attack / Interact Menu Merchant Unlocked Merchant Unlocked! Merchants Unlocked Message your friends Mission Mission Summary Mission Unlocked Mission ending... Mobs are spawning More Move / Aim Move around
Mushroomized
Music Volume
Mystery Cape NEXT REWARD NIGHT IS HERE Need Health Need arrows Network Driver Error Network Issue Network error New Challenge New Difficulty
New Event New Objective New Objective. {New Obj} New enemy enchantments ! New gear and artifacts available Night damages friends in Night will hurt you in No
No Arrows No One No extra lives. No games found None L Note: A valid Nintendo Switch Online membership is required to play online. ˆÿÿÿN o t e : S i g n i n g i n t o a M i c r o s o f t A c c o u n t w i l l p e r m a n e n t l y a s s o c i a t e i t w i t h y o u r c u r r e n t a c c o u n t o n P l a y S t a t i o n "!N e t w o r k . ÄÿÿÿN o t e : Y o u m u s t b e a P l a y S t a t i o n ® P l u s m e m b e r t o p l a y o n l i n e . j Nothing to cry about here, this Baby Ghast is the best pet ever. Just watch out for accidental fireballs. E Now that the Artifact is equipped, you can use it whenever you want. OK OK! OR Oakwood Armor Off < Old and torn, this cape struggles to keep up with the wind. On p Once you feel ready to continue your quest against the Arch-Illager, open the map to select your next mission. One shared extra life. Online Online Unavailable Open Games Open Inventory Open Map ) Open your map and easily find your way. < Opens the accessibility help center for Minecraft Dungeons. N Opens up a sub-menu in order for the player to adjust their graphics further. Other Outro Video Overheated Sawblade Overwrite Hero P1 P2 P3 P4 POWER PUBLIC Pain Cycle Pain Cycle Charging Parrot Part of the {DLCName} DLC
Particles Pathfinder Pause Menu Phantoms are coming Pick Up D Pick up the Firework Arrows in the Artifact category to equip them. Pickup arrows Pickup artifact 4 Please check your network connection and try again. Poisoned Popping! Potion Barrier Power Powerful Pre Press & Select ! Press Any Key to Launch Dungeons Press Left Stick {0} to Join Press Stick {0} to Join Press any button / Press the button to send the selected message. Primary Private Progress Protection Public Put Down Quick Actions Menu Quick Equip
Quit Game Quit To Desktop Quit to Desktop RANGED REFUSE RESERVED DROP REWARD
Rampaging Ranged Ranged Attack M Ranged attacks need arrows. Pickup the Arrow Bundle to get some ammunition. Rare - Rare and Unique rewards are much more common
Read More Ready Received Recommended power:
Reconnect
Regeneration 1 Release the button to send the selected message.
Replay Trial Request Expires Required Reset To Defaults Resolution Restarting... Resume Game C Retrieval of cloud characters failed, would you like to try again? Retry Return To Camp Return To Main Menu Return to Camp Return to Checkpoint Return to Main Menu Returning to Camp Revive fallen friends - Revive your friends to chase away the night. Reward: * Reward: {name}. {Power}. {Rare}. {Desc}. Rewards are average Rewards are better Rewards are ultra good H Right click the Firework Arrows in the Artifact category to equip them. Roll Roll Charge Root Player SECRET MISSION SELECT SFX Volume SIGN IN FOR CROSS-PLATFORM PLAY SIGN IN FOR ONLINE CO-OP STEP 1 STEP 2 SWORD OF SHAUN Salvage Salvage Payback SalvageX Salvaged Screen Mode Screen Narration Screen Resolution Search and Manage Friends Searching for games Seasonal Trial " Seasonal Trials Completed {0}/{1} Secrets Found Select Select Difficulty Select Language 6 Select an item of your gear that you want to enchant. Select enchantment Ú Select how you want the mouse cursor to be bound to the game window. Smart - Bound during gameplay but not when in menus, Always - Always bound, Never - Never bound, Fullscreen - Only bound when playing in fullscreen. k Select language for text-to-speech and UI text below. Your current system language is selected by default. Select mission " Select which enchantment to equip Selected t Send chat wheel messages without having to open the Chat Wheel by pressing the associated shortcut key at any time. Send the message Session Failure Session Invite Session is full. Settings Shadow Form Shadow Quality Shoot the Enemy > Shoot the Skeleton! Arrows are limited, so spend them wisely. Sign In ! Sign In With a Microsoft Account Ÿ Sign in with your free Microsoft Account to enable online co-op with cross-platform play and join your friends playing on other systems in Minecraft Dungeons. b Sign in with your free Microsoft Account to experience the online features of Minecraft Dungeons. Sign out ? # Sign out of your Microsoft Account Sinister Cape Skeletons Defeated Skip Smart Bind P Something failed when attempting to save the cloud characters, please try again Z Sorry, the Minecraft Dungeons service is not currently available. Please try again later. Speed Down Speed Up Spiders Defeated
Spirit Speed Start Game Start Mission Start Online Game Start Tutorial Start in Story Strength Strength Potions Used Stunned
Subtitles Supplies here!
Swiftness Swiftness Potions Used 1 Switch Character Use Left Mouse Button To Switch Switch Profile TEAM POWER TNT Used TO CAMP Team Lives Left Team lives left Teleport Teleport to Friend 1 Teleport to Friend 2 Teleport to Friend 3 Thanks P That's one stone-cold arctic fox. No, really - it's cold out there in the snow! _ The Baby Goat is the perfect combination of head-butting toughness and heart-melting cuteness. \ The Iron Golem Cape, made to honor the mighty protectors of Villagers, now belongs to you. > The Microsoft Services Agreement and Privacy Statement apply. # The connection to the host failed. & The connection to the host timed out. % The connection to the host was lost. G The game detected an error in the network, you have been disconnected. S The host and client game versions do not match. You might need to update the game. v There are more accessibility options available once you reach the main menu. The settings below can be changed later. - There was a problem with the network driver. + There's plenty of messages to choose from! 3 This cape is the mark of blacksmiths and soldiers. ' This changes the enemy outline colour. w This game uses an autosave feature when the above icon is shown, please do not close the game or turn off the console. $ This invitation is no longer valid. + This will salvage the {item} that you own. & This will salvage your {item} reward. H Threat Level Changed to {threat}. Threat level rules changed to {rules} E Threat Level {threat}. Is Locked. Threat Level set to - {old Threat} Toggle Chat Wheel Types. Toggle Screen Narration S Toggle whether the game plays sound in the background when not in focus (PC Only). ? Toggles an in-game FPS counter, in the top left of the screen. ( Toggles controller vibration on or off. % Toggles whether V-Sync is on or not. 3 Toggles whether light bar effects are used or not. Y Toggles whether there are particle effects in the game. Turn off for better performance. 3 Toggles whether there is ambient occlusion or not. / Toggles whether there is bloom in game or not. Too expensive / Try to move around a bit to stretch your legs. ( Turns on/off hints during the tutorial. Tutorial Hints UPGRADE TIERS UPGRADED M Unable to connect to the Minecraft Dungeons service. Please try again later. Unable to join game. Undo Unequip Unique Unknown
Unlimited Unlink your Microsoft Account
Unlink {MSN} & Unlock by upgrading more enchantments Unlocked Upgrade Upload Hero Use Item #1 Use Item #2 Use Item #3 Use the artifact 5 Use the chat wheel to communicate with your friends.
Use your bow User Signed Out V-Sync VICTORY! Versions mismatch Very few enchanted enemies
Vibration
Video Volume View Controls
View Next
View Profile View the current controls. % Visit this website on another device WAITING ³ WARNING: The session you are trying to join is a cross-platform play session and you currently have cross-platform play disabled.
Would you like to enable cross-platform play? ˆ WARNING: This will delete your Hero from your Cross Save data.
There is no way to undo this action.
Are you sure you want to do this? ‹ WARNING: This will overwrite your Hero from your Cross Save data.
There is no way to undo this action.
Are you sure you want to do this? WARNING: Unlinking your Microsoft Account from within this game will affect all Minecraft games on {PS4} that have used this Microsoft Account.
You will not be able to use any cross-platform play features or play online co-op with your friends on other systems. ? WARNING: While you are signed out of your Microsoft Account, you will not be able to use any cross-platform play features or play online co-op with your friends on other systems.
You will need to sign back into the Microsoft Account before you can resume using these features.
Are you sure you want to do this? Ô WARNING: While you have cross-platform play turned off, you will not be able to use any cross-platform play features or play online co-op with your friends on other systems.
Are you sure you want to do this? WELCOME! Wait Warning / Was not possible to retrieve the game address. ûþÿÿW e a r e p l e a s e d t o a n n o u n c e t h e l a u n c h o f C r o s s - S a v e !
U p l o a d a n d D o w n l o a d o p t i o n s h a v e b e e n a d d e d t o t h e S w i t c h H e r o m e n u !
T o a c c e s s t h e s e o p t i o n s , a n d p l a y w i t h y o u r H e r o e s o n d i f f e r e n t d e v i c e s , p l e a s e e n s u r e y o u a r e s i g n e d i n t o a M i c r o s o f t A c c o u n t . Weakened
Weekly Trial Weekly Trials Completed {0}/{1} E What an interesting artifact! Pick it up and see how it can be used. T While no one can decipher its cryptic message, the Mystery Cape seems made for you. Windowed Wither % Would you like to play {y
} on {z}?
X TO JOIN XP YOUR POWER You You Died . You Have Fallen. Game Over Next Time You Die. ) You Have Fallen. Lives Remaining {Lives}
You are down @ You are no longer connected to internet. Check your connection. O You are only able to join games that are hosted by users on the same platform. V You can blast multiple enemies with a single arrow when using this powerful artifact. L You can choose from randomized enchantments for every item. Select one now. ¤ You can play Minecraft Dungeons online with your friends using a Microsoft Account. Don't have an account? Create one now for free and start playing Online co-op! ! You can teleport to your friends 4 You can upgrade your gear using Enchantment Points. . You do not have permission to join this game. You gained: 2 You have characters in all of the available slots G You have connected to Minecraft Dungeons with your Microsoft Account. b You have problems with the following actions:
{0}
You should fix them before you continue. $ You have signed out of your profile @ You just picked up an artifact. Open the inventory to equip it. = You must be signed in to a Microsoft Account to play online. You must enable {xplay} L You need to restart the game for voice-over language change to take effect. You were kicked by the host You were kicked from the game. You're already in this session. O Your inventory is full, discard your lowest powered item to claim your reward. F Your sword is effective in close combat. Use it to defeat the Zombie! Zombies Defeated [Character Name]
completed on invulnerability item joined the game left the game piece of gear playing reached rename second cooldown seconds to to Join {0} Mission
{0} Missions {0} Starting Mission {0} cosmetics available {0} fallen friend {0} fallen friends {0} shared extra lives. ' {Name}, {Description}, {Requirements}. {PrevText}, {New Text} = {Title}: {Contents}. Press {key} To Return To Mission Menu {current} / {max} MAX {n} / {n} MAX {t} {c} {x} is starting a mission ÿÿÿI f y o u a r e a l r e a d y u s i n g a n e x i s t i n g M i c r o s o f t A c c o u n t t o a c c e s s o t h e r M i n e c r a f t p r o d u c t s o n o t h e r d e v i c e s , y o u m a y w i s h t o u s e t h a t a c c o u n t . Y o u c a n o n l y d o t h i s o n c e p e r a c c o u n t f o r P l a y S t a t i o n "!N e t w o r k , s o p l e a s e c h o o s e y o u r M i c r o s o f t A c c o u n t c a r e f u l l y . …ÿÿÿN o t e : S i g n i n g i n t o a M i c r o s o f t A c c o u n t w i l l p e r m a n e n t l y a s s o c i a t e i t w i t h y o u r c u r r e n t a c c o u n t f o r P l a y S t a t i o n "!N e t w o r k .
s Quickly enable/disable the creation of cross-platform play sessions without signing out of your Microsoft Account. Sign In for Cross-Platform Play ^ Sign out of your Microsoft Account temporarily. This action will disable cross-platform play. $ Sign out of your Microsoft Account. ÿÿÿU n l i n k y o u r M i c r o s o f t A c c o u n t f r o m a l l M i n e c r a f t g a m e s o n P l a y S t a t i o n ® 4 . T h i s w i l l d i s a b l e c r o s s - p l a t f o r m p l a y . å WARNING: Unlinking your {MSA} from within this game will affect all Minecraft games on {PS4} that have used this {MSA}.
You will not be able to use any {xplay} features or play online co-op with your friends on other systems. Ï You can play Minecraft Dungeons online with your friends on other platforms using a Microsoft Account. Don't have an account? Create one now for free and start playing Online co-op with Cross-Platform Play! & Artifact cooldown is decreased by {0} & Artifact cooldown is increased by {0} + Chance to spawn chests is {0} times higher % Emeralds damage the player by {0} hp # Emeralds heal the player by {0} hp $ Game over when any player is downed ! Initial life count is set to {0} Mob damage is increased by {0} Mob health is increased by {0} Mob speed is increased by {0} O Mobs are invisible and cannot be targeted unless they are attacking or casting Night mode Pet count is set to {0} " Player damage is decreased by {0} " Player damage is increased by {0} " Player health is decreased by {0} " Player health is increased by {0} ! Player speed is increased by {0} ( Players collect {0} times as many souls * Players have the {0} enchantment equipped # The player only has Burning Arrows $ The player only has Firework Arrows # The player only has Torment Arrows ( {0} of melee mobs are replaced with {1} + {0} of melee mobs have the {1} enchantment % {0} of mobs have the {1} enchantment ) {0} of ranged mobs are replaced with {1} , {0} of ranged mobs have the {1} enchantment ANCIENT GILDED Crash the gates Defeat the guards Explore the cave Find all spells Find another exit Reach the cave Reach the village Sail away! Under the cover of darkness Ally Damage Boost
Area Heal Artifact Cooldown Decrease Artifact Damage Boost
Beekeeper # Brief invulnerability when rolling % Briefly gain Ghost Form when rolling Damage Absorption Dodge Cooldown Increase Dodge Invulnerability Dodge Root Dodge Speed Increase Emerald Shield Environmental Protection Environmental damage resistance Ghost Form Dodge Gives you a pet bat " Health potions heal nearby allies Heavyweight Increased Arrow-Bundle Size Increased Mob Targeting & Invulnerability on emerald collection Life Steal Aura Melee Attack Speed Boost Melee Damage Boost Miss Chance Mobs target you more Move Speed Aura Move Speed Reduction Pet Bat Potion Cooldown Decrease Pushback resistance Ranged Damage Boost Refreshing Brew & Reset Artifact cooldown on Potion use Soul Gathering Boost Superb Damage Absorption Teleport Chance + Traps and poisons nearby mobs when rolling Unset {0} Freezing Resistance {0} arrows per bundle {0} artifact cooldown {0} artifact damage {0} chance to negate damage . {0} chance to summon a bee when hit (max {1}) % {0} chance to teleport away when hit {0} damage reduction {0} faster roll {0} life steal aura {0} longer roll cooldown {0} melee attack speed {0} melee damage {0} movespeed {0} movespeed aura {0} potion cooldown {0} ranged damage {0} souls gathered {0} weapon damage boost aura ˆ Battery power supply detected, reduced graphics settings to conserve power. These options can be changed in Advanced Graphics settings. X Below recommended CPU or GPU performance detected. You may experience poor performance. F Below recommended VRAM of {0}GB. You may experience poor performance. Enjoy the Party Enter the Cave Escape the Cave Explore the Bamboo Forest $ Find a Way Out of the Bamboo Forest Get to the Boat Into The Dark Lower The Gate PANDA PARTY Panda-monium! Rescue the Pandas Where are the Pandas? Basalt Deltas Clear the Ambush! Clear the Lava Defeat the Ghast! Explore the Region Find the Exit Portal Find the next Portal Leave the Nether Power the Gate Survive the Ambush! Accept Add Add Friend Apply Continue Decline Discard
Enchant Cost Kick Link Log out Log out and Quit
Offline Game Online Game Play Online Previous Refresh Remove Remove Friend Search Switch Hero Toggle All Unlink Yes Enter the Temple Find the Golden Key Find the Temple Open the Gold Gate Power the Beacon Power the Beacons Road Go Ever On... Survive the ambush! The Distant Temple ) Ah, you found the ancient desert temple. > Finding the temple, however, is an adventure in its own right 6 The Arch-Illager seeks to summon armies of the undead 6 Who knows what truths and treasures await you inside? 6 a sprawling maze of malevolent mobs and lost secrets. 7 for the entrance lies hidden somewhere in this canyon, M using a power that rests deep within an ancient and forgotten desert temple. Change Skin Picked up: {1} Gold Green Lavender Magenta Mint Green Orange Pink Purple Red White Yellow Cape Pet Lower The Doors Rescue villagers Search the Mansion Access The Roof
Creepy Crypt Destroy The Eggs Enter the Mansion Escape Creeper Woods Find The Nest Find the Diamond Key Find the Exit Find the Gold Key Find the Lost Tome Find the caravan Free the Villager Free the Villagers Leave The Cave Leave the Crypts Raise Lightningrods Spider Cave Survive The Fight The Caravan The Escape The Roof Woodland Mansion Woodland Prison By the Arch-Illager's decree, ( Find the caravan and stop the Illagers, Somewhere in these woods, 9 These Villagers are free from the clasp of the Illagers, I a caravan is transporting villager prisoners to labour in far off lands. 5 all free folk are now enemies of the Illager Empire. all thanks to you. M for there's no telling what dreadful doom will befall our Villager friends. Crimson Forest Explore the Forest Leave the Forest Raise the Gate
ALL SESSIONS íÿÿÿP L A Y S T A T I O N ® 4 O N L Y SHOWING: DÿÿÿY o u a r e c u r r e n t l y c r e a t i n g a c r o s s - p l a t f o r m p l a y s e s s i o n , m e a n i n g s o m e f r i e n d s o n P l a y S t a t i o n ® 4 m a y n o t b e a b l e t o s e e / j o i n i t .
Y o u c a n d i s a b l e c r o s s - p l a t f o r m p l a y i n t h e S e t t i n g s m e n u . 9 You can enable cross-platform play in the Settings menu. Raise the Platform Defeat the Nameless One Escape the Temple Fetch the Staff Find the Tomb Leave the Temple Reach the Tomb Survive the Ambush The Lower Temple The Nameless Kingdom Unlock the Gate Deep within these halls * Once again, the Arch-Illager is thwarted. + That would surely be the doom of us all... * The necromancer wields an enchanted staff & The necromancer's staff is destroyed. We must destroy it awaits a powerful necromancer, > before the Arch-Illager can claim it in his tiny, evil hands. + that holds the power to summon the undead. + the forgotten ruler of a nameless kingdom. Controller Pairing € Controller pairing with {0} has been lost. Do you want to continue {0}'s game? Selecting No will sign out of the {0}'s profile. Display Setting Changes $ Do you wish to keep these settings? † Invitations for users other than the initial user cannot be processed. Invitations can only be used by the user who started the game. Invite cannot be processed $ Join Session during Local Multiplay & Join Session during Local Multiplayer Microsoft Account Required Picked up {item} ãÿÿÿP l a y S t a t i o n "!N e t w o r k R e q u i r e d Privilege Error Setting Changes Detected •ÿÿÿT o p l a y M i n e c r a f t D u n g e o n s o n l i n e , y o u m u s t s i g n i n t o P l a y S t a t i o n "!N e t w o r k . W o u l d y o u l i k e t o s i g n i n n o w ? n To play Minecraft Dungeons online, you must sign in to your Microsoft Account. Would you like to sign in now? j To play Minecraft Dungeons online, you must sign in to {service_provider}. Would you like to sign in now? ¨ WARNING: Unlinking your Microsoft Account from within this game will affect all Minecraft games on {PS4} that have used this Microsoft Account.
You will not be able to use any cross-platform play features or play online co-op with your friends on other systems. You will need to sign back in to the same Microsoft Account before you can resume using these features.
Do you still want to unlink your Microsoft Account? ¡ You accepted an invite, but your friends can't go with you. Do you want to join the session and kick your friends, or do you want to continue to play with them? S You have made changes to the settings in this menu, how would you like to proceed? 3 You must be signed in to {service} to play online.
Adventure Apocalypse % Complete any mission on at least {0} W Complete the mainland missions to reach and defeat the Arch-Illager on {0} difficulty. Default * Defeat the Arch-Illager on {0} difficulty 4 Defeat the Arch-Illager on {0} difficulty to unlock + Defeat the Arch-Illager on {0} difficulty. Epic Challenge Hard Challenge Harder Challenge Easier Easy Hard Harder Cross the Canyon Explore the Jungle Explore the Vine Maze Follow the Pass Go Through the Gateway Journey Into the Jungle Pass the Stronghold Search for Clues Search for the Temple Survive the Gauntlet Unlock the Gateway What Lies Beyond? 3 One of those shards has landed in the lush jungle, ) The Orb of Dominance may have shattered, g The journey has just begun, for the corrupting shard lies deeper still within the heart of the jungle. p The shard, the source of the corruption, must be destroyed to free this land from the Orb's dark manipulations. B but its powerful shards have scattered across the vast Overworld. : where new threats roar to life beneath the dark canopies. 3 New Missions 6 New Missions _ A creeping winter spreads across the land, and it's up to you to defeat the devastating frost. All on the vine F All the hottest content with new missions, gear, mobs, and cosmetics!
All-New Gear c As new threats roar to life beneath the jungle canopies, join the fight to save these leafy lands. Battle New Mobs Creeping Winter T Danger awaits atop mighty peaks, and it will take a hero to stop the brewing storm! Fight the frost Howling Peaks Jungle Awakens Nether New Boss Battle New Skins and Pet Playing with Fire Trek to the top
Ancient Hunt New Mission Type êþÿÿY o u c a n n o w j o i n t h e A n c i e n t H u n t ! A c c e s s t h e A n c i e n t H u n t t h r o u g h t h e O t h e r D i m e n s i o n s t a b o f t h e m i s s i o n s e l e c t i o n s c r e e n o r t h e m y s t e r i o u s c a v e i n c a m p . T h e s e c h a l l e n g i n g m i s s i o n s l e t y o u o f f e r i t e m s a n d E n c h a n t m e n t p o i n t s f o r a c h a n c e a t f i n d i n g r e w a r d s u n l i k e a n y o t h e r .
Break Ice Captured Panda Push Take Test 0-{0} bonus damage 0-{0} chance to trigger 200% movement speed A A blast occurs every {0} that pulls nearby enemies towards you. Accelerate Acrobat 1 Adds damage resistance to you and nearby allies. ^ Adds damage to the next attack after rolling, with multiple rolls stacking the damage effect. . Adds damage to the next attack after rolling. d After defeating a mob, there is a {0} chance to increase your attack speed by {1} for a short time. h After you perform a roll, all your ranged attacks are automatically fully charged for a short duration. Aiding Alacrity Adjustment Anima Conduit H Arrows passing through allies gives them a small amount of damage boost Artifact Charge P Attack speed charges up over time when not firing, decreases again when firing. z Attacking drains your life to grant one stack of Pain Cycle. At {0} stacks, your pain is channeled into your next attack. ' Attacks deal extra damage to Illagers.
Bag Of Souls Barrier w Beams of lightning connect the last few charged arrows fired, which deal lightning damage to enemies who touch a beam. Beast Boss Beast Burst Beast Surge ] Being hit by damage-inflicting projectiles will occasionally craft a small quiver of arrows. Bonus Shot Boosts arrow pushback. Bow's Boon Burst Bowstring Busy Bee Cave Spider Chain Reaction Chains 9 Chance to immediately replenish an arrow after shooting. 4 Chance to spawn emeralds with every block explored. U Chance to summon a bee after defeating a mob, with up to {0} bees joining your side. M Chance to summon a bee when you roll, with up to {0} bees joining your side. $ Chance to temporarily stun enemies. Charged Shot for {0} 7 Charged shots deal more damage and have more pushback. ) Charges up projectiles that fire quickly ChargingAcceleration Chilling CogCrossbowEnchantment
Committed
Cool Down Cooldown Shot Costs {0} emeralds
Critical Hit 7 Deal increased damage against already wounded enemies. Deals {0} damage Deals {0} extra damage $ Deals {0} of enemy health as damage D Defeating a mob heals you a small portion of the mob's max health. J Defeating a mob increases the players movement speed by 100% temporarily. Deflect Double Damage DoubleDamage_desc_NOT_USED 6 Each soul you absorb grants a small amount of health. d Each time you respawn, your maximum health increases. Health goes back to normal after each mission Echo Electrified ^ Emits a blast every {0} that reduces the movement and attack speed of nearby enemies for {1}. Enigma Resonator Every arrow f Every few shots has a timed charge that explodes {0} after impact, dealing {1} damage to nearby mobs. I Every once in awhile, enemies will be knocked back after a melee attack. Every shot Every {0} arrow & Every {0} damages all nearby enemies. Every {0} projectile Every {0} shot
Exploding Explorer Fast Attack FastAttack_desc_NOT_USED Final Shout & Find more Emeralds on fallen enemies. Fire Aspect Fire Focus Fire Trail a Fired arrows sometimes gain the piercing effect, which allows them to fly through multiple mobs. K Fires a snowball at a nearby enemy every few seconds, briefly stunning it. ^ Firing a shot also fires a second shot at a nearby enemy. The second shot has reduced damage. Food Reserves W For every one hundred blocks explored on the map, you regain a small amount of health. Freezing Freezing Ranged
Fuse Shot I Gives a chance to deal {0} damage based on the number of souls you have. J Gives a chance to deal {0} damage based on the number of souls you have. @ Gives you a chance to inflict critical hits dealing {0} damage. 9 Grants a small amount of health for each soul you absorb 7 Grants a small chance to deflect incoming projectiles. Grants extra rolls. . Grants the chance to fire {0} arrows at once. 6 Grants the user immunity to being pushed by the Wind. * Grants the user immunity to push volumes. * Grants the user immunity to slow effects. ) Grants the user {0}% resistance to Wind. 1 Grants the user {0}% resistance to slow effects. Grants {0} rolls Gravity Gravity Pulse Growing = Has a chance to fire {0} arrows in all directions on impact. Z Has a {0} chance to chain a cluster of mobs together and keep them bound for a short time K Has a {0} chance to spawn a circular area that heals all allies within it. K Has a {0} chance to summon a lightning strike that damages nearby enemies. [ Has a {0} chance to summon a poison cloud that deals damage to enemies in an area for {1}.
Heals Allies Health Regen on Artifact Use Health Synergy Z Hitting an enemy has a chance to send it into a rage, making it hostile towards everyone. f Hitting an enemy with the last attack in a combo performs a swirling attack, damaging nearby enemies. Huge Hunting Bow Enchantment HuntingBowTaggedEnchantment H If you avoid taking damage for {0}, you will start regenerating health. Illager's Bane Immune to Push Volume Immune to Slow O Increases attack speed for each consecutive shot. Resets {0} after the attack. % Increases damage against the Undead. . Increases the amount of soul damage you deal. 3 Increases the chance for mobs to drop consumables. ; Increases the maximum number of souls that can be carried. Increases your attack speed. Infinity
Invisible
Knockback Leeching Life Boost Lightning Focus Looting Lucky Explorer ; Makes your weapon sharper, causing it to deal more damage. Max stacks does {0} damage Melee damage {0} Mob Resurrection Aura & Mobs explode after they are defeated. Multi-Roll
Multishot Next attack charged Next {0} attacks charged Pets deal {0} more damage. Pets' attack and speed +{0}. Piercing Poison
Poison Cloud
Poison Focus Power boosts arrow damage. 3 Projectiles deal more damage to enchanted enemies. Prospector Punch Push Volume Immunity Quick Quick_desc_NOT_USED Radiance Radiance Shot Rapid Fire Reckless Recycler Reduces damage taken. : Reduces the cooldown time between uses of your artifacts. . Reduces the cooldown time between your rolls. Ricochet P Rolling creates a trail of fire behind you, which deals damage to mobs for {0}. ' Rolling makes you move faster for {0}. F Rolling zaps {0} nearby enemies with lightning bolts, dealing damage. Rushdown 5 Sets mobs on fire for {0}, dealing damage over time.
Sharpness
Shielding
Shock Web
Shockwave ‚ Shoots nearby mobs when you roll, costing {number_word} arrow per roll. Projectiles deal {percentage} of a charged shot's damage. Slow Bow Enchantment Slow Immunity Slow Resistance Slows mobs after hit Slows mobs after hit for {0}. . Small chance for arrows to ricochet off mobs. Smiting Snowball O Some of your attacks can be followed up by another attack in rapid succession. Soul Focus Soul Siphon Soul Speed Speed Synergy Spider Poison Enchantment M Steals a small amount of a mob's movement speed and gives it to you for {0}. Stunning Supercharge Surprise Gift Swiftfooted Swirling Tempo Theft ' The fire damage you deal is increased. J The fired shot grows in the air, dealing extra damage to distant targets. d The first set amount of Emeralds collected are stored and then spent to save the player from death. C The last attack in a combo launches a shockwave, damaging enemies. , The lightning damage you deal is increased. ) The poison damage you deal is increased. D This effect pulls mobs in range toward's the weapon's impact point. Thorns Thundering Triggers every {0} Tumble Bee Unchanting Up to every {0} Up to {0} beams h Using a healing potion causes an explosion at your pets' locations, dealing damage to mobs around them. U Using your health potion boosts your pets' attack and movement speed for 10 seconds.
Vessel Trail