Add SMZ3 support (#270)

This commit is contained in:
lordlou
2022-03-15 08:55:57 -04:00
committed by GitHub
parent 8921baecd0
commit cfa49ee757
83 changed files with 7047 additions and 16 deletions

View File

@@ -0,0 +1,323 @@
import re
class Dialog:
command = re.compile(r"^\{[^}]*\}")
invalid = re.compile(r"(?<!^)\{[^}]*\}(?!$)", re.MULTILINE)
digit = re.compile(r"\d")
uppercaseLetter = re.compile(r"[A-Z]")
lowercaseLetter = re.compile(r"[a-z]")
@staticmethod
def Simple(text: str):
maxBytes = 256
wrap = 19
bytes = []
lines = text.split('\n')
lineIndex = 0
for line in lines:
bytes.append(0x74 if 0 else 0x75 if 1 else 0x76)
letters = line[:wrap] if len(line) > wrap else line
for letter in letters:
write = Dialog.LetterToBytes(letter)
if (write[0] == 0xFD):
bytes += write
else:
for b in write:
bytes += [ 0x00, b ]
lineIndex += 1
if (lineIndex % 3 == 0 and lineIndex < len(lines)):
bytes.append(0x7E)
if (lineIndex >= 3 and lineIndex < len(lines)):
bytes.append(0x73)
bytes.append(0x7F)
if (len(bytes) > maxBytes):
return bytes[:maxBytes - 1].append(0x7F)
return bytes
@staticmethod
def Compiled(text: str, pause = True):
maxBytes = 2046
wrap = 19
if (Dialog.invalid.match(text)):
raise Exception("Dialog commands must be placed on separate lines", text)
padOut = False
bytes = [ 0xFB ]
lines = Dialog.Wordwrap(text, wrap)
lineCount = len([l for l in lines if not Dialog.command.match(l)])
lineIndex = 0
for line in lines:
match = Dialog.command.match(line)
if (match is not None):
if (match.string == "{NOTEXT}"):
return [ 0xFB, 0xFE, 0x6E, 0x00, 0xFE, 0x6B, 0x04 ]
if (match.string == "{INTRO}"):
padOut = True
bytesMap = {
"{SPEED0}" : [ 0xFC, 0x00 ],
"{SPEED2}" : [ 0xFC, 0x02 ],
"{SPEED6}" : [ 0xFC, 0x06 ],
"{PAUSE1}" : [ 0xFE, 0x78, 0x01 ],
"{PAUSE3}" : [ 0xFE, 0x78, 0x03 ],
"{PAUSE5}" : [ 0xFE, 0x78, 0x05 ],
"{PAUSE7}" : [ 0xFE, 0x78, 0x07 ],
"{PAUSE9}" : [ 0xFE, 0x78, 0x09 ],
"{INPUT}" : [ 0xFA ],
"{CHOICE}" : [ 0xFE, 0x68 ],
"{ITEMSELECT}" : [ 0xFE, 0x69 ],
"{CHOICE2}" : [ 0xFE, 0x71 ],
"{CHOICE3}" : [ 0xFE, 0x72 ],
"{C:GREEN}" : [ 0xFE, 0x77, 0x07 ],
"{C:YELLOW}" : [ 0xFE, 0x77, 0x02 ],
"{HARP}" : [ 0xFE, 0x79, 0x2D ],
"{MENU}" : [ 0xFE, 0x6D, 0x00 ],
"{BOTTOM}" : [ 0xFE, 0x6D, 0x01 ],
"{NOBORDER}" : [ 0xFE, 0x6B, 0x02 ],
"{CHANGEPIC}" : [ 0xFE, 0x67, 0xFE, 0x67 ],
"{CHANGEMUSIC}" : [ 0xFE, 0x67 ],
"{INTRO}" : [ 0xFE, 0x6E, 0x00, 0xFE, 0x77, 0x07, 0xFC, 0x03, 0xFE, 0x6B, 0x02, 0xFE, 0x67 ],
"{IBOX}" : [ 0xFE, 0x6B, 0x02, 0xFE, 0x77, 0x07, 0xFC, 0x03, 0xF7 ],
}
result = bytesMap.get(match.string, None)
if (result is None):
raise Exception(f"Dialog text contained unknown command {match.string}", text)
else:
bytes += result
if (len(bytes) > maxBytes):
raise Exception("Command overflowed maximum byte length", text)
continue
if (lineIndex == 1):
bytes.append(0xF8); #// row 2
elif (lineIndex >= 3 and lineIndex < lineCount):
bytes.append(0xF6); #// scroll
elif (lineIndex >= 2):
bytes.append(0xF9); #// row 3
#// The first box needs to fill the full width with spaces as the palette is loaded weird.
letters = line + (" " * wrap) if padOut and lineIndex < 3 else line
for letter in letters:
bytes += Dialog.LetterToBytes(letter)
lineIndex += 1
if (pause and lineIndex % 3 == 0 and lineIndex < lineCount):
bytes.append(0xFA) #// wait for input
return bytes[:maxBytes]
@staticmethod
def Wordwrap(text: str, width: int):
result = []
for line in text.split('\n'):
line = line.rstrip()
if (len(line) <= width):
result.append(line)
else:
words = line.split(' ')
lines = [ "" ]
for word in words:
line = lines.pop()
if (len(line) + len(word) <= width):
line = f"{line}{word} "
else:
if (len(line) > 0):
lines.append(line)
line = word
while (len(line) > width):
lines.append(line[:width])
line = line[width:]
line = f"{line} "
lines.append(line)
#lines.reverse()
result += [l.strip() for l in lines]
return result
@staticmethod
def LetterToBytes(c: str):
if Dialog.digit.match(c): return [(ord(c) - ord('0') + 0xA0) ]
elif Dialog.uppercaseLetter.match(c): return [ (ord(c) - ord('A') + 0xAA) ]
elif Dialog.lowercaseLetter.match(c): return [ (ord(c) - ord('a') + 0x30) ]
else:
value = Dialog.letters.get(c, None)
return value if value else [ 0xFF ]
#region letter bytes lookup
letters = {
' ' : [ 0x4F ],
'?' : [ 0xC6 ],
'!' : [ 0xC7 ],
',' : [ 0xC8 ],
'-' : [ 0xC9 ],
'' : [ 0xCC ],
'.' : [ 0xCD ],
'~' : [ 0xCE ],
'' : [ 0xCE ],
'\'' : [ 0xD8 ],
'' : [ 0xD8 ],
'"' : [ 0xD8 ],
':' : [ 0x4A ],
'@' : [ 0x4B ],
'#' : [ 0x4C ],
'¤' : [ 0x4D, 0x4E ], #// Morphing ball
'_' : [ 0xFF ], #// Full width space
'£' : [ 0xFE, 0x6A ], #// link's name compressed
'>' : [ 0xD2, 0xD3 ], #// link face
'%' : [ 0xDD ], #// Hylian Bird
'^' : [ 0xDE ], #// Hylian Ankh
'=' : [ 0xDF ], #// Hylian Wavy lines
'' : [ 0xE0 ],
'' : [ 0xE1 ],
'' : [ 0xE2 ],
'' : [ 0xE3 ],
'' : [ 0xE4 ], #// cursor
'¼' : [ 0xE5, 0xE7 ], #// 1/4 heart
'½' : [ 0xE6, 0xE7 ], #// 1/2 heart
'¾' : [ 0xE8, 0xE9 ], #// 3/4 heart
'' : [ 0xEA, 0xEB ], #// full heart
'' : [ 0xFE, 0x6C, 0x00 ], #// var 0
'' : [ 0xFE, 0x6C, 0x01 ], #// var 1
'' : [ 0xFE, 0x6C, 0x02 ], #// var 2
'' : [ 0xFE, 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 ],
'' : [ 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 ],
'' : [ 0x8D ],
'' : [ 0x8E ],
'' : [ 0x8F ],
'' : [ 0x90 ],
'' : [ 0x91 ],
'' : [ 0x92 ],
'' : [ 0x93 ],
'' : [ 0x94 ],
'' : [ 0x95 ],
'' : [ 0x96 ],
'' : [ 0x97 ],
'' : [ 0x98 ],
'' : [ 0x99 ],
'' : [ 0x9A ],
'' : [ 0x9B ],
'' : [ 0x9C ],
'' : [ 0x9D ],
'' : [ 0x9E ],
'' : [ 0x9F ],
}

View File

@@ -0,0 +1,87 @@
I hate insect
puns, they
really bug me.
---
I haven't seen
the eye doctor
in years.
---
I don't see
you having a
bright future
---
Are you doing
a blind run
of this game?
---
Pizza joke? No
I think it's a
bit too cheesy
---
A novice skier
often jumps to
contusions.
---
The beach?
I'm not shore
I can make it.
---
Rental agents
offer quarters
for dollars.
---
I got my tires
fixed for a
flat rate.
---
New lightbulb
invented?
Enlighten me.
---
A baker's job
is a piece of
cake.
---
My optometrist
said I have
vision!
---
When you're a
baker, don't
loaf around
---
Mire requires
ether quake,
or bombos
---
Broken pencils
are pointless.
---
The food they
serve guards
lasts sentries
---
Being crushed
by big objects
is depressing.
---
A tap dancer's
routine runs
hot and cold.
---
A weeknight
is a tiny
nobleman
---
The chimney
sweep wore a
soot and tye.
---
Gardeners like
to spring into
action.
---
Bad at nuclear
physics. I Got
no fission.
---

View File

@@ -0,0 +1,189 @@
Start your day
smiling with a
delicious
wholegrain
breakfast
created for
your
incredible
insides.
---
You drove
away my other
self, Agahnim
two times…
But, I won't
give you the
Triforce.
I'll defeat
you!
---
Impa says that
the mark on
your hand
means that you
are the hero
chosen to
awaken Zelda.
your blood can
resurrect me.
---
Don't stand,
don't stand so
Don't stand so
close to me
Don't stand so
close to me
back off buddy
---
So ya
Thought ya
Might like to
go to the show
To feel the
warm thrill of
confusion
That space
cadet glow.
---
Like other
pulmonate land
gastropods,
the majority
of land slugs
have two pairs
of 'feelers'
or tentacles
on their head.
---
If you were a
burrito, what
kind of a
burrito would
you be?
Me, I fancy I
would be a
spicy barbacoa
burrito.
---
I am your
father's
brother's
nephew's
cousin's
former
roommate. What
does that make
us, you ask?
---
I'll be more
eager about
encouraging
thinking
outside the
box when there
is evidence of
any thinking
inside it.
---
If we're not
meant to have
midnight
snacks, then
why is there
a light in the
fridge?
---
I feel like we
keep ending up
here.
Don't you?
It's like
deja vu
all over again
---
Did you know?
The biggest
and heaviest
cheese ever
produced
weighed
57,518 pounds
and was 32
feet long.
---
Now there was
a time, When
you loved me
so. I couldn't
do wrong,
And now you
need to know.
So How you
like me now?
---
Did you know?
Nutrition
experts
recommend that
at least half
of our daily
grains come
from whole
grain products
---
The Hemiptera
or true bugs
are an order
of insects
covering 50k
to 80k species
like aphids,
cicadas, and
shield bugs.
---
Thanks for
dropping in,
the first
passengers
in a hot
air balloon.
were a duck,
a sheep,
and a rooster.
---
You think you
are so smart?
I bet you
didn't know
You can't hum
while holding
your nose
closed.
---
Grumble,
grumble…
grumble,
grumble…
Seriously you
were supposed
to bring food
---
Join me hero,
and I shall
make your face
the greatest
in the dark
world!
Or else you
will die!
---

View File

@@ -0,0 +1,385 @@
SahasrahlaReveal: |-
Want something
for free? Go
earn the green
pendant in
<dungeon>
and I'll give
you something.
BombShopReveal: |-
Bring me the
crystals from
<first>
and
<second>
so I can make
a big bomb!
GanonSilversReveal:
single:
local: |-
Did you find
the arrows in
my tower?
remote: |-
Did you find
the arrows in
<region>
multi:
local: |-
Seek the
arrows in
this world
remote: |-
Seek the sage
<player>
for the arrows
Items:
BigKeyEP: |-
The big key
of the east
BigKeyDP: |-
Sand spills
out of this
big key
BigKeyTH: |-
The big key
to moldorm's
heart
BigKeyPD: |-
Hammeryump
with this
big key
BigKeySP: |-
The big key
to the swamp
BigKeySW: |-
The big key
of the dark
forest
BigKeyTT: |-
The big key
of rogues
BigKeyIP: |-
A frozen
big key
rests here
BigKeyMM: |-
The big key
to Vitreous
BigKeyTR: |-
The big key
of terrapins
BigKeyGT: |-
The big key
of evil's bane
KeyHC: |-
The key to
the castle
KeyCT: |-
Agahanim
halfway
unlocked
KeyDP: |-
Sand spills
out of this
small key
KeyTH: |-
The key
to moldorm's
basement
KeyPD: |-
A small key
that steals
light
KeySP: |-
Access to
the swamp
is granted
KeySW: |-
The small key
of the dark
forest
KeyTT: |-
The small key
of rogues
KeyIP: |-
A frozen
small key
rests here
KeyMM: |-
The small key
to Vitreous
KeyTR: |-
The small key
of terrapins
KeyGT: |-
The small key
of evil's bane
Map: |-
You can now
find your way
home!
Compass: |-
Now you know
where the boss
hides!
ProgressiveTunic: |-
Time for a
change of
clothes?
ProgressiveShield: |-
Have a better
defense in
front of you
ProgressiveSword: |-
A better copy
of your sword
for your time
Bow: |-
You have
chosen the
archer class.
SilverArrows: |-
Do you fancy
silver tipped
arrows?
BlueBoomerang: |-
No matter what
you do, blue
returns to you
RedBoomerang: |-
No matter what
you do, red
returns to you
Hookshot: |-
BOING!!!
BOING!!!
BOING!!!
Mushroom: |-
I'm a fun guy!
I'm a funghi!
Powder: |-
You can turn
anti-faeries
into faeries
Firerod: |-
I'm the hot
rod. I make
things burn!
Icerod: |-
I'm the cold
rod. I make
things freeze!
Bombos: |-
Burn, baby,
burn! Fear my
ring of fire!
Ether: |-
This magic
coin freezes
everything!
Quake: |-
Maxing out the
Richter scale
is what I do!
Lamp: |-
Baby, baby,
baby.
Light my way!
Hammer: |-
Stop!
Hammer time!
Shovel: |-
Can
You
Dig it?
Flute: |-
Save the duck
and fly to
freedom!
Bugnet: |-
Let's catch
some bees and
faeries!
Book: |-
This is a
paradox?!
Bottle: |-
Now you can
store potions
and stuff!
BottleWithRedPotion: |-
You see red
goo in a
bottle?
BottleWithGreenPotion: |-
You see green
goo in a
bottle?
BottleWithBluePotion: |-
You see blue
goo in a
bottle?
BottleWithBee: |-
Release me
so I can go
bzzzzz!
BottleWithFairy: |-
If you die
I will revive
you!
Somaria: |-
I make blocks
to hold down
switches!
Byrna: |-
Use this to
become
invincible!
Cape: |-
Wear this to
become
invisible!
Mirror: |-
Isn't your
reflection so
pretty?
Boots: |-
Gotta go fast!
ProgressiveGlove: |-
A way to lift
heavier things
Flippers: |-
Fancy a swim?
MoonPearl: |-2
Bunny Link
be
gone!
HalfMagic: |-
Your magic
power has been
doubled!
HeartPiece: |-
Just a little
piece of love!
HeartContainer: |-
Maximum health
increased!
Yeah!
ThreeBombs: |-
I make things
go triple
BOOM!!!
Arrow: |-
A lonely arrow
sits here.
TenArrows: |-
This will give
you ten shots
with your bow!
PocketRupees: |-
Just pocket
change. Move
right along.
CouchRupees: |-
Just couch
cash. Move
right along.
OneHundredRupees: |-
A rupee stash!
Hell yeah!
ThreeHundredRupees: |-
A rupee hoard!
Hell yeah!
BombUpgrade: |-
Increase bomb
storage, low
low price
ArrowUpgrade: |-
Increase arrow
storage, low
low price
Missile: |-
Some kind of
flying bomb?
Super: |-
A really big
flying bomb!
PowerBomb: |-
Big bada boom!
Grapple: |-
Some kind of
futuristic
hookshot?
XRay: |-
THIS LENS OF
TRUTH IS MADE
IN ZEBES!
ETank: |-
A heart from
the future?
ReserveTank: |-
A fairy from
the future?
Charge: |-
IM'A CHARGIN
MA LAZER!
Ice: |-
Some kind of
ice rod for
aliens?
Wave: |-
Trigonometry gun.
Spazer: |-
Even space
lasers can
be sucky.
Plasma: |-
Some kind of
fire rod for
aliens?
Varia: |-
Alien armor?
Gravity: |-
No more water
physics.
Morph: |-
Why can't
Metroid crawl?
Bombs: |-
Bombs from
the future.
SpringBall: |-
Bouncy bouncy
bouncy bouncy
bounce.
ScrewAttack: |-
U spin me right
round baby
right round
HiJump: |-
This would be
great if I
could jump.
SpaceJump: |-
I believe
I can fly.
SpeedBooster: |-
THE GREEN
BOOMERANG IS
THE FASTEST!
Keycard: |-
A key from
the future?
default: |-
Don't waste
your time!

View File

@@ -0,0 +1,433 @@
# Numbers in comments refer to US text numbers
# Except for the first few entries, JP1.0 text numbers are smaller by 2
# The order of the dialog entries is significant
- set_cursor: [0xFB, 0xFC, 0x00, 0xF9, 0xFF, 0xFF, 0xFF, 0xF8, 0xFF, 0xFF, 0xE4, 0xFE, 0x68]
- set_cursor2: [0xFB, 0xFC, 0x00, 0xF8, 0xFF, 0xFF, 0xFF, 0xF9, 0xFF, 0xFF, 0xE4, 0xFE, 0x68]
- game_over_menu: { NoPause: "{SPEED0}\nSave and Continue\nSave and Quit\nContinue" }
- var_test: { NoPause: "0= ᚋ, 1= ᚌ\n2= ᚍ, 3= ᚎ" }
- follower_no_enter: "Can't you take me some place nice."
- choice_1_3: [0xFB, 0xFC, 0x00, 0xF7, 0xE4, 0xF8, 0xFF, 0xF9, 0xFF, 0xFE, 0x71]
- choice_2_3: [0xFB, 0xFC, 0x00, 0xF7, 0xFF, 0xF8, 0xE4, 0xF9, 0xFF, 0xFE, 0x71]
- choice_3_3: [0xFB, 0xFC, 0x00, 0xF7, 0xFF, 0xF8, 0xFF, 0xF9, 0xE4, 0xFE, 0x71]
- choice_1_2: [0xFB, 0xFC, 0x00, 0xF7, 0xE4, 0xF8, 0xFF, 0xFE, 0x72]
- choice_2_2: [0xFB, 0xFC, 0x00, 0xF7, 0xFF, 0xF8, 0xE4, 0xFE, 0x72]
- uncle_leaving_text: "I'm just going out for a pack of smokes."
- uncle_dying_sewer: "I've fallen and I can't get up, take this."
# $10
- tutorial_guard_1: "Only adults should travel at night."
- tutorial_guard_2: "You can press X to see the Map."
- tutorial_guard_3: "Press the A button to lift things by you."
- tutorial_guard_4: "When you has a sword, press B to slash it."
- tutorial_guard_5: "このメッセージはニホンゴでそのまま" # on purpose
- tutorial_guard_6: "Are we really still reading these?"
- tutorial_guard_7: "Jeeze! There really are a lot of things."
- priest_sanctuary_before_leave: "Go be a hero!"
- sanctuary_enter: "YAY!\nYou saved Zelda!"
- zelda_sanctuary_story: "Do you want to hear me say this again?\n{HARP}\n ≥ No\n _Yes\n{CHOICE}"
- priest_sanctuary_before_pendants: "Go'on and get them pendants so you can beat up Agahnim."
- priest_sanctuary_after_pendants_before_master_sword: "Kudos! But seriously, you should be getting the master sword, not having a kegger in here."
- priest_sanctuary_dying: "They took her to the castle! Take your sword and save her!"
- zelda_save_sewers: "You saved me!"
- priest_info: "So, I'm the dude that will protect Zelda. Don't worry, I got this covered."
- zelda_sanctuary_before_leave: "Be careful!"
- telepathic_intro: "{NOBORDER}\n{SPEED6}\nHey, come find me and help me!"
# $20
- telepathic_reminder: "{NOBORDER}\n{SPEED6}\nI'm in the castle basement."
- zelda_go_to_throne: "Go north to the throne."
- zelda_push_throne: "Let's push it from the left!"
- zelda_switch_room_pull: "Pull this lever using A."
- zelda_save_lets_go: "Let's get out of here!"
- zelda_save_repeat: "I like talking, do you?\n ≥ No\n _Yes\n{CHOICE}"
- zelda_before_pendants: "You need to find all the pendants…\n\n\nNumpty."
- zelda_after_pendants_before_master_sword: "Very pretty pendants, but really you should be getting that sword in the forest!"
- telepathic_zelda_right_after_master_sword: "{NOBORDER}\n{SPEED6}\nHi £,\nHave you been thinking about me?\narrrrrgghh…\n… … …"
- zelda_sewers: "Just a little further to the Sanctuary."
- zelda_switch_room: "The Sanctuary!\n\nPull my finger"
- kakariko_sahasrahla_wife: "Heya, £!\nLong time no see.\nYou want a master sword?\n\nWell good luck with that."
- kakariko_sahasrahla_wife_sword_story: "It occurs to me that I like toast and jam, but cheese and crackers is better.\nYou like?\n__≥ Cheese\n___ Jam\n{CHOICE}"
- kakariko_sahasrahla_wife_closing: "Anywho, I have things to do. You see those 2 ovens?\n\nYeah, 2!\nWho has 2 ovens nowadays?!"
- kakariko_sahasrahla_after_master_sword: "Cool sword!\n\n\n…\n\n\n…\n\n\nPlease save us"
- kakariko_alert_guards: "GUARDS! HELP!\nThe creeper\n£ is here!"
# $30
- sahasrahla_quest_have_pendants: "{BOTTOM}\nCool beans, but I think you should mosey on over to the lost woods."
- sahasrahla_quest_have_master_sword: "{BOTTOM}\nThat's a pretty sword, but I'm old, forgetful, and old. Why don't you go do all the hard work while I hang out in this hut."
- sahasrahla_quest_information: "{BOTTOM}\nSahasrahla, I am. You would do well to find the 3 pendants from the 3 dungeons in the Light World.\nUnderstand?\n ≥ Yes\n No\n{CHOICE}"
- sahasrahla_bring_courage: "{BOTTOM}\nWhile you're here, could you do me a solid and get the green pendant from that dungeon?\n{HARP}\nI'll give you a present if you do."
- sahasrahla_have_ice_rod: "{BOTTOM}\nLike, I sit here, and tell you what to do?\n\n\nAlright, go and find all the maidens, there are, like, maybe 7 of them. I dunno anymore. I'm old."
- telepathic_sahasrahla_beat_agahnim: "{NOBORDER}\n{SPEED6}\nNice, so you beat Agahnim. Now you must beat Ganon. Good Luck!"
- telepathic_sahasrahla_beat_agahnim_no_pearl: "{NOBORDER}\n{SPEED6}\nOh, also you forgot the Moon Pearl, dingus. Go back and find it!"
- sahasrahla_have_boots_no_icerod: "{BOTTOM}\nCave in South East has a cool item."
- sahasrahla_have_courage: "{BOTTOM}\nLook, you have the green pendant! I'll give you something. Go kill the other two bosses for more pendant fun!"
- sahasrahla_found: "{BOTTOM}\nYup!\n\nI'm the old man you are looking for. I'll keep it short and sweet: Go into that dungeon, then bring me the green pendant and talk to me again."
- sign_rain_north_of_links_house: "↑ Dying Uncle\n This way…"
- sign_north_of_links_house: "> Randomizer Don't read me, go beat Ganon!"
- sign_path_to_death_mountain: "Cave to lost, old man.\nGood luck."
- sign_lost_woods: "\n↑ Lost Woods"
- sign_zoras: "Danger!\nDeep water!\nZoras!"
- sign_outside_magic_shop: "Welcome to the Magic Shoppe"
# $40
- sign_death_mountain_cave_back: "Cave away from sky cabbages"
- sign_east_of_links_house: "↓ Lake Hylia\n\n Also, a shop"
- sign_south_of_lumberjacks: "← Kakariko\n Village"
- sign_east_of_desert: "← Desert\n\n It's hot."
- sign_east_of_sanctuary: "↑→ Potions!\n\nWish Waterfall"
- sign_east_of_castle: "→ East Palace\n\n← Castle"
- sign_north_of_lake: "\n Lake Hiriah"
- sign_desert_thief: "Don't talk to me or touch my sign!"
- sign_lumberjacks_house: "Lumberjacks, Inc.\nYou see 'em, we saw 'em."
- sign_north_kakariko: "↓ Kakariko\n Village"
- witch_bring_mushroom: "Double, double toil and trouble!\nBring me a mushroom!"
- witch_brewing_the_item: "This mushroom is busy brewing. Come back later."
- witch_assistant_no_bottle: "You got to give me the mushroom, Numpty."
- witch_assistant_no_empty_bottle: "Gotta use your stuff before you can get more."
- witch_assistant_informational: "Red is life\nGreen is magic\nBlue is both\nI'll heal you for free, though."
- witch_assistant_no_bottle_buying: "If only you had something to put that in, like a bottle…"
# $50
- potion_shop_no_empty_bottles: "Whoa, bucko!\nNo empty bottles."
- item_get_lamp: "Lamp! You can see in the dark, and light torches."
- item_get_boomerang: "Boomerang! Press START to select it."
- item_get_bow: "You're in bow mode now!"
- item_get_shovel: "This is my new mop. My friend George, he gave me this mop. It's a pretty good mop. It's not as good as my old mop. I miss my old mop. But it's still a good mop."
- item_get_magic_cape: "Finally! We get to play Invisible Man!"
- item_get_powder: "It's the powder. Let's cause some mischief!"
- item_get_flippers: "Splish! Splash! Let's go take a bath!"
- item_get_power_gloves: "Feel the power! You can now lift light rocks! Rock on!"
- item_get_pendant_courage: "We have the Pendant of Courage! How brave!"
- item_get_pendant_power: "We have the Pendant of Power! How robust!"
- item_get_pendant_wisdom: "We have the Pendant of Wisdom! How astute!"
- item_get_mushroom: "A Mushroom! Don't eat it. Find a witch."
- item_get_book: "It book! U R now litterit!"
- item_get_moonpearl: "I found a shiny marble! No more hops!"
- item_get_compass: "A compass! I can now find the boss."
# $60
- item_get_map: "Yo! You found a MAP! Press X to see it."
- item_get_ice_rod: "It's the Ice Rod! Freeze Ray time."
- item_get_fire_rod: "A Rod that shoots fire? Let's burn all the things!"
- item_get_ether: "We can chill out with this!"
- item_get_bombos: "Let's set everything on fire, and melt things!"
- item_get_quake: "Time to make the earth shake, rattle, and roll!"
- item_get_hammer: "STOP!\n\nHammer Time!"
- item_get_ocarina: "Finally! We can play the Song of Time!"
- item_get_cane_of_somaria: "Make blocks!\nThrow blocks!\nSplode Blocks!"
- item_get_hookshot: "BOING!!!\nBOING!!!\nSay no more…"
- item_get_bombs: "BOMBS! Use A to pick 'em up, throw 'em, get hurt!"
- item_get_bottle: "It's a terrarium. I hope we find a lizard!"
- item_get_big_key: "Yo! You got a Big Key!"
- item_get_titans_mitts: "So, like, you can now lift anything.\nANYTHING!"
- item_get_magic_mirror: "We could stare at this all day or, you know, beat Ganon…"
- item_get_fake_mastersword: "It's the Master Sword! …or not…\n\n FOOL!"
# $70
- post_item_get_mastersword: "{NOBORDER}\n{SPEED6}\n£, you got the sword!\n{CHANGEMUSIC}\nNow let's go beat up Agahnim!"
- item_get_red_potion: "Red goo to go! Nice!"
- item_get_green_potion: "Green goo to go! Nice!"
- item_get_blue_potion: "Blue goo to go! Nice!"
- item_get_bug_net: "Surprise Net! Let's catch stuff!"
- item_get_blue_mail: "Blue threads? Less damage activated!"
- item_get_red_mail: "You feel the power of the eggplant on your head."
- item_get_temperedsword: "Nice… I now have a craving for Cheetos."
- item_get_mirror_shield: "Pit would be proud!"
- item_get_cane_of_byrna: "It's the Blue Cane. You can now protect yourself with lag!"
- missing_big_key: "Something is missing…\nThe Big Key?"
- missing_magic: "Something is missing…\nMagic meter?"
- item_get_pegasus_boots: "Finally, it's bonking time!\nHold A to dash"
- talking_tree_info_start: "Whoa! I can talk again!"
- talking_tree_info_1: "Yank on the pitchfork in the center of town, ya heard it here."
- talking_tree_info_2: "Ganon is such a dingus, no one likes him, ya heard it here."
# $80
- talking_tree_info_3: "There is a portal near the Lost Woods, ya heard it here."
- talking_tree_info_4: "Use bombs to quickly kill the Hinox, ya heard it here."
- talking_tree_other: "I can breathe!"
- item_get_pendant_power_alt: "We have the Pendant of Power! How robust!"
- item_get_pendant_wisdom_alt: "We have the Pendant of Wisdom! How astute!"
- game_shooting_choice: "20 rupees.\n5 arrows.\nWin rupees!\nWant to play?\n ≥ Yes\n _No\n{CHOICE}"
- game_shooting_yes: "Let's do this!"
- game_shooting_no: "Where are you going? Straight up!"
- game_shooting_continue: "Keep playing?\n ≥ Yes\n _No\n{CHOICE}"
- pond_of_wishing: "-Wishing Pond-\n\n On Vacation"
- pond_item_select: "Pick something\nto throw in.\n{ITEMSELECT}"
- pond_item_test: "You toss this?\n ≥ Yup\n _Wrong\n{CHOICE}"
- pond_will_upgrade: "You're honest, so I'll give you a present."
- pond_item_test_no: "You sure?\n ≥ Oh yeah\n _Um\n{CHOICE}"
- pond_item_test_no_no: "Well, I don't want it, so take it back."
- pond_item_boomerang: "I don't much like you, so have this worse Boomerang."
# $90
- pond_item_shield: "I grant you the ability to block fireballs. Don't lose this to a Pikit!"
- pond_item_silvers: "So, wouldn't it be nice to kill Ganon? These should help in the final phase."
- pond_item_bottle_filled: "Bottle Filled!\nMoney Saved!"
- pond_item_sword: "Thank you for the sword, here is a stick of butter."
- pond_of_wishing_happiness: "Happiness up!\nYou are now\nᚌᚋ happy!"
- pond_of_wishing_choice: "Your wish?\n ≥More bombs\n _More arrows\n{CHOICE}"
- pond_of_wishing_bombs: "Woo-hoo!\nYou can now\ncarry ᚌᚋ bombs"
- pond_of_wishing_arrows: "Woo-hoo!\nYou can now\nhold ᚌᚋ arrows"
- pond_of_wishing_full_upgrades: "You have all I can give you, here are your rupees back."
- mountain_old_man_first: "Look out for holes, and monsters."
- mountain_old_man_deadend: "Oh, goody, hearts in jars! This place is creepy."
- mountain_old_man_turn_right: "Turn right. Let's get out of this place."
- mountain_old_man_lost_and_alone: "Hello. I can't see anything. Take me with you."
- mountain_old_man_drop_off: "Here's a thing to help you, good luck!"
- mountain_old_man_in_his_cave_pre_agahnim: "You need to beat the tower at the top of the mountain."
- mountain_old_man_in_his_cave: "You can find stuff in the tower at the top of this mountain.\nCome see me if you'd like to be healed."
# $A0
- mountain_old_man_in_his_cave_post_agahnim: "You should be heading to the castle… you have a portal there now.\nSay hi anytime you like."
- tavern_old_man_awake: "Life? Love? Happiness? The question you should really ask is: Was this generated by Stoops Alu or Stoops Jet?"
- tavern_old_man_unactivated_flute: "You should play that flute for the weathervane, cause reasons."
- tavern_old_man_know_tree_unactivated_flute: "You should play that flute for the weathervane, cause reasons."
- tavern_old_man_have_flute: "Life? Love? Happiness? The question you should really ask is: Was this generated by Stoops Alu or Stoops Jet?"
- chicken_hut_lady: "This is\nChristos' hut.\n\nHe's out, searching for a bow."
- running_man: "Hi, Do you\nknow Veetorp?\n\nYou really\nshould. And\nall the other great guys who made this possible.\nGo thank them.\n\n\nIf you can catch them…"
- game_race_sign: "Why are you reading this sign? Run!!!"
- sign_bumper_cave: "You need Cape, but not Hookshot"
- sign_catfish: "Toss rocks\nToss items\nToss cookies"
- sign_north_village_of_outcasts: "↑ Skull Woods\n\n↓ Steve's Town"
- sign_south_of_bumper_cave: "\n→ Karkats cave"
- sign_east_of_pyramid: "\n→ Dark Palace"
- sign_east_of_bomb_shop: "\n← Bomb Shoppe"
- sign_east_of_mire: "\n← Misery Mire\n no way in.\n no way out."
- sign_village_of_outcasts: "Have a Trulie Awesome Day!"
# $B0
- sign_before_wishing_pond: "waterfall\nup ahead\nmake wishes"
- sign_before_catfish_area: "→↑ Have you met Woeful Ike?"
- castle_wall_guard: "Looking for a Princess? Look downstairs."
- gate_guard: "No Lonks Allowed!"
- telepathic_tile_eastern_palace: "{NOBORDER}\nYou need a Bow to get past the red Eyegore. derpy"
- telepathic_tile_tower_of_hera_floor_4: "{NOBORDER}\nIf you find a shiny ball, you can be you in the Dark World."
- hylian_text_1: "%== %== %==\n ^ %==% ^\n%== ^%%^ ==^"
- mastersword_pedestal_translated: "A test of strength: If you have 3 pendants, I'm yours."
- telepathic_tile_spectacle_rock: "{NOBORDER}\nUse the Mirror, or the Hookshot and Hammer, to get to Tower of Hera!"
- telepathic_tile_swamp_entrance: "{NOBORDER}\nDrain the floodgate to raise the water here!"
- telepathic_tile_thieves_town_upstairs: "{NOBORDER}\nBlind hates bright light."
- telepathic_tile_misery_mire: "{NOBORDER}\nLighting 4 torches will open your way forward!"
- hylian_text_2: "%%^= %==%\n ^ =%^=\n==%= ^^%^"
- desert_entry_translated: "Kneel before this stone, and magic will move around you."
- telepathic_tile_under_ganon: "{NOBORDER}\nOnly Silver Arrows will finish off a blue Ganon, or really well timed spins in phase 4."
- telepathic_tile_palace_of_darkness: "{NOBORDER}\nThis is a funny looking Enemizer"
# $C0
- telepathic_tile_desert_bonk_torch_room: "{NOBORDER}\nThings can be knocked down, if you fancy yourself a dashing dude."
- telepathic_tile_castle_tower: "{NOBORDER}\nYou can reflect Agahnim's energy with Sword, Bug-net or Hammer."
- telepathic_tile_ice_large_room: "{NOBORDER}\nAll right, stop collaborate and listen\nIce is back with my brand new invention."
- telepathic_tile_turtle_rock: "{NOBORDER}\nYou Shall not pass… without the red cane."
- telepathic_tile_ice_entrace: "{NOBORDER}\nYou can use Fire Rod or Bombos to pass."
- telepathic_tile_ice_stalfos_knights_room: "{NOBORDER}\nKnock 'em down and then bomb them dead."
- telepathic_tile_tower_of_hera_entrance: "{NOBORDER}\nThis is a bad place, with a guy who will make you fall…\n\n\na lot."
- houlihan_room: "My name is Chris Houlihan, but I'm sure you only care about the money. Take it, it's not like I can stop you."
- caught_a_bee: "Caught a Bee\n ≥ Keep\n _Release\n{CHOICE}"
- caught_a_fairy: "Caught Fairy!\n ≥ Keep\n _Release\n{CHOICE}"
- no_empty_bottles: "Whoa, bucko!\nNo empty bottles."
- game_race_boy_time: "Your time was\nᚎᚍ min ᚌᚋ sec."
- game_race_girl: "You have 15 seconds,\nGo… Go… Go…"
- game_race_boy_success: "Nice!\nYou can have this trash!"
- game_race_boy_failure: "Too slow!\nI keep my\nprecious!"
- game_race_boy_already_won: "You already have your prize, dingus!"
# $D0
- game_race_boy_sneaky: "Thought you could sneak in, eh?"
- bottle_vendor_choice: "I gots bottles.\nYous gots 100 rupees?\n ≥ I want\n _No way!"
- bottle_vendor_get: "Nice! Hold it up son! Show the world what you got!"
- bottle_vendor_no: "Fine! I didn't want your money anyway."
- bottle_vendor_already_collected: "Dude! You already have it."
- bottle_vendor_bee: "Cool! A bee! Here's 100 rupees."
- bottle_vendor_fish: "Whoa! A fish! You walked this all the way here?"
- hobo_item_get_bottle: "You think life is rough? I guess you can take my last item. Except this tent. That's MY tent!"
- blacksmiths_what_you_want: "Nice of you to come back!\nWould you like us mess with your sword?\n ≥ Temper\n _It's fine\n{CHOICE}"
- blacksmiths_paywall: "It's 10 rupees\n ≥ Easy\n _Hang on…\n{CHOICE}"
- blacksmiths_extra_okay: "Are you sure you're sure?\n ≥ Ah, yup\n _Hang on…\n{CHOICE}"
- blacksmiths_tempered_already: "Whelp… We can't make this any better."
- blacksmiths_temper_no: "Oh, come by any time!"
- blacksmiths_bogart_sword: "We're going to have to take it to work on it."
- blacksmiths_get_sword: "Sword is done. Now, back to our bread!"
- blacksmiths_shop_before_saving: "I lost my friend. Help me find him!"
# $E0
- blacksmiths_shop_saving: "You found him! Colour me happy! Come back right away and we will bang on your sword."
- blacksmiths_collect_frog: "Ribbit! Ribbit! Let's find my partner. To the shop!"
- blacksmiths_still_working: "Something this precious takes time… Come back later."
- blacksmiths_saving_bows: "Thanks!\n\nThanks!"
- blacksmiths_hammer_anvil: "Dernt Take Er Jerbs!"
- dark_flute_boy_storytime: "Hi!\nI'm Stumpy!\nI've been chillin' in this world for a while now, but I miss my flute. If I gave you a shovel, would you go digging for it?\n ≥ Sure\n _Nahh\n{CHOICE}"
- dark_flute_boy_get_shovel: "Schaweet! Here you go. Happy digging!"
- dark_flute_boy_no_get_shovel: "Oh I see, not good enough for you… FINE!"
- dark_flute_boy_flute_not_found: "Still haven't found the item? Dig in the Light World around here, dingus!"
- dark_flute_boy_after_shovel_get: "So I gave you an item, and you're still here.\n\n\n\n\n\nI mean, we can sit here and stare at each other, if you like…\n\n\n\n\n\n\n\nFine, I guess you should just go."
- shop_fortune_teller_lw_hint_0: "{BOTTOM}\nBy the black cats, the book opens the desert"
- shop_fortune_teller_lw_hint_1: "{BOTTOM}\nBy the black cats, nothing doing"
- shop_fortune_teller_lw_hint_2: "{BOTTOM}\nBy the black cats, I'm cheap"
- shop_fortune_teller_lw_hint_3: "{BOTTOM}\nBy the black cats, am I cheap?"
- shop_fortune_teller_lw_hint_4: "{BOTTOM}\nBy the black cats, Zora lives at the end of the river"
- shop_fortune_teller_lw_hint_5: "{BOTTOM}\nBy the black cats, The Cape can pass through the barrier"
# $F0
- shop_fortune_teller_lw_hint_6: "{BOTTOM}\nBy the black cats, Spin, Hammer, or Net to hurt Agahnim"
- shop_fortune_teller_lw_hint_7: "{BOTTOM}\nBy the black cats, You can jump in the well by the blacksmiths"
- shop_fortune_teller_lw_no_rupees: "{BOTTOM}\nThe black cats are hungry, come back with rupees"
- shop_fortune_teller_lw: "{BOTTOM}\nWelcome to the Fortune Shoppe!\nFancy a read?\n ≥I must know\n _Negative\n{CHOICE}"
- shop_fortune_teller_lw_post_hint: "{BOTTOM}\nFor ᚋᚌ rupees\nIt is done.\nBe gone!"
- shop_fortune_teller_lw_no: "{BOTTOM}\nWell then, why did you even come in here?"
- shop_fortune_teller_lw_hint_8: "{BOTTOM}\nBy the black cats, why you do?"
- shop_fortune_teller_lw_hint_9: "{BOTTOM}\nBy the black cats, panda crackers"
- shop_fortune_teller_lw_hint_10: "{BOTTOM}\nBy the black cats, the missing blacksmith is south of the Village of Outcasts"
- shop_fortune_teller_lw_hint_11: "{BOTTOM}\nBy the black cats, open chests to get stuff"
- shop_fortune_teller_lw_hint_12: "{BOTTOM}\nBy the black cats, you can buy a new bomb at the Bomb Shoppe"
- shop_fortune_teller_lw_hint_13: "{BOTTOM}\nBy the black cats, big bombs blow up cracked walls in pyramids"
- shop_fortune_teller_lw_hint_14: "{BOTTOM}\nBy the black cats, you need all the crystals to open Ganon's Tower"
- shop_fortune_teller_lw_hint_15: "{BOTTOM}\nBy the black cats, Silver Arrows will defeat Ganon in his final phase"
- dark_sanctuary: "For 20 rupees I'll tell you something?\nHow about it?\n ≥ Yes\n _No\n{CHOICE}"
- dark_sanctuary_hint_0: "I once was a tea kettle, but then I moved up in the world, and now you can see me as this. Makes you wonder. What I could be next time."
# $100
- dark_sanctuary_no: "Then go away!"
- dark_sanctuary_hint_1: "There is a thief in the desert, he can open creepy chests that follow you. But now that we have that out of the way, do you like my hair? I've spent eons getting it this way."
- dark_sanctuary_yes: "With Crystals 5&6, you can find a great fairy in the pyramid.\n\nFlomp Flomp, Whizzle Whomp"
- dark_sanctuary_hint_2: "All I can say is that my life is pretty plain,\nI like watchin' the puddles gather rain,\nAnd all I can do is just pour some tea for two,\nAnd speak my point of view but it's not sane,\nIt's not sane"
- sick_kid_no_bottle: "{BOTTOM}\nI'm sick! Show me a bottle, get something!"
- sick_kid_trade: "{BOTTOM}\nCool Bottle! Here's something for you."
- sick_kid_post_trade: "{BOTTOM}\nLeave me alone\nI'm sick. You have my item."
- desert_thief_sitting: "………………………"
- desert_thief_following: "why……………"
- desert_thief_question: "I was a thief. I open purple chests!\nKeep secret?\n ≥ Sure thing\n Never!\n{CHOICE}"
- desert_thief_question_yes: "Cool, bring me any purple chests you find."
- desert_thief_after_item_get: "You tell anyone and I will give you such a pinch!"
- desert_thief_reassure: "Bring chests. It's a secret to everyone."
- hylian_text_3: "^^ ^%=^= =%=\n=%% =%%=^\n==%^= %=^^%"
- tablet_ether_book: "Can you make things fall out of the sky? With the Master Sword, you can!"
- tablet_bombos_book: "Can you make things fall out of the sky? With the Master Sword, you can!"
# $110
- magic_bat_wake: "You bum! I was sleeping! Where's my magic bolts?"
- magic_bat_give_half_magic: "How you like me now?"
- intro_main: { NoPause: "{INTRO}\n Episode III\n{PAUSE3}\n A Link to\n the Past\n{PAUSE3}\n Randomizer\n{PAUSE3}\nAfter mostly disregarding what happened in the first two games.\n{PAUSE3}\nLink awakens to his uncle leaving the house.\n{PAUSE3}\nHe just runs out the door,\n{PAUSE3}\ninto the rainy night.\n{PAUSE3}\n{CHANGEPIC}\nGanon has moved around all the items in Hyrule.\n{PAUSE7}\nYou will have to find all the items necessary to beat Ganon.\n{PAUSE7}\nThis is your chance to be a hero.\n{PAUSE3}\n{CHANGEPIC}\nYou must get the 7 crystals to beat Ganon.\n{PAUSE9}\n{CHANGEPIC}" }
- intro_throne_room: { NoPause: "{IBOX}\nLook at this Stalfos on the throne." }
- intro_zelda_cell: { NoPause: "{IBOX}\nIt is your time to shine!" }
- intro_agahnim: { NoPause: "{IBOX}\nAlso, you need to defeat this guy!" }
- pickup_purple_chest: "A curious box. Let's take it with us!"
- bomb_shop: "30 bombs for 100 rupees. Good deals all day!"
- bomb_shop_big_bomb: "30 bombs for 100 rupees, 100 rupees 1 BIG bomb. Good deals all day!"
- bomb_shop_big_bomb_buy: "Thanks!\nBoom goes the dynamite!"
- item_get_big_bomb: "YAY! press A to splode it!"
- kiki_second_extortion: "For 100 more, I'll open this place.\nHow about it?\n ≥ Open\n _Nah\n{CHOICE}"
- kiki_second_extortion_no: "Heh, good luck getting in."
- kiki_second_extortion_yes: "Yay! Rupees!\nOkay, let's do this!"
- kiki_first_extortion: "I'm Kiki. I like rupees, may I have 10?\nHow about it?\n ≥ Yes\n _No\n{CHOICE}"
- kiki_first_extortion_yes: "Nice. I'll tag along with you for a bit."
# $120
- kiki_first_extortion_no: "Pfft. I have no reason to hang. See ya!"
- kiki_leaving_screen: "No no no no no! We should play by my rules! Goodbye…"
- blind_in_the_cell: "You saved me!\nPlease get me out of here!"
- blind_by_the_light: "Aaaahhhh~!\nS-so bright~!"
- blind_not_that_way: "No! Don't go that way!"
- aginah_l1sword_no_book: "I once had a fish dinner. I still remember it to this day."
- aginah_l1sword_with_pendants: "Do you remember when I was young?\n\nI sure don't."
- aginah: "So, I've been living in this cave for years, and you think you can just come along and bomb open walls?"
- aginah_need_better_sword: "Once, I farted in this cave so bad all the jazz hands guys ran away and hid in the sand."
- aginah_have_better_sword: "Pandas are very vicious animals. Never forget…\n\n\n\n\nI never will…"
- catfish: "You woke me from my nap! Take this, and get out!"
- catfish_after_item: "I don't have anything else for you!\nTake this!"
- lumberjack_right: "One of us always lies."
- lumberjack_left: "One of us always tells the truth."
- lumberjack_left_post_agahnim: "One of us likes peanut butter."
- fighting_brothers_right: "I walled off my brother Leo\n\nWhat a dingus."
# $130
- fighting_brothers_right_opened: "Now I should probably talk to him…"
- fighting_brothers_left: "Did you come from my brothers room?\n\nAre we cool?"
- maiden_crystal_1: "{SPEED2}\n{BOTTOM}\n{NOBORDER}\nI have a pretty red dress.\n{SPEED2}\nJust thought I would tell you."
- maiden_crystal_2: "{SPEED2}\n{BOTTOM}\n{NOBORDER}\nI have a pretty blue dress.\n{SPEED2}\nJust thought I would tell you."
- maiden_crystal_3: "{SPEED2}\n{BOTTOM}\n{NOBORDER}\nI have a pretty gold dress.\n{SPEED2}\nJust thought I would tell you."
- maiden_crystal_4: "{SPEED2}\n{BOTTOM}\n{NOBORDER}\nI have a pretty redder dress.\n{SPEED2}\nJust thought I would tell you."
- maiden_crystal_5: "{SPEED2}\n{BOTTOM}\n{NOBORDER}\nI have a pretty green dress.\n{SPEED2}\nJust thought I would tell you."
- maiden_crystal_6: "{SPEED2}\n{BOTTOM}\n{NOBORDER}\nI have a pretty green dress.\n{SPEED2}\nJust thought I would tell you."
- maiden_crystal_7: "{SPEED2}\n{BOTTOM}\n{NOBORDER}\nIt's about friggin time.\n{SPEED2}\nDo you know how long I've been waiting?!"
- maiden_ending: "May the way of the hero lead to the Triforce"
- maiden_confirm_undersood: "{SPEED2}\n{BOTTOM}\n{NOBORDER}\nCapisce?\n ≥ Yes\n _No\n{CHOICE}"
- barrier_breaking: "What did the seven crystals say to Ganon's Tower?"
- maiden_crystal_7_again: "{SPEED2}\n{BOTTOM}\n{NOBORDER}\nIt's about friggin time.\n{SPEED2}\nDo you know how long I've been waiting?!"
- agahnim_zelda_teleport: "I am a magician, and this is my act. Watch as I make this girl disappear"
- agahnim_magic_running_away: "And now, the end is near\nAnd so I face the final curtain\nMy friend, I'll say it clear\nI'll state my case, of which I'm certain\nI've lived a life that's full\nI've traveled each and every highway\nBut more, much more than this\nI did it my way"
- agahnim_hide_and_seek_found: "Peek-a-boo!"
# $140
- agahnim_defeated: "Arrrgggghhh. Well you're coming with me!"
- agahnim_final_meeting: "You have done well to come this far. Now, die!"
# $142
- zora_meeting: "What do you want?\n ≥ Flippers\n _Nothin'\n{CHOICE}"
- zora_tells_cost: "Fine! But they aren't cheap. You got 500 rupees?\n ≥ Duh\n _Oh carp\n{CHOICE}"
- zora_get_flippers: "Here's some Flippers for you! Swim little fish, swim."
- zora_no_cash: "Fine!\nGo get some more money first."
- zora_no_buy_item: "Wah hoo! Well, whenever you want to see these gills, stop on by."
- kakariko_sahasrahla_grandson: "My grandpa is over in the East. I'm bad with directions. I'll mark your map. Best of luck!\n{HARP}"
- kakariko_sahasrahla_grandson_next: "Someday I'll be in a high school band!"
- dark_palace_tree_dude: "Did you know…\n\n\nA tree typically has many secondary branches supported clear of the ground by the trunk. This trunk typically contains woody tissue for strength, and vascular tissue to carry materials from one part of the tree to another."
- fairy_wishing_ponds: "\n-Wishing pond-\n\nThrow item in?\n ≥ Yesh\n _No\n{CHOICE}"
- fairy_wishing_ponds_no: "\n Stop it!"
- pond_of_wishing_no: "\n Fine then!"
- pond_of_wishing_return_item: "Okay. Here's your item back, cause I can't use it. I'm stuck in this fountain."
- pond_of_wishing_throw: "How many?\n ≥ᚌᚋ rupees\n _ᚎᚍ rupees\n{CHOICE}"
- pond_pre_item_silvers: "I like you, so here's a thing you can use to beat up Ganon."
# $150
- pond_of_wishing_great_luck: "\n is great luck"
- pond_of_wishing_good_luck: "\n is good luck"
- pond_of_wishing_meh_luck: "\n is meh luck"
# Repurposed to no items in Randomizer
- pond_of_wishing_bad_luck: "Why you come in here and pretend like you have something this fountain wants? Come back with bottles!"
- pond_of_wishing_fortune: "by the way, your fortune,"
- item_get_14_heart: "3 more to go\n ¼\nYay!"
- item_get_24_heart: "2 more to go\n ½\nWhee!"
- item_get_34_heart: "1 more to go\n ¾\nGood job!"
- item_get_whole_heart: "You got a whole ♥!!\nGo you!"
- item_get_sanc_heart: "You got a whole ♥!\nGo you!"
- fairy_fountain_refill: "Well done, lettuce have a cup of tea…"
- death_mountain_bullied_no_pearl: "I wrote a word. Just one. On a stone and threw it into the ocean. It was my word. It was what would save me. I hope someday someone finds that word and brings it to me. The word is the beginning of my song."
- death_mountain_bullied_with_pearl: "I wrote a song. Just one. On a guitar and threw it into the sky. It was my song. It could tame beasts and free minds. It flitters on the wind and lurks in our minds. It is the song of nature, of humanity, of dreams and dreamers."
- death_mountain_bully_no_pearl: "Add garlic, ginger and apple and cook for 2 minutes. Add carrots, potatoes, garam masala and curry powder and stir well. Add tomato paste, stir well and slowly add red wine and bring to a boil. Add sugar, soy sauce and water, stir and bring to a boil again."
- death_mountain_bully_with_pearl: "I think I forgot how to smile…"
- shop_darkworld_enter: "It's dangerous outside, buy my crap for safety."
# $160
- game_chest_village_of_outcasts: "Pay 30 rupees, open 2 chests. Are you lucky?\nSo, Play game?\n ≥ Play\n _Never!\n{CHOICE}"
- game_chest_no_cash: "So, like, you need 30 rupees.\nSilly!"
- game_chest_not_played: "You want to play a game?\nTalk to me."
- game_chest_played: "You've opened the chests!\nTime to go."
- game_chest_village_of_outcasts_play: "Alright, brother!\nGo play!"
- shop_first_time: "Welcome to my shop! Select stuff with A.\nDO IT NOW!"
- shop_already_have: "So, like, you already have one of those."
- shop_buy_shield: "Thanks! Now you can block fire balls."
- shop_buy_red_potion: "Red goo, so good! It's like a fairy in a bottle, except you have to activate it yourself."
- shop_buy_arrows: "Arrows! Cause you were too lazy to look under some pots!"
- shop_buy_bombs: "You bought bombs. What, couldn't find any under bushes?"
- shop_buy_bee: "He's my best friend. Please take care of him, and never lose him."
- shop_buy_heart: "You really just bought this?"
- shop_first_no_bottle_buy: "Why does no one own bottles? Go find one first!"
- shop_buy_no_space: "You are carrying to much crap, go use some of it first!"
- ganon_fall_in: "You drove\naway my other\nself, Agahnim,\ntwo times…\nBut, I won't\ngive you the\nTriforce.\nI'll defeat\nyou!"
# $170
- ganon_phase_3: "Can you beat\nmy darkness\ntechnique?"
- lost_woods_thief: "Have you seen Andy?\n\nHe was out looking for our prized Ether medallion.\nI wonder when he will be back?"
- blinds_hut_dude: "I'm just some dude. This is Blind's hut."
- end_triforce: "{SPEED2}\n{MENU}\n{NOBORDER}\n G G"
# $174
- toppi_fallen: "Ouch!\n\nYou Jerk!"
- kakariko_tavern_fisherman: "Don't argue\nwith a frozen\nDeadrock.\nHe'll never\nchange his\nposition!"
- thief_money: "It's a secret to everyone."
- thief_desert_rupee_cave: "So you, like, busted down my door, and are being a jerk by talking to me? Normally I would be angry and make you pay for it, but I bet you're just going to break all my pots and steal my 50 rupees."
- thief_ice_rupee_cave: "I'm a rupee pot farmer. One day I will take over the world with my skillz. Have you met my brother in the desert? He's way richer than I am."
- telepathic_tile_south_east_darkworld_cave: "~~ Dev cave ~~\n No farming\n required"
# $17A
- cukeman: "Did you hear that Veetorp beat ajneb174 in a 1 on 1 race at AGDQ?"
- cukeman_2: "You found Shabadoo, huh?\nNiiiiice."
- potion_shop_no_cash: "Yo! I'm not running a charity here."
- kakariko_powdered_chicken: "Smallhacker…\n\n\nWas hiding, you found me!\n\n\nOkay, you can leave now."
- game_chest_south_of_kakariko: "Pay 20 rupees, open 1 chest. Are you lucky?\nSo, Play game?\n ≥ Play\n _Never!\n{CHOICE}"
- game_chest_play_yes: "Good luck then"
# $180
- game_chest_play_no: "Well fine, I didn't want your rupees."
- game_chest_lost_woods: "Pay 100 rupees, open 1 chest. Are you lucky?\nSo, Play game?\n ≥ Play\n Never!\n{CHOICE}"
- kakariko_flophouse_man_no_flippers: "I sure do have a lot of beds.\n\nZora is a cheapskate and will try to sell you his trash for 500 rupees…"
- kakariko_flophouse_man: "I sure do have a lot of beds.\n\nDid you know if you played the flute in the center of town things could happen?"
- menu_start_2: { NoPause: "{MENU}\n{SPEED0}\n≥£'s House\n_Sanctuary\n{CHOICE3}" }
- menu_start_3: { NoPause: "{MENU}\n{SPEED0}\n≥£'s House\n_Sanctuary\n_Mountain Cave\n{CHOICE2}" }
- menu_pause: { NoPause: "{SPEED0}\n≥Continue Game\n_Save and Quit\n{CHOICE3}" }
- game_digging_choice: "Have 80 Rupees? Want to play digging game?\n ≥Yes\n _No\n{CHOICE}"
- game_digging_start: "Okay, use the shovel with Y!"
- game_digging_no_cash: "Shovel rental is 80 rupees.\nI have all day"
- game_digging_end_time: "Time's up!\nTime for you to go."
- game_digging_come_back_later: "Come back later, I have to bury things."
- game_digging_no_follower: "Something is following you. I don't like."
- menu_start_4: { NoPause: "{MENU}\n{SPEED0}\n≥£'s House\n_Mountain Cave\n{CHOICE3}" }
- ganon_fall_in_alt: "You think you\nare ready to\nface me?\n\nI will not die\n\nunless you\ncomplete your\ngoals. Dingus!"
- ganon_phase_3_alt: "Got wax in your ears? I cannot die!"
# $190
- sign_east_death_mountain_bridge: "How did you get up here?"
- fish_money: "It's a secret to everyone."
- end_pad_data: ""

View File

@@ -0,0 +1,354 @@
What do you
call a blind
dinosaur?
Adoyouthink-
hesaurus
---
A blind man
walks into
a bar.
And a table.
And a chair.
---
What do ducks
like to eat?
Quackers!
---
How do you
set up a party
in space?
You planet!
---
I'm glad I
know sign
language,
it's pretty
handy.
---
What did Zelda
say to Link at
a secure door?
TRIFORCE!
---
I am on a
seafood diet.
Every time
I see food,
I eat it.
---
I've decided
to sell my
vacuum.
It was just
gathering
dust.
---
Whats the best
time to go to
the dentist?
Tooth-hurtie!
---
Why can't a
bike stand on
its own?
It's two-tired!
---
If you haven't
found Quake
yet…
it's not your
fault.
---
Why is Peter
Pan always
flying?
Because he
Neverlands!
---
I once told a
joke to Armos.
But he
remained
stone-faced!
---
Lanmola was
late to our
dinner party.
He just came
for the desert
---
Moldorm is
such a
prankster.
And I fall for
it every time!
---
Helmasaur is
throwing a
party.
I hope it's
a masquerade!
---
I'd like to
know Arrghus
better.
But he won't
come out of
his shell!
---
Mothula didn't
have much fun
at the party.
He's immune to
spiked punch!
---
Don't set me
up with that
chick from
Steve's Town.
I'm not
interested in
a Blind date!
---
Kholdstare is
afraid to go
to the circus.
Hungry kids
thought he was
cotton candy!
---
I asked who
Vitreous' best
friends are.
He said,
'Me, Myself,
and Eye!'
---
Trinexx can be
a hothead or
he can be an
ice guy. In
the end, he's
a solid
individual!
---
Bari thought I
had moved out
of town.
He was shocked
to see me!
---
I can only get
Weetabix
around here.
I have to go
to Steve's
Town for Count
Chocula!
---
Don't argue
with a frozen
Deadrock.
He'll never
change his
position!
---
I offered a
drink to a
self-loathing
Ghini.
He said he
didn't like
spirits!
---
I was supposed
to meet Gibdo
for lunch.
But he got
wrapped up in
something!
---
Goriya sure
has changed
in this game.
I hope he
comes back
around!
---
Hinox actually
wants to be a
lawyer.
Too bad he
bombed the
Bar exam!
---
I'm surprised
Moblin's tusks
are so gross.
He always has
his Trident
with him!
---
Dont tell
Stalfos Im
here.
He has a bone
to pick with
me!
---
I got
Wallmaster to
help me move
furniture.
He was really
handy!
---
Wizzrobe was
just here.
He always
vanishes right
before we get
the check!
---
I shouldn't
have picked up
Zora's tab.
That guy
drinks like
a fish!
---
I was sharing
a drink with
Poe.
For no reason,
he left in a
heartbeat!
---
Dont trust
horsemen on
Death Mountain
Theyre Lynel
the time!
---
Today's
special is
battered bat.
Got slapped
for offering a
lady a Keese!
---
Dont walk
under
propellered
pineapples.
You may end up
wearing
a pee hat!
---
My girlfriend
burrowed under
the sand.
So I decided
to Leever!
---
Geldman wants
to be a
Broadway star.
Hes always
practicing
Jazz Hands!
---
Octoballoon
must be mad
at me.
He blows up
at the sight
of me!
---
Toppo is a
total pothead.
He hates it
when you take
away his grass
---
I lost my
shield by
that house.
Why did they
put up a
Pikit fence?!
---
Know that fox
in Steves
Town?
Hell Pikku
pockets if you
aren't careful
---
Dash through
Dark World
bushes.
Youll see
Ganon is tryin
to Stal you!
---
Eyegore!
You gore!
We all gore
those jerks
with arrows!
---
I like my
whiskey neat.
Some prefer it
Octoroks!
---
I consoled
Freezor over a
cup of coffee.
His problems
just seemed to
melt away!
---
Magic droplets
of water dont
shut up.
They just
Kyameron!
---
I bought hot
wings for
Sluggula.
They gave him
explosive
diarrhea!
---
Hardhat Beetle
wont
Let It Be?
Tell it to Get
Back or give
it a Ticket to
Ride down
a hole!
---

View File

@@ -0,0 +1,103 @@

G G
---
All your base
are belong
to us.
---
You have ended
the domination
of dr. wily
---
thanks for
playing!!!
---
You Win!
---
Thank you!
your quest
is over.
---
A winner
is
you!
---
WINNER!!
---
I'm sorry
but your
princess is in
another castle
---
success!
---
Whelp…
that just
happened
---
Oh hey…
it's you
---
Wheeeeee!!
---
Time for
another one?
---
and
scene
---
GOT EM!!
---
THE VALUUUE!!!
---
Cool seed,
right?
---
We did it!
---
Spam those
emotes in
wilds chat
---
O M G
---
Hello. Will
you be my
friend?
---
Beetorp
was
here!
---
The Wind Fish
will wake
soon. Hoot!
---
meow meow meow
meow meow meow
oh my god!
---
Ahhhhhhhhh
Ya ya yaaaah
Ya ya yaaah
---
.done
.comment lol
---
You get to
drink from
the firehose
---

View File

@@ -0,0 +1,87 @@

from typing import Any, List
import copy
from worlds.smz3.TotalSMZ3.Text.Dialog import Dialog
from worlds.smz3.TotalSMZ3.Text.Texts import text_folder
from yaml import load, Loader
class StringTable:
@staticmethod
def ParseEntries(resource: str):
with open(resource, 'rb') as f:
yaml = str(f.read(), "utf-8")
content = load(yaml, Loader)
result = []
for entryValue in content:
(key, value) = next(iter(entryValue.items()))
if isinstance(value, List):
result.append((key, value))
elif isinstance(value, str):
result.append((key, Dialog.Compiled(value)))
elif isinstance(value, dict):
result.append((key, Dialog.Compiled(value["NoPause"], False)))
else: raise Exception(f"Did not expect an object of type {type(value)}")
return result
template = ParseEntries.__func__(text_folder + "/Scripts/StringTable.yaml")
def __init__(self):
self.entries = copy.deepcopy(StringTable.template)
def SetSahasrahlaRevealText(self, text: str):
self.SetText("sahasrahla_quest_information", text)
def SetBombShopRevealText(self, text: str):
self.SetText("bomb_shop", text)
def SetBlindText(self, text: str):
self.SetText("blind_by_the_light", text)
def SetTavernManText(self, text: str):
self.SetText("kakariko_tavern_fisherman", text)
def SetGanonFirstPhaseText(self, text: str):
self.SetText("ganon_fall_in", text)
def SetGanonThirdPhaseText(self, text: str):
self.SetText("ganon_phase_3", text)
def SetTriforceRoomText(self, text: str):
self.SetText("end_triforce", "{NOBORDER}\n" + text)
def SetPedestalText(self, text: str):
self.SetText("mastersword_pedestal_translated", text)
def SetEtherText(self, text: str):
self.SetText("tablet_ether_book", text)
def SetBombosText(self, text: str):
self.SetText("tablet_bombos_book", text)
def SetText(self, name: str, text: str):
count = 0
for key, value in self.entries:
if (key == name):
index = count
break
else:
count += 1
self.entries[index] = (name, Dialog.Compiled(text))
def GetPaddedBytes(self):
return self.GetBytes(True)
def GetBytes(self, pad = False):
maxBytes = 0x7355
data = []
for entry in self.entries:
data += entry[1]
if (len(data) > maxBytes):
raise Exception(f"String Table exceeds 0x{maxBytes:X} bytes")
if (pad and len(data) < maxBytes):
data += [0xFF] * (maxBytes - len(data))
return data

View File

@@ -0,0 +1,97 @@
from typing import Any, List
from worlds.smz3.TotalSMZ3.Region import Region
from worlds.smz3.TotalSMZ3.Regions.Zelda.GanonsTower import GanonsTower
from worlds.smz3.TotalSMZ3.Item import Item, ItemType
from yaml import load, Loader
import random
import os
text_folder = os.path.dirname(__file__)
class Texts:
@staticmethod
def ParseYamlScripts(resource: str):
with open(resource, 'rb') as f:
yaml = str(f.read(), "utf-8")
return load(yaml, Loader)
@staticmethod
def ParseTextScript(resource: str):
with open(resource, 'r') as file:
return [text.rstrip('\n') for text in file.read().replace("\r", "").split("---\n") if text]
scripts: Any = ParseYamlScripts.__func__(text_folder + "/Scripts/General.yaml")
blind: List[str] = ParseTextScript.__func__(text_folder + "/Scripts/Blind.txt")
ganon: List[str] = ParseTextScript.__func__(text_folder + "/Scripts/Ganon.txt")
tavernMan: List[str] = ParseTextScript.__func__(text_folder + "/Scripts/TavernMan.txt")
triforceRoom: List[str] = ParseTextScript.__func__(text_folder + "/Scripts/TriforceRoom.txt")
@staticmethod
def SahasrahlaReveal(dungeon: Region):
text = Texts.scripts["SahasrahlaReveal"]
return text.replace("<dungeon>", dungeon.Area)
@staticmethod
def BombShopReveal(dungeons: List[Region]):
text = Texts.scripts["BombShopReveal"]
return text.replace("<first>", dungeons[0].Area).replace("<second>", dungeons[1].Area)
@staticmethod
def GanonThirdPhaseSingle(silvers: Region):
node = Texts.scripts["GanonSilversReveal"]["single"]
text = node["local" if isinstance(silvers, GanonsTower) else "remote"]
return text.replace("<region>", silvers.Area)
@staticmethod
def GanonThirdPhaseMulti(silvers: Region, myWorld: int, silversWorld: int = None, silversPlayer: str = None):
node = Texts.scripts["GanonSilversReveal"]["multi"]
if silvers is None:
if (silversWorld == myWorld.Id):
return node["local"]
player = silversPlayer
else:
if (silvers.world == myWorld):
return node["local"]
player = silvers.world.Player
player = player.rjust(7 + len(player) // 2)
text = node["remote"]
return text.replace("<player>", player)
@staticmethod
def ItemTextbox(item: Item):
nameMap = {
ItemType.BottleWithGoldBee : ItemType.BottleWithBee.name,
ItemType.HeartContainerRefill : ItemType.HeartContainer.name,
ItemType.OneRupee : "PocketRupees",
ItemType.FiveRupees : "PocketRupees",
ItemType.TwentyRupees : "CouchRupees",
ItemType.TwentyRupees2 : "CouchRupees",
ItemType.FiftyRupees : "CouchRupees",
ItemType.BombUpgrade5 : "BombUpgrade",
ItemType.BombUpgrade10 : "BombUpgrade",
ItemType.ArrowUpgrade5 : "ArrowUpgrade",
ItemType.ArrowUpgrade10 : "ArrowUpgrade",
item.Type : item.Type.name,
}
if item.IsMap(): name = "Map"
elif item.IsCompass(): name = "Compass"
elif item.IsKeycard(): name = "Keycard"
else: name = nameMap[item.Type]
items = Texts.scripts["Items"]
return items.get(name, None) or items["default"]
@staticmethod
def Blind(rnd: random): return Texts.RandomLine(rnd, Texts.blind)
@staticmethod
def TavernMan(rnd: random): return Texts.RandomLine(rnd, Texts.tavernMan)
@staticmethod
def GanonFirstPhase(rnd: random): return Texts.RandomLine(rnd, Texts.ganon)
@staticmethod
def TriforceRoom(rnd: random): return Texts.RandomLine(rnd, Texts.triforceRoom)
@staticmethod
def RandomLine(rnd: random, lines: List[str]): return lines[rnd.randrange(0, len(lines))]

View File