-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathindex.js
4037 lines (3884 loc) · 186 KB
/
index.js
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
//&3Fishing&9Utils
//vars and imports
import { request } from '../requestV2'
import renderBeaconBeam from '../BeaconBeam'
import { FishingUtils } from './settings'
import { guide } from './guide'
import { resources } from './resources'
const displayPos = new Gui()
displayPos.registerDraw(moveGuiRender)
const orbDisplayPos = new Gui()
orbDisplayPos.registerDraw(moveGuiRender)
let enabled = false
let new_account = false
let sub = (getSub() || "main")
let uuid = Player.getUUID()
const default_data = {
player: {},
config: {
"displayPos": {
"x": 10,
"y": 10
},
"orbDisplayPos": {
"x": 10,
"y": 10
},
"key": "NONE",
"goals": {},
"reached_goals": []
}
}
const default_stats = {
fish: 0,
junk: 0,
treasure: 0,
total: 0,
seasonal_fish: 0,
seasonal_junk: 0,
seasonal_treasure: 0,
seasonal_total: 0,
caught: "",
orbs: {
helios: 0,
selene: 0,
nyx: 0,
aphrodite: 0,
zeus: 0,
archimedes: 0,
hades: 0,
total: -1,
seasonal_total: -1,
weight: {
helios: -1,
selene: -1,
nyx: -1,
aphrodite: -1,
zeus: -1,
archimedes: -1,
hades: -1
},
last_ultra_rare: -1
},
special: 0,
retroactive: false
}
if (!FileLib.exists("FishingUtils", "data.json")) FileLib.write("FishingUtils", "data.json", JSON.stringify(default_data))
let data = JSON.parse(FileLib.read("FishingUtils", "data.json"))
let stats
updateDataPath()
const fish_re = /^&r&7You caught (?:a )?&r&e(.+)&r&7!&r$/
const junk_re = /^&r&7Oh no, you caught(?: an?)? &r&c(.+)&r&7!&r$/
const treasure_re = /^&r&7You caught(?: an?)? &r&a(.+)&r&7, that's a treasure!&r$/
const treasure_re2 = /^&r&7You caught &r&.((\d{1,3}) .+)&r&7!&r$/
const gc_re = /^(?:\[\w*\+?\+?\] )?(?!You)(\w{1,16}) caught(?: an?)? ((?:.)+?)! (.+)$/
const orb_re = /^§7Caught a (\d+)kg §\w(.*)§7!§r$/
const orb_chat_re = /^&r&7You caught a &r&f(\d+)kg &r(&\w)(.*)&r&7!&r$/
const lb_re = /Showing (?:(?:Fish)|(?:Junk)|(?:Treasure)) positions!/
const name_re = /^\w{1,16}$/
const tab_re = /^§[^8](?:\[[\w§+]+?\] )?(\w{1,16})(?: §.\[.+?\])?$/
const metadata = JSON.parse(FileLib.read("FishingUtils", "metadata.json"))
let catsnfish = false
let disconnect = false
let API_KEY = data.config.key
const ap_tiers = [10, 25, 50, 100, 500, 1000]
const master_tiers = [10000, 25000, 50000, 100000]
const seasonal_tiers = [1, 10, 25, 50, 100]
const default_progress = {
fish: "",
junk: "",
treasure: "",
mythical_fish: "",
total: "",
seasonal_fish: "",
seasonal_junk: "",
seasonal_treasure: "",
seasonal_mythical_fish: "",
seasonal_total: ""
}
const fu_subs = ["help", "guide", "resources", "key", "goals", "reset"]
const goal_keys = ["list", "reset", "fish", "junk", "treasure", "mythical_fish", "total", "seasonal_fish", "seasonal_junk", "seasonal_treasure", "seasonal_mythical_fish", "seasonal_total"]
const dev_stat = ["fish", "junk", "treasure", "total", "seasonal_fish", "seasonal_junk", "seasonal_treasure", "seasonal_total", "special"]
const dev_subs = ["setlastultrarare", "setstat", "setseason", "removeseason", "setorb", "setretroactive", "setsub", "generatefakeaccount", "removefakeaccounts"]
const seasons = ["christmas", "easter", "summer", "halloween"]
const text = new Text("Click anywhere to move the Display, press ESC to close", 0, 0).setColor(Renderer.GREEN).setShadow(true)
const display = new Display().hide().setRenderLoc(data.config.displayPos.x, data.config.displayPos.y)
updateDisplay()
const plus_dictionary = {
"RED": "§c",
"GOLD": "§6",
"GREEN": "§a",
"YELLOW": "§e",
"LIGHT_PURPLE": "§d",
"WHITE": "§f",
"BLUE": "§9",
"DARK_GREEN": "§2",
"DARK_RED": "§4",
"DARK_AQUA": "§3",
"DARK_PURPLE": "§5",
"DARK_GRAY": "§8",
"BLACK": "§0",
"DARK_BLUE": "§1",
"GRAY": "§7"
}
const fish = new Item(349)
let bobber
let bobber_needed = false
const fishhook = Java.type("net.minecraft.entity.projectile.EntityFishHook").class
const nocolor_list = ["VILLAGER_HAPPY", "HEART", "WATER_WAKE", "FLAME", "VILLAGER_ANGRY"]
const particle_dictionary = {
"Emerald": "VILLAGER_HAPPY",
"Hearts": "HEART",
"Water": "WATER_WAKE",
"Fire": "FLAME",
"Storm": "VILLAGER_ANGRY",
"Dust": "REDSTONE",
"Small Dust": "TOWN_AURA",
"Large Dust": "SMOKE_LARGE",
"Rising Dust": "SMOKE_NORMAL",
"Falling Dust": "SNOW_SHOVEL",
"Magic Dust": "PORTAL",
"Cloud": "CLOUD",
"Large Cloud": "EXPLOSION_NORMAL",
"Crit": "CRIT",
"Magic Crit": "CRIT_MAGIC",
"Runes": "ENCHANTMENT_TABLE",
"Stars": "FIREWORKS_SPARK",
"Music Notes": "NOTE"
}
const orb_dictionary = {
"Ember of Helios": "helios",
"Dust of Selene": "selene",
"Shadow of Nyx": "nyx",
"Heart of Aphrodite": "aphrodite",
"Spark of Zeus": "zeus",
"Automaton of Daedalus": "archimedes",
"Wrath of Hades": "hades"
}
const trail_dictionary = {
"none": "None",
"mainlobby_fishing_gold_particles": "Emerald",
"mainlobby_fishing_sparkle": "Sparkle",
"mainlobby_fishing_treasure_sheen": "Treasure's Sheen",
"mainlobby_fishing_beloved_junk": "Beloved Junk",
"mainlobby_fishing_archimedes": "Archimedes' Trail",
"mainlobby_fishing_hades_hook": "Hades' Hook"
}
const enchant_dictionary = {
"lure": "Lure",
"luck": "Luck of the Sea",
"collector": "Collector",
"dumpster_diver": "Dumpster Diver",
"vulcans_blessing": "Vulcan's Blessing",
"neptunes_fury": "Neptune's Fury",
"mythical_hook": "Mythical Hook",
"herbivore": "Herbivore"
}
const rod_dictionary = {
"fishing_rod_3000": "&6Fishing Rod &l3000",
"inaugural_ice_fishing_rod": "&bInaugural Ice Fishing Rod",
"fishing_rod_springtime": "&eSpringtime Fishing Rod",
"fishing_rod_haunted": "&5Haunted Fishing Rod",
"fishing_rod_festive": "&cFestive Fishing Rod"
}
const settings_dictionary = {
"fishCollectorShowCaught": "Uncaught Fish",
"simplifiedIcons": "Menu Icons"
}
const settings_value_dictionary = {
"fishCollectorShowCaught": {
"true": "&cHidden",
"false": "&aShown"
},
"simplifiedIcons": {
"true": "&eSimplified",
"false": "&aNormal"
}
}
const maximumWeightValues = {
"helios": 15,
"selene": 15,
"nyx": 25,
"aphrodite": 25,
"zeus": 40,
"archimedes": 50,
"hades": 50
}
const specialFish = {
"regular": ["Puffer Emoji", "Nemo", "Knockback Slimeball", "Hot Potato", "Fish Monger Suit Helmet", "Fish Monger Suit Chestplate", "Fish Monger Suit Leggings", "Fish Monger Suit Boots", "Barnacle", "Leviathan", "Star-Eater Scales", "Rubber Duck"],
"summer": ["Oops the Fish", "Shark", "Sea Bass", "Sunscreen", "Pile of Sand", "Mahi Mahi", "Lucent Bee Hive"],
"halloween": ["Spook the Fish", "Chocolate Bar", "Pumpkin Spice Latte", "Angler", "Eyeball", "Wayfinder's Compass", "Molten Iron", "Regular Fish", "Lava Shark"],
"holiday": ["Chill the Fish 3", "Frozen Fish", "Festival Pufferfish Hat", "Eggnog", "Dawning Snowball", "Frozen Meal", "Festive Lights"],
"easter": ["Egg the Fish", "Cracked Egg", "Raw Ham", "Carrot", "Soggy Hot Cross Bun", "Clay Ball", "Rose", "Cherry Blossom"]
}
const specialCounts = {
"water": 37,
"lava": 3,
"ice": 4,
"total": 44
}
const cosmeticNames = {
"cloak_school": "&6School Cloak",
"cloak_aquarium": "&6Aquarium Cloak",
"gadget_hot_potato": "&bHot Potato Gadget",
"gadget_portable_pond": "&5Portable Pond Gadget",
"gadget_spooky_fish": "&6Spooky Fish Gadget",
"hat_golden_pufferfish": "&6Golden Pufferfish Hat",
"hat_spooked_pufferfish": "&6Spooked Pufferfish Hat",
"hat_festive_pufferfish": "&6Festive Pufferfish Hat",
"hat_seasoned_fisher_banner": "&6Seasoned Fisher Banner",
"hat_legendary_fisher_banner": "&6Legendary Fisher Banner",
"hat_spooky_fisher_banner": "&6Spooky Fisher Banner",
"hat_festive_fisher_banner": "&6Festive Fisher Banner",
"pet_pufferfish": "&6Pufferfish Pet",
"punchmessage_fished": "&aFished Punch Message",
"status_legendary_fisher": "&6Legendary Fisher Status",
"suit_fish_monger_helmet": "&6Fish Monger Suit Helmet",
"suit_fish_monger_chestplate": "&5Fish Monger Suit Chestplate",
"suit_fish_monger_leggings": "&9Fish Monger Suit Leggings",
"suit_fish_monger_boots": "&aFish Monger Suit Boots"
}
const enchantTiers = {
"lure": [0, 0, 0, 500, 1500, 3000],
"luck": [0, 0, 100, 250, 750, 1000],
"collector": [250, 500, 1000, 2500],
"dumpster_diver": [1, 2, 3, 4, 5]
}
const enchantUnlockItems = {
"lure": "Fish",
"luck": "Treasure",
"collector": "Junk",
"dumpster_diver": "Special Fish"
}
const achievement_dictionary = {
general_hot_potato: "Hot Potato",
general_fishing_hobbyist: "Main Lobby: Fishing Hobbyist",
general_doing_my_part: "Main Lobby: Doing My Part",
general_tips_and_tricks: "Main Lobby: Tips and Tricks",
general_deep_sea_expert: "Main Lobby: Deep Sea Expert",
general_old_farmers_almanac: "Main Lobby: Old Farmer's Almanac",
general_master_lure: "Main Lobby: Master Lure",
general_trashiest_diver: "Main Lobby: Trashiest Diver",
general_luckiest_of_the_sea: "Main Lobby: Luckiest of the Sea",
summer_collectors_edition: "Collector's Edition",
summer_gone_fishing: "Gone Fishing",
easter_spring_fishing: "Spring Fishing",
easter_spring_water: "Spring Water"
}
const achievement_tiers = {
general_luckiest_of_the_sea: [10, 25, 50, 100, 500],
general_master_lure: [25, 50, 100, 500, 1000],
general_trashiest_diver: [10, 25, 50, 100, 500],
summer_gone_fishing: [10, 50, 100]
}
const margin = 14
let orbDisplayToggle = false
const orb_names = ["helios", "selene", "nyx", "aphrodite", "zeus", "archimedes", "hades"]
const type_list = ["fish", "junk", "treasure", "orb"]
const env_list = ["water", "lava", "ice"]
let images = []
let top_text = []
let bottom_text = []
for (let i = 0; i < 7; i++) {
images.push(Image.fromAsset(orb_names[i] + ".png"))
top_text.push(new Text(stats.orbs[orb_names[i]].toString(), data.config.orbDisplayPos.x + 16 + (30 + margin) * i - 0.5, data.config.orbDisplayPos.y).setShadow(true).setAlign("center").setColor(Renderer.RED))
bottom_text.push(new Text(orbPercentage(stats.orbs[orb_names[i]], stats.orbs.total).replace(/[()]/g, ""), data.config.orbDisplayPos.x + 16 + (30 + margin) * i - 0.5, data.config.orbDisplayPos.y + 40).setShadow(true).setAlign("center").setColor(Renderer.GRAY))
}
let debug = false
//Debug
function debugLog(message) {
if (debug) console.log(`[Fishing Utils] ${message}`)
}
//Auto Enabler
register("worldLoad", () => {
enabled = false
debugLog("Auto Disabled")
setTimeout(() => {
if (!enabled) ChatLib.command("locraw")
}, 2500)
})
register("chat", (event) => {
if (enabled) return
let msg = ChatLib.getChatMessage(event)
let locraw
try {
locraw = JSON.parse(msg)
} catch (e) {
return
}
if (locraw.gametype === "MAIN") {
enabled = true
cancel(event)
let subdomain = "MC"
if (sub === "alpha") subdomain = "ALPHA"
if (FishingUtils.getSetting("Miscellaneous", "Secret")) TabList.setHeader(`&r&r&bYou are fishing on &r&e&l${subdomain}.HYPIXEL.NET&r&r`)
debugLog("Auto Enabled")
}
})
//Display Loader
register("renderOverlay", () => {
if (displayPos.isOpen()) {
display.show()
orbDisplayToggle = false
return
}
if (orbDisplayPos.isOpen()) {
display.hide()
orbDisplayToggle = true
return
}
let displayToggle = FishingUtils.getSetting("Fishing Display", "Display Fishing Stats")
let orbToggle = FishingUtils.getSetting("Mythic Display", "Mythical Fish Display")
const heldItemIndex = Player.getHeldItemIndex()
const heldItem = Player.getHeldItem()
const holdingRod = heldItem !== null && (heldItem.getID() === 346 && heldItemIndex === 3)
if (displayToggle && enabled && holdingRod) {
display.show()
let toggle = FishingUtils.getSetting("Fishing Display", "Background")
let custom = FishingUtils.getSetting("Fishing Display", "Background Color")
let alpha = FishingUtils.getSetting("Fishing Display", "Background Opacity")
let color = Renderer.color(custom[0], custom[1], custom[2], alpha)
if (toggle) {
display.setBackground(DisplayHandler.Background.FULL)
display.setBackgroundColor(color)
} else {
display.setBackground(DisplayHandler.Background.NONE)
}
let align = FishingUtils.getSetting("Fishing Display", "Text Align").toLowerCase()
let order = (FishingUtils.getSetting("Fishing Display", "Line Order") === "Top to Bottom") ? "down" : "up"
display.setAlign(align)
display.setOrder(order)
} else display.hide()
if (orbToggle && enabled && holdingRod) orbDisplayToggle = true
else orbDisplayToggle = false
})
//Update Display on Settings
register("step", () => {
if (!FishingUtils.gui.isOpen()) return
if (!FishingUtils.getSetting("Miscellaneous", "Continuously Refresh Display on Settings Menu")) return
updateDisplay()
updateOrbDisplay()
})
//Display Updater
function updateDisplay() {
display.clearLines()
if (!stats.retroactive) {
display.addLine("&eSpeak to the &6Dockmaster &eto display your stats!")
return
}
let progress = goalProgress()
let caught = (FishingUtils.getSetting("Fishing Display", "Shorten Text")) ? "" : " Caught"
if (stats.season !== undefined && FishingUtils.getSetting("Fishing Display", "Show Seasonal Stats")) {
display.addLine(`&8${stats.season}`)
display.addLine(`&7Fish${caught}: &e${thousandSeparator(stats.seasonal_fish)}${progress.seasonal_fish}`)
display.addLine(`&7Junk${caught}: &c${thousandSeparator(stats.seasonal_junk)}${progress.seasonal_junk}`)
display.addLine(`&7Treasure${caught}: &a${thousandSeparator(stats.seasonal_treasure)}${progress.seasonal_treasure}`)
let total;
(stats.orbs.total < 0) ? total = "&cUnset": total = `${thousandSeparator(stats.orbs.seasonal_total)}${progress.seasonal_mythical_fish}`
display.addLine(`&7Mythical Fish${caught}: &6${total}`)
display.addLine(`&7Total${caught}: &d${thousandSeparator(stats.seasonal_total)}${progress.seasonal_total}`)
display.addLine(`&8Total`)
}
display.addLine(`&7Fish${caught}: &e${thousandSeparator(stats.fish)}${progress.fish}`)
display.addLine(`&7Junk${caught}: &c${thousandSeparator(stats.junk)}${progress.junk}`)
display.addLine(`&7Treasure${caught}: &a${thousandSeparator(stats.treasure)}${progress.treasure}`)
let total;
(stats.orbs.total < 0) ? total = "&cUnset": total = `${thousandSeparator(stats.orbs.total)}${progress.mythical_fish}`
display.addLine(`&7Mythical Fish${caught}: &6${total}`)
if (FishingUtils.getSetting("Fishing Display", "Show Mythical Fish Since Last Ultra Rare")) {
display.addLine(`&7Bad Luck Streak: &5${thousandSeparator(stats.orbs.total - stats.orbs.last_ultra_rare)}`)
}
display.addLine(`&7Total${caught}: &d${thousandSeparator(stats.total)}${progress.total}`)
if (FishingUtils.getSetting("Fishing Display", "Show Last Caught")) display.addLine(`&7Last${caught}: &b${stats.caught}`)
if (FishingUtils.getSetting("Fishing Display", "Text Shadow")) display.getLines().forEach(el => {
el.setShadow(true)
})
}
//Helper functions
//separates numbers into thousands
function thousandSeparator(num) {
if (num === undefined) return "0"
return num.toString().replace(/\B(?=(\d{3})+(?!\d))/g, FishingUtils.getSetting("Miscellaneous", "Thousand Separator Character"))
}
//edits the decimal character to whatever the user wants
function decimalSeparator(str) {
if (!isNaN(str)) str = str.toString()
return str.replace(".", FishingUtils.getSetting("Miscellaneous", "Decimal Separator Character"))
}
//generates a percentage from two numbers
function percentage(num, total) {
let percent = num / total
if (isNaN(percent)) return "&7(0%)"
if (percent === Infinity) return "&7(0%)"
if (percent === 0) return "&7(0%)"
if (percent < 0.0001) return decimalSeparator("&7(<0.01%)")
return decimalSeparator(`&7(${Math.floor(percent * 10000) / 100}%)`)
}
//parses lines to extract the stat
function parseStat(line) {
return parseInt(line.split(/§[6acde]/)[1].replace(/\D/g, ''))
}
//converts keys to title case
function titleCase(str) {
return str.replace(/_/g, " ").replace(/\w\S*/g, (txt) => txt.charAt(0).toUpperCase() + txt.slice(1))
}
//converts a number to roman numeral
function romanize(num) {
if (isNaN(num)) return NaN
let digits = String(+num).split(""),
key = ["", "C", "CC", "CCC", "CD", "D", "DC", "DCC", "DCCC", "CM",
"", "X", "XX", "XXX", "XL", "L", "LX", "LXX", "LXXX", "XC",
"", "I", "II", "III", "IV", "V", "VI", "VII", "VIII", "IX"
],
roman = "",
i = 3
while (i--) roman = (key[+digits.pop() + (i * 10)] || "") + roman
return Array(+digits.join("") + 1).join("M") + roman
}
function goalProgress() {
if (!FishingUtils.getSetting("Goals", "Goals")) return default_progress
let progress = JSON.parse(JSON.stringify(default_progress))
let preset = FishingUtils.getSetting("Goals", "Goal Preset")
if (preset === "Achievements") {
let tiers
types = ["fish", "junk", "treasure"]
if (stats.season_name === "Summer") types.push("seasonal_treasure")
types.forEach(type => {
let color = ""
if (FishingUtils.getSetting("Goals", "Darken Goal Denominator")) color = darkenColor(type)
switch (type) {
case "fish":
tiers = ap_tiers.slice(1)
break
case "summer_treasure":
tiers = [ap_tiers[0], ap_tiers[2], ap_tiers[3]]
break
default:
tiers = ap_tiers.slice(0, -1)
}
let i = 0
for (i; i < tiers.length + 1; i++) {
if (i === tiers.length) {
if (stats[type] == tiers[tiers.length - 1]) progress[type] = `${color}/${thousandSeparator(tiers[tiers.length - 1])} &e(100%)`
break
}
if (stats[type] < tiers[i]) {
progress[type] = `${color}/${thousandSeparator(tiers[i])} ${percentage(stats[type], tiers[i])}`
break
}
}
})
} else if (preset === "Fishing Rewards") {
let color = ""
if (FishingUtils.getSetting("Goals", "Darken Goal Denominator")) color = "&6"
for (let i = 0; i < 5; i++) {
if (i === 4) {
if (stats.fish === master_tiers[i]) progress.fish = `${color}/${thousandSeparator(master_tiers[i])} &e(100%)`
break
}
if (stats.fish < master_tiers[i]) {
progress.fish = `${color}/${thousandSeparator(master_tiers[i])} ${percentage(stats.fish, master_tiers[i])}`
break
}
}
for (let i = 0; i < 5; i++) {
if (i === 5) {
if (stats.orbs.seasonal_total === seasonal_tiers[i]) progress.seasonal_mythical_fish = `${color}/${thousandSeparator(seasonal_tiers[i])} &e(100%)`
break
}
if (stats.orbs.seasonal_total < seasonal_tiers[i]) {
progress.seasonal_mythical_fish = `${color}/${thousandSeparator(seasonal_tiers[i])} ${percentage(stats.orbs.seasonal_total, seasonal_tiers[i])}`
break
}
}
} else {
for (let key in data.config.goals) {
let color = ""
if (FishingUtils.getSetting("Goals", "Darken Goal Denominator")) color = darkenColor(key)
let goal = data.config.goals[key]
let stat = stats[key]
if (key === "mythical_fish") stat = stats.orbs.total
else if (key === "seasonal_mythical_fish") stat = stats.orbs.seasonal_total
if (stat === goal) {
progress[key] = `${color}/${thousandSeparator(goal)} &e(100%)`
if (!data.config.reached_goals.includes(key)) {
let name = titleCase(key)
if (name.startsWith("Seasonal")) name = name.replace("seasonal", stats.season_name)
ChatLib.chat(`&e&lCongrats! &eYou reached your goal of catching &6${thousandSeparator(goal)} &e${name}!`)
data.config.reached_goals.push(key)
}
} else if (stat < goal) {
progress[key] = `${color}/${thousandSeparator(goal)} ${percentage(stat, goal)}`
}
}
}
return progress
}
function darkenColor(type) {
switch (type) {
case "fish":
return "&6"
case "junk":
return "&4"
case "treasure":
return "&2"
case "mythical_fish":
return "&6" //cant go darker than gold...
case "total":
return "&5"
case "seasonal_fish":
return "&6"
case "seasonal_junk":
return "&4"
case "seasonal_treasure":
return "&2"
case "seasonal_mythical_fish":
return "&6"
case "seasonal_total":
return "&5"
}
}
//Stat Adder
register("chat", (event) => {
if (!enabled) return
let find
let basic
let nobasic = false
let secret = false
let msg = ChatLib.getChatMessage(event, true)
if (fish_re.test(msg)) {
stats.fish++;
basic = "&eFish"
thousandAnnouncer("fish", stats.fish)
if (stats.season) {
stats.seasonal_fish++;
thousandAnnouncer("seasonal_fish", stats.seasonal_fish);
}
find = fish_re;
} else if (junk_re.test(msg)) {
stats.junk++;
basic = "&cJunk"
thousandAnnouncer("junk", stats.junk)
if (stats.season) {
stats.seasonal_junk++;
thousandAnnouncer("seasonal_junk", stats.seasonal_junk);
}
find = junk_re;
} else if (treasure_re.test(msg)) {
stats.treasure++;
basic = "&aTreasure"
thousandAnnouncer("treasure", stats.treasure)
if (stats.season) {
stats.seasonal_treasure++;
thousandAnnouncer("seasonal_treasure", stats.seasonal_treasure);
}
find = treasure_re;
} else if (treasure_re2.test(msg)) {
stats.treasure++;
basic = "&aTreasure"
thousandAnnouncer("treasure", stats.treasure)
if (stats.season) {
stats.seasonal_treasure++;
thousandAnnouncer("seasonal_treasure", stats.seasonal_treasure);
}
find = treasure_re2;
} else if (msg.removeFormatting() === "You caught a secret fish!") {
secret = true;
stats.fish++;
thousandAnnouncer("fish", stats.fish)
if (stats.season) {
stats.seasonal_fish++;
thousandAnnouncer("seasonal_fish", stats.seasonal_fish);
}
if (FishingUtils.getSetting("Miscellaneous", "Basic Mode")) {
cancel(event)
let hover = new Message(event).getMessageParts()[0].getHoverValue()
let secret = new Message(new TextComponent("&e&lSecret &7caught!").setHover("show_text", hover))
ChatLib.chat(secret)
nobasic = true
}
} else return
stats.total++;
thousandAnnouncer("total", stats.total);
if (stats.season) {
stats.seasonal_total++;
thousandAnnouncer("seasonal_total", stats.seasonal_total);
}
if (!secret) stats.caught = msg.match(find)[1]
else stats.caught = "secret fish"
updateDisplay()
saveStats()
let oneTreasureAnnouncer = FishingUtils.getSetting("Announcer", "One Treasure Announcer")
if (oneTreasureAnnouncer)
if (msg.match(find)[2] === "1") ChatLib.chat(`&1&l[!] &9&l1 &b&l${msg.removeFormatting().split("1 ")[1]}`)
if (!nobasic) {
if (FishingUtils.getSetting("Miscellaneous", "Basic Mode")) {
cancel(event)
ChatLib.chat(`${basic} &7caught!`)
return
}
if (catsnfish) {
if (find === fish_re) {
cancel(event)
ChatLib.chat("&7You caught a &r&epufferfish&r&7!")
}
}
}
})
//Thousand Announcer
function thousandAnnouncer(type, num) {
let thousandAnnouncer = FishingUtils.getSetting("Announcer", "Thousand Announcer")
if (!enabled || !thousandAnnouncer) return
let increment = Number.parseInt(FishingUtils.getSetting("Announcer", "Announcer Increment").split("K")[0]) * 1000
if (num % increment !== 0) return
num = num / 1000
stats.season_name = stats.season ? stats.season.split(/\d/)[0].trim() : ""
switch (type) {
case "fish":
ChatLib.chat(`&6&l[!] &e&l${num}K Fish!`)
break
case "junk":
ChatLib.chat(`&4&l[!] &c&l${num}K Junk!`)
break
case "treasure":
ChatLib.chat(`&2&l[!] &a&l${num}K Treasure!`)
break
case "mythical_fish":
ChatLib.chat(`&f&l[!] &6&l${num}K Mythical Fish!`)
break
case "total":
ChatLib.chat(`&5&l[!] &d&l${num}K Total!`)
break
case "seasonal_fish":
ChatLib.chat(`&6&l[!] &e&l${num}K ${stats.season_name} Fish!`)
break
case "seasonal_junk":
ChatLib.chat(`&4&l[!] &c&l${num}K ${stats.season_name} Junk!`)
break
case "seasonal_treasure":
ChatLib.chat(`&2&l[!] &a&l${num}K ${stats.season_name} Treasure!`)
break
case "seasonal_mythical_fish":
ChatLib.chat(`&f&l[!] &6&l${num}K ${stats.season_name} Mythical Fish!`)
break
case "seasonal_total":
ChatLib.chat(`&5&l[!] &d&l${num}K ${stats.season_name} Total!`)
break
}
}
//Auto GC
register("chat", (event) => {
let autoGC = FishingUtils.getSetting("Auto GC", "Auto GC")
if (!enabled || !autoGC) return
let msg = ChatLib.getChatMessage(event).removeFormatting()
if (gc_re.test(msg)) {
let match = msg.match(gc_re)
let rod = new Message(event).getMessageParts()[0].getHoverValue().removeFormatting().split("Fishing Rod: ")[1]
console.log(rod)
let message = FishingUtils.getSetting("Auto GC", "Message")
message = message.replaceAll("%%name%%", match[1])
message = message.replaceAll("%%fish%%", match[2])
message = message.replaceAll("%%lore%%", match[3])
message = message.replaceAll("%%rod%%", rod)
ChatLib.command(`ac ${message}`)
debugLog(`Auto GCed ${match[1]} with ${match[2]} (${match[3]}) using ${rod}`)
}
})
//Stat Loader
register("guiRender", () => {
const inventory = Player.getContainer()
if (inventory === null) return
if (inventory.getName() !== "Fishing Menu") return
const tagIndex = inventory.indexOf(421)
if (tagIndex === -1) return
const lore = inventory.getStackInSlot(tagIndex).getLore();
let season_line = lore[1].removeFormatting()
if (season_line === "Total") {
if (stats.season !== undefined) {
/*
The <season> event is over! During this event, you:
Caught <season_fish> fish (<percent>% of your total fish)
Caught <season_junk> junk (<percent>% of your total junk)
Caught <season_treasure> treasure (<percent>% of your total treasure)
Which sums to <season_total> total caught (<percent>% of your overall total)
*/
let fish_percent = decimalSeparator(Math.floor((stats.seasonal_fish / stats.fish) * 10000) / 100)
let junk_percent = decimalSeparator(Math.floor((stats.seasonal_junk / stats.junk) * 10000) / 100)
let treasure_percent = decimalSeparator(Math.floor((stats.seasonal_treasure / stats.treasure) * 10000) / 100)
let mythical_fish_percent = decimalSeparator(Math.floor((stats.orbs.seasonal_total / stats.orbs.total) * 10000) / 100)
let total_percent = decimalSeparator(Math.floor((stats.seasonal_total / stats.total) * 10000) / 100)
ChatLib.chat(`\n&bThe &l${stats.season} &bevent is over! During this event, you:\n&eCaught &l${thousandSeparator(stats.seasonal_fish)} &efish! (&l${fish_percent}% &eof your total fish)\n&cCaught &l${thousandSeparator(stats.seasonal_junk)} &cjunk! (&l${junk_percent}% &cof your total junk)\n&aCaught &l${thousandSeparator(stats.seasonal_treasure)} &atreasure! (&l${treasure_percent}% &aof your total treasure)\n&6Caught &l${thousandSeparator(stats.orbs.seasonal_total)} &6mythical fish! (&l${mythical_fish_percent}% &6of your total mythical fish)\n&dWhich sums to &l${thousandSeparator(stats.seasonal_total)} &dtotal caught! (&l${total_percent}% &dof your overall total)\n&9&lCongrats!\n`)
}
stats.season = undefined
} else {
stats.season = season_line
}
let season_diff = (stats.season === undefined) ? 0 : 6
if (stats.season !== undefined) {
stats.season_name = stats.season.split(/\d/)[0].trim()
stats.season_year = stats.season.split(/\D+/)[1].trim()
debugLog(`Season: ${stats.season_name}`)
stats.seasonal_fish = parseStat(lore[2])
stats.seasonal_junk = parseStat(lore[3])
stats.seasonal_treasure = parseStat(lore[4])
stats.orbs.seasonal_total = parseStat(lore[5])
stats.seasonal_total = stats.seasonal_fish + stats.seasonal_junk + stats.seasonal_treasure + stats.orbs.seasonal_total
}
(stats.season) ? stats.season_name = stats.season.split(/\d/)[0].trim(): stats.season_name = undefined
stats.fish = parseStat(lore[2 + season_diff])
stats.junk = parseStat(lore[3 + season_diff])
stats.treasure = parseStat(lore[4 + season_diff])
stats.special = parseStat(lore[5 + season_diff])
stats.orbs.total = parseStat(lore[6 + season_diff])
stats.total = stats.fish + stats.junk + stats.treasure + stats.orbs.total
stats.retroactive = true
saveStats()
updateDisplay()
});
//Stat Saver
function saveStats() {
FileLib.write("FishingUtils", "data.json", JSON.stringify(data))
}
//Update Data Path
function updateDataPath(dev, name) {
if (dev === undefined) dev = false
if (!dev) {
sub = getSub()
uuid = Player.getUUID()
}
if (data.player[uuid] === undefined) {
data.player[uuid] = {
"name": Player.getName(),
"main": default_stats,
"alpha": default_stats
}
new_account = true
saveStats()
}
if (!dev) {
if (sub === "alpha") stats = data.player[uuid].alpha
else stats = data.player[uuid].main
}
if (dev) {
data.player[uuid].name = name
saveStats()
} else data.player[uuid].name = Player.getName()
}
//Dockmaster Waypoint
register("renderWorld", () => {
let dockmasterWaypoint = FishingUtils.getSetting("Miscellaneous", "Dockmaster Waypoint")
if (!enabled || !dockmasterWaypoint) return
const item = Player.getInventory().getStackInSlot(3)
if (item === null || item.getID() !== 346) {
renderBeaconBeam(23, 62, -36, 1, 1, 0.33, 1, 1)
return
}
})
//Hide LB Switch Messages
register("chat", (event) => {
let hideLB = FishingUtils.getSetting("Miscellaneous", "Hide Leaderboard Switch Messages")
if (!enabled || !hideLB) return
let msg = ChatLib.getChatMessage(event).removeFormatting()
if (lb_re.test(msg)) {
cancel(event)
}
})
//Commands
register("command", (...args) => {
let command
if (args !== undefined) command = args[0]
switch (command) {
case "help":
ChatLib.chat(new Message(`&3Fishing&9Utils &ev&6${metadata.version}`,
"\n&eSettings: ",
new TextComponent("&a&l[OPEN]").setHover("show_text", "&6Click to open the settings").setClick("run_command", "/fu"),
" ",
new TextComponent("&c&l[RESET]").setHover("show_text", "&6Click to reset your settings").setClick("run_command", "/fu reset"),
"\n&eGuide: ",
new TextComponent("&a&l[OPEN]").setHover("show_text", "&6Click to open the guide").setClick("run_command", "/fu guide"),
"\n&eResources: ",
new TextComponent("&a&l[OPEN]").setHover("show_text", "&6Click to open the resource list").setClick("run_command", "/fu resources"),
"\n&eKeys: ",
new TextComponent("&a&l[API]").setHover("show_text", "&6Click to set your Hypixel API Key").setClick("run_command", "/fu key")
))
break
case "reset":
if (args[1] === "confirm") {
data.config.displayPos.x = 10
data.config.displayPos.y = 10
display.setRenderLoc(10, 10)
saveStats()
FishingUtils.reset()
ChatLib.chat("&aSettings reset!")
} else ChatLib.chat(new Message("&cAre you sure you want to reset your settings?\n",
new TextComponent("&a&l[CONFIRM]").setHover("show_text", "&6Click to reset your settings").setClick("run_command", "/fu reset confirm")))
break
case "move":
if (args[1] === "mythic") {
if (FishingUtils.getSetting("Mythic Display", "Lock Display to Top Right")) {
ChatLib.chat("&cYou must disable the &4Lock Display to Top Right &csetting to move the mythic display.")
return
}
orbDisplayPos.open()
} else displayPos.open()
break
case "testautogc":
new Message("&a&oIf the message was\n",
new TextComponent("&b[MVP&c+&b] Steve &acaught &e&lNemo&a! Maybe he's lost again?").setHover("show_text", "&7Fishing Rod: &6Fishing Rod &l3000"),
"\n&a&oyou'd say\n&dYou&f: ",
FishingUtils.getSetting("Auto GC", "Message").replaceAll("%%name%%", "Steve").replaceAll("%%fish%%", "Nemo").replaceAll("%%lore%%", "Maybe he's lost again?").replaceAll("%%rod%%", "Fishing Rod 3000")).chat()
break
case "guide":
ChatLib.chat(`&eOpening the guide...`)
guide.display()
break
case "resources":
ChatLib.chat(`&eOpening the resource list...`)
resources.display()
break
case "key":
if (args[1] === undefined) {
ChatLib.chat(new Message("&eSet your Hypixel API Key to enable the Hypixel API features.\n&eRun ",
new TextComponent("&6/fu key <key>").setHover("show_text", "&6Click to put in chat").setClick("suggest_command", "/fu key "),
" &eto set your key."
))
return
}
let key = args[1]
ChatLib.chat("&aKey set!")
data.config.key = key
API_KEY = key
saveStats()
break
case "goal":
case "goals":
if (args[1] === undefined) {
let message = new Message(
new TextComponent("\n&eUse /fu goals <key> <value> to set a goal.\n").setHover("show_text", "&6Click to put in chat").setClick("suggest_command", "/fu goals "),
new TextComponent("&6Use /fu goals <key> to remove a goal.\n").setHover("show_text", "&6Click to put in chat").setClick("suggest_command", "/fu goals "),
new TextComponent("&eUse /fu goals list to list all goals.\n").setHover("show_text", "&6Click to list your goals").setClick("run_command", "/fu goals list"),
new TextComponent("&6Use /fu goals reset to reset all goals.\n").setHover("show_text", "&6Click to reset your goal").setClick("run_command", "/fu goals reset"),
new TextComponent("&e&lHover over this line for a list of keys.").setHover("show_text", "&eKeys:\n&6fish\n&ejunk\n&6treasure\n&emythical_fish\n&6total\n&eseasonal_fish\n&6seasonal_junk\n&eseasonal_treasure\n&6seasonal_mythical_fish\n&eseasonal_total"),
)
if (!FishingUtils.getSetting("Goals", "Goals")) message.addTextComponent(new TextComponent("\n&cGoals are currently disabled! Enable them in the settings menu."))
ChatLib.chat(message)
return
}
if (args[1] === "list") {
if (Object.keys(data.config.goals).length === 0) {
ChatLib.chat("&cNo goals set! Use /fu goals <key> <value> to set a goal.")
return
}
let message = new Message("&e&lGoals:")
let reached = false
for (let key in data.config.goals) {
let goal = data.config.goals[key]
let prestige = ""
if (data.config.reached_goals.includes(key)) {
prestige = " &e(Reached)"
reached = true
}
message.addTextComponent(new TextComponent(`\n&e${titleCase(key)}: &6${thousandSeparator(goal)}${prestige}`).setHover("show_text", `&6Click to remove goal for ${key.replace("_", " ")}`).setClick("run_command", `/fu goals ${key}`))
}
if (reached) message.addTextComponent(new TextComponent("\n&6Click this line to remove all reached goals.").setClick("run_command", "/fu goals removereachedgoals").setHover("show_text", "&6Click to remove all reached goals."))
ChatLib.chat(message)
return
}
if (args[1] === "removereachedgoals") {
let reached = false
for (let key in data.config.goals) {
if (data.config.reached_goals.includes(key)) {
reached = true
delete data.config.goals[key]
}
}
if (reached) {
data.config.reached_goals = []
saveStats()
updateDisplay()
ChatLib.chat("&aReached goals removed!")
} else ChatLib.chat("&cNo reached goals!")
return
}
if (args[1] === "reset") {
data.config.goals = {}
data.config.reached_goals = []
saveStats()
updateDisplay()
ChatLib.chat("&aGoals reset!")
return
}
if (goal_keys.includes(args[1])) {
if (args[2] === undefined) {
delete data.config.goals[args[1]]
ChatLib.chat(`&aRemoved goal for ${args[1].replace("_", " ")}`)
if (data.config.reached_goals.includes(args[1])) data.config.reached_goals = data.config.reached_goals.filter((e) => e !== args[1])
saveStats()
updateDisplay()
return
}
let value = Number.parseInt(args[2])
if (isNaN(value) || value < 0) {
ChatLib.chat("&cInvalid value!")
return
}
data.config.goals[args[1]] = value
ChatLib.chat(`&aSet goal for ${args[1]} to ${thousandSeparator(value)}`)
if (data.config.reached_goals.includes(args[1])) data.config.reached_goals = data.config.reached_goals.filter((e) => e !== args[1])
saveStats()
updateDisplay()
return
}
ChatLib.chat(`&cUnknown key "${args[1]}"!`)
break
case "enable":
ChatLib.chat("&eForcefully enabling the mod.")
enabled = true
break
case "dev":
switch (args[1]) {
case "setstat":
if (args[2] === undefined || args[3] === undefined) {
ChatLib.chat("&cUsage: /fu dev setstat <key> <value>")
return
}
if (!dev_stat.includes(args[2])) {
ChatLib.chat("&cInvalid stat!")
return
}
if (isNaN(Number.parseInt(args[3]))) {
ChatLib.chat("&cInvalid value!")
return
}
stats[args[2]] = Number.parseInt(args[3])
saveStats()
updateDisplay()
ChatLib.chat(`&aSet stat ${args[2]} to ${args[3]}`)
break
case "setseason":
if (args[2] === undefined || args[3] === undefined) {
ChatLib.chat("&cUsage: /fu dev setseason <season_name> <year>")
return
}
if (!args[2].match(/^(\w+)$/) && !args[3].match(/^(\w+) (\d+)$/)) {
ChatLib.chat("&cInvalid season!")
return
}
stats.season = args[2] + " " + args[3]
stats.season_name = args[2]
saveStats()
updateDisplay()
ChatLib.chat(`&aSet season to ${args[2]} ${args[3]}`)
break
case "removeseason":
stats.season = undefined
stats.season_name = undefined
saveStats()
updateDisplay()
ChatLib.chat(`&aRemoved season`)
break
case "setorb":