forked from KevinCathcart/ALttPEntranceRandomizer
-
Notifications
You must be signed in to change notification settings - Fork 28
/
Text.py
2037 lines (1957 loc) · 109 KB
/
Text.py
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
# -*- coding: UTF-8 -*-
from collections import OrderedDict
import logging
import re
text_addresses = {'Pedestal': (0x180300, 256),
'Triforce': (0x180400, 256),
'Uncle': (0x180500, 256),
'Ganon1': (0x180600, 256),
'Ganon2': (0x180700, 256),
'Blind': (0x180800, 256),
'TavernMan': (0x180C00, 256),
'Sahasrahla1': (0x180A00, 256),
'Sahasrahla2': (0x180B00, 256),
'BombShop1': (0x180E00, 256),
'BombShop2': (0x180D00, 256),
'PyramidFairy': (0x180900, 256),
'EtherTablet': (0x180F00, 256),
'BombosTablet': (0x181000, 256),
'Ganon1Invincible': (0x181100, 256),
'Ganon2Invincible': (0x181200, 256)}
Uncle_texts = [
# these ones are er specific
'Good Luck!\nYou will need it.',
'Forward this message to 10 other people or this seed will be awful.',
'I hope you like your seeds bootless and fluteless.',
'10\n9\n8\n7\n6\n5\n4\n3\n2\n1\nGo!',
'I\'m off to visit cousin Fritzl.',
'Don\'t forget to check Antlion Cave.'
# these ones are from web randomizer
"We're out of\nWeetabix. To\nthe store!",
"This seed is\nbootless\nuntil boots.",
"Why do we only\nhave one bed?",
"This is the\nonly textbox.",
"I'm going to\ngo watch the\nMoth tutorial.",
"This seed is\nthe worst.",
"Chasing tail.\nFly ladies.\nDo not follow.",
"I feel like\nI've done this\nbefore…",
"Magic Cape can\npass through\nthe barrier!",
"If this is a\nKanzeon seed,\nI'm quitting.",
"I am not your\nreal uncle.",
"You're going\nto have a very\nbad time.",
"Today you\nwill have\nbad luck.",
"I am leaving\nforever.\nGoodbye.",
"Don't worry.\nI got this\ncovered.",
"Race you to\nthe castle!",
"\n Hi",
"I'M JUST GOING\nOUT FOR A\nPACK OF SMOKES",
"It's dangerous\nto go alone.\nSee ya!",
"ARE YOU A BAD\nENOUGH DUDE TO\nRESCUE ZELDA?",
"\n\n I AM ERROR",
"This seed is\nsub 2 hours,\nguaranteed.",
"The chest is\na secret to\neverybody.",
"I'm off to\nfind the\nwind fish.",
"The shortcut\nto Ganon\nis this way!",
"THE MOON IS\nCRASHING! RUN\nFOR YOUR LIFE!",
"Time to fight\nhe who must\nnot be named.",
"RED MAIL\nIS FOR\nCOWARDS.",
"HEY!\n\nLISTEN!",
"Well\nexcuuuuuse me,\nprincess!",
"5,000 Rupee\nreward for >\nYou're boned.",
"Welcome to\nStoops Lonk's\nHoose",
"Erreur de\ntraduction.\nsvp reessayer",
"I could beat\nit in an hour\nand one life.",
"I thought this\nwas open mode?",
"Get to the\nchop...\ncastle!",
"Come with me\nif you want\nto live",
"I must go\nmy planet\nneeds me",
"Are we in\ngo mode yet?",
"Darn, I\nthought this\nwas combo.",
"Don't check\nanything I\nwouldn't!",
"I know where\nthe bow is!\n",
"This message\nwill self\ndestruct.",
"Time to cast\nMeteo on\nGanon!",
"I have a\nlong, full\nlife ahead!",
"Why did that\nsoda have a\nskull on it?",
"Something\nrandom just\ncame up.",
"I'm bad at\nthis. Can you\ndo it for me?",
"Link!\n Wake up!\n ... Bye!",
"Text me when\nyou hit\ngo mode.",
"Turn off the\nstove before\nyou leave.",
"It's raining.\nI'm taking\nthe umbrella.",
"Count to 30.\nThen come\nfind me.",
"Gonna shuffle\nall the items\nreal quick."
]
Triforce_texts = [
# these ones are er specific
'Product has Hole in center. Bad seller, 0 out of 5.',
'Who stole the fourth triangle?',
'Trifource?\nMore Like Tritrice, am I right?'
'\n Well Done!',
'This was meant to be a trapezoid',
# these ones are from web randomizer
"\n G G",
" All your base\n are belong\n to us.",
" You have ended\n the domination\n of Dr. Wily",
" Thanks for\n playing!!!",
"\n You Win!",
" Thank you!\n Your quest\n is over.",
" A winner\n is you!",
"\n WINNER!!",
"\n I'm sorry\n\nbut our princess is\n in another castle",
"\n Success!",
" Whelp…\n that just\n happened",
" Oh hey…\n it's you",
"\n Wheeeeee!!",
" Time for\n another one?",
" And\n\n scene",
"\n GOT EM!!",
"\n THE VALUUUE!!!",
" Cool seed,\n\n right?",
"\n We did it!",
" Spam those\n emotes in\n wilds chat",
"\n O M G",
" Hello. Will you\n you be my friend?",
" Beetorp\n was\n here!",
" The Wind Fish\n will wake soon.\n Hoot!",
" Meow Meow Meow\n Meow Meow Meow\n Oh my god!",
" Ahhhhhhhhh\n Ya ya yaaaah\n Ya ya yaaah",
" .done\n\n .comment lol",
" You get to\n drink from\n the firehose",
" Do you prefer\n bacon, pork,\n or ham?",
" You get one\n wish. Choose\n wisely, hero!",
" Can you please\n break us three\n up? Thanks.",
" Pick us up\n before we\n get dizzy!",
" Thank you,\n Mikey. You’re\n 2 minutes late",
" This was a\n 7000 series\n train.",
" I'd buy\n that for\n a rupee!",
" Did you like\n that bow\n placement?",
" I promise the\n next seed will\n be better.",
"\n Honk.",
" Breakfast\n is served!",
]
BombShop2_texts = ['Bombs!\nBombs!\nBiggest!\nBestest!\nGreatest!\nBoomest!']
Sahasrahla2_texts = ['You already got my item, idiot.', 'Why are you still talking to me?', 'This text won\'t change.', 'Have you met my brother, Hasarahshla?']
Blind_texts = [
"I hate insect\npuns, they\nreally bug me.",
"I haven't seen\nthe eye doctor\nin years.",
"I don't see\nyou having a\nbright future.",
"Are you doing\na blind run\nof this game?",
"Pizza joke? No\nI think it's a\nbit too cheesy",
"A novice skier\noften jumps to\ncontusions.",
"The beach?\nI'm not shore\nI can make it.",
"Rental agents\noffer quarters\nfor dollars.",
"I got my tires\nfixed for a\nflat rate.",
"New light bulb\ninvented?\nEnlighten me.",
"A baker's job\nis a piece of\ncake.",
"My optometrist\nsaid I have\nvision!",
"When you're a\nbaker, don't\nloaf around.",
"Mire requires\nEther Quake,\nor Bombos.",
"Broken pencils\nare pointless.",
"The food they\nserve guards\nlasts sentries",
"Being crushed\nby big objects\nis depressing.",
"A tap dancer's\nroutine runs\nhot and cold.",
"A weeknight is\na tiny\nnobleman.",
"The chimney\nsweep wore a\nsoot and tye.",
"Gardeners like\nto spring into\naction.",
"Bad at nuclear\nphysics. I\nGot no fission",
"Flint and\nsteel are a\ngood match.",
"I'd peg you\nas a fan of\nthe hammer.",
"Archers give\ngifts tied\nwith a bow.",
"A healed\ngambler is\nall better.",
"Any old sword\nwill make the\ncut here.",
"Lazy wyrms\nkeep dragon\ntheir feet.",
"Percussionist\nmasters drum\nup audiences.",
"Retrievers\nlove fetch\nquests.",
"Sausage is\nthe wurst.",
"I tried to\ncatch fog,\nbut I mist.",
"Winter is a\ngreat time\nto chill.",
"Do you think\nthe Ice Rod\nis cool?",
"Pyramids?\nI never saw\nthe point.",
"Stone golems\nare created as\nblank slates.",
"Desert humor\nis often dry.\n",
"Ganon is a\nbacon of\ndespair!",
"Butchering\ncows means\nhigh steaks.",
"I can't search\nthe web...\nToo many links",
"I can whistle\nMost pitches\nbut I can't C",
"The Blinds\nStore is\ncurtain death",
"Dark Aga Rooms\nare not a\nbright idea.",
"Best advice\nfor a Goron?\nBe Boulder.",
"Equestrian\nservices are\na stable job.",
"Do I like\ndrills? Just\na bit.",
"I'd shell out\ngood rupees\nfor a conch.",
"Current\naffairs are\nshocking!",
"A lying Goron\ndeals in\nboulderdash.",
"A bread joke?\nEh, it'd be\nhalf baked.",
"I could take\na stab at a\nsword pun.",
"Gloves open\na handful\nof checks",
"Red mail?\nReturn to\nsender.",
"For sale:\nBaby boots,\nNever found",
"SRL or rtGG?\nI prefer the\nLadder",
"Ladders are\nalways up\nto something",
"Zelda's\nfashion is\nvery chic",
"Zombie geese\nare waterfoul.\n",
"I bought some\ncuccos for a\npoultry sum.",
"The stratus of\nclouds is up\nin the air.",
"Tie two ropes\ntogether?!\nI think knot!",
"Time for you\nto go on a\nBlind date!"
]
Ganon1_texts = [
"Start your day\nsmiling with a\ndelicious\nwhole grain\nbreakfast\ncreated for\nyour\nincredible\ninsides.",
"You drove\naway my other\nself, Agahnim,\ntwo times…\nBut, I won't\ngive you the\nTriforce.\nI'll defeat\nyou!",
"Impa says that\nthe mark on\nyour hand\nmeans that you\nare the hero\nchosen to\nawaken Zelda.\nYour blood can\nresurrect me.",
"Don't stand,\n\ndon't stand so\nDon't stand so\n\nclose to me\nDon't stand so\nclose to me\nBack off buddy",
"So ya\nThought ya\nMight like to\ngo to the show\nTo feel the\nwarm thrill of\nconfusion\nThat space\ncadet glow.",
"Like other\npulmonate land\ngastropods,\nthe majority\nof land slugs\nhave two pairs\nof 'feelers'\n,or tentacles,\non their head.",
"If you were a\nburrito, what\nkind of a\nburrito would\nyou be?\nMe, I fancy I\nwould be a\nspicy barbacoa\nburrito.",
"I am your\nfather's\nbrother's\nnephew's\ncousin's\nformer\nroommate. What\ndoes that make\nus, you ask?",
"I'll be more\neager about\nencouraging\nthinking\noutside the\nbox when there\nis evidence of\nany thinking\ninside it.",
"If we're not\nmeant to have\nmidnight\nsnacks, then\nwhy is there\na light in the\nfridge?\n",
"I feel like we\nkeep ending up\nhere.\n\nDon't you?\n\nIt's like\ndeja vu\nall over again",
"Did you know?\nThe biggest\nand heaviest\ncheese ever\nproduced\nweighed\n57,518 pounds\nand was 32\nfeet long.",
"Now there was\na time, When\nyou loved me\nso. I couldn't\ndo wrong,\nAnd now you\nneed to know.\nSo How you\nlike me now?",
"Did you know?\nNutrition\nexperts\nrecommend that\nat least half\nof our daily\ngrains come\nfrom whole\ngrain products",
"The Hemiptera\nor true bugs\nare an order\nof insects\ncovering 50k\nto 80k species\nlike aphids,\ncicadas, and\nshield bugs.",
"Thanks for\ndropping in.\nThe first\npassengers\nin a hot\nair balloon\nwere a duck,\na sheep,\nand a rooster.",
"You think you\nare so smart?\n\nI bet you\ndidn't know\nyou can't hum\nwhile holding\nyour nose\nclosed.",
"Grumble,\n\ngrumble…\nGrumble,\n\ngrumble…\nSeriously, you\nwere supposed\nto bring food.",
"Join me hero,\nand I shall\nmake your face\nthe greatest\nin the Dark\nWorld!\n\nOr else you\nwill die!",
"Why rule over\na desert full\nof stereotypes\nwhen I can\ncorrupt a\nworld into\npure evil and\nrule over\nthat instead?",
"When I conquer\nthe Light\nWorld, I'll\nhold a parade\nof all my\nmonsters to\ndemonstrate my\nmight to the\npeople!",
"Life, dreams,\nhope...\nWhere'd they\ncome from? And\nwhere are they\nheaded? These\nthings... I am\ngoing to\ndestroy!",
"My minions all\nfailed to\nguard those\nitems?!\n\nWhy am I\nsurrounded by\nincompetent\nfools?!",
]
Ganon_Phase_3_No_Silvers_texts = [
"Did you find\nthe arrows on\nPlanet Zebes?",
"Did you find\nthe arrows?\nI think not.",
"Silver arrows?\nI have never\nheard of them",
"Did you find\nthe arrows on\nThe Moon?",
"Did you find\nthe arrows\nIn dev null?",
"I have sold\nthe arrows for\na green big 20",
"Did you find\nThe arrows in\nCount Dracula?",
"Error 404\nSilver arrows\nnot found.",
"No arrows for\nYou today,\nSorry",
"No arrows?\nCheck your\njunk mail."
"Careful, all\nthat spinning\nmakes me dizzy",
"Did you find\nthe arrows in\nJabu's belly?",
"Silver is not\nan appropriate\narrow material",
"Did you find\nthe arrows in\nNarnia?",
"Are you ready\nTo spin\nTo win?",
"DID YOU FIND\nTHE ARROWS IN\nKEFKA'S TOWER",
"Did you find\nthe arrows in\nRecycle Bin?",
"Silver Arrows?\n\nLUL",
"Imagine\nfinding the\narrows",
"Did you find\nsilvers in\nscenic Ohio?",
"Did you find\nThe arrows in\n*mumblemumble*",
"\nSpin To Win!\n",
"did you find\nthe arrows in\nthe hourglass?",
"Silver Arrows\nare so v30",
"OH, NO, THEY\nACTUALLY SAID\nSILVER MARROW",
"SURELY THE\nLEFTMOST TILES\nWILL STAY UP",
"Did you find\nthe arrows in\nWorld 4-2?",
"You Spin Me\nRight Round\nLike A Record",
"SILLY HERO,\nSILVER IS FOR\nWEREWOLVES!",
"Did you find\nthe silvers in\nganti's ears",
]
TavernMan_texts = [
"What do you\ncall a blind\ndinosaur?\na doyouthink-\nhesaurus.",
"A blind man\nwalks into\na bar.\nAnd a table.\nAnd a chair.",
"What do ducks\nlike to eat?\n\nQuackers!",
"How do you\nset up a party\nin space?\n\nYou planet!",
"I'm glad I\nknow sign\nlanguage.\nIt's pretty\nhandy.",
"What did Zelda\nsay to Link at\na secure door?\n\nTRIFORCE!",
"I am on a\nseafood diet.\n\nEvery time\nI see food,\nI eat it.",
"I've decided\nto sell my\nvacuum.\nIt was just\ngathering\ndust.",
"What's the best\ntime to go to\nthe dentist?\n\nTooth-hurtie!",
"Why can't a\nbike stand on\nits own?\n\nIt's two-tired!",
"If you haven't\nfound Quake\nyet…\nit's not your\nfault.",
"Why is Peter\nPan always\nflying?\nBecause he\nNeverlands!",
"I once told a\njoke to Armos.\n\nBut he\nremained\nstone-faced!",
"Lanmola was\nlate to our\ndinner party.\nHe just came\nfor the desert",
"Moldorm is\nsuch a\nprankster.\nAnd I fall for\nit every time!",
"Helmasaur is\nthrowing a\nparty.\nI hope it's\na masquerade!",
"I'd like to\nknow Arrghus\nbetter.\nBut he won't\ncome out of\nhis shell!",
"Mothula didn't\nhave much fun\nat the party.\nHe's immune to\nspiked punch!",
"Don't set me\nup with that\nchick from\nSteve's Town.\n\n\nI'm not\ninterested in\na Blind date!",
"Kholdstare is\nafraid to go\nto the circus.\nHungry kids\nthought he was\ncotton candy!",
"I asked who\nVitreous' best\nfriends are.\nHe said,\n'Me, Myself,\nand Eye!'",
"Trinexx can be\na hothead or\nhe can be an\nice guy. In\nthe end, he's\na solid\nindividual!",
"Bari thought I\nhad moved out\nof town.\nHe was shocked\nto see me!",
"I can only get\nWeetabix\naround here.\nI have to go\nto Steve's\nTown for Count\nChocula!",
"Don't argue\nwith a frozen\nDeadrock.\nHe'll never\nchange his\nposition!",
"I offered a\ndrink to a\nself-loathing\nGhini.\nHe said he\ndidn't like\nspirits!",
"I was supposed\nto meet Gibdo\nfor lunch.\nBut he got\nwrapped up in\nsomething!",
"Goriya sure\nhas changed\nin this game.\nI hope he\ncomes back\naround!",
"Hinox actually\nwants to be a\nlawyer.\nToo bad he\nbombed the\nBar exam!",
"I'm surprised\nMoblin's tusks\nare so gross.\nHe always has\nhis Trident\nwith him!",
"Don't tell\nStalfos I'm\nhere.\nHe has a bone\nto pick with\nme!",
"I got\nWallmaster to\nhelp me move\nfurniture.\nHe was really\nhandy!",
"Wizzrobe was\njust here.\nHe always\nvanishes right\nbefore we get\nthe check!",
"I shouldn't\nhave picked up\nZora's tab.\nThat guy\ndrinks like\na fish!",
"I was sharing\na drink with\nPoe.\nFor no reason,\nhe left in a\nheartbeat!",
"Don't trust\nhorsemen on\nDeath Mountain.\nThey're Lynel\nthe time!",
"Today's\nspecial is\nbattered bat.\nGot slapped\nfor offering a\nlady a Keese!",
"Don't walk\nunder\npropellered\npineapples.\nYou may end up\nwearing\na pee hat!",
"My girlfriend\nburrowed under\nthe sand.\nSo I decided\nto Leever!",
"Geldman wants\nto be a\nBroadway star.\nHe's always\npracticing\nJazz Hands!",
"Octoballoon\nmust be mad\nat me.\nHe blows up\nat the sight\nof me!",
"Toppo is a\ntotal pothead.\n\nHe hates it\nwhen you take\naway his grass",
"I lost my\nshield by\nthat house.\nWhy did they\nput up a\nPikit fence?!",
"Know that fox\nin Steve's\nTown?\nHe'll Pikku\npockets if you\naren't careful",
"Dash through\nDark World\nbushes.\nYou'll see\nGanon is tryin\nto Stal you!",
"Eyegore!\n\nYou gore!\nWe all gore\nthose jerks\nwith arrows!",
"I like my\nwhiskey neat.\n\nSome prefer it\nOctoroks!",
"I consoled\nFreezor over a\ncup of coffee.\nHis problems\njust seemed to\nmelt away!",
"Magic droplets\nof water don't\nshut up.\nThey just\nKyameron!",
"I bought hot\nwings for\nSluggula.\nThey gave him\nexplosive\ndiarrhea!",
"Hardhat Beetle\nwon't\nLet It Be?\nTell it to Get\nBack or give\nit a Ticket to\nRide down\na hole!",
]
junk_texts = [
"{C:GREEN}\nIt’s a secret\nto everybody.\n >",
"{C:GREEN}\nDodongo\ndislikes\nsmoke. >",
"{C:GREEN}\n> Digdogger\nhates certain\nkind of sound.",
"{C:GREEN}\nI bet you’d\nlike to have\nmore bombs. >",
"{C:GREEN}\n>Secret power\nis said to be\nin the arrow.",
"{C:GREEN}\nAim at the\neyes of Gohma.\n >",
"{C:GREEN}\nGrumble,\ngrumble…\n >",
"{C:GREEN}\n10th enemy\nhas the bomb.\n >",
"{C:GREEN}\nGo to the\nnext room.\n >",
"{C:GREEN}\n>Thanks, @\nYou’re the\nhero of Hyrule",
"{C:GREEN}\nThere’s always\nmoney in the\nBanana Stand>",
"{C:GREEN}\n \nJust walk away\n >",
"{C:GREEN}\neverybody is\nlooking for\nsomething >",
"{C:GREEN}\nCandy Is Dandy\nBut liquor\nIs quicker. >",
"{C:GREEN}\nSpring Ball\nare behind\nRidley >",
"{C:GREEN}\nThe gnome asks\nyou to guess\nhis name. >",
"{C:GREEN}\nI heard beans\non toast is a\ngreat meal. >",
"{C:GREEN}\n> Sweetcorn\non pizza is a\ngreat choice.",
"{C:GREEN}\n> race roms\ndon’t have\nspoiler logs",
"{C:GREEN}\nI bet a nice\ncup of tea\nwould help! >",
"{C:GREEN}\nI bet you\nexpected help,\ndidn't you? >",
"{C:GREEN}\nLearn to make\nplogues, easy\nand yummy! >"
]
KingsReturn_texts = [
'Who is this even',
'The Harem'
] * 2 + [
"the return of the king",
"fellowship of the ring",
"the two towers",
]
Sanctuary_texts = [
'A Priest\'s love'
] * 2 + [
"the loyal priest",
"read a book",
"sits in own pew",
]
Sahasrahla_names = [
"sahasralah", "sabotaging", "sacahuista", "sacahuiste", "saccharase", "saccharide", "saccharify",
"saccharine", "saccharins", "sacerdotal", "sackcloths", "salmonella", "saltarelli", "saltarello",
"saltations", "saltbushes", "saltcellar", "saltshaker", "salubrious", "sandgrouse", "sandlotter",
"sandstorms", "sandwiched", "sauerkraut", "schipperke", "schismatic", "schizocarp", "schmalzier",
"schmeering", "schmoosing", "shibboleth", "shovelnose", "sahananana", "sarararara", "salamander",
"sharshalah", "shahabadoo", "sassafrass", "saddlebags", "sandalwood", "shagadelic", "sandcastle",
"saltpeters", "shabbiness", "shlrshlrsh", "sassyralph", "sallyacorn",
]
Kakariko_texts = ["{}'s homecoming"]
Blacksmiths_texts = [
'frogs for bread',
'That\'s not a sword',
'The Rupeesmiths'
] * 1 + [
"the dwarven breadsmiths"
]
DeathMountain_texts = [
"the lost old man",
"gary the old man",
"Your ad here"
]
LostWoods_texts = [
'thieves\' stump',
'He\'s got wood',
] * 2 + [
"the forest thief",
"dancing pickles",
"flying vultures",
]
WishingWell_texts = [
"venus. queen of faeries",
"Venus was her name",
"I'm your Venus",
"Yeah, baby, shes got it",
"Venus, I'm your fire",
"Venus, At your desire",
"Venus Love Chain",
"Venus Crescent Beam",
]
DesertPalace_texts = ['vultures rule the desert', 'literacy moves']
MountainTower_texts = ['the bully makes a friend', 'up up and away']
LinksHouse_texts = ['your uncle recovers', 'Home Sweet Home', 'Only one bed']
Lumberjacks_texts = [
'Chop Chop'
] * 2 + [
"twin lumberjacks",
"fresh flapjacks",
"two woodchoppers",
"double lumberman",
"lumberclones",
"woodfellas",
"dos axes",
]
SickKid_texts = ['Next Time Stay Down']
Zora_texts = ['Splashes For Sale', 'Slippery when wet']
MagicShop_texts = ['Drug deal', 'Shrooms for days']
FluteBoy_texts = ['Stumped']
class Credits(object):
def __init__(self):
self.credit_scenes = {
'castle': [
SceneSmallCreditLine(19, 'The return of the King'),
SceneLargeCreditLine(23, 'Hyrule Castle'),
],
'sanctuary': [
SceneSmallCreditLine(19, 'The loyal priest'),
SceneLargeCreditLine(23, 'Sanctuary'),
],
'kakariko': [
SceneSmallCreditLine(19, "Sahasralah's Homecoming"),
SceneLargeCreditLine(23, 'Kakariko Town'),
],
'desert': [
SceneSmallCreditLine(19, 'vultures rule the desert'),
SceneLargeCreditLine(23, 'Desert Palace'),
],
'hera': [
SceneSmallCreditLine(19, 'the bully makes a friend'),
SceneLargeCreditLine(23, 'Mountain Tower'),
],
'house': [
SceneSmallCreditLine(19, 'your uncle recovers'),
SceneLargeCreditLine(23, 'Your House'),
],
'zora': [
SceneSmallCreditLine(19, 'finger webs for sale'),
SceneLargeCreditLine(23, "Zora's Waterfall"),
],
'witch': [
SceneSmallCreditLine(19, 'the witch and assistant'),
SceneLargeCreditLine(23, 'Magic Shop'),
],
'lumberjacks': [
SceneSmallCreditLine(19, 'twin lumberjacks'),
SceneLargeCreditLine(23, "Woodsmen's Hut"),
],
'grove': [
SceneSmallCreditLine(19, 'ocarina boy plays again'),
SceneLargeCreditLine(23, 'Haunted Grove'),
],
'well': [
SceneSmallCreditLine(19, 'venus, queen of faeries'),
SceneLargeCreditLine(23, 'Wishing Well'),
],
'smithy': [
SceneSmallCreditLine(19, 'the dwarven swordsmiths'),
SceneLargeCreditLine(23, 'Smithery'),
],
'kakariko2': [
SceneSmallCreditLine(19, 'the bug-catching kid'),
SceneLargeCreditLine(23, 'Kakariko Town'),
],
'bridge': [
SceneSmallCreditLine(19, 'the lost old man'),
SceneLargeCreditLine(23, 'Death Mountain'),
],
'woods': [
SceneSmallCreditLine(19, 'the forest thief'),
SceneLargeCreditLine(23, 'Lost Woods'),
],
'pedestal': [
SceneSmallCreditLine(19, 'and the master sword'),
SceneSmallAltCreditLine(21, 'sleeps again...'),
SceneLargeCreditLine(23, 'Forever!'),
],
}
self.scene_order = ['castle', 'sanctuary', 'kakariko', 'desert', 'hera', 'house', 'zora', 'witch',
'lumberjacks', 'grove', 'well', 'smithy', 'kakariko2', 'bridge', 'woods', 'pedestal']
def update_credits_line(self, scene, line, text):
scenes = self.credit_scenes
text = text[:32]
scenes[scene][line].text = text
def get_bytes(self):
pointers = []
data = bytearray()
for scene_name in self.scene_order:
scene = self.credit_scenes[scene_name]
pointers.append(len(data))
for part in scene:
data += part.as_bytes()
pointers.append(len(data))
return (pointers, data)
class CreditLine(object):
"""Base class of credit lines"""
def __init__(self, text, align='center'):
self.text = text
self.align = align
@property
def x(self):
x = 0
if self.align == 'left':
x = 0
elif self.align == 'right':
x = 32 - len(self.text)
else: # center
x = (32 - len(self.text)) // 2
return x
class SceneCreditLine(CreditLine):
"""Base class for credit lines for the scene portion of the credits"""
def __init__(self, y, text, align='center'):
self.y = y
super().__init__(text, align)
def header(self, x=None, y=None, length=None):
if x is None:
x = self.x
if y is None:
y = self.y
if length is None:
length = len(self.text)
header = (0x6000 | (y >> 5 << 11) | ((y & 0x1F) << 5) | (x >> 5 << 10) | (x & 0x1F)) << 16 | (length * 2 - 1)
return bytearray([header >> 24 & 0xFF, header >> 16 & 0xFF, header >> 8 & 0xFF, header & 0xFF])
class SceneSmallCreditLine(SceneCreditLine):
def as_bytes(self):
buf = bytearray()
buf.extend(self.header())
buf.extend(GoldCreditMapper.convert(self.text))
# handle upper half of apostrophe character if present
if "'" in self.text:
apos = "".join([',' if x == "'" else ' ' for x in self.text])
buf.extend(self.header(self.x + apos.index(','), self.y - 1, len(apos.strip())))
buf.extend(GoldCreditMapper.convert(apos.strip()))
# handle lower half of comma character if present
if ',' in self.text:
commas = "".join(["'" if x == ',' else ' ' for x in self.text])
buf.extend(self.header(self.x + commas.index("'"), self.y + 1, len(commas.strip())))
buf.extend(GoldCreditMapper.convert(commas.strip()))
return buf
class SceneSmallAltCreditLine(SceneCreditLine):
def as_bytes(self):
buf = bytearray()
buf += self.header()
buf += GreenCreditMapper.convert(self.text)
return buf
class SceneLargeCreditLine(SceneCreditLine):
def as_bytes(self):
buf = bytearray()
buf += self.header()
buf += LargeCreditTopMapper.convert(self.text)
buf += self.header(self.x, self.y + 1)
buf += LargeCreditBottomMapper.convert(self.text)
return buf
class MultiByteTextMapper(object):
@classmethod
def convert(cls, text, maxbytes=256):
outbuf = MultiByteCoreTextMapper.convert(text)
# check for max length
if len(outbuf) > maxbytes - 2:
outbuf = outbuf[:maxbytes - 2]
# Note: this could crash if the last byte is part of a two byte command
# depedning on how well the command handles a value of 0x7F.
# Should probably do something about this.
outbuf.append(0x7F)
outbuf.append(0x7F)
return outbuf
class MultiByteCoreTextMapper(object):
special_commands = {
"{SPEED0}": [0x7A, 0x00],
"{SPEED1}": [0x7A, 0x01],
"{SPEED2}": [0x7A, 0x02],
"{SPEED6}": [0x7A, 0x06],
"{PAUSE1}": [0x78, 0x01],
"{PAUSE3}": [0x78, 0x03],
"{PAUSE5}": [0x78, 0x05],
"{PAUSE7}": [0x78, 0x07],
"{PAUSE9}": [0x78, 0x09],
"{INPUT}": [0x7E],
"{CHOICE}": [0x68],
"{ITEMSELECT}": [0x69],
"{CHOICE2}": [0x71],
"{CHOICE3}": [0x72],
"{HARP}": [0x79, 0x2D],
"{MENU}": [0x6D, 0x00],
"{BOTTOM}": [0x6D, 0x00],
"{NOBORDER}": [0x6B, 0x02],
"{CHANGEPIC}": [0x67, 0x67],
"{CHANGEMUSIC}": [0x67],
"{PAGEBREAK}" : [0x7D],
"{INTRO}": [0x6E, 0x00, 0x77, 0x07, 0x7A, 0x03, 0x6B, 0x02, 0x67],
"{NOTEXT}": [0x6E, 0x00, 0x6B, 0x04],
"{IBOX}": [0x6B, 0x02, 0x77, 0x07, 0x7A, 0x03],
"{C:GREEN}": [0x77, 0x07],
"{C:YELLOW}": [0x77, 0x02],
"{C:WHITE}": [0x77, 0x06],
"{C:INV_WHITE}": [0x77, 0x16],
"{C:INV_YELLOW}": [0x77, 0x12],
"{C:INV_GREEN}": [0x77, 0x17],
"{C:RED}": [0x77, 0x01],
"{C:INV_RED}": [0x77, 0x11],
}
@classmethod
def convert(cls, text, pause=True, wrap=19):
lines = text.split('\n')
outbuf = bytearray()
lineindex = 0
is_intro = '{INTRO}' in text
first_line=True
while lines:
linespace = wrap
line = lines.pop(0)
match = re.search('^\{[A-Z0-9_:]+\}$', line)
if match:
if line == '{PAGEBREAK}':
if lineindex % 3 != 0:
# insert a wait for keypress, unless we just did so
outbuf.append(0x7E)
lineindex = 0
outbuf.extend(cls.special_commands[line])
continue
words = line.split(' ')
if first_line:
first_line=False
else:
outbuf.append(0x74 if lineindex == 0 else 0x75 if lineindex == 1 else 0x76) # line starter
pending_space = False
while words:
word = words.pop(0)
match = re.search('^(\{[A-Z0-9_:]+\}).*', word)
if match:
start_command = match.group(1)
outbuf.extend(cls.special_commands[start_command])
word = word.replace(start_command, '')
match = re.search('(\{[A-Z0-9_:]+\})\.?$', word)
if match:
end_command = match.group(1)
word = word.replace(end_command, '')
period = word.endswith('.')
else:
end_command, period = None, False
# sanity check: if the word we have is more than 19 characters,
# we take as much as we can still fit and push the rest back for later
if cls.wordlen(word) > wrap:
(word_first, word_rest) = cls.splitword(word, linespace)
if end_command:
word_rest = (word_rest[:-1] + end_command + '.') if period else (word_rest + end_command)
words.insert(0, word_rest)
lines.insert(0, ' '.join(words))
outbuf.extend(RawMBTextMapper.convert(word_first))
break
if cls.wordlen(word) <= linespace:
if pending_space:
outbuf.extend(RawMBTextMapper.convert(' '))
if cls.wordlen(word) < linespace:
pending_space = True
linespace -= cls.wordlen(word) + 1 if pending_space else 0
word_to_map = word[:-1] if period else word
outbuf.extend(RawMBTextMapper.convert(word_to_map))
if end_command:
outbuf.extend(cls.special_commands[end_command])
if period:
outbuf.extend(RawMBTextMapper.convert('.'))
else:
# ran out of space, push word and lines back and continue with next line
if end_command:
word = (word[:-1] + end_command + '.') if period else (word + end_command)
words.insert(0, word)
lines.insert(0, ' '.join(words))
break
if is_intro and lineindex < 3:
outbuf.extend([0xFF]*linespace)
has_more_lines = len(lines) > 1 or (lines and not lines[0].startswith('{'))
lineindex += 1
if pause and lineindex % 3 == 0 and has_more_lines:
outbuf.append(0x7E)
if lineindex >= 3 and has_more_lines and lines[0] != '{PAGEBREAK}':
outbuf.append(0x73)
return outbuf
@classmethod
def wordlen(cls, word):
l = 0
offset = 0
while offset < len(word):
c_len, offset = cls.charlen(word, offset)
l += c_len
return l
@classmethod
def splitword(cls, word, length):
l = 0
offset = 0
while True:
c_len, new_offset = cls.charlen(word, offset)
if l+c_len > length:
break
l += c_len
offset = new_offset
return (word[0:offset], word[offset:])
@classmethod
def charlen(cls, word, offset):
c = word[offset]
if c in ['>', '¼', '½', '♥']:
return (2, offset+1)
if c in ['@']:
return (4, offset+1)
if c in ['ᚋ', 'ᚌ', 'ᚍ', 'ᚎ']:
return (2, offset+1)
return (1, offset+1)
class CompressedTextMapper(object):
two_byte_commands = [
0x6B, 0x6C, 0x6D, 0x6E,
0x77, 0x78, 0x79, 0x7A
]
specially_coded_commands = {
0x73: 0xF6,
0x74: 0xF7,
0x75: 0xF8,
0x76: 0xF9,
0x7E: 0xFA,
0x7A: 0xFC,
}
@classmethod
def convert(cls, text, pause=True, max_bytes_expanded=0x800, wrap=19):
inbuf = MultiByteCoreTextMapper.convert(text, pause, wrap)
# Links name will need 8 bytes in the target buffer
# and two will be used by the terminator
# (Variables will use 2 bytes, but they start as 2 bytes)
bufsize = len(inbuf) + 7 * inbuf.count(0x6A) + 2
if bufsize > max_bytes_expanded:
raise ValueError("Uncompressed string too long for buffer")
inbuf.reverse()
outbuf = bytearray()
outbuf.append(0xfb) # terminator for previous record
while inbuf:
val = inbuf.pop()
if val == 0xFF:
outbuf.append(val)
elif val == 0x00:
outbuf.append(inbuf.pop())
elif val == 0x01: #kanji
outbuf.append(0xFD)
outbuf.append(inbuf.pop())
elif val >= 0x67:
if val in cls.specially_coded_commands:
outbuf.append(cls.specially_coded_commands[val])
else:
outbuf.append(0xFE)
outbuf.append(val)
if val in cls.two_byte_commands:
outbuf.append(inbuf.pop())
else:
raise ValueError("Unexpected byte found in uncompressed string")
return outbuf
class CharTextMapper(object):
number_offset = None
alpha_offset = 0
alpha_lower_offset = 0
char_map = {}
@classmethod
def map_char(cls, char):
if cls.number_offset is not None:
if 0x30 <= ord(char) <= 0x39:
return ord(char) + cls.number_offset
if 0x41 <= ord(char) <= 0x5A:
return ord(char) + 0x20 + cls.alpha_offset
if 0x61 <= ord(char) <= 0x7A:
return ord(char) + cls.alpha_lower_offset
return cls.char_map.get(char, cls.char_map[' '])
@classmethod
def convert(cls, text):
buf = bytearray()
for char in text:
buf.append(cls.map_char(char))
return buf
class RawMBTextMapper(CharTextMapper):
char_map = {' ': 0xFF,
'『': 0xC4,
'』': 0xC5,
'?': 0xC6,
'!': 0xC7,
',': 0xC8,
'-': 0xC9,
"🡄": 0xCA,
"🡆": 0xCB,
'…': 0xCC,
'.': 0xCD,
'~': 0xCE,
'~': 0xCE,
'@': [0x6A], # Links name (only works if compressed)
'>': [0x00, 0xD2, 0x00, 0xD3], # Link's face
"'": 0xD8,
'’': 0xD8,
'%': 0xDD, # Hylian Bird
'^': 0xDE, # Hylian Ankh
'=': 0xDF, # Hylian Wavy Lines
'↑': 0xE0,
'↓': 0xE1,
'→': 0xE2,
'←': 0xE3,
'≥': 0xE4, # Cursor
'¼': [0x00, 0xE5, 0x00, 0xE7], # ¼ heart
'½': [0x00, 0xE6, 0x00, 0xE7], # ½ heart
'¾': [0x00, 0xE8, 0x00, 0xE9], # ¾ heart
'♥': [0x00, 0xEA, 0x00, 0xEB], # full heart
'ᚋ': [0x6C, 0x00], # var 0
'ᚌ': [0x6C, 0x01], # var 1
'ᚍ': [0x6C, 0x02], # var 2
'ᚎ': [0x6C, 0x03], # var 3
'あ': 0x00,
'い': 0x01,
'う': 0x02,
'え': 0x03,
'お': 0x04,
'や': 0x05,
'ゆ': 0x06,
'よ': 0x07,
'か': 0x08,
'き': 0x09,
'く': 0x0A,
'け': 0x0B,
'こ': 0x0C,
'わ': 0x0D,
'を': 0x0E,
'ん': 0x0F,
'さ': 0x10,
'し': 0x11,
'す': 0x12,
'せ': 0x13,
'そ': 0x14,
'が': 0x15,
'ぎ': 0x16,
'ぐ': 0x17,
'た': 0x18,
'ち': 0x19,
'つ': 0x1A,
'て': 0x1B,
'と': 0x1C,
'げ': 0x1D,
'ご': 0x1E,
'ざ': 0x1F,
'な': 0x20,
'に': 0x21,
'ぬ': 0x22,
'ね': 0x23,
'の': 0x24,
'じ': 0x25,
'ず': 0x26,
'ぜ': 0x27,
'は': 0x28,
'ひ': 0x29,
'ふ': 0x2A,
'へ': 0x2B,
'ほ': 0x2C,
'ぞ': 0x2D,
'だ': 0x2E,
'ぢ': 0x2F,
'ま': 0x30,
'み': 0x31,
'む': 0x32,
'め': 0x33,
'も': 0x34,
'づ': 0x35,
'で': 0x36,
'ど': 0x37,
'ら': 0x38,
'り': 0x39,
'る': 0x3A,
'れ': 0x3B,
'ろ': 0x3C,
'ば': 0x3D,
'び': 0x3E,
'ぶ': 0x3F,
'べ': 0x40,
'ぼ': 0x41,
'ぱ': 0x42,
'ぴ': 0x43,
'ぷ': 0x44,
'ぺ': 0x45,
'ぽ': 0x46,
'ゃ': 0x47,
'ゅ': 0x48,
'ょ': 0x49,
'っ': 0x4A,
'ぁ': 0x4B,
'ぃ': 0x4C,
'ぅ': 0x4D,
'ぇ': 0x4E,
'ぉ': 0x4F,
'ア': 0x50,
'イ': 0x51,
'ウ': 0x52,
'エ': 0x53,
'オ': 0x54,
'ヤ': 0x55,
'ユ': 0x56,
'ヨ': 0x57,
'カ': 0x58,
'キ': 0x59,
'ク': 0x5A,
'ケ': 0x5B,
'コ': 0x5C,
'ワ': 0x5D,
'ヲ': 0x5E,
'ン': 0x5F,
'サ': 0x60,
'シ': 0x61,
'ス': 0x62,
'セ': 0x63,
'ソ': 0x64,
'ガ': 0x65,
'ギ': 0x66,
'グ': 0x67,
'タ': 0x68,
'チ': 0x69,
'ツ': 0x6A,
'テ': 0x6B,
'ト': 0x6C,
'ゲ': 0x6D,
'ゴ': 0x6E,
'ザ': 0x6F,
'ナ': 0x70,
'ニ': 0x71,
'ヌ': 0x72,
'ネ': 0x73,
'ノ': 0x74,
'ジ': 0x75,
'ズ': 0x76,
'ゼ': 0x77,
'ハ': 0x78,
'ヒ': 0x79,
'フ': 0x7A,
'ヘ': 0x7B,
'ホ': 0x7C,
'ゾ': 0x7D,
'ダ': 0x7E,
'マ': 0x80,
'ミ': 0x81,
'ム': 0x82,
'メ': 0x83,
'モ': 0x84,
'ヅ': 0x85,
'デ': 0x86,
'ド': 0x87,
'ラ': 0x88,
'リ': 0x89,
'ル': 0x8A,
'レ': 0x8B,
'ロ': 0x8C,