-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathMU2Game.int
5811 lines (5574 loc) · 283 KB
/
MU2Game.int
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
[MU2GFxFrontEnd_Container_Login]
LS_LoginView=Логин
LS_ID=ID
LS_Password=Пароль
LS_LoinBtn=Вход
LS_Exit=Выход
LS_ServerView=Выбор сервера
LS_ServerName=Имя сервера
LS_CharNum=Персонажи
LS_ServerState=Статус сервера
LS_SelectServerBtn=Подключиться к серверу
LS_WaitTitle=Ожидание подключения к серверу
LS_WaitServerName=Имя сервера
LS_WaitRank=Номер в очереди
LS_WaitTime=Расчетное время ожидания
LS_WaitTimeData=%s_1 Мин
LS_WaitCancel=Отмена подождите
LS_ConnectFailTitle=Ошибка подключения к серверу
LS_ConnectFailMessage=Сервер занят.
LS_ServerBlockTitle=Ограниченый доступ к серверу
LS_ServerBlockMessage=Доступ к игре<br>временно ограничен из-за проблем
LS_ConnectFailConfirm=OK
LS_OffLine=Обслуживание
[MU2GFxMessageBoxSecurityCode]
LS_SCGuide_Title=Информация о коде безопасности
LS_SCGuide_SubTitle=Чтобы играть в MU Legend, вы должны зарегистрировать свой код безопасности.
LS_SCGuide_SubDescription=Вы можете ввести 4 - 6 случайных чисел для вашего кода безопасности.<br>Вы можете использовать только мышь для ввода кода.<br>Если вы потеряете свой код безопасности, вы можете сбросить его на нашем официальном сайте > Customer Center > Reset 2nd Password.<br>Для получения дополнительной информации свяжитесь с нами через наш официальный сайт > Customer Center > Inquiry/Report.
LS_SCCompletedRegistration_Title=Код безопасности зарегистрирован
LS_SCCompletedRegistration_SubTitle=Ваш код безопасности зарегистрирован.
LS_SCCompletedRegistration_SubDescription=Выберите сервер и введите код безопасности.<br>Убедитесь, что ваш код безопасности не доступен никому другому. За дополнительной информацией, пожалуйста, обращайтесь в наш Центр клиентов(Customer Center).
LS_SCRegistration_Title=Зарегистрируйте свой код безопасности
LS_SCRegistration_Guide=Установите свой код безопасности, состоящий из <font color='#ffff00'>4 - 6 цифр</font>.<br>Код безопасности можно ввести только с помощью <font color='#ffff00'>мышки</font>.
LS_SCCheck_Title=Подтвердите свой код безопасности
LS_SCCheck_Guide=Введите код безопасности, состоящий из <font color='#ffff00'>4 - 6 цифр</font>.<br>Код безопасности можно ввести только с помощью <font color='#ffff00'>мышки</font>.
LS_SCLoced_Title=Код безопасности заблокирован
LS_SCLoced_SubTitle=Ваш код безопасности заблокирован
LS_SCLoced_SubTitle_EnterTimeError=Срок действия истек.
LS_SCLoced_SubTitle_EnterCountError=Неправильный код был введен 5 раз.
LS_SCLoced_Description=Эта учетная запись заблокирована для обеспечения безопасности.<br>Вам необходимо аутентифицировать вашу личность, чтобы сбросить код безопасности.<br>Посетите наш официальный сайт и сбросьте код в Customer Center > Reset 2nd Password menu.
LS_OK=OK
LS_Registration=Регистрация
[MU2GFxSecurityCodeInput]
LS_SCMC_Enter=Введите код безопасности.
LS_SCMC_Reenter=Подтвердите код безопасности.
LS_SCMC_RearrangementBtn=Заново
LS_SCMC_EnterTime=Время ввода: %s
LS_SCRegistration_ErrorMsg=Код безопасности не соответствует.<br>Пожалуйста, попробуйте еще раз.
LS_SCCheck_ErrorMsg=Введенный код безопасности не соответствует.<br>Введете неверно 5 раз, и эта учетная запись будет заблокирована. (Суммарные попытки: %d)
[MU2GFxFrontEnd_Container_Lobby]
LS_CharSelectView=Выбор персонажа
LS_CharClassSelectView=Выбор класса
LS_CharCustomizeView=Настроить
LS_EquipSet=Экипировка
LS_ServerBlockTitle=Ограниченый доступ к серверу
LS_ServerBlockMessage=Доступ к игре<br>временно ограничен из-за проблем.
LS_ConnectFailConfirm=OK
[MU2GFxFrontEnd_View_CharSelect]
LS_GameMovie[0]=The Fall of the MU Empire
LS_GameMovie[1]=Last Hope
LS_GameMovie[2]=One without Memories
LS_GameMovie[3]=The Emergence of the Dark Mission
LS_GameMovie[4]=
LS_GameMovie[5]=
LS_GameMovie[6]=
LS_PlayerLogOutTime=DD, MM, YY, hh:mm:ss
LS_CharList=Персонажи
LS_CreateChar=Создать персонажа
LS_CreateCharBuff=Создайте дополнительного персонажа и получите дополнительно бафф на 150% увеличения опыта!
LS_DeleteCharBtn=Удалить персонажа
LS_GameMovieReady=В процессе подготовки
LS_GameMovieBtn=Повтор видео
LS_GameStartBtn=Начать игру
LS_Level=Уровень
LS_SoulLevel=Уровень души
LS_AccountLevel=Уровень аккаунта
LS_Exp=Опыт
LS_CombatPower=Боевая сила
LS_TutorialMap=Руководство
LS_AccountLevelReward=Проверить вознаграждение
LS_AccountLevelDesc=Уровень вашей учетной записи - это совокупность уровней всех ваших персонажей на одном сервере.
LS_AccountLevelTableClose=Закрыть (Esc)
LS_MyAccountLevel=Текущий уровень учетной записи
LS_MyAccountLevelReward=Вознаграждение за уровень аккаунта
LS_DeleteCharacterTitle=Удалить персонажа
LS_DeleteCharacterMsg=Удалить персонажа?
LS_DeleteCharacterBtnOK=OK
LS_DeleteCharacterBtnCancel=Отмена
LS_OpenCharSlot=Расширить слоты
LS_OpenCharSlotTitle=Расширить слоты персонажей
LS_OpenCharSlotMsg=Вы хотите расширить слоты персонажей?
LS_OpenCharSlotNeedRedZen=Требуется Redzen:
LS_OpenCharSlotMyRedZen=Текущий Redzen:
LS_OpenCharBtnOK=OK
LS_OpenCharBtnCancel=Отмена
[MU2GFxFrontEnd_View_CharClassSelect]
LS_PreBtn=Назад
LS_NextBtn=Настройки внешнего вида
LS_CharGuideBtn=Рекомендуемая тактика
LS_Attack=Атака
LS_Health=HP
LS_TeamPlay=Co-op
LS_VideoNone=Предварительный просмотр видео пока недоступен.
LS_CharGuideMainTitle=Рекомендуемая тактика
LS_CharGuideSubTitle=В MU Legend существует множество способов повысить уровень вашего персонажа.
LS_RecommendWeaponTitle=Основное снаряжение
LS_RecommendAbilityTitle=Основные Хар-ки
LS_RecommendSkillTitle=Основные умения
LS_AttackTitle=Атака
LS_HealthTitle=HP
LS_TeamPlayTitle=Co-op
LS_CharGuideClose=Закрыть (Esc)
LS_EmphasizereMsg=Класс Spellbinder в настоящее время разрабатывается.
[MU2GFxFrontEnd_View_CharCustomize]
LS_PreBtn=Назад
LS_CreateCharBtn=Создать персонажа
LS_InitBtn=Сброс
LS_RandomSelectBtn=Случайно
LS_CustomFace=Форма лица
LS_CustomSkinColor=Цвет кожи
LS_CustomHair=Прическа
LS_CustomHairColor=Цвет волос
LS_CustomFaceTattoo=Татуировки на лице
LS_CustomSkinTattoo=Татуировки на теле
LS_CustomTattooColor=Цвет татуировки
LS_CharRotationDesc=+ Перетаскивание: Поворот персонажа
LS_CreateCharTitle=Создать персонажа
LS_CreateCharMsg=Имена должны иметь длину 2-16 символов.¶Что касается специальных символов, может использоваться только символ подчеркивания (_), начиная со второго символа.
LS_CreateCharBtnOK=OK
LS_CreateCharBtnCancel=Отмена
[MU2GFxGameContainer]
ZenString=Zen
LS_PcOtherMouseOverTooltipText=: Меню
LS_DeadObjectMouseOverTooltipText=: Воскресить
LS_DeadObjectMouseOverCantReviveTooltipText=Нельзя воскресить
LS_DeadObjectMouseOverPartyMemberReviveTooltipText=%s_1: Восскресить сейчас
[MU2GFxInventoryView]
LS_InvenTitle=Инвентарь
LS_InvenBag1=Сумка 1
LS_InvenBag2=Сумка 2
LS_InvenBag3=Сумка 3
LS_InvenQuestBag=Квесты
LS_CombatPower=Сила
LS_AttackPower=Аттака
LS_PhysicsDamage=Физ.урон
LS_MagicDamage=Маг.урон
LS_DefensePower=Защита
LS_PhysicsDefence=Physical
LS_MagicDefence=Magic
LS_AttackSpeed=Скорость аттаки
LS_Health=Макс.Здоровье
LS_Mana=Мана
LS_ExfirationDate=No expiration date
LS_Sec=%ds
LS_Min=%dm
LS_Hour=%dh
LS_Day=%dd
LS_Step=Level
_CombatPowerInfo=Сила
_AttackPowerInfo=Атака
_DefensePowerInfo=Защита
LS_InvenPlatinum1=Нужно Золото для апгрейда
LS_InvenPlatinum2=Нужна Платина для апгрейда
LS_EquipArtifact=Надеть Артефакт
[MU2GFxInventoryView_Tooltip]
_CombatPowerInfo=Показывает вашу силу на основе инвентаря,умении и артефактов.
_AttackPowerInfo=Показывает вашу силу,на врагах.
_DefensePowerInfo=Снижение силы на врагах,если у них такой же уровень как у тебя %s_1.
[MU2GFxStorageView]
LS_MainTitleText=Склад аккаунта
LS_ExpandslotText=Расширяемый слот
LS_PaymentText=Стоимость
LS_NoExpand=Не может быть расширен.
LS_Message1=Нет пустого слота.
LS_PurchaseButton=Увеличить склад.
LS_ExpandDec=Ты можешь увеличить своё склад за плату.
LS_Bag1=Склад 1
LS_Bag2=Склад 2
LS_Bag3=Склад 3
LS_Bag4=Склад 4
LS_Bag5=Склад 5
[MU2GFxT_AmplifyingStoneProduct]
LS_MainTitleText=Создание Интестефикационного Камня
LS_CapitalDominionText=Преимущество Столичной Территории
LS_CapitalDominionDescText=Различное кол-во слотов,активируется от уровня вашей территории.
LS_AdjoinDominionText=Дополнительные территории.
LS_AdjoinDominionDescText=В зависимости от уровня вашей дополнительной территории активируется другое кол-во слотов.
LS_FollowerText=Друг
LS_Level=Уровень
LS_OKButtonLabel=ОК
LS_ProductButtonLabel=Создать Интестефикационный Камень.
LS_QuickButtonLabel=Ускорять создание.
LS_QuickOkButtonLabel=Процесс пошёл быстрее.
LS_GetButtonLabel=Собрать Интестефикационный Камень.
[MU2GFxMessageBoxAmpStoneSelect]
LS_MainTitleText=Выбрать Intensification Stone
LS_TitleDescText=Выбрать как использовать Intensification Stone.
LS_DescText=Intensification Stones могут быть использованы в зачаровании Transcendent Stones.
LS_HeroAmpStone=Героический Intensification Stone
LS_LegendAmpStone=Легендарные Intensification Stone
LS_AncientAmpStone=Древний Intensification Stone
LS_HeroAmpStoneTooltip=Героические Intensification Stones могут быть intensifying Тип 1 Transcendent Stones.
LS_LegendAmpStoneTooltip=Легендарные Intensification Stones могут быть intensifying Тип 2 Transcendent Stones.
LS_AncientAmpStoneTooltip=Древние Intensification Stones могут быть intensifying Тип 3 Transcendent Stones.
LS_Hour=h
LS_Minute=m
LS_ProductButtonLabel=Создать
LS_CancleButtonLabel=Отменить
[MU2GFxT_TranscendenceStoneAmplify]
LS_MainTitleText=Transcendent Stone Intensification
LS_TStoneTextRegisterTitle=Регистрирование a Transcendent Stone что бы зачаровать.
LS_1StarDominion=1-Звёздная территория
LS_2StarDominion=2-Звёздная территория
LS_3StarDominion=3-Звёздная территория
LS_Follower=Друг
LS_TStoneTextAmpNum=Intensified Stats (%s_1)
LS_TStoneTextCPTitle=Total Combat Power Increased
LS_TStoneTextRegisterDesc=With %s_1, the target item can be intensified up to %s_2 times.
LS_TStoneTextResultTitle=Successfully intensified the Transcendent Stone.
LS_TStoneTextResultFailTitle=Failed to intensify the Transcendent Stone.
LS_TStoneTextResultAmpTitle=Intensification Results
LS_TStroneDescTxt=A different number of slots are activated depending on the grade of your capital territory.
LS_AStoneTitleTxt=Intensification Material
LS_AStoneTextRegisterTitle=Register an Intensification Stone.
LS_AStoneTextRegisterDesc=The higher an Intensification Stone's grade,<br>the higher the maximum amount of<br>values intensified.
LS_TextCostKPoint=Contribution Cost
LS_AmpOkButtonLabel=Intensify
LS_CancleButtonLabel=Cancel
LS_Amp_ing=Intensifying...
LS_Success=Success
LS_Fail=Fail
LS_Amp_Sucess_Num=Intensification Success Count:
LS_Amp_Fail_Num=Intensification Failure Count:
LS_Amp_Remain_Num=Remaining Intensification Count:
LS_TStone_AmpDetail=<b><font color='#FDC243'>Available Intensification Count</font></b><br>- Only the guilds that own territories can intensify their Transcendent Stones to the maximum limit.<br>- 1-star Territories: 12<br>- 2-star Territories: 12<br>- 3-star Territories: 12<br>- Followers: 10<br><br><b><font color='#FDC243'>Successful Intensification</font></b><br>- Adds a random amount of bonus stats between the minimum and maximum limits.<br><br><font color='#FDC243'> Failed Intensification</font></b><br>- Decreases your available Intensification count without adding bonus stats.
LS_TStonAmpPecent=Adds minimum <font color='#00CC99'>%s_1%</font> to maximum <font color='#00CC99'>%s_2%</font> bonus stats.
LS_MainTitleScrollText=Seal of Purification
LS_TStoneScrollTextRegisterTitle=Register a Transcendent Stone to restore Intensification.
LS_AmpScrollOkButtonLabel=Restore Intensification
LS_TStone_AmpScrollDetail=Even if you use a Seal of Purification,<br>there still is a set chance of failure.<br><br>If the Transcendent Stone's Intensification level is higher<br> than the available Intensification count based on your territory grade,<br>the Stone cannot be further intensified even if you remove its Intensification failure count<br>until its Intensification level falls below the available Intensification count.
LS_TStone_AmpScrollConfirm=I have read and agree to the above conditions.
LS_TStoneScrollTextResultTitle=Intensification restoration succeeded.
LS_TStoneScrollTextResultFailTitle=Intensification restoration failed.
[MU2GFxMessageBoxEquipTrans]
LS_MainTitleText=Transcend Equipment
LS_EquipingText=In use
LS_SelectTitleText=Select a Transcendent Stone to switch to
LS_EquipTargetTStoneDescText=<font color='#D6D6D6'>After equipping a Transcendent Stone, you may be able to additionally intensify, depending on the benefits of your territory.</font><br>Transcend?
LS_ChangeTargetTStoneDescText=<font color='#D6D6D6'>You have reached the maximum Transcendence limit.<br>If you continue, the existing Transcendent Stone will disappear.</font><br>Switch Transcendent Stones?
LS_ChangeSelectTargetTStoneDescText=<font color='#D6D6D6'>You have reached the maximum Transcendence limit.<br>If you continue, the existing Transcendent Stone will disappear.</font><br>Switch Transcendent Stones?
LS_OKButtonLabel=OK
LS_CancleButtonLabel=Cancel
[MU2GFxMessageBoxResetAmplify]
LS_MainTitleText=Reset Intensification Level
LS_MainDescText=Reset the Intensification level?
LS_Success=Success
LS_Fail=Fail
LS_LimitResetNum=Available Reset Count:
LS_ResetScrollAbout=About Resetting Intensification Level
LS_ResetScrollDetail=<b><font color='#FDC243'>Reset Intensification Level</font></b><br>1. All your Transcendent Stone's<br>successes and failures will be reset.<br><br>2. After resetting, you can re-intensify<br>the Transcendent Stone.<br><br>3. If you want to reset only the failures,<br>use a Seal of Purification.
LS_OKButtonLabel=OK
LS_CancleButtonLabel=Cancel
[MU2ChatManager]
ChannelName[0]=All
ChannelName[1]=Chat
ChannelName[2]=Find Party
ChannelName[3]=Trade
Party=/p Party
Raid=/e attack unit
Group=Group
Debiase=/g Guild
System=System
General=/s Public
Whisper=/w Whisper
Shout=/y Area
FindParty=/f Поиск группы
Trade=/t Торговля
Battle=Бой
PrefixGeneral=Public:
PrefixWhisper=Whisper to %s_1:
PrefixParty=Группа:
PrefixDebiase=Гильдия:
PrefixShout=Area:
PrefixBattle=Бой:
PrefixSystem=Система:
PrefixGM=GM:
PrefixFindParty=Поиск группы:
PrefixTrade=Торговля:
PrefixRaid=Attack Unit:
BufferName[0]=
[MU2GFxOptions]
LS_Korean=Korean
LS_Chinese=Chinese
LS_Japanese=Japanese
LS_English=English
LS_French=French
LS_German=German
LS_Polish=Polish
LS_Portuguese=Portuguese
LS_Spanish=Spanish
LS_SelectShortcutText=Enter Hotkey
[MU2GFxChattingView]
GlobaString=All
SystemString=System
[MU2GFxChatLogOption]
TitleString=Настройка вкладки чата
DefaultSettingString=Standard Settings
TabTitleString=Tab Title:
TabFontSizeString=Font Size:
TabNameString=Output Settings
CheckBoxString[0]=Public
CheckBoxString[1]=Whisper
CheckBoxString[2]=Группа
CheckBoxString[3]=Гильдия
CheckBoxString[4]=Area
CheckBoxString[5]=Поиск группы
CheckBoxString[6]=Торговля
CheckBoxString[7]=NPC Dialogue
CheckBoxString[8]=Public
CheckBoxString[9]=Notice
CheckBoxString[10]=Achievement
CheckBoxString[11]=Группа
CheckBoxString[12]=My Death/Resurrection
CheckBoxString[13]=Others' Death/Resurrection
CheckBoxString[14]=EXP Gain
CheckBoxString[15]=Stat Improvement
CheckBoxString[16]=Zen/Magic Gem Gain
CheckBoxString[17]=Zen Consumption
CheckBoxString[18]=Item Gain
CheckBoxString[19]=Item Consumption
CheckBoxString[20]=Quest Gain
CheckBoxString[21]=Quest Completion
CheckBoxString[22]=Notify when friends log in
CheckBoxString[23]=Notify when friends log out
CheckBoxString[24]=Guild Member Login Alert
CheckBoxString[25]=Guild Member Logout Alert
CheckBoxString[26]=Party Member Login Alert
CheckBoxString[27]=Party Member Logout Alert
CheckBoxString[28]=GM Message
CheckBoxString[29]=Моя атака
ChatTextColor_0=FFFFFF
ChatTextColor_1=59FFBD
ChatTextColor_2=ABA7F8
ChatTextColor_3=FFB98A
ChatTextColor_4=76D5FF
ChatTextColor_5=DB9CFF
ChatTextColor_6=FAED7D
ChatTextColor_7=EAEAEA
ChatTextColor_8=FAF4C0
ChatTextColor_9=FFE400
ChatTextColor_10=B952FF
ChatTextColor_11=ABA7FB
ChatTextColor_12=FF4848
ChatTextColor_13=FF4848
ChatTextColor_14=E6BC6B
ChatTextColor_15=E6BC6B
ChatTextColor_16=E6BC6B
ChatTextColor_17=E6BC6B
ChatTextColor_18=E6BC6B
ChatTextColor_19=E6BC6B
ChatTextColor_20=B4FE42
ChatTextColor_21=B4FE42
ChatTextColor_22=FF7E41
ChatTextColor_23=FF7E41
ChatTextColor_24=FF7E41
ChatTextColor_25=FF7E41
ChatTextColor_26=FF7E41
ChatTextColor_27=FF7E41
ChatTextColor_28=F475A0
ChatTextColor_29=FFA800
CheckBoxStringTalk=Chat
CheckBoxStringSystem=System
CheckBoxStringBattle=Combat
DefaultString=Standard Value
OKString=OK
CancelString=Cancel
[MU2GFxNpcShopView]
NpcShopTitle=Shop
BuyTap=Trade
BuyBackTap=Buyback
PurchaseButtonBuy=Buy
PurchaseButtonRebuy=Buyback
RepairItemBtn=Repair Selected
RepairItemStopBtn=Stop Item Repair
RepairAllBtn=Repair Equipped
ShowAllList=View all class items
[MU2GFxPartyView]
LS_DeathString=Death
LS_LogOutString=Logout
LS_CombatPower=Combat Power
LS_CharLevel=Level
LS_Level=Level
LS_SoulLevel=Soul Level
LS_Control=: Character Pop-up Menu
LS_Channel=Channel
LS_BtnCharacterGuide=Select Leveling Guide
LS_ReviveString=Resurrecting...
LS_AFK=Away
LS_CantReviveZone=Resurrection-restricted Map
LS_ReviveCountNoSet=No Resurrection limit
LS_ReviveCountHave=Can resurrect
LS_ReviveCountEmpty=Cannot resurrect
[MU2GFxDeadMessageBox]
LS_DeadMessage=You are dead.
LS_DeadSelectMessage=You will automatically resurrect in town in 10 minutes.
LS_KeepDungeonRespawnMessage=You will be resurrected after the remaining time is up.
LS_StageDungeonRespawnMessage=You will automatically resurrect when this stage is cleared.
LS_ItemRevive=Resurrect Now
LS_TownRevive=Resurrect in Town
LS_PointRevive=Resurrect at Point
LS_Exit=Exit
LS_ReviveCooltimeTimeText=%s_1s
LS_ReviveCooltimeMessage=Resurrection pending
LS_ReviveCooltimeEndMessage=Can resurrect
LS_AutoReviveRemainText=<font color='#fdc243'>%s_1</font> seconds remain until auto-resurrection.
LS_ReviveItemTooltipText=If you do not have Resurrection Stones of Life, you can use Redzen instead to resurrect.
LS_CantReviveZone=Resurrection-restricted Map
LS_ReviveCountNoSet=No Resurrection limit
LS_ReviveCountHave=%s_1 Can resurrect now
LS_ReviveCountEmpty=%s_1 Cannot resurrect now
[SystemNoticeMessage]
ExitGame=Exit?
PersnalTrade=%s_1 sent a trade request.
ReviveBy=%s_1 would like to resurrect you.¶Select Resurrect Now to resurrect at your current location.¶Resurrect?
InvitedPartyBy=%s_1 has invited you to his party.¶Accept?
SuggestedPartyBy=%s_1 would like to join your party.¶Accept?
SuggestedBanPartyBy=It has been suggested %s_1 should be expelled.¶Expel?¶(Reason: %s_2)
SuggestedAFKBan=Do you agree to¶ban %s_1?¶
MissionmapReady=Enter %s_1?
DungeonAdmission=Enter the dungeon?
NewAdvDungeonAdmission=Enter a new Rift?
BossDungeonAdmission=A formidable enemy awaits at the end of the dungeon.¶Are you sure you want to enter?
ExitDungeon=Exit the dungeon?
PartySelectKnightAge=You cannot join a Guild while in a party.
ApplyJoinParty=Level %s_1 %s_2 would like to join your party.¶Accept?
RequestJoinParty=Level %s_1 %s_2 has invited you to his party.¶Accept?
ConfirmDuelRequest=%s_1 has requested a duel.¶Do you want to accept?
RaidEstablishmentMsg=%s has created a Tournament Attack Unit.¶Do you want to check?
[CommonMessageButton]
Msg_Btn_Ok=OK
Msg_Btn_Yes=Approve
Msg_Btn_No=Decline
[ObjectName]
Portal=Portal
[MU2GFxRollingDice]
RollingDiceString=Roll Dice
CompromiseString=Yield
[MU2GFxPartyInfoWidget]
PartyInfoString=Party Info
IsPulbicizeString=Advertisement
ChangePublicInfoString=Change Advertisement
ItemDivisionString=Dice Roll Conditions
OKString=OK (Space)
CancelString=Cancel (Esc)
HighRankItemString=Uncommon item or higher
RareItemString=Rare items or higher
HeroItemString=Heroic items or higher
LegendItemString=Legendary items or higher
NoRollingDiceString=Random
PartyDestString=Party Destination
PartyMaxNumString=Party Capacity
RecruitParty=Recruiting Party Members
NotRecruitParty=Not Recruiting Party Members
UserNumber=%s
DefaultPublicText=%s's Party
[ItemDetailInfo]
OneHand_Blunt=Bludgeon
Staff=Staff
MagicSword=Magic Sword
TwoHand_Blunt=Two-handed Bludgeon
Bow=Bow
GiantSword=Greatsword
Cakram=Chakram
WingGun=Wing Gun
ShortSword=Dagger
LongSword=Longsword
MagicBook=Grimoire
Orb=Orb
Shield=Shield
Helmet=Helmet
Shoulder=Shoulder
Armor=Top
Gloves=Gloves
Pants=Bottoms
Shoes=Shoes
Wing=Wings
Necklace=Necklace
Ring=Ring
Belts=Belt
Earring=Earrings
Gather=Collected Object
Material_Cloth=Cloth Material
Material_Leather=Leather Material
Material_Metal=Metal Material
MoveScroll=Move Scroll
ReviveStone=Resurrection Stone
LS_BlessStone=Jewel of Bless
LS_SoulStone=Jewel of Soul
Potion=Potion
HpPotion=HP Potion
MpPotion=MP Potion
[ItemInfo]
Type_Normal=Normal
Type_Quest=Quest
Type_Equip=Equipment
Type_Material=Material
Type_Make=Craft
Type_Enchant=Enchant
Type_ADD=Additive
Type_Consume=Consumable
Type_Weapon_Main=Main Weapon
Type_Weapon_TwoHand=Two-handed Weapon
Type_Weapon_MainTwoHand=Magic Sword
Type_Weapon_OneHand=One-handed Weapon
Type_SubWeapon=Supplementary Equipment
Type_Armor=Armor
Type_Wing=Wings
Type_Accessory=Accessory
Grade_1=Normal
Grade_2=Uncommon
Grade_3=Rare
Grade_4=Heroic
Grade_5=Legendary
Grade_Normal=Normal
Grade_Excellent=Uncommon
Grade_Rare=Rare
Grade_Epic=Heroic
Grade_Unique=Legendary
NotForSale=Cannot be sold
BelongOnEquip=Binds when equipped
BelongOnTake=Binds when acquired
Durability=Durability
Grade_Low=Low-grade
Grade_Mid=Mid-grade
Grade_High=High-grade
DurabillityMsg=This item has reached 0 durability and cannot be used.
[AbilityInfo]
MeleeDefence=Физическая защита
MagicDefence=Магическая защита
MeleeAttack=Физическай атака
MagicAttack=Магическая атака
AttackSpeed=Attack Count
Str=Сила
Dex=Ловкость
Sta=Здоровье
Intel=Интеллект
Will=Will
Hp=Max HP
Mp=Max MP
Range=Радиус
max_hp=HP
add_dmg=Атака
def=Защита
MeleePwr=Physical Damage Increase
MagicPwr=Magic Damage Increase
LS_Crt=Critical Rate
CrtMul=Critical Damage
Accelerate_Rate=Casting Speed Acceleration Rate
FireDmg=Fire Attack
IceDmg=Cold Attack
SpiritDmg=Lightning Attack
NatureDmg=Nature Attack
FireDmgInvoke=Ignite
IceDmgInvoke=Freeze
SpiritDmgInvoke=Possess
NatureDmgInvoke=Poison
FireDmgShield=Fire Defense
IceDmgShield=Cold Defense
SpiritDmgShield=Lightning Defense
NatureDmgShield=Nature Defense
None=
strAbility[0]=Strength
strAbility[1]=Dexterity
strAbility[2]=Intelligence
strAbility[3]=Health
strAbility[4]=Min Physical Damage
strAbility[5]=Max Physical Damage
strAbility[6]=Physical Damage Increase
strAbility[7]=Physical Penetration
strAbility[8]=Physical Penetration Rate
strAbility[9]=Physical Defense
strAbility[10]=Physical Defense Rate
strAbility[11]=Physical Critical Rate
strAbility[12]=Physical Critical Rate
strAbility[13]=Physical Critical Damage
strAbility[14]=Physical Critical Damage
strAbility[15]=Min Physical Weapon Damage
strAbility[16]=Max Physical Weapon Damage
strAbility[17]=Physical Damage
strAbility[18]=Min Magic Damage
strAbility[19]=Max Magic Damage
strAbility[20]=Magic Damage Increase
strAbility[21]=Magic Penetration
strAbility[22]=Magic Penetration Rate
strAbility[23]=Magic Defense
strAbility[24]=Magic Defense Rate
strAbility[25]=Magic Critical Rate
strAbility[26]=Magic Critical Rate
strAbility[27]=Magic Critical Damage
strAbility[28]=Magic Critical Damage
strAbility[29]=Min Magic Weapon Damage
strAbility[30]=Max Magic Weapon Damage
strAbility[31]=Magic Damage Increase
strAbility[32]=Evasion
strAbility[33]=Evasion Rate
strAbility[34]=Courage
strAbility[35]=Critical Damage Reduction
strAbility[36]=PvP Damage Reduction
strAbility[37]=Abnormal Status Resistance
strAbility[38]=CC Reduction
strAbility[39]=Shield Block
strAbility[40]=Shield Damage
strAbility[41]=Running Speed
strAbility[42]=Walking Speed
strAbility[43]=Attack Speed
strAbility[44]=Attack Speed
strAbility[45]=Attack Count
strAbility[46]=Casting Speed
strAbility[47]=Casting Acceleration
strAbility[48]=Casting Speed
strAbility[49]=HP
strAbility[50]=MP
strAbility[51]=HP Recovery
strAbility[52]=MP Recovery
strAbility[53]=MP Cost Reduction
strAbility[54]=Fire Attack
strAbility[55]=Ignite
strAbility[56]=Fire Defense
strAbility[57]=Cold Attack
strAbility[58]=Freeze
strAbility[59]=Cold Defense
strAbility[60]=Soul Attack
strAbility[61]=Possess
strAbility[62]=Soul Defense
strAbility[63]=Nature Attack
strAbility[64]=Poison
strAbility[65]=Nature Defense
[MU2GFxExitMenu]
LS_ExitMenuTitle=Game Menu
LS_btnExitGame=Exit Game
LS_btnLogout=Logout
LS_btnServerSelect=Server Select Screen
LS_btnCharSelect=Character Select Screen
LS_btnOption=Settings (O)
LS_btnGuide=Help
LS_btnEscapePosition=Emergency Escape
LS_btnExitDungeon=Exit Dungeon
LS_btnReturn=Resume
LS_btnUsableGrade=Game Rating
LS_btnClose=Close (Esc)
LS_CharLevel=Level
LS_SoulLevel=Soul Level
LS_CombatPower=Combat Power
LS_DungeonInfo=Dungeon Entry Count
LS_DIComplete=%s_1/%s_2 (Completed)
LS_DIDefault=%s_1/%s_2
LS_DIDisabled=Level %s_1
LS_CharRotation=+ Drag: Rotate Character
LS_EnableEnterContents=View available contents
LS_LevelGuide=Growth Guide
LS_DailyMission=Daily Mission
LS_NormalDungeon=Normal
LS_EpicDungeon=Epic
LS_MissionRemainTime=Time remaining until this Daily Mission ends
LS_Impossible=Cannot be performed
LS_NoReceive=You have unclaimed rewards.
LS_Complete=Completed
LS_MissionCnt=(%s_1/%s_2 missions)
LS_PlatinumService=The Platinum Service effect has increased your maximum entry count by %s_1.
LS_PCRoomService=The Platinum effect has increased your maximum entry count by %s_1.
[MU2GFxMaterialView]
ChangeMaterialString=Alter Material
PreViewString=Preview
EquipItemString=Armor Item
MaterialItemString=Material Item
ChangeMaterialBtnString=Alter
ChargeLabelString=Altering Cost
[MU2GFxSkillBoard]
LS_LevelString=Level
LS_EmptySlotString=Empty Slot
LS_TitleString=Skill
LS_MainSkillString=Weapon Skill
LS_ClassSkillString=Class Skill
LS_SpecialSkillString=Expert Skill
LS_DLOneHandWeaponStr=Required Weapon: Bludgeon
LS_BLOneHandWeaponStr=Required Weapon: Sword
LS_WMOneHandWeaponStr=Required Weapon: Magic Sword
LS_WHOneHandWeaponStr=Required Weapon: Wing Gun
LS_DLTwoHandWeaponStr=Required Weapon: Two-handed Bludgeon
LS_BLTwoHandWeaponStr=Required Weapon: Greatsword
LS_WMTwoHandWeaponStr=Required Weapon: Staff
LS_WHTwoHandWeaponStr=Required Weapon: Longbow
LS_EMOneHandWeaponStr=Required Weapon: Chain Blade
LS_EMTwoHandWeaponStr=Required Weapon: Chakram
[MU2GFxSkillCustomizing]
LS_TitleString=Equip Crest
LS_TotalString=All
LS_GeneralString=Normal
LS_HighRankString=Uncommon
LS_RareString=Rare
LS_HeroString=Heroic
LS_LegendString=Legendary
LS_LockRuneString=Locked Crest Slot
LS_LockRuneExplainString=Improve skill mastery level to unlock slot.
LS_UnequipString=Equippable Crest
LS_UnequipExplainString=Select a crest to equip
LS_EquipString=Equip
LS_Exchange=Replace
LS_ExchangeWithItem=Replace without destroying it
LS_EnableEquipRuneString=You have no skill crest to equip.
LS_ExplainGainRune=Skill crests can be obtained from monsters.
[MU2GFxActionBarView]
tfActiveSkill=Class Skill
tfSpecialSkill=Expert Skill
tfMasterWeaponSkill=Weapon Skill
tfItemShorcut=Item
tfExp=EXP
tfSoulExp=Soul EXP
LS_MaxLevelText=Max level reached.
LS_HpTooltip=<font color='#fdc243'>HP: </font><font color='#11f210'>%s_1 / %s_2</font><br><font color='#ffffff'>You will die when your HP reaches 0.</font>
LS_MpTooltip=<font color='#fdc243'>MP: </font><font color='#11f210'>%s_1 / %s_2</font><br><font color='#ffffff'>Using skills consumes MP.</font>
LS_CooltimeTextDay=Day
LS_CooltimeTextHour=Hour
LS_CooltimeTextMin=Min
LS_CooltimeTextSec=Sec
LS_CashShopBtn=Legend Shop
[MU2GFxCommonMessageBox]
LS_BtnOK=OK (Space)
LS_BtnOk1=OK (Enter)
LS_BtnCancel=Cancel (Esc)
LS_InputDefault=Enter text.
LS_MyImputedRedZen=My Bound Redzen
LS_MyRedZen=My Redzen
[MU2GFxTransactionQuantity]
LS_BuyTitle=Buy Item
LS_SellTitle=Sell Item
LS_ReSellTitle=Buy Back Items
LS_BtnOK=OK (Space)
LS_BtnCancel=Cancel (Esc)
lstrDateItem=Limited-time Item
lstrDateRemain=Remaining Period
lstrDateExpire=Expiration
lsDateDay=Day
lsDateHour=Hours
lsDateMinute=Min
lsDateSecond=Sec
lsDateItem[0]=This item is usable from the time it is used, for
lsDateItem[1]=This item is usable, from the time it is acquired, for
lsDateItem[2]=This item is usable for
lsDateUse=0
lsCallBuy=Buy this item?
[ItemCreateCategory]
ItemCreateJobName1=Craft Equipment
ItemCreateCategory11=One-handed Weapon
ItemCreateSubCategory111=Scepter
ItemCreateSubCategory112=Wing Gun
ItemCreateSubCategory113=Staff
ItemCreateSubCategory114=Dagger
ItemCreateSubCategory115=One-handed Sword
ItemCreateSubCategory116=Magic Sword
ItemCreateCategory12=Two-handed Weapon
ItemCreateSubCategory121=Two-handed Bludgeon
ItemCreateSubCategory122=Greatsword
ItemCreateSubCategory123=Staff
ItemCreateSubCategory124=Bow
ItemCreateCategory13=Secondary Weapon
ItemCreateSubCategory131=Shield
ItemCreateSubCategory132=Grimoire
ItemCreateSubCategory133=Orb
ItemCreateCategory14=Dark Lord Armor
ItemCreateSubCategory141=Armor
ItemCreateSubCategory142=Leg Armor
ItemCreateSubCategory143=Helmet
ItemCreateSubCategory144=Spaulders
ItemCreateSubCategory145=Gauntlets
ItemCreateSubCategory146=Boots
ItemCreateCategory15=Blader Armor
ItemCreateSubCategory151=Breastplate
ItemCreateSubCategory152=Gaiters
ItemCreateSubCategory153=Mask
ItemCreateSubCategory154=Chainmail
ItemCreateSubCategory155=Vambrace
ItemCreateSubCategory156=Foot Coverings
ItemCreateCategory16=Whisperer Armor
ItemCreateSubCategory161=Tunic
ItemCreateSubCategory162=Tights
ItemCreateSubCategory163=Headband
ItemCreateSubCategory164=Epaulettes
ItemCreateSubCategory165=Sleeves
ItemCreateSubCategory166=Shoes
ItemCreateCategory17=War Mage Armor
ItemCreateSubCategory171=Robe
ItemCreateSubCategory172=Pants
ItemCreateSubCategory173=Crown
ItemCreateSubCategory174=Shoulder Cover
ItemCreateSubCategory175=Gloves
ItemCreateSubCategory176=Shoes
ItemCreateCategory18=Spellbinder Armor
ItemCreateSubCategory181=Chiton
ItemCreateSubCategory182=Leggings
ItemCreateSubCategory183=Decorative Horns
ItemCreateSubCategory184=Shoulder Decoration
ItemCreateJobName2=Craft Consumables
ItemCreateCategory21=Consumable
ItemCreateSubCategory211=Recovery Potion
ItemCreateSubCategory212=Spirit of Naturam
ItemCreateSubCategory213=Brew
ItemCreateSubCategory214=Elixir
ItemCreateSubCategory215=Scroll
ItemCreateSubCategory216=Other Consumable
ItemCreateCategory23=Magic Supply
ItemCreateSubCategory231=Cube
ItemCreateSubCategory232=Evolution Stone
ItemCreateSubCategory233=Transcendent Stone
ItemCreateSubCategory234=Intensification Stone
ItemCreateSubCategory235=Material
ItemCreateSubCategory236=Artifact Essence
ItemCreateSubCategory237=Admission Ticket
ItemCreateSubCategory238=Fusion Material
ItemCreateCategory24=Jewel
ItemCreateSubCategory241=Ruby
ItemCreateSubCategory242=Garnet
ItemCreateSubCategory243=Topaz
ItemCreateSubCategory244=Emerald
ItemCreateSubCategory245=Sapphire
ItemCreateSubCategory246=Amethyst
ItemCreateSubCategory247=Aquamarine
ItemCreateCategory25=Soulstone
ItemCreateSubCategory251=All Classes
ItemCreateSubCategory252=Dark Lord
ItemCreateSubCategory253=Blader
ItemCreateSubCategory254=War Mage
ItemCreateSubCategory255=Whisperer
ItemCreateSubCategory117=Chain Blade
ItemCreateSubCategory125=Chakram
ItemCreateSubCategory185=Vambraces
ItemCreateSubCategory186=Sandals
ItemCreateCategory19=Misc Equipment
ItemCreateSubCategory191=Necklace
ItemCreateSubCategory192=Earrings
ItemCreateSubCategory193=Ring
ItemCreateSubCategory194=Wings
ItemCreateSubCategory239=Downgrade
[MU2GFxCharInfoView]
LS_Title=Character Info
LS_BasicInfo=Basic Info
LS_AdditionalInfo=Additional Info
LS_HeroTitleLabel=Title: %s_1
LS_NoneHeroTitle=No Title
LS_NoneGuild=No Joined Guild
LS_GloryGrade=Honor Points
LS_CombatPower=Combat Power
LS_CombarPowerRanking=(CP Rank %s_1)
LS_AchieveGradeText=Achievement Grade %s_1
LS_AccountLevel=Account Level
LS_Level=Level
LS_SoulLevel=Soul Level
LS_AttackPower=Attack
LS_AddAttackPower=Add. Dmg.
LS_DefensePower=Defense
LS_Attack=Attack
LS_Defense=Defense
LS_DamageReduction=Dmg. Reduct.
LS_MP=MP
LS_Sub=Secondary
LS_Recovery=Recovery
LS_Element=Attribute
LS_Grade=Grade
LS_Size=Size
LS_Type=Type
LS_DamageReport=Damage Report
LS_MyAccountLevelBuff=My Account Level Effects
LS_AccountLevelNoBuff=No account level effects.
LS_AddDamage=+ %s_1
LS_NoRank=-
mcCombatPowerInfo=Combat Power
mcAttackPowerInfo=Attack
AttackAbility_AttackSpeed=Attack Speed
AttackAbility_HitProbability=Accuracy
AttackAbility_CriticalProbability=Critical Rate
AttackAbility_CriticalPower=Critical Damage
AttackAbility_IgnoreDefense=True Damage
AttackAbility_PierceDefense=Defense Penetration
mcDefesivePowerInfo=Defense
DefenseAbility_HP=Max HP
DefenseAbility_DodgeProbability=Evasion Rate
DefenseAbility_ShieldBlockProbability=Shield Block Rate
DefenseAbility_ShieldBlockDamageReduction=Shield Block Damage Reduction
DefenseAbility_CrowdControlTimeReduction=CC Time Reduction
DefenseAbility_DefRate=All Damage Reduction
MPAbility_MP=Max MP
MPAbility_MPConsumReduction=MP Cost Reduction
SubAbility_CoolingSpeedTimeReduction=Cooldown Reduction
SubAbility_RunSpeed=Movement Speed
RecoveryAbility_HPRecoveryPerSec=HP Recovery per Second
RecoveryAbility_MPRecoveryPerSec=MP Recovery per Second
RecoveryAbility_HPRecoveryWhenKilled=HP+ for Each Kill
RecoveryAbility_MPRecoveryWhenKilled=MP+ for Each Kill
RecoveryAbility_HPRecoveryWhenHit=HP+ for Damage Dealt
RecoveryAbility_MPRecoveryWhenHit=MP+ for Damage Dealt
RecoveryAbility_HPPortionEfficiency=HP-Rec.-Item Boost
RecoveryAbility_MPPortionEfficiency=MP-Rec.-Item Boost
SubAbility_GetExp=Monster EXP
SubAbility_GetSoulExp=Soul EXP
SubAbility_DamageReflection=Damage Reflection
SubAbility_SkillProficiency=Skill Mastery
SubAbility_GetZen=Zen Drop
SubAbility_GetGreenZen=Magic Gem Gain
SubAbility_GetRiftPoint=Rift Fragment Gain
SubAbility_GetItemChange=Item Drop Rate
SubAbility_GetMagicItemChange=Uncommon Item Drop Rate
SubAbility_GetItemRootingRateRange=Item Pickup Radius
SubAbility_BuffDuration=Buff Durations
SubAbility_SummonDuration=Summon Durations
SubAbility_BoardingTimeReduction=Decreased Mount Durations
Normal=Normal
Elite=Elite
Boss=Boss
Small=Small
Medium=Medium
Large=Large
XLarge=Extra Large
Plant=Plant
Insect=Insect
Beast=Beast
Human=Humanoid
Undead=Undead
Devil=Demon
Mutant=Mutant
Magic=Magic
Structure=Building
Normal_0=Normal Attack
Normal_1=Normal Damage Reduction
Elite_0=Elite Attack
Elite_1=Elite Damage Reduction
Boss_0=Boss Attack
Boss_1=Boss Damage Reduction
Small_0=Small Bonus Damage
Small_1=Small Attack
Small_2=Small Damage Reduction
Medium_0=Medium Bonus Damage
Medium_1=Medium Attack
Medium_2=Medium Damage Reduction
Large_0=Large Bonus Damage
Large_1=Large Attack
Large_2=Large Damage Reduction
XLarge_0=Extra Large Bonus Damage
XLarge_1=Extra Large Attack
XLarge_2=Extra Large Damage Reduction
Plant_0=Plant Bonus Damage
Plant_1=Plant Attack
Plant_2=Plant Damage Reduction
Insect_0=Insect Bonus Damage
Insect_1=Insect Attack
Insect_2=Insect Damage Reduction
Beast_0=Beast Bonus Damage
Beast_1=Beast Attack
Beast_2=Beast Damage Reduction
Human_0=Humanoid Bonus Damage
Human_1=Humanoid Attack
Human_2=Humanoid Damage Reduction
Undead_0=Undead Bonus Damage