終於能跑了。
This commit is contained in:
@ -1,177 +1,118 @@
|
||||
import os
|
||||
import json
|
||||
import traceback
|
||||
|
||||
def load_json(path):
|
||||
"""讀取JSON檔案,順便在控制台顯示加載狀態"""
|
||||
if not os.path.exists(path):
|
||||
print(f"⚠ 檔案不存在,已略過:{path}")
|
||||
return {}
|
||||
try:
|
||||
with open(path, "r", encoding="utf-8") as f:
|
||||
data = json.load(f)
|
||||
print(f"✔ 已從 {os.path.basename(path)} 載入 {len(data)} 條翻譯項")
|
||||
return data
|
||||
except Exception as e:
|
||||
print(f"❌ 載入 {path} 時發生錯誤:{str(e)}")
|
||||
return {}
|
||||
root_dir = os.path.dirname(os.path.abspath(__file__))
|
||||
translate_dir = os.path.join(root_dir, 'translate')
|
||||
|
||||
def parse_key(full_key):
|
||||
"""解析包含路徑的鍵值,返回相對路徑、檔案名和行號"""
|
||||
try:
|
||||
# 範例鍵值:"Room1/dialogue.txt__3"
|
||||
path_part, line_part = full_key.rsplit("__", 1)
|
||||
line_no = int(line_part)
|
||||
*folders, filename = path_part.split("/")
|
||||
return os.path.join(*folders), filename, line_no
|
||||
except Exception as e:
|
||||
print(f"❌ 解析鍵值 '{full_key}' 失敗:{str(e)}")
|
||||
return None, None, None
|
||||
def load_translation(filename):
|
||||
with open(os.path.join(translate_dir, filename), 'r', encoding='utf-8') as f:
|
||||
return json.load(f)
|
||||
|
||||
def apply_translation(root_path):
|
||||
"""從根目錄套用集中式翻譯"""
|
||||
print(f"\n🔍 正在處理根目錄:{root_path}")
|
||||
|
||||
# 集中式翻譯文件路徑
|
||||
translate_dir = os.path.join(root_path, "translate")
|
||||
trans_files = {
|
||||
"normal": os.path.join(translate_dir, "translation_normal.json"),
|
||||
"special": os.path.join(translate_dir, "translation_special.json"),
|
||||
"namedesc": os.path.join(translate_dir, "translation_namedesc.json")
|
||||
}
|
||||
star_texts = load_translation('StarText.json')
|
||||
desc_texts = load_translation('DescText.json')
|
||||
other_texts = load_translation('OtherText.json')
|
||||
block_texts = load_translation('BlockText.json')
|
||||
|
||||
# 載入所有翻譯數據
|
||||
translations = {
|
||||
"normal": load_json(trans_files["normal"]),
|
||||
"special": load_json(trans_files["special"]),
|
||||
"namedesc": load_json(trans_files["namedesc"])
|
||||
}
|
||||
import hashlib
|
||||
def text_to_id(text):
|
||||
return hashlib.md5(text.encode('utf-8')).hexdigest()
|
||||
|
||||
# 合併普通和特殊翻譯
|
||||
combined = {}
|
||||
combined.update(translations["normal"])
|
||||
combined.update(translations["special"])
|
||||
print(f"📦 合併普通+特殊翻譯共 {len(combined)} 條")
|
||||
def is_separator(line):
|
||||
return line.startswith('@') or line.startswith('>') or line.startswith('.') or line.startswith('END')
|
||||
|
||||
# 處理名稱描述類翻譯
|
||||
namedesc_count = 0
|
||||
for full_key, value in translations["namedesc"].items():
|
||||
# 解析鍵值中的路徑信息
|
||||
rel_path, filename, line_no = parse_key(full_key)
|
||||
if not filename:
|
||||
continue
|
||||
def need_real_newline(file_path):
|
||||
rel_path = os.path.relpath(file_path, root_dir).replace('\\', '/')
|
||||
return rel_path == 'Main.txt' or \
|
||||
(rel_path.startswith('Rooms/') and os.path.basename(file_path) != 'Intro.txt') or \
|
||||
rel_path.startswith('Shops/')
|
||||
|
||||
# 構建完整文件路徑
|
||||
src_path = os.path.join(root_path, rel_path, filename)
|
||||
if not os.path.exists(src_path):
|
||||
print(f"⚠ 找不到來源檔案:{src_path}")
|
||||
continue
|
||||
SPECIAL_PREFIXES = [
|
||||
"name:", "desc:", "menuDesc:", "shopDesc:",
|
||||
"lwEquip:", "equipEffect:", "descriptionDW:"
|
||||
]
|
||||
|
||||
try:
|
||||
with open(src_path, "r", encoding="utf-8") as f:
|
||||
for root, dirs, files in os.walk(root_dir):
|
||||
for file in files:
|
||||
if file.endswith('.txt'):
|
||||
file_path = os.path.join(root, file)
|
||||
rel_path = os.path.relpath(file_path, root_dir)
|
||||
|
||||
mode = 'block' if (
|
||||
rel_path == 'Main.txt' or
|
||||
rel_path.startswith(('Rooms/', 'Rooms\\', 'Shops/', 'Shops\\'))
|
||||
and not (rel_path.startswith('Rooms') and os.path.basename(file) == 'Intro.txt')
|
||||
) else 'normal'
|
||||
|
||||
with open(file_path, 'r', encoding='utf-8') as f:
|
||||
lines = f.readlines()
|
||||
|
||||
if line_no >= len(lines):
|
||||
print(f"⚠ 行號 {line_no} 在 {filename} 超出範圍(最大 {len(lines)-1})")
|
||||
continue
|
||||
new_lines = []
|
||||
real_newline = need_real_newline(file_path)
|
||||
|
||||
# 提取前綴並組合
|
||||
original = lines[line_no].strip()
|
||||
prefix = next((f for f in ["name:", "desc:", "menuDesc:"] if original.startswith(f)), "")
|
||||
if prefix:
|
||||
combined[full_key] = prefix + value
|
||||
namedesc_count += 1
|
||||
if mode == 'block':
|
||||
block = []
|
||||
for line in lines:
|
||||
line = line.rstrip('\n')
|
||||
if is_separator(line):
|
||||
if block:
|
||||
text = '\n'.join(block)
|
||||
id_ = text_to_id(text)
|
||||
restored = block_texts.get(id_, text)
|
||||
if real_newline:
|
||||
restored = restored.replace('/n', '\n')
|
||||
new_lines.extend(restored.split('\n'))
|
||||
block = []
|
||||
new_lines.append(line)
|
||||
else:
|
||||
block.append(line)
|
||||
if block:
|
||||
text = '\n'.join(block)
|
||||
id_ = text_to_id(text)
|
||||
restored = block_texts.get(id_, text)
|
||||
if real_newline:
|
||||
restored = restored.replace('/n', '\n')
|
||||
new_lines.extend(restored.split('\n'))
|
||||
else:
|
||||
print(f"⚠ 在 {src_path} 第 {line_no} 行找不到前綴:{original[:50]}...")
|
||||
except Exception as e:
|
||||
print(f"❌ 處理 {src_path} 時發生錯誤:{str(e)}")
|
||||
i = 0
|
||||
while i < len(lines):
|
||||
line = lines[i].rstrip('\n')
|
||||
if is_separator(line):
|
||||
new_lines.append(line)
|
||||
i += 1
|
||||
continue
|
||||
if line.startswith('*'):
|
||||
id_ = text_to_id(line)
|
||||
restored = star_texts.get(id_, line)
|
||||
restored = restored.replace('/n', '\n' if real_newline else '/n')
|
||||
new_lines.append(restored)
|
||||
elif any(line.startswith(prefix) for prefix in SPECIAL_PREFIXES):
|
||||
if ':' in line:
|
||||
prefix_part, content_part = line.split(':', 1)
|
||||
original_content = content_part.strip()
|
||||
id_ = text_to_id(original_content)
|
||||
restored_content = desc_texts.get(id_, original_content)
|
||||
if real_newline:
|
||||
restored_content = restored_content.replace('/n', '\n')
|
||||
new_lines.append(f"{prefix_part}: {restored_content}")
|
||||
elif line.startswith('party:'):
|
||||
new_lines.append('party:')
|
||||
i += 1
|
||||
while i < len(lines):
|
||||
subline = lines[i].rstrip('\n')
|
||||
if subline.startswith('|'):
|
||||
id_ = text_to_id(subline)
|
||||
restored = desc_texts.get(id_, subline)
|
||||
restored = restored.replace('/n', '\n' if real_newline else '/n')
|
||||
new_lines.append(restored)
|
||||
i += 1
|
||||
else:
|
||||
break
|
||||
else:
|
||||
id_ = text_to_id(line)
|
||||
restored = other_texts.get(id_, line)
|
||||
restored = restored.replace('/n', '\n' if real_newline else '/n')
|
||||
new_lines.append(restored)
|
||||
i += 1
|
||||
|
||||
print(f"📦 新增 {namedesc_count} 條名稱描述翻譯")
|
||||
|
||||
# 建立檔案修改對照表
|
||||
file_map = {}
|
||||
total_updates = 0
|
||||
|
||||
for full_key, value in combined.items():
|
||||
rel_path, filename, line_no = parse_key(full_key)
|
||||
if not filename:
|
||||
continue
|
||||
|
||||
# 構建完整目標路徑
|
||||
target_path = os.path.join(root_path, rel_path, filename)
|
||||
if not os.path.exists(target_path):
|
||||
print(f"⚠ 找不到目標檔案:{target_path}")
|
||||
continue
|
||||
|
||||
# 初始化文件緩存
|
||||
if target_path not in file_map:
|
||||
try:
|
||||
with open(target_path, "r", encoding="utf-8") as f:
|
||||
file_map[target_path] = {
|
||||
"lines": f.readlines(),
|
||||
"modified": False
|
||||
}
|
||||
except Exception as e:
|
||||
print(f"❌ 讀取 {target_path} 失敗:{str(e)}")
|
||||
continue
|
||||
|
||||
# 檢查行號有效性
|
||||
if line_no >= len(file_map[target_path]["lines"]):
|
||||
print(f"⚠ 行號 {line_no} 在 {target_path} 超出範圍")
|
||||
continue
|
||||
|
||||
# 準備替換內容
|
||||
original = file_map[target_path]["lines"][line_no].strip()
|
||||
new_line = f"{value}\n"
|
||||
|
||||
if file_map[target_path]["lines"][line_no] != new_line:
|
||||
file_map[target_path]["lines"][line_no] = new_line
|
||||
file_map[target_path]["modified"] = True
|
||||
total_updates += 1
|
||||
print(f"✏ 更新 {os.path.join(rel_path, filename)} 第 {line_no} 行:")
|
||||
print(f" 原始內容:{original[:50]}...")
|
||||
print(f" 新內容:{new_line.strip()[:50]}...")
|
||||
|
||||
# 寫入修改
|
||||
success_count = 0
|
||||
for file_path, data in file_map.items():
|
||||
if data["modified"]:
|
||||
try:
|
||||
# 建立備份(禁用)
|
||||
# backup_path = file_path + ".bak"
|
||||
# os.replace(file_path, backup_path)
|
||||
|
||||
with open(file_path, "w", encoding="utf-8") as f:
|
||||
f.writelines(data["lines"])
|
||||
|
||||
print(f"✔ 成功更新:{os.path.relpath(file_path, root_path)}(備份已建立)")
|
||||
success_count += 1
|
||||
except Exception as e:
|
||||
print(f"❌ 寫入 {file_path} 失敗:{str(e)}")
|
||||
traceback.print_exc()
|
||||
|
||||
print(f"\n🎯 總共套用 {total_updates} 處更新")
|
||||
print(f"✅ 成功修改 {success_count}/{len(file_map)} 個檔案")
|
||||
|
||||
def walk_and_apply(root="."):
|
||||
"""主處理流程"""
|
||||
root = os.path.abspath(root)
|
||||
print(f"🔎 開始從以下路徑進行翻譯作業:{root}")
|
||||
|
||||
# 檢查翻譯目錄是否存在
|
||||
translate_dir = os.path.join(root, "translate")
|
||||
if not os.path.exists(translate_dir):
|
||||
print(f"❌ 找不到集中式翻譯目錄:{translate_dir}")
|
||||
return
|
||||
|
||||
print(f"\n{'='*50}")
|
||||
try:
|
||||
apply_translation(root)
|
||||
except Exception as e:
|
||||
print(f"❌ 發生嚴重錯誤:{str(e)}")
|
||||
traceback.print_exc()
|
||||
print(f"{'='*50}")
|
||||
|
||||
if __name__ == "__main__":
|
||||
walk_and_apply()
|
||||
print("\n🏁 翻譯作業執行完畢!")
|
||||
with open(file_path, 'w', encoding='utf-8') as f:
|
||||
f.write('\n'.join(new_lines))
|
@ -1,88 +1,102 @@
|
||||
import os
|
||||
import json
|
||||
from collections import defaultdict
|
||||
import hashlib
|
||||
|
||||
def should_ignore(line):
|
||||
"""檢查這行是不是要跳過不處理的(比如註解或特殊標記)"""
|
||||
line = line.strip()
|
||||
return line.startswith(("@", ">", ".", "END")) or line == ""
|
||||
root_dir = os.path.dirname(os.path.abspath(__file__))
|
||||
translate_dir = os.path.join(root_dir, 'translate')
|
||||
os.makedirs(translate_dir, exist_ok=True)
|
||||
|
||||
def collect_all_texts(root_path):
|
||||
"""從所有子目錄收集需要翻譯的文本"""
|
||||
# 使用defaultdict自動初始化三種文本類別
|
||||
all_data = {
|
||||
'normal': defaultdict(dict),
|
||||
'special': defaultdict(dict),
|
||||
'namedesc': defaultdict(dict)
|
||||
}
|
||||
def generate_id(text):
|
||||
hash_object = hashlib.md5(text.encode('utf-8'))
|
||||
return hash_object.hexdigest()
|
||||
|
||||
# 遍歷所有目錄和文件
|
||||
for dirpath, _, filenames in os.walk(root_path):
|
||||
# 跳過translate目錄本身
|
||||
if "translate" in dirpath.split(os.sep):
|
||||
continue
|
||||
|
||||
for filename in filenames:
|
||||
if not filename.endswith(".txt"):
|
||||
text_to_id = {}
|
||||
|
||||
def save_json_with_ids(filename, text_list_or_dict):
|
||||
output = {}
|
||||
if isinstance(text_list_or_dict, list):
|
||||
for text in text_list_or_dict:
|
||||
id_ = text_to_id.setdefault(text, generate_id(text))
|
||||
output[id_] = text.replace('\n', '/n')
|
||||
else:
|
||||
for key, text in text_list_or_dict.items():
|
||||
id_ = text_to_id.setdefault(text, generate_id(text))
|
||||
output[id_] = text.replace('\n', '/n')
|
||||
|
||||
with open(os.path.join(translate_dir, filename), 'w', encoding='utf-8') as f:
|
||||
json.dump(output, f, ensure_ascii=False, indent=2)
|
||||
|
||||
def is_separator(line):
|
||||
return line.startswith('@') or line.startswith('>') or line.startswith('.') or line.startswith('END')
|
||||
|
||||
star_texts = []
|
||||
desc_texts = []
|
||||
other_texts = []
|
||||
block_texts = []
|
||||
|
||||
|
||||
def process_file(path, mode):
|
||||
with open(path, 'r', encoding='utf-8') as f:
|
||||
lines = f.readlines()
|
||||
|
||||
if mode == 'block':
|
||||
block = []
|
||||
for line in lines:
|
||||
line = line.rstrip('\n')
|
||||
if is_separator(line):
|
||||
if block:
|
||||
block_texts.append('\n'.join(block))
|
||||
block = []
|
||||
else:
|
||||
block.append(line)
|
||||
if block:
|
||||
block_texts.append('\n'.join(block))
|
||||
else:
|
||||
i = 0
|
||||
while i < len(lines):
|
||||
line = lines[i].rstrip('\n')
|
||||
if is_separator(line):
|
||||
i += 1
|
||||
continue
|
||||
|
||||
file_path = os.path.join(dirpath, filename)
|
||||
# 計算相對路徑作為分類依據
|
||||
relative_path = os.path.relpath(dirpath, root_path)
|
||||
|
||||
with open(file_path, "r", encoding="utf-8") as f:
|
||||
lines = f.readlines()
|
||||
if line.startswith('*'):
|
||||
if line not in star_texts:
|
||||
star_texts.append(line)
|
||||
elif (line.startswith('name:') or line.startswith('desc:') or line.startswith('lwEquip:')
|
||||
or line.startswith('shopDesc:') or line.startswith('equipEffect:')
|
||||
or line.startswith('descriptionDW:') or line.startswith('menuDesc:')):
|
||||
content = line.split(':', 1)[1].strip()
|
||||
if content not in desc_texts:
|
||||
desc_texts.append(content)
|
||||
elif line.startswith('party:'):
|
||||
i += 1
|
||||
while i < len(lines):
|
||||
subline = lines[i].rstrip('\n')
|
||||
if subline.startswith('|'):
|
||||
if subline not in desc_texts:
|
||||
desc_texts.append(subline)
|
||||
i += 1
|
||||
else:
|
||||
break
|
||||
continue
|
||||
else:
|
||||
if line not in other_texts:
|
||||
other_texts.append(line)
|
||||
i += 1
|
||||
|
||||
for line_num, line in enumerate(lines):
|
||||
stripped = line.strip()
|
||||
if should_ignore(stripped):
|
||||
continue
|
||||
|
||||
# 生成包含路徑的唯一鍵值
|
||||
full_key = f"{relative_path}/{filename}__{line_num}"
|
||||
|
||||
# 分類處理不同類型文本
|
||||
if stripped.startswith(("name:", "desc:", "menuDesc:")):
|
||||
idx = stripped.find(":")
|
||||
all_data['namedesc'][relative_path][full_key] = stripped[idx+1:].strip()
|
||||
elif stripped.startswith("*"):
|
||||
all_data['special'][relative_path][full_key] = stripped
|
||||
for root, dirs, files in os.walk(root_dir):
|
||||
for file in files:
|
||||
if file.endswith('.txt'):
|
||||
file_path = os.path.join(root, file)
|
||||
rel_path = os.path.relpath(file_path, root_dir)
|
||||
if rel_path == 'Main.txt' or rel_path.startswith('Rooms\\') or rel_path.startswith('Rooms/') or rel_path.startswith('Shops\\') or rel_path.startswith('Shops/'):
|
||||
if rel_path.startswith('Rooms') and os.path.basename(file) == 'Intro.txt':
|
||||
process_file(file_path, mode='normal')
|
||||
else:
|
||||
all_data['normal'][relative_path][full_key] = stripped
|
||||
process_file(file_path, mode='block')
|
||||
else:
|
||||
process_file(file_path, mode='normal')
|
||||
|
||||
return all_data
|
||||
|
||||
def save_centralized_json(data, root_path):
|
||||
"""將合併後的翻譯文件保存到根目錄的translate資料夾"""
|
||||
translate_dir = os.path.join(root_path, "translate")
|
||||
os.makedirs(translate_dir, exist_ok=True)
|
||||
|
||||
# 合併並保存三種類型文件
|
||||
for file_type in ['normal', 'special', 'namedesc']:
|
||||
merged = {}
|
||||
# 將不同目錄的內容合併到單一字典
|
||||
for dir_path, content in data[file_type].items():
|
||||
merged.update(content)
|
||||
|
||||
if merged:
|
||||
file_name = f"translation_{file_type}.json"
|
||||
file_path = os.path.join(translate_dir, file_name)
|
||||
with open(file_path, "w", encoding="utf-8") as f:
|
||||
json.dump(merged, f, ensure_ascii=False, indent=2)
|
||||
print(f"✔ 已生成合併翻譯文件:{file_name}")
|
||||
|
||||
def walk_and_process(root="."):
|
||||
"""主處理流程"""
|
||||
print(f"🔍 開始掃描根目錄:{os.path.abspath(root)}")
|
||||
|
||||
# 收集所有文本資料
|
||||
all_texts = collect_all_texts(root)
|
||||
|
||||
# 保存合併後的翻譯文件
|
||||
save_centralized_json(all_texts, root)
|
||||
|
||||
print("\n🏁 已完成所有文本收集!")
|
||||
print(f"📁 翻譯文件統一存放於:{os.path.join(root, 'translate')}")
|
||||
|
||||
if __name__ == "__main__":
|
||||
walk_and_process()
|
||||
save_json_with_ids('StarText.json', star_texts)
|
||||
save_json_with_ids('DescText.json', desc_texts)
|
||||
save_json_with_ids('OtherText.json', other_texts)
|
||||
save_json_with_ids('BlockText.json', block_texts)
|
||||
|
3246
Data/Text_EnUS/translate/BlockText.json
Normal file
3246
Data/Text_EnUS/translate/BlockText.json
Normal file
File diff suppressed because it is too large
Load Diff
264
Data/Text_EnUS/translate/DescText.json
Normal file
264
Data/Text_EnUS/translate/DescText.json
Normal file
@ -0,0 +1,264 @@
|
||||
{
|
||||
"90d991b47098ceef3d8283a386cf7e91": "ACT",
|
||||
"1484071572a63994407c0341aeb7ac2e": "Not magic. Does many things.",
|
||||
"060bf2d587991d8f090a1309b285291c": "Check",
|
||||
"987df4f3b6525305d2213344afd53b02": "See enemy info.\nDoes not use a\nturn.",
|
||||
"ac99af9bdc01fdb176a9c84f7a404e3b": "Allows to see enemy info, does not use a turn in battle.",
|
||||
"e3daf283e096d7a86c11bd168ceb3d70": "Apprehend",
|
||||
"25130c6ea7a89a379506c1d6faa6def7": "Attempts to\ncapture enemy.",
|
||||
"9207d9c1ce68e1093ada288b1c37868f": "Attempts to capture the criminal and bring them back to the Dark Jail.",
|
||||
"6dc77024094f5b86a50ed9b71baa03ba": "Non-Lethal Shot",
|
||||
"bac9e2f563a116b788af26bce7bc016a": "Damage + leaves\nalive with 1 HP.",
|
||||
"9373d24016ccccdcd8b75cbb51ef5833": "Shoots a rubber pellet that does low damage. Cannot kill, leaving the target with 1 HP.",
|
||||
"b0151b407134382884feb44ce7550431": "Healing Bell",
|
||||
"388165f9cd0590b78232079d7fcb72ff": "Restores some\nHP.",
|
||||
"6997b1cfbd5754016d257382f140823f": "Casts a soothing magic bell, which heals allies. Scales with MAGIC.",
|
||||
"e2f9ce23c35fcfcc32090636e1d01244": "Blaring Siren",
|
||||
"5e2f0ca8aa2198ad9efe634ef3678043": "Enemies focuses\non Axis.",
|
||||
"f26d0242a90b63a491448528dbeabdd2": "Sounds off a really annoying alarm that makes all enemies target Axis this turn.",
|
||||
"bf7d7ad295b02853383b68c6ec218af9": "Executioner Hit",
|
||||
"0f05931876eb74a923148f2521c97c48": "Cruel damage.\n",
|
||||
"658292dde825193d261fa490955bde94": "High damage. Executes enemies.\nCan only be used on those deserving Justice.",
|
||||
"6018c558c7d9e2e3dc7743b16130e8d2": "Diamond Barrier",
|
||||
"b7bd6fd23178f36c0ab26c0590dc7851": "Casts a diamond shaped barrier around the SOUL, preventing one hit of damage.",
|
||||
"ed6e7eba8247829fdcf0f537bf06d922": "Negates 1\nHit.",
|
||||
"0ca8e860c7c5718cb9598dd2f2e0b537": "Foxfire",
|
||||
"3ea4ff223dfdb7c1bbfbfb0133f22990": "Casts a flame bomb that deals fire damage to an enemy. Scales with MAGIC.",
|
||||
"9b6dbf94a7ce199a5538561b3981e539": "Damages enemy\nwith fire.",
|
||||
"4be79f9f7fb0218d27fe005505c8158e": "Homerun",
|
||||
"91c814b3c0376c5a46aa581662f81e83": "Swing your weapon like a bat, launching enemies away.",
|
||||
"5963361dfe05073283c3b05f9cf1f7fa": "Heavy damage.",
|
||||
"0f2e2e023df06ba9da9fcd753d028ad9": "Healing Sonata",
|
||||
"7c247587460b017c6bc210940906b1f6": "A soothing magic song that heals the entire party. Scales with MAGIC.",
|
||||
"616e041ca5aa17930fadf50c360a398b": "Party wide heal.",
|
||||
"13d4417984d3c1f4fb5cbd6a3cfef9a8": "Strnglng Threads",
|
||||
"9fdf23da1937c179b0deafbed8dc95f7": "Conjures multiple etherial threads that will strangle the life out of anything.",
|
||||
"0050c763532e69d4e0a1ad086f229a58": "High damage to\none enemy.",
|
||||
"2be4c87bc4ae5be3266f75693e41107d": "Dancing Feet",
|
||||
"7d266b4cd181f22b8c6495c99ef1df5b": "Melody hits an enemy multiple times with a flurry of kicks.",
|
||||
"02aa516ebfa0ce7baac87a1643380ade": "Multiple damage\nto one enemy.",
|
||||
"d7663fa42334fe2bdff69b245bf44c7e": "Talk",
|
||||
"ef7e420bc479189ab55f9c2c6c35e22a": "[img=13]res://Sprites/Menus/Menu Sprites/KanakoIcon.tres[/img] Hug",
|
||||
"c3ac6fc1c45278d858d49d5460ae8bf4": "[img=13]res://Sprites/Menus/Menu Sprites/KanakoIcon.tres[/img] [color=#f06982]K-Action[/color]",
|
||||
"30044baf24fcdb0d6551d2aac23a7d94": "[img=13]res://Sprites/Menus/Menu Sprites/AxisIcon.tres[/img] [color=#00ab68]A-Action[/color]",
|
||||
"d362791255016a349feb7a6aefcd0efc": "Heat Wave",
|
||||
"0861f1ff63982292b154f20c1bc4111e": "Axis shoots out a strong heat wave off his exaust, burning all enemies in the field.",
|
||||
"8b01a51c61d995e8bf4674be52a22612": "Damages all\nenemies.",
|
||||
"854ed5d4ce4016c5b7094518e84d6840": "Boost Spray",
|
||||
"1f744c6e6a2154ff50b6f1e59783d089": "Shoots out a spray over the party which temporarly boosts AT.",
|
||||
"4031f532cc47f13e6c5b634340db4150": "PARTY AT UP\nfor 3 turns.",
|
||||
"b0360de061a650ee5d65992a26d0d7de": "Healing Shower",
|
||||
"2f498a1281774153549c876109de6364": "Shoots out a healing liquid over the party, healing a small amount of HP.",
|
||||
"769cc3dcce9815205ae3436c19eef4b6": "Heals party\na bit.",
|
||||
"a89ef93a5a3738b08fa7f1953991df16": "Unnerve Gas",
|
||||
"2d315e5f34ad01def1a90f055e9378db": "Shoots out a grenade full of a strange gas that lowers an enemy's DF temporarly.",
|
||||
"c90883d712c004f9407b06de15485c37": "ENEMY DF DOWN\nfor 3 turns.",
|
||||
"c1cd92f759a4190b12182ac2c6b568bf": "Avoid",
|
||||
"ae6a5f0d6a5511f8349916f775238658": "Spare",
|
||||
"181b40daef678a0cd4e8b2bc3ddd6c85": "Shapen",
|
||||
"cb8346beae9ef00cc852cdf0616d1e77": "Rub",
|
||||
"a6ad654a973bf14d4c5e4482d559441a": "Berate",
|
||||
"55dde08db88b8dc6766d7e4055e07d0d": "Soothe",
|
||||
"cb5b1a4c8f7b1c3480a4431949861754": "Befriend",
|
||||
"60176d96af7cdec4f6927590ef3977da": "Insult",
|
||||
"a3b67c41db9bbae5e03ddea0da51b5ba": "Taunt",
|
||||
"43021df182e8b27b8e8b19f6f7e61f4b": "[img=13]res://Sprites/Menus/Menu Sprites/KanakoIcon.tres[/img] Encourage",
|
||||
"c0a96235957260eadb19e580347a3990": "Attack UP\nthis turn.",
|
||||
"7c3e32b36b1e8958cdbd25a6f03b9f0b": "Convince",
|
||||
"1569038a2f6ba5fc4b2481587bd6d33e": "Cheer Up",
|
||||
"c5bb3d7cb2e8aabc2ba491b72e4ead76": "Clean Up",
|
||||
"c11cff88c3334f8371432fb6e8b5b3dc": "Mess Up",
|
||||
"5a053f921ed8c26173e7c843c95d9a43": "[img=13]res://Sprites/Menus/Menu Sprites/KanakoIcon.tres[/img] Brace",
|
||||
"bd6f0e01d2f7e44944f3c324ca03588c": "PARTY DEF UP\nfor 3 turns",
|
||||
"2211c41686c5a7352204dc526e82e81a": "Talk Down",
|
||||
"700e9948709a41f4d4854a975f1b2f2f": "[img=13]res://Sprites/Menus/Menu Sprites/KanakoIcon.tres[/img] Plead",
|
||||
"47a6a51e07c75d75952189d4aff2a664": "Ask Forgiveness",
|
||||
"3114b8bbbccd0b4de1f0e70854a71d44": "Cover Ears",
|
||||
"889a87918c34fbe1c4bd973d7fc2050f": "Shush",
|
||||
"fd038fc7f319e48f3115d92bf5bdbef9": "Ignore",
|
||||
"af537d0d692378eee073b102272ead7e": "Paradox",
|
||||
"15c2d85f1fae22a3c3a0594510a1f611": "Request",
|
||||
"58a5fd61019530222b463e0254c38bf1": "Oil Up",
|
||||
"07c4404da0021051a4d8111724ec0ee3": "Spin Gear",
|
||||
"85fd531d99db7b172ede4a6a3a463423": "Spin Around",
|
||||
"f35ca952cc6fc05549679e56484b53a2": "Press Down",
|
||||
"6e60dd592fd8d8d3e2e8d701437048de": "Refill",
|
||||
"7c986af4cf8f6e55a1f846dc498ce91d": "Pet",
|
||||
"80f74a202740b58561899e93fb66c125": "[img=13]res://Sprites/Menus/Menu Sprites/AxisIcon.tres[/img] Fix",
|
||||
"b5ed669f78774e2ac6b32abb0c526f38": "Refuel",
|
||||
"501f746e68ac5acddca2567f06cb926e": "Straighten Up",
|
||||
"9cd094f836da7736ccd1cc20932f5718": "Act Disorderly",
|
||||
"0252d9afa97ade637cb613402214012e": "Test Enemy",
|
||||
"7ed793a1ed443bf3e13866c6491134d0": "Penceller",
|
||||
"57718831d01cbe9a712dc347528401af": "Eraserhead",
|
||||
"246d4b1d4f9480e46c982d4111d95378": "Warden",
|
||||
"d08311412f859085f61ec6ef3ce91922": "Pennilton",
|
||||
"97bcec12613bc03d01fc2d3815760d8d": "Mopper",
|
||||
"81d3fc055178d08363a399d0f5b09e9a": "Bearing",
|
||||
"2783ce2a60a5a1126c7b417984a8dc1d": "Ringo",
|
||||
"ed5248dc4b11ac9c416bc8afa72efe67": "Foxlace",
|
||||
"39e6b4ab3e4adecf031d3aa8410bb3ce": "Axis",
|
||||
"23481ab4d132f080d7b8d071e726f044": "Gearzerd",
|
||||
"faceb79d468ad3b7ba9fdcb0dc324ed8": "Staplete",
|
||||
"7bc02acb9a1e72a79cc910cd5bd98a9a": "MC Toster",
|
||||
"6c021399026850be392317b3b1495257": "BunBun",
|
||||
"3e10691268e45aaa45dd8b64ef475ee5": "The Judge",
|
||||
"e9532604a52310deeaf54130820fa385": "Wrencher",
|
||||
"cd1b5b1b291ab9cdc0a01be11bd8423d": "Drill-Er 3000",
|
||||
"8d385e357244910d959b202cc2396a52": "Straight Edge",
|
||||
"39b24bc696df22637de9612155b12808": "Cowboy Hat",
|
||||
"4ae64d4e177088b028f8a94b4de5ecad": "Ball of Junk",
|
||||
"ae205a2423dcf859dbd671db606f7dd3": "Kanako's Phone",
|
||||
"e7aa6439238c7dfc4260e7931e5a1137": "A pink phone with a cute bell charm.\nUSE to make calls.",
|
||||
"ee066accc99650ad48d123ac5e7051c9": "Ketsukane Heirloom",
|
||||
"6f4efd48191a0276315d3b05c0a8ebf8": "Red Letter",
|
||||
"3cc24d712fcc167a892af66e4df21778": "Revive Mint",
|
||||
"42e0a4111553e21b1157c1a1b8256348": "Heals a fallen ally to MAX HP. A minty green crystal.",
|
||||
"59d7d64dbcc254544f04cdb81ccff699": "||||",
|
||||
"5145e0e705864b8293448ec60863c3f1": "|Bleugh, mints...||(So she doesn't like it...)|",
|
||||
"87319a324c3ce3deb18c9ef9218f2651": "||HOW DOES IT WORK?||",
|
||||
"6eadbd54236b2c8350c3c440b8595a07": "|||Refreshing...|",
|
||||
"d8f862bee8103d9d0870780b11c4c75d": "||||Refreshing.",
|
||||
"d1512e71de96db366edec7c3442b5845": "[img]res://Sprites/Menus/Menu Sprites/StatDef.tres[/img] Golden Bell",
|
||||
"3514656db22170546a3702e526a219af": "A small golden, round bell. It jingles when shaken.",
|
||||
"0244c4396cdc9c2116b39032e83e9b09": "Golden Bell",
|
||||
"d0c80f52f3620babd6aff191a4102824": "Small\ngolden bell.",
|
||||
"317bbb9a63a0c292d19e45e4a0cd2a9a": "[img]res://Sprites/Menus/Menu Sprites/StatArrowUp.tres[/img] [color=orange]HP REGEN[/color]",
|
||||
"92cc832ed229b14c182afafd15349679": "|Looks familiar...|||",
|
||||
"e71c974939e9cd4b203206de6fada036": "||I RECOGNIZE THIS.||",
|
||||
"7e03f382012acf856faa87d760ee1552": "|||Reminds me of Kanako...|",
|
||||
"398ffdb12ef96df58f98c04b230a4d59": "||||...Cute, I guess.",
|
||||
"b81b88843407d3293597bf958978b1ee": "[img]res://Sprites/Menus/Menu Sprites/StatDef.tres[/img] Safety Vest",
|
||||
"a8974e11baed90f3f508ae55eb20247b": "A vest with bright reflective strips on it, sure to warn others of your presence.",
|
||||
"f4107ab0786cf8d0d1d8d0eae8ae98df": "|I like how bright it is!|||",
|
||||
"5743de6972694334a4157c6aa3b46f7e": "||I ALREADY HAVE BRIGHT BITS.||",
|
||||
"35b7b4a1d1196feec697104cc77444d1": "|||Doesn't match my outfit...|",
|
||||
"813bab850214d78336418e295ae32eda": "||||Do I look like a worker?!",
|
||||
"1d80010951e5bd7e1ec13d72c61dda51": "[img]res://Sprites/Menus/Menu Sprites/StatArrowUp.tres[/img] [color=orange]IFRAMES UP[/color]",
|
||||
"fe36e3b2e8acfcf8ceb40fd254e9115c": "Reflective Strip",
|
||||
"4eba50b34ac91e413d70465d44afca04": "[img]res://Sprites/Menus/Menu Sprites/StatDef.tres[/img] Safety Goggles",
|
||||
"f729b32477151203b612c054a05e920b": "Goggles sure to shield your eyes against blinding lights.",
|
||||
"0dd007124d3377cc1f1f7e7c868b1ca0": "Protects\neyes.",
|
||||
"e032bf48a97290d0923054381676be81": "|It's hard to see...|||",
|
||||
"e65d394d3c33279163a4610ba369db5d": "||REDUNDANT WITH MY EYES.||",
|
||||
"c78b46c1d81343af4e28cd2852d0f11c": "|||It's hard to fit...|",
|
||||
"f0422ebb42f1a63594bc173bdb017529": "||||Do I have to...?!",
|
||||
"d18d05b250690621622f1042e481b864": "[img]res://Sprites/Menus/Menu Sprites/StatDef.tres[/img] Fox Necklace",
|
||||
"dfa13c849acfbcfc2d9a14ce378a19a8": "A familiar, but weirdly different necklace. Feels magical.",
|
||||
"3e4039252a56b7c464a29f743f541154": "[img]res://Sprites/Menus/Menu Sprites/StatArrowUp.tres[/img] [color=orange]MAGIC UP[/color]",
|
||||
"c73237717b7b30d1bdea3598c70b1828": "|This necklace...|||",
|
||||
"d2f2e82fa712ed9e4443f641bbdbbfce": "||I RECOGNIZE THIS!||",
|
||||
"acd9e80f85f18e10005e348160493619": "|||...|",
|
||||
"2af69be6e638cf203e7a6d6926e43fe1": "||||Woah, must be worth a fortune.",
|
||||
"1bdd53fdd2a5593580f47342f98fb580": "[img]res://Sprites/Menus/Menu Sprites/StatKanabo.tres[/img] Fox Staff",
|
||||
"aedf0f13494f59ec82ca9cfb8671b8d6": "A staff adorned with a fox head ornament at the end.",
|
||||
"4626abc2e07f3b04b34bee5c950c28e2": "|Reminds me of mom...|||",
|
||||
"df55e1488ceb092c38b2dcbde9eb0704": "||I RECOGNIZE THIS!!!||",
|
||||
"05cc43ce3a1bd195017e59c002e5f707": "|||I think it fits Kanako.|",
|
||||
"31b6835e29ae38b37fa029c330150e79": "||||Fancy, but not my thing.",
|
||||
"47300324a7ff5d4769bdf887628e3157": "[img]res://Sprites/Menus/Menu Sprites/StatKanabo.tres[/img] Big Screwdriver",
|
||||
"cd191b7d23d5cc0941047c9f27b9ac3e": "An oversized screwdriver that can be yielded like a club. Packs a punch!",
|
||||
"65a862e55f97e7f9ab9dd25cb2082838": "To screw in\nbig screws.",
|
||||
"ff331491f52958891fd36a9cc98f4b99": "|Woah, big...|||",
|
||||
"bb997cdddd4da6e5750170dff7b06b94": "||IT SCARES ME.||",
|
||||
"bcc8ca96c76603170e8aca983685275f": "|||Um...|",
|
||||
"8b1c3e02e8de7b157a39716190d8e94e": "||||Hey, what the hell?",
|
||||
"02f79766a19246b3a8d6e6e1f93867ea": "[img]res://Sprites/Menus/Menu Sprites/StatGlove.tres[/img] Steam Glove",
|
||||
"15ddf6706dcde71c264e4d4d9461f2a9": "A steam powered glove, not wearable by organics. Give it to a machine.",
|
||||
"d4516452bf148d586ef10602faf39538": "|Eh, it doesn't fit...|||",
|
||||
"46378603660fc0d504f22e449ef8e900": "||THE STANDARD ONE.||",
|
||||
"16e849b132fb536fe46e28fc93ba62cd": "|||...I can't put it on...|",
|
||||
"4a0f637443ef288bee4d15d158d7ee8d": "||||Ew, it's all worn.",
|
||||
"f51c9b96d0e5ed8ce63b2e301336e3da": "[img]res://Sprites/Menus/Menu Sprites/StatGlove.tres[/img] Robot Fist",
|
||||
"39f4e5372ed6cd92117c4ee10ab1b3d7": "A heavy metallic hand with rockets on the side, packs quite the punch.",
|
||||
"f4789eb17b799f48baaa8966e85c8814": "Big iron\nfist.",
|
||||
"27bc7ea6c57d5a1519c9a2dd63c74caa": "|Woah, heavy...|||",
|
||||
"2c0474bd7af8fa35ddfbaf106d47b332": "||NICE UPGRADE.||",
|
||||
"836cd78aedb2c294f5533c910c3b119f": "|||...I can't even lift it...|",
|
||||
"6fbc6ec67ffc1bb0ade8dccb2682b2e8": "||||Can fit my head in there!",
|
||||
"7c1308c056aa105ec7d6eb59e0a16815": "[img]res://Sprites/Menus/Menu Sprites/StatGlove.tres[/img] Guardian Mitt",
|
||||
"26ebc18cd066e274c1d13de4de80777f": "A hand from Axis' upgraded body. Made to withstand damage.",
|
||||
"1c835cdcc45a0ce35b0034e62ae1f5ed": "|Ah, that hand...|||",
|
||||
"a63ae4332af8c4828d7ad09b3da18f0b": "||MISSING THE OTHER ONE.||",
|
||||
"83570545b98378c9ee911a0fb39250e4": "|||Looks like a cushion...|",
|
||||
"41a2bf3c5c0be3d1dfcdd468cc1b36b9": "||||Could use as a pillow.",
|
||||
"87819e49b79d6092c920721f53c33088": "[img]res://Sprites/Menus/Menu Sprites/StatDef.tres[/img] Shiny Medal",
|
||||
"db7150d6aa6021e21daeda29b2326461": "A medal that shines brightly despite the surrounding darkness.",
|
||||
"5d4f9c418bbcf553b161c0e8d0abf77b": "|Looks... brittle?|||",
|
||||
"c64fe30dca8b6d183cf5c8303873c5a8": "||A SHINY NEW PART.||",
|
||||
"840bd7d7aa1022b44622d2597f7bade1": "|||Not much, but it's something.|",
|
||||
"9be9ade2ecf06577a8a5d281ed57a76c": "||||What is this junk?",
|
||||
"518655c3bd18e10e2a1cca2b909e7cbe": "[img]res://Sprites/Menus/Menu Sprites/StatDef.tres[/img] Bear Pin",
|
||||
"bd21a8a93b1c843d5dbd7164fbe1028e": "A small pin with a face of a smiling mascot bear. Fills you with warm feelings.",
|
||||
"48f95f1ce20df03afa484d3c367b3a26": "|Looks like Bearing...|||",
|
||||
"a007ba6935eb710d98c380f6623ee6c5": "||THAT SHOW SUCKED.||",
|
||||
"47d6060da1aab6ae67d8aa320bf21911": "|||Isn't this from a cartoon?|",
|
||||
"a72713b459f9bf85dfe778ca84f98326": "||||I'm not a kid anymore!",
|
||||
"c2f21eeee9079e4fe9d9394ab1b13220": "Bear Pin",
|
||||
"b4be58b757c582fdf689bf14730559fd": "Tension Bit",
|
||||
"eccb62e37c22fb2de89a1ab04b3ce6a4": "Raises TP by 32% in battle.",
|
||||
"8d8d347560493432824eeca381ac87b6": "Tension Gem",
|
||||
"5fd230da7ec4680e4e20aa7c5a6bfa57": "Raises TP by 50% in battle.",
|
||||
"750030007e04a0955cbd7c58272627de": "Tension MAX",
|
||||
"b973e740c0a81710dea931200602760a": "Raises TP to full in battle.",
|
||||
"733c76ca7f83169d3b368a0754bdbc1c": "Brick Candy",
|
||||
"05420f96ef39ef373263512ed80546ea": "A large candy in the shape of a plastic building brick. Full of sugar. HP + 40",
|
||||
"c8e4394508fa6398a0350c4eea94aee5": "|Isn't it good, Cole?|||",
|
||||
"4e358c540240b6db45dda1ad79298bb6": "|Ah, my favorite!||(So she likes those...)|",
|
||||
"702bfbb233311c5cd45fe25245137739": "||SURPRISINGLY COMPATIBLE-||",
|
||||
"d30dc3877e116b004eb83235d2538600": "|||Ah, thanks.|",
|
||||
"a37c28c0635d81460d98a80da93166c2": "||||Bleh, guess it will do.",
|
||||
"4f227b5744636483e525c43ecae1036d": "Sweet brick-\nshaped candy.\nHP + 40",
|
||||
"ff3b0819ad059dfa9a5a5b2a2dd786b1": "Pop Rock",
|
||||
"75ac3b03133b70ed97de5bf963c869aa": "A crunchy tasty rock that pops in your mouth. Sure to stimulate anyone. HP + 100",
|
||||
"705dc5a81829a536a4f1857c31947474": "|(Why is he so happy...?)|||",
|
||||
"f291535bd56a01be254748a29a1826d8": "|BLEUGH! What is this?!|||",
|
||||
"be37093bf575e6c0e76c9dc81c8d982b": "||...THIS IS GUNPOWDER.||,",
|
||||
"f90d3e162350de24e4edb7ff29b93ded": "|||Y-you sure this is edible?|",
|
||||
"f34109a9b71c3e1871a85eb94748ad71": "||||You tryin' to poison me?!",
|
||||
"97dca19185930d16d9fcb98f023fcdd5": "Crunchy\nblack rock.\nHP + 100",
|
||||
"4494a5cb78c8eb752bea0d32b17be6a4": "[img]res://Sprites/Menus/Menu Sprites/StatKanabo.tres[/img] Wooden Kanabo",
|
||||
"6d9d74b321baa12427f4a249a012d972": "A heavy spiked club. Great for bludgeoning enemies.",
|
||||
"9f4166554dc728401f22fe87215a5be7": "|Hey, I can handle better!|||",
|
||||
"cd8465f66be6ec629a2d922a47d4d64e": "||THAT'S MISS KANAKO'S.||",
|
||||
"21b99ca8b5bd18a3af4d2f19decc2315": "|(It is?)||It's too heavy...|",
|
||||
"a666e1c7114cb27d8e344f8276180937": "||||Uh, no...?!",
|
||||
"4faa5cb579315e7d07d3451d4493ebb7": "[img]res://Sprites/Menus/Menu Sprites/StatGun.tres[/img] Cork Pistol",
|
||||
"dd51b94567e3e95ee56e4ac7e926bb0f": "A pistol that shoots corks at enemies. Shouldn't deal lasting damage.",
|
||||
"ea05657ed474a1e27ca63f886f9ace6a": "|It suits you more, Cole.|||",
|
||||
"bd61f4290fdac7100311c5b835c0f35c": "||THINK I WANT THAT [scrap]?!||",
|
||||
"ff77d2356998f7ac0ef7d4649da223c8": "|||I'm not into guns...|",
|
||||
"5229e0666aec5d6bdd6093c9be11d77e": "||||Not my style.",
|
||||
"e0e3a949d7cc0568c01f34eef607d0d8": "Toy Gun",
|
||||
"65bf9ee0f901408604f4f2fdedbaf35f": "[img]res://Sprites/Menus/Menu Sprites/StatGun.tres[/img] Space Rifle",
|
||||
"a09207f17520a6b337aefd4d0b2c7715": "A laser powered rifle, looks pretty futuristic.",
|
||||
"eb58be5693da2dfc6c6d281141981629": "|Pretty snazzy!|||",
|
||||
"3247c5df5dda2c3726ea9eabff4a02c1": "||I AM IMMUNE TO THAT.||",
|
||||
"416312ac48d4bc3afe1757ba1fa02b89": "|||It looks dangerous...|",
|
||||
"3ca1493ec3a6645645e0067946bd802a": "||||That's just a toy!",
|
||||
"4c4ac5f2b6c43b30eab4b408fbe087c7": "Laser Pointer",
|
||||
"ba901137265489fc59613d35d5f64e28": "Wanted Posters",
|
||||
"528da70e15b9a00026173677b8f6d4c8": "Sketches of the many wanted criminals in the Dark Worlds. USE to see.",
|
||||
"eb085e640f98350fb72f2a380866c2c0": "[img]res://Sprites/Menus/Menu Sprites/StatGun.tres[/img] Peashooter",
|
||||
"8146d954b27f9dfe59197e4a5e175f46": "A homegrown, healthy gun. Shoots peas.",
|
||||
"57688a88ce0097d8b6eaf3a5d75840d2": "Pea Pod",
|
||||
"c91126ff724ac3d25be6230d6d46b01f": "|...Is it a vegetable?|||",
|
||||
"59eeb72b0a285628b08eca97c0a36716": "||A [LITERAL] PEASHOOTER!?||",
|
||||
"71dd3c8dfaadcab21f45b11fc3d2e21a": "|||At least it's organic...?|",
|
||||
"1e0f8cb98e525a94cdf2fe7e68276402": "||||Bleagh, no!",
|
||||
"5770bdc90d3a0b1b6f35a16988567ba0": "[img]res://Sprites/Menus/Menu Sprites/StatKanabo.tres[/img] Softball Bat",
|
||||
"bfa30daecf11ff45da89c1903b5e9d16": "A regular, sturdy, completely normal softball bat. Surprising to find here.",
|
||||
"79ebe1628b28940c3d793b79c8f8ffb5": "|Feels more at home.|||",
|
||||
"603727a0e2c8ccb804566eac8205e56c": "|...\"Stick\"...?,NO STICKS, THANKS.||",
|
||||
"5e283d30b793c0efeab2f40a03262bbe": "|||That's Kanako's...|",
|
||||
"b6db46606e13f3e9af35525b53d503bd": "||||Not into that.",
|
||||
"4cbb2c0b936e3b20b428c61789fb551a": "Homemade Lunch",
|
||||
"e8834be3e9b08df7fc8dab3fc4311ea6": "King's Feast",
|
||||
"ef45662315b3258de7f334cd633101e7": "A fancy lunch fit for an entire group. Restores the entire party's HP by 150.",
|
||||
"74956d07b3032175ca6dd2741a09d80e": "|Woah, fancy...|I RATE IT A 8.8/10.|Wow... Thanks...|Man, I'm stuffed!",
|
||||
"7e8b76c5b54e5ed20ed8e712c5482376": "Come to Mo's!",
|
||||
"6e1efd0424e11644526e9c539cf33524": "From Kanako: Cole!",
|
||||
"f579d82006a7539106faa0a11d40dee9": "From Virgil: Partner...",
|
||||
"22f2ac9637b82505203d787985669215": "Crumpled Note",
|
||||
"5b6e1a8485b595bfbd98a8d05aa913bf": "Noise Complaint"
|
||||
}
|
338
Data/Text_EnUS/translate/OtherText.json
Normal file
338
Data/Text_EnUS/translate/OtherText.json
Normal file
@ -0,0 +1,338 @@
|
||||
{
|
||||
"d41d8cd98f00b204e9800998ecf8427e": "",
|
||||
"87729bd53bf163e705b87caa6c497101": "This is a dialogue.",
|
||||
"952d2c56d0485958336747bcdd98590d": "Hello!",
|
||||
"4658c6846a607aa8a857624a9dc93cf4": "[wave]*Cactus Noise*",
|
||||
"7ac4c18f9c814cad1ec291cda0697444": "I'm feeling weak...",
|
||||
"be70f4cde972a6ed20b8174ae4f1c25f": "Imma gonna sharpen you up!",
|
||||
"e5ab960c7a6dafabc6d9ca92c3b09077": "[wave]*Sharpening Noises*",
|
||||
"f3fb1f39e7a0f4cfdfbf1c21ec73255e": "I'm losing my point...",
|
||||
"cb8f4b10724d1c5ce2e0c486f1343410": "I'm all shapened up!",
|
||||
"2479e188e6a33f2ffb270007c45789b7": "Hey, hands off!",
|
||||
"4e411000e9bf03081bf19a1ebb66cecb": "Friends, huh? Well sounds fun.",
|
||||
"45cb8b7cace1aeb99bbc263720490fd4": "Well, YOU suck!",
|
||||
"adc34e1f7b2fa584442f10f37295a176": "I thought we were friends...!",
|
||||
"a60d96a23fd17e1492cd9f79a34dbf31": "You're a horrible friend!",
|
||||
"5cc48909d91efddfd9230cc0bdc43f6e": "Time to erase you up for good!",
|
||||
"a482278c16e8688454fff654d5e1dbaf": "What a chore...",
|
||||
"9d852d82da1ca3c70a20b1322fcfa359": "Losing my fiber here.",
|
||||
"c7a787283fffb3ba7ff8a6017fa50bf4": "Yeah I can see that.",
|
||||
"465c0b0f27031f81b5037bf1e725287c": "That's what I'm talking about.",
|
||||
"0073e81e14a331bba19187df80646d26": "That's enough.",
|
||||
"6f4909b08ae72435802654d41962db40": "Build up yer TP to use APPREHENSION.",
|
||||
"fab59b6b40c9d4344176a49458364bbe": "Lower yer opponent's HP to make it easier to catch 'em.",
|
||||
"069c6e206290f0aac677b2855bb69013": "C'mon, I'm waitin'.",
|
||||
"bdac24047f91099a186218095a8854e2": "Pennilton is number one, baby!",
|
||||
"f4a22ee10ee21e80fc64a74f4a6bc777": "Here's the power of the number one!",
|
||||
"bb8670e77c4e82f0d5efa8e89da58d26": "Amazed at my number one-ness?",
|
||||
"ad7bf236228705e7e33a62b2ea659819": "Ouch, you're leaving a mark!",
|
||||
"02592d16292fd5924b9390d6be8a4ecd": "You'll pay for denting me!",
|
||||
"9434e99218e2bc78cb554978d8e71f8f": "[shake]Please...",
|
||||
"ebf1be3fbefb762babcdb39be58965b2": "Clean clean@clean...",
|
||||
"40895bb16f104b9ea623d2b22db01a5b": "Not clean enough...",
|
||||
"237c6747367948767bcd5f213f8d3a6c": "There is a dirt spot there...",
|
||||
"2a6b677be0d80edf2d67eba77c672ece": "[wave]*Mopping*[/wave]",
|
||||
"d89753008b10405457dfcb48b7294ed0": "[shake]Why did you@do that?!",
|
||||
"b126f723fbaa804d71df20ab67a16317": "I don't trust you.",
|
||||
"2041c170e5eb8bb8ea53544b832a0ed6": "T-thanks...",
|
||||
"582337aff4c380da6202954975b2cba6": "[wave]*Ring ring*",
|
||||
"eda41fca56dd4f907951214b053e7b5d": "[wave]*Ringing noises*",
|
||||
"58dd56f927aa2bc757c0bb43e021e51e": "[wave]*Rings harder*",
|
||||
"7dd5e8da5fb57a9218b05bff5eca3639": "[wave]*Ring-a-ding*",
|
||||
"ed1610873add23add65c7c1c27e3bf2f": "[wave]*Ring... Ring...*",
|
||||
"1b3f04d583d3e77182ee2c30c44153ce": "[shake]Ka...Kana...",
|
||||
"e429b6f4931d80f924bfc0df3dfd1de1": "[shake]Why...@Kanako...",
|
||||
"038abbcb7d1f9367d8f4285b93245570": "[shake]Don't...@Don't leave...",
|
||||
"44e28f2482321b70f3665c250a24cdfb": "[shake]Don't...@A-Abandon...",
|
||||
"99affa1562f38f84ef7b0e75d5531db4": "[shake]Too... Long...",
|
||||
"b515ee2bdb56baadebb03616703ce8e5": "[shake]Left behind...@Too long...",
|
||||
"e69f675c38906eb64148a7f78cb99603": "[shake]Left... In the dark...",
|
||||
"3a0d82fce44647064964f05ca65d87dc": "[shake]It's dark... So dark...",
|
||||
"bc118c982868ef0cc9b26e428a522a97": "[shake]Ah, Kanako...",
|
||||
"1a58269d65395279d62b7564a8bcc644": "[shake]Don't leave me again...",
|
||||
"d8b2aa180ed2b561079d40d333b5e968": "[shake]Don't leave me in the dark...",
|
||||
"83081d466ccb3d0db1d50194bbaa6673": "[shake]...",
|
||||
"ec9f4cf32a12574170b6122fe697f1df": "[shake]Kanako...",
|
||||
"1d34a329b8437a312168df0ba5e79994": "[shake]Don't leave me...",
|
||||
"8d08b5952f588185bb857524733a131c": "[shake]Not... Kanako...",
|
||||
"dfa0ba84a6a669e5a3c6b183b9218975": "So it has come to this...",
|
||||
"0f136d7db19b5dba4b6b701b7757f33b": "Lightners...@Do you want to know so badly what will happen?",
|
||||
"f10b75b3c352afaad2d0d93fee8ee3ec": "We will all return to darkness.",
|
||||
"b55dfbcb82d95465a803d6c80e2b3b84": "The dark, cold, unforgiving darkness.",
|
||||
"e2af468e7cb91ce088006be5028de518": "This world...@That has only become aware today...",
|
||||
"b9e84e3c0db629326ba0afe7823ba404": "Is this what you want to happen?",
|
||||
"290344b38940110354b77755eb19dd9f": "You abandoned us in this dark place...@For a long, long time...",
|
||||
"2b4bee56762b4c352bafc28f84ecf69f": "And as soon as we become aware, you want to put us back down?!",
|
||||
"e5e5295819e5f62000414ee81ca6ff29": "NO! I say! I will not allow it!",
|
||||
"5fe6bc832f056f340e78a98cd2021048": "Lightners!@I will fight you until the bitter end!",
|
||||
"e908e552d6cb4e6093fa552a48274a25": "I will not return to the darkness!",
|
||||
"431195bbb7eb163d04bce720f46358c8": "We will thrive!",
|
||||
"11729bdf38eba59ed4019670e2b3f966": "We will survive!",
|
||||
"df870d925baacd7e033aa952e3fbf0ca": "And you will have no say on it!",
|
||||
"192d75447a76b5a18a3df27d4c40d8bf": "Ha-ya!",
|
||||
"03cbdcd94b7a345a12fde34231daae54": "Not bad, lightners...",
|
||||
"6a01174e3d50fe665dc9527b03d057ac": "Tch... I'm just getting started...",
|
||||
"c01b4f1f2b684fb70fd1a35fca650532": "Give up already!",
|
||||
"7d1a212267947af8dc0eefd9928422b1": "STAY STILL SO I CAN SHOOT YOU.",
|
||||
"3927cdeaaa9b3ee2860bd0087240935b": "IF ONLY I HAD MY OTHER HAND, YOU'D BE [toast].",
|
||||
"727a6a79e341f4d9609306e40636f55a": "HOLD STILL.",
|
||||
"93734cf34fe6f7b9f32bd1f0be272bb3": "SURRENDER, AND I WON'T HURT YOU [much].",
|
||||
"e818c872b0f813d800700c2067b078cb": "THREAT LEVEL CONTINUES TO ESCALATE.",
|
||||
"d368a012355702200a985d8404ff83d9": "PLEASE CO-OPERATE SO YOUR TERMINATION CAN BE SWIFT.",
|
||||
"5471955404f674d76af1674f45863727": "Tick tock-@Tick tock-",
|
||||
"2ba67f74b57c91e2393aa5b8e29da25f": "Gotta spin around...",
|
||||
"ce4052ad51c897d367370d4e8731934c": "Now I can spin better!",
|
||||
"58c343cdeec2e8dfc6b6e09eaeca142b": "[shake]SPIIIIN!",
|
||||
"3662bb927e6d619a28327409f4337ff4": "Nice spin!",
|
||||
"001ee356de3850efe2a7a0dd41fc69ce": "All ready to spin now.",
|
||||
"a55b11e69213993024d4cfc7bfb1978f": "Sorry, too rusty...",
|
||||
"848ce39b705996608b3c51af8eb09b7b": "[shake]ARF ARF ARF ARF[/shake] [wave]*CLICK CLICK*",
|
||||
"403554c17db21af8321da252ba87289e": "[wave]Arf Arf Arf...",
|
||||
"265a925ab59df5f2197ffa1f6446bb58": "[wave]*Click click click*",
|
||||
"e9b8480eda33da6f601248640e4353e0": "[wave]Wan wan!",
|
||||
"14d650c6e0bf2dc0ec5d2820c30800f3": "[wave]*Whine* *Click click*",
|
||||
"cfe71c4a911efcaa258dfc2afe435ccf": "You in need for a fixin'?",
|
||||
"289d2dcb03ab6302487857b686433e88": "Tighten up those bolts!",
|
||||
"d00cd2b7d07279c878e094fc38f05e76": "[shake]I'm coming off loose...",
|
||||
"0bfaa2985e9e2c3a6bf969dd3ec93aa0": "[shake]Ouch... My bolts...",
|
||||
"d654a67bf647a91870a95d0271c4e906": "An easy job for me!",
|
||||
"17977068ffab3e2bf716c0c40d7cc181": "Drillin' up for battle!",
|
||||
"836aba9a77b62944493b2b886aa50037": "This is not a drill!",
|
||||
"7c823b0b3262838f9452ac0572d9de0a": "Commencing enemy drillage!",
|
||||
"2c6dd7707a1a75d77bc82745426b3fc7": "Heavy damage sustained!",
|
||||
"e01cf88c520d3f6967204b6df23a3c28": "Requesting repairs!",
|
||||
"c9df20714740e5773fdb927f9ce63096": "Line up!",
|
||||
"daef9d765d70dd826e07aee1e1e1b3e9": "You're obtuse!",
|
||||
"fcdcb16697ac6f1fc14bb5238845be97": "Acute pain...",
|
||||
"9d3b33a3c0353f3bfcd5036875fb5b41": "[wave]I see... squiggles...",
|
||||
"a4ce15a5202c96dc0f67f989c115f5b7": "Flawless!",
|
||||
"535ef6268850ed52fcf11ee12135fdb3": "Stay still!",
|
||||
"70a4130952a7fad730a38b5e1d53641a": "You've already messed it up!",
|
||||
"933941787182e0d665168afa9424e27f": "(Nothing)",
|
||||
"16190878ebd29739c84f72b468dca5d5": "(No ability.)",
|
||||
"0b997dfa5aa76673fc1679523ddcd9b2": "Rightousness: ",
|
||||
"31db23ffcf247846632cf830dc31de01": "Guts: ",
|
||||
"f7d56f808f12c651ea2903e75f632638": "Confidence: ",
|
||||
"9d50206045797159293a411b5b849d16": "Fluffyness: ",
|
||||
"fd5efc5d542d5a1f1df67e259204b149": "Attack: ",
|
||||
"c8f67eb7ac17a445aeef1d8fbe0f3aac": "Defense: ",
|
||||
"8ad05c44ecd29fe7efdeec90340daba3": "Magic: ",
|
||||
"19c20a6d73a941c19a0dc60e7e27cafd": "DARK DOLLARS",
|
||||
"2b911c015ed17a423c74ab9987330e60": "ITEM",
|
||||
"a6d658915682166d2d3dcdfe30dcb7ff": "EQUIP",
|
||||
"c9c9c146c630ca5ef9197c73c032f4a6": "POWER",
|
||||
"9d270fde36eb93a4188f76fb65bf4f85": "TALK",
|
||||
"ed6f7aca7887a927b9ed3d62aa347a86": "SETTINGS",
|
||||
"7dc33953b23388ad93a4db20e33d26e4": "USE",
|
||||
"551b723eafd6a31d444fcb2f5920fbd3": "INFO",
|
||||
"bf8f3be424eb6a72b21549fbb24ffb57": "DROP",
|
||||
"73f760f8a96d0acec3dec614a688ff79": "STAT",
|
||||
"a9bc2ce9b3b848ec9ca4e459bc50fe54": "LETTERS",
|
||||
"336d5ebc5436534e61d16e63ddfca327": "-",
|
||||
"d6ddcc63ff6401c6ecc7c5f14aac0006": "TOSS",
|
||||
"3b5949e0c26b87767a4752a276de9570": "KEY",
|
||||
"30fb3853072eb5f932f8bb9ce48e63a8": "Cole",
|
||||
"62a923f1cd3af4f38bdfcd8d9d89c675": "Kanako",
|
||||
"39e6b4ab3e4adecf031d3aa8410bb3ce": "Axis",
|
||||
"599158beb365c8d360c76236091d60ab": "Sadie",
|
||||
"ce2f3a5579d231b3b8f8b9e5fc46d361": "Melody",
|
||||
"c463ec4e88444c541a556e6359e6fdaf": "KEY ITEM",
|
||||
"90651ebea9a35ec4e018c8157492e17c": "ON",
|
||||
"88559a0cfd8250c9d65970cc145c92d4": "OFF",
|
||||
"c45b496ec0828772c8088e4118f09b33": "BUY",
|
||||
"860926e6fc3f191e18ee7a98259164b8": "SELL",
|
||||
"a42b2fb0e720a080e79a92f4ca97d927": "EXIT",
|
||||
"192633948703cf46924846d15ea7b5c1": "WEAPON",
|
||||
"0e4e2cd731d2f8d4f1e5ae8f499630f7": "ARMOR",
|
||||
"6d2ce0cb2cbe5c0267652c33f5e5e138": "Space: @",
|
||||
"0557fa923dcee4d0f86b1409f5c2167f": "Back",
|
||||
"7ff59d92dcabc91060c7b7f0f38bedff": "SOLD OUT",
|
||||
"3744c3b4ff5aa01f7792e1c724651c54": "Sell ITEMS",
|
||||
"4722f959db1c2b073e0310913967654b": "Sell WEAPONS",
|
||||
"ade5f0e2cc3af9ed3033687fa2cfb975": "Sell ARMOR",
|
||||
"95edc985bd213fda64909caf7701b7ea": "Sell STORAGE",
|
||||
"209b698e0d4ea1280e239d7f7d1330ca": "Throw away the @?\\t[INTERACT]: Yes\t\t[CANCEL]: No",
|
||||
"c0cc02c3b3d55abb7bfb49ddbb4866c8": "RETRY",
|
||||
"6bc9abed72fe3c0157375e471e26271b": "GIVE UP",
|
||||
"0307cf9b8cc45c30f2c85764ecf23976": "Press MENU to give up.",
|
||||
"9b827c5a986b7e69b3e3ddee9ae84218": "REFILLED",
|
||||
"3293ae9569c0a61c59d539c755f8c2b2": "Sassyness: ",
|
||||
"3cf60b159596d225486689ea4d2b2376": "Music Volume@@@@",
|
||||
"6cb964ef2a25cc27f89eca3f37759bae": "SFX Volume@@@@@",
|
||||
"b3f3cde9226c2771181fbb8b11df41cc": "Always Run@@@@@",
|
||||
"241e8556ff7ff0b7607b594d9059a569": "Auto Fire@@@@@@",
|
||||
"e0ef0c83bdcfffbf3ccaae31f738f142": "Fullscreen@@@@@",
|
||||
"6c92b62023a79f052038e18cc2369212": "Input Bindings",
|
||||
"824650ac7179ca9cab7dbb2c090bde8b": "Save Settings and Return",
|
||||
"b8d352976923e1ce42cdb3e6bd051062": "Return to Main Menu",
|
||||
"f902ca3f87f1d83780f1b51ba0be682b": "Exit Game",
|
||||
"fbaedde498cdead4f2780217646e9ba1": "UP",
|
||||
"c4e0e4e3118472beeb2ae75827450f1f": "DOWN",
|
||||
"684d325a7303f52e64011467ff5c5758": "LEFT",
|
||||
"21507b40c80068eda19865706fdc2403": "RIGHT",
|
||||
"58ffbc8e1dfd39f0fab3e4845c849a21": "CONFIRM / INTERACT",
|
||||
"77078b6aa2a7f35841cde21104e2553f": "CANCEL / RUN",
|
||||
"828696341d798e407119a565239606ca": "MENU / SWAP",
|
||||
"fc7352f27ecbbd883b8339f8b90be2d6": "Press a key for @",
|
||||
"d7e5e8e519a5b0b7d496948ee8352381": "(ESC to skip)",
|
||||
"a5617696520e49512bdf0268aa0ed13a": "Select a file to start",
|
||||
"f4f70727dc34561dfde1a3c529b6205c": "Settings",
|
||||
"a6122a65eaa676f700ae68d393054a37": "Start",
|
||||
"5fb63579fc981698f97d55bfecb213ea": "Copy",
|
||||
"f2a6c498fb90ee345d997f888fce3b18": "Delete",
|
||||
"9c66c6c198ef8029892a7a556d6e05e9": "Select a file to copy to",
|
||||
"5ea42e1c538dab727bc224155b531861": "It cannot be undone.",
|
||||
"11a755d598c0c417f9a36758c3da7481": "Stop",
|
||||
"c54d3851105a6e2c07dd8c1a8968cc56": "Do It",
|
||||
"a1d2c48988d36cf954fb1258578d26cc": "It is done.",
|
||||
"6e556ec0ba4068fb5de4a2f6482db751": "File @ Selected.",
|
||||
"b9e14d9b2886bcff408b85aefa780419": "FAILED",
|
||||
"602982ff5404ce039a6f22df220afa4f": "NEW FILE",
|
||||
"4d6a9603ac28794da412dd2751aed9b0": "FAST FORWARD",
|
||||
"a7bdee32cb21f0abbf9f878cb06cfe16": "LV",
|
||||
"ede320f6102f02f5903553674ed8a3f5": "DLV",
|
||||
"b05754fa8347acd8460df544076e890d": "Exiting...",
|
||||
"0bf1669f8ab315e471909469e17e6ae3": "(Current: #)",
|
||||
"2327b74fe4f7b7e8d8e4043c910705b7": "Press F12 to reset@keys to default@at anytime.",
|
||||
"7d544f584ec0290a6239e296d4d23197": "File Saved",
|
||||
"28623c81c6c4179fe87f094f6ee5966a": "Save Failed",
|
||||
"c9cc8cce247e49bae79f15173ce97354": "Save",
|
||||
"ddf4041e190e3f93bbeb9b82a4e9a30b": "Do Not",
|
||||
"ae6a5f0d6a5511f8349916f775238658": "Spare",
|
||||
"20a8b1e6e473f9f1b219973fb365af44": "Flee",
|
||||
"9332e265ddaed65fe3a060529f692db7": "SPARED",
|
||||
"ce5e25eb9c2196c46387a26fe345ce77": "CAUGHT!",
|
||||
"406533ce2e017aaf0543d3e99c169834": "DEF DOWN",
|
||||
"ff4a7bef03a400a79d9cdb0464402f9e": "ANNOYED",
|
||||
"e0e3a949d7cc0568c01f34eef607d0d8": "Toy Gun",
|
||||
"3ffa183aa67a408ada37a007d35fc27b": "Leather Jacket",
|
||||
"bc8ba875acae5cf57a0b810dee41ef22": "COLE",
|
||||
"e6fc8ce107f2bdf0955f021a391514ce": "HP",
|
||||
"798abbf9397403b61918d3e74066ca6d": "EXP:",
|
||||
"fa868488740aa25870ced6b9169951fb": "AT",
|
||||
"b98f83032f6e8ca0c8f5a38bca1e3d75": "DF",
|
||||
"65b7eacec0e5cf0a335c5a34c6aff052": "NEXT:",
|
||||
"31bae5ae1c6b1063bfeb1d482afedfdd": "WEAPON:",
|
||||
"a7be4850902e55681980f289c2b88057": "ARMOR:",
|
||||
"d6329c694f659c5ee39fffca2cd86b0c": "MONEY:",
|
||||
"8c4aa541ee911e8d80451ef8cc304806": "Storage",
|
||||
"d42b96c033d853617268a3f4b893dc76": "On Hand",
|
||||
"589cffdb8ef0aa43ea98ba2c4e188930": "[INTERACT] Move Items\t\t[CANCEL] Exit",
|
||||
"62367e5ea1016308c34eec22586ffa9e": "INTERACT: Punch@CANCEL: Defend@MENU: Kanako's Healing Bell ([VALUE]% TP)",
|
||||
"5a0759bdf01c86f4e79757c43e947fa6": "MISS",
|
||||
"68e22966aa1b0480dd58ed0988a7a1d2": "FISH ON!",
|
||||
"d46f2d654db4feb944a0cfff6e871dc7": "FISH GET!",
|
||||
"258f49887ef8d14ac268c92b02503aaa": "Up",
|
||||
"6a061313d22e51e0f25b7cd4dc065233": "Max",
|
||||
"98e22352c9f35c1839b6ba0c753b3727": "check:* It looks like a cactus, but it isn't.",
|
||||
"2d5023874a5192d950a259c5330013ef": "check:* Not the sharpest tool in the shed.",
|
||||
"0d790a79c567aca14d06b239a3c2b232": "check:* Seems to have a thing for raising reptiles.",
|
||||
"f705fc8cf94290b8af4a82c3d8cc063f": "check:* The caretaker of the currently empty Dark Jail.;* You somewhat feel he is familiar in a way.",
|
||||
"458b1b6dd38e43e9027d33f196680ebe": "check:* Criminal wanted in 3 Dark Worlds for stealing,\n\tarson and styling his mustache without a permit.;* Always thought he was number one no matter what.",
|
||||
"4dd3d12a403ffcbd47eff14008db7082": "check:* Cleaners of Bearing's Fortress, spends most\n\tof the time mopping in the employee rooms.",
|
||||
"c23dc96dd68299102fca57d82af8cb79": "check:* The tyrant ruler of this Dark World.\n* A little worn down.;* Crimes: Tyrany, torture, gouging prices and\n\tterrorizing wildlife.",
|
||||
"711c2cb72c0057b1b6482cc21140f2aa": "check:* The \"executor\" working for Bearing.\n* Fan of classical tunes.;* Crimes: Being a nuisance, noise outside allowed\n\thours and noise near sensitive areas.",
|
||||
"7b42045a0b922afbe4f0959693790984": "check:* A familiar(?) foe.\n* Watch out for the foxfire.",
|
||||
"291fb71c07251025740ddfc906e6b3cb": "check:* The mascot of Ketsukane Electronics.\n* What is he doing here?",
|
||||
"2c848cbaf819108aa139c4f6f4f8d9b8": "check:* Just another cog in the machine.",
|
||||
"139b924ff6dd2fab5656e631d60a4811": "check:* More bite than bark.\n* Don't get pinned down!",
|
||||
"60963ec6e26bd5da4452ca292f627610": "check:* Current leader of Robotopia and a bit of a hot head.\n* Hates being called short.;* Crimes: Rigging elections, fraud, jaywalking.",
|
||||
"a4b3b94360a679a57f0031abc30697ca": "check:* Kanako's old friend. Not as clean as she looks.;* Crimes: Assault with Weapon, harassment, deceiving locals.",
|
||||
"34df37292fb98039d32790618b882b19": "check:* A wannabe judge who thinks can boss others around.;* Crimes: Fearmongering, stalking, blackmail.",
|
||||
"abf962ad0a510b76c19e488a325d6a10": "check:* Workers of the factory, tries to fix things but\n\talways end up screwing themselves.",
|
||||
"1b7ee563b58f490f4d641c6767186c0b": "check:* An all terrain tank with infinite potential,\n\tand they will drill that into your head.",
|
||||
"6bc1ccb3345133688612e2551e17b436": "check:* They try their hardest to keep everything in line around here,\n\teven if no one stands up to it.",
|
||||
"ca4103a5e6809c7e14ec7f4fcf676bb5": "Bass",
|
||||
"1e35a91751a0b2e566c04ec974aacee9": "Bluegill",
|
||||
"8c890997098d46f6a8b905fe145773d3": "Koi",
|
||||
"cddb4b27fed41d8683df38e1ef9efdd8": "Snakehead",
|
||||
"a58bc003d1ce34e1ed10e91521a53c8c": "Gar",
|
||||
"98ff32e6dc4a6dabdc49dbae5dbafe84": "Catfish",
|
||||
"c43242bf34240497eb14ca9c63e48ea0": "Eel",
|
||||
"3c85f114ac179093df971f83a23e3be9": "Trout",
|
||||
"79d059cead81adb105aee0236260ff8a": "Froggit",
|
||||
"216c317548bc5eb08be222ad716268de": "Carp",
|
||||
"e30d211c66fe9025efb79b79e4244fd0": "Salmon",
|
||||
"f17c6fbc49e6399ece0fedf0af649610": "shortDesc:Heals Downed\nAlly",
|
||||
"3a10d6dc1d9d5fcfe69e6e81b9e37dbe": "shopName:[img]res://Sprites/Menus/Menu Sprites/StatDef.tres[/img] Sfety Goggls",
|
||||
"56496dc1be5af1528da887731f302ec2": "shopName:[img]res://Sprites/Menus/Menu Sprites/StatKanabo.tres[/img] Big Scrwdrvr",
|
||||
"525cbffd795baed0ab3b99312e48450f": "shortDesc:Polished\nmetal medal.",
|
||||
"d9e370b63f058d2f749934932b1f3227": "shortDesc:Pin with\nbear face.",
|
||||
"22c2d4a4d6b61574344fa518c9fac576": "shortDesc:Raises\nTP 32%",
|
||||
"63c48adf5b8edc13675de7cc61d30fa5": "shortDesc:Raises\nTP 50%",
|
||||
"f709ff0d0d6bf9806f2584fc2e8e5748": "shortDesc:Raises\nFull TP",
|
||||
"3c7aed9446be1166256f4b68fe710f7a": "shortDesc:HP + 40",
|
||||
"cbb2756ace980e66ac0b7a8b23aa13c5": "shortDesc:HP + 100",
|
||||
"85388f6d7c99a446f0bcf0845ea3285b": "shopName:[img]res://Sprites/Menus/Menu Sprites/StatKanabo.tres[/img] Wden Kanabo",
|
||||
"1e853556c7ad993c7422dcba97f6f940": "shortDesc:Simple wood\nspiked club.",
|
||||
"a48664be027513f64cb97774f472d9b7": "shortDesc:Basic pistol.",
|
||||
"47c22e600d0642b8292cf533fe442938": "shortDesc:Shoots\nlasers.",
|
||||
"a2f5e2b5a6b154a8d6018bc5a1b64657": "shortDesc:100% organic\ngrown.",
|
||||
"bab201ea6d3b4e62a996a18bc8409fd4": "shortDesc:Sturdy\nsports bat.",
|
||||
"7cde094288ab60536d4bdbd43968735c": "shortDesc:All Party\nHP + 150",
|
||||
"653777801f96237326d65205bc9129e3": "Select language",
|
||||
"78463a384a5aa4fad5fa73e2f506ecfc": "English",
|
||||
"596f614de16c239f643317d6e21a8e27": "text:Hey you [sir or madam]!\n\nLooking for the hottest bargains?! Then come to Mo's!\nOnly today, we are having an all out sale! Everything just ■■% off!\n\nWe will be waiting for you!",
|
||||
"3834639185038355ecd0da67537f9080": "backColor:0.5,1,1",
|
||||
"bba4003c3ae1f47ee8e4e54fdfc05bf3": "text:Hey sleepyhead!\n\nDid you manage to sleep at all tonight? My head is still spinning from yesterday.\n\nI'm sending this letter so you don't sleep too much! I'll go pick you up, so wait for me!\n[right]- Kanako",
|
||||
"5f3d74e3afa5968b878126b6941fd53d": "backColor:1,0.8,0.95",
|
||||
"54d24792ef6f6d6355d31c669d174706": "text:Don't forget to bring the \"explosives\" tonight.\n\nI'll be waiting for you at the same spot as last night. Come over once you have them.\n\nCome alone.\n[right]- Virgil",
|
||||
"962d402764b89105bc802277bc24b7d8": "text:Let's head back into the Dark Jail after class.\n\nThe Warden might know where the other Dark Worlds are.",
|
||||
"24f08a2ce02b8f80891fb191e8c46b15": "sound:null",
|
||||
"591c0fbafb4335ccb966b853611519a6": "backColor:0.8,0.8,0.8",
|
||||
"1c4e5c742475e8e8474c25d4bd338384": "text:Cole,\n\nWe received word that you again rang the school bell without permission and outside permitted hours.\nNow I know that you kids love doing these \"pranks\", but a citizen left town because of that.\nPlease refrain from doing it again or I will have to talk to Martlet about it.\n\n[right]- Mayor Starlo",
|
||||
"8d33f7d135d0a56313583edd54df4070": "text:[center]WANTED: LORD BEARING THE TYRANT[/center]\n\nRuler of Bearing's Domain. Is known to punish those that disagree with him. Hates lightners with a passion.\n\nCrimes: Tyrany, torture, gouging prices and terrorizing wildlife.",
|
||||
"7dc5399a6c45b084a30306cf10fe6843": "missflag:SchoolFountainSealed",
|
||||
"4c8a297de9344393f511b92e9a9e942a": "captureFlag:BearingCaught",
|
||||
"774206b997bcecbaa87d461bf529f3c4": "deadFlag:BearingDEAD",
|
||||
"830f99e043827300877913b30e00a97c": "text:[center]WANTED: PENNILTON THE PINCHER[/center]\n\nThis darkner has been involved into multiple thefts in 3 different Dark Worlds. If you see him, do not accept his offers no matter what.\n\nCrimes: Stealing, arson and styling his mustache without a permit.",
|
||||
"7c4d106067c3e924982e2ca4bb86037f": "missFlag:SchoolFountainSealed",
|
||||
"93772d989c288cf48ac949609d24c39a": "captureFlag:PenniltonCaught",
|
||||
"e413d5aa02fe8c51d34c9b531d0dcf17": "deadFlag:PeniltonDEAD",
|
||||
"533876fe4140c087809a0018e5edc857": "text:[center]WANTED: RINGO THE TORTURER[/center]\n\nThe tone deaf maestro of Bearing's army. While he is short on words, he makes up with the noise his head can produce.\n\nCrimes: Being a nuisance, noise outside allowed hours and noise near sensitive areas.",
|
||||
"e6dd0514fbf16656e1fddb09267b1eeb": "captureFlag:LuncherCaught",
|
||||
"d128ccdf29f1c4fce8e3c0ad606e0e5f": "deadFlag:LuncherDEAD",
|
||||
"b8f38a7c7fe7e4da47ad10873a5d1990": "text:[center]WANTED: TOSTER THE POSER[/center]\n\nA fugitive from another Dark World, managed to climb to the top by rigging and cheating elections.\n\nCrimes: Rigging elections, fraud, jaywalking.",
|
||||
"f7652ecb5c133b0d85acb789f0d2793c": "needFlag:WardenTalkDay2",
|
||||
"6ac1e1856cbe273489439154bb495e3a": "missFlag:99999",
|
||||
"96af74e92244544a4ee0156e92c6b9b2": "deadFlag:99999",
|
||||
"e4c21d08d262e141eb6e139f7ab95a9e": "text:[center]WANTED: ?????[/center]\n\nDetails unknown. This darkner was recently spotted around dark alleyways, stalking civilians with almost no discretion. Elusive and hard to find.\n\nCrimes: Fearmongering, stalking, blackmail.",
|
||||
"a056e65275de3cff761109adbb5a3697": "text:[center]WANTED: ?????[/center]\n\nDetails unknown. Witness reports state this darkner has been using a metal bat to beat up innocent people. Wears a cloak.\n\nCrimes: Assault with Weapon, harassment, deceiving locals.",
|
||||
"c46408a3ee466c32567c6839ba7e1f1b": "MartletHouse;Martlet's House",
|
||||
"ca839ef546ada8485eda02941f37dd28": "WildEastMain;Town",
|
||||
"f2de2b00d3e292dc09bbb74922b73c6b": "SchoolDWFortPrison;Fortress - Prison",
|
||||
"9d1e1f12691ac8a4f8fc30f37d6f9f4a": "DarkPrisonMain;Dark Jail",
|
||||
"639c2374efe5c15fe8e018bb0bf97a73": "SchoolDWFortFirstPuzzle;Fortress - Pink Gate",
|
||||
"18452edf64d2bed75992faf510466669": "SchoolDWCenter;Bearing's Domain",
|
||||
"a19f3af55f61cb26530a4fd2a6da40ea": "SchoolDWFirstPuzzle;?????? - Puzzle Room",
|
||||
"8f98eb88fffcd526f61cfa8d9b060c8a": "SchoolDWKanako;?????? - Ambush Place",
|
||||
"a4a666caf716589542335ea465750064": "SchoolDWChase;?????? - Summit",
|
||||
"c4f15053623e5978ac59ac35f8158c48": "SchoolDWPenny;Bearing's Domain - Forest",
|
||||
"9f7659355529bd71ee2c1729ca36d432": "SchoolDWFortRest;Fortress - Break Room",
|
||||
"e91ab44001c5d74f2c81094ef57a760b": "ChujinDWAxisRoom;?????? - Bottom",
|
||||
"45d630578edbf6cf7899c2f0a51129f6": "ChujinDWOverview;Robotopia - Vista",
|
||||
"2a2c1183ef81ccfb4cde4f464419aa1c": "ChujinDWFactoryMain;Robotopia - Factory",
|
||||
"d52f3930d2643e93a81da1c5a5e464a2": "ChujinDWInsideTrain;Robotopia - Tram",
|
||||
"e28e018958beccaf57112010c1ce31fd": "ChujinDWUpstairsView;Upstairs - Vista",
|
||||
"f78acf8141e402e0e99b223401137bf5": "ChujinDWUpstairsBalloons;Upstairs - Docks",
|
||||
"125b33595612186ece00b22df8d7e52d": "ChujinDWPostTram1;Robotopia - Slums",
|
||||
"8e02fd528144e5cc40296fde90a683ad": " Buy for",
|
||||
"aaa871f7fc8d3531cf62753d4ce33908": " D$ @?",
|
||||
"410a89bdad57370a49b6d694217185b6": " Yes",
|
||||
"ef796a95292baf7e747574a6d3d44ec5": " No ",
|
||||
"b9feb7516294cb775580b43d015f5b47": " Sell for",
|
||||
"e938e4222e94c90f5e366367478fb099": " No ",
|
||||
"ce71704b223bace181d8bd58b54b23d9": "Human:Body contains a human SOUL.",
|
||||
"e5380d53646543ddd6f51d430f6dfb8f": "Monster:Body contains a monster SOUL.",
|
||||
"12e5a05ff6d2bee07921e3aac19694ad": "Robot:Artificial being. Doesn't have a SOUL.",
|
||||
"a246dad7c634c3399035af49543e6656": "Leader:Commands the party with various ACTs.",
|
||||
"0886ad9e102dcab941fec879fda8a36a": "Moss Finder:Basic moss-finding abilities.",
|
||||
"d5f29e0a50bbee9ac4b8afc41b4425dc": "Judge:Judges criminals.",
|
||||
"192eed69a33d4e17e50f4b231dc887de": "Executioner:Executes criminals.",
|
||||
"52cb52f748cd2c809dd001ad12df6efc": "Magic Warrior:Hits hard but supports with magic.",
|
||||
"166787cd33e8bda8c1ee66726231e993": "Demoted Bot:Was huge, now small again.",
|
||||
"32bb4658ec7145bf836fd20b36137211": "Dark@Jail",
|
||||
"250bf5904fcf52bb036e6b462c326968": "Bearing's@Domain",
|
||||
"11e450f7a391b1a9dec6ad79c3253e5e": "Robotopia@Vista",
|
||||
"927c985a0108dc21f234f449c89c6742": "Upstairs"
|
||||
}
|
184
Data/Text_EnUS/translate/StarText.json
Normal file
184
Data/Text_EnUS/translate/StarText.json
Normal file
@ -0,0 +1,184 @@
|
||||
{
|
||||
"9520a45f3ad699f91f0d3ce2a8836a42": "* Penceller and Eraserhead block the way!",
|
||||
"be824c64e4bf484fa39945edffaac686": "* Smells like burnt rubber.",
|
||||
"7f355dea86b78f47ee404ee0172ec4e0": "* Penceller is trying to sharpen its pencil.",
|
||||
"266d7a742e318dd8d27a796b09f76ac7": "* Eraserhead attempts to adjust its glasses,\n\tbut can't quite reach them.",
|
||||
"ff9b1aca0abb9ce249def414e8235d17": "* Eraserhead is losing steam.",
|
||||
"6e592348dee0afca918aae3f114669c5": "* Penceller has split edges.",
|
||||
"e0dc227686e2acb812e84f4cd3d39836": "* A pair of pencils stand tall in your path.",
|
||||
"96975ec89eae20613cba9fd2598974df": "* Smells like wood.",
|
||||
"14031f7c46975eb187798a1fba780a68": "* The duo is sharpening their pencils loudly.",
|
||||
"c07be8c47724d00067b762dd7b0d76d5": "* A lone pencil appears.",
|
||||
"6836be58ee9fb37b575b45508351f1a0": "* Three sharp lads block the way!",
|
||||
"09d4f54ccddcc4cbd080acc7c04021c8": "* The trio argues who has the better pencil.",
|
||||
"5292fce9be2b02c0430ff06edcca46aa": "* Two blockheads blocking the path.",
|
||||
"6e6360d95bf53e9fe21ba5a0bfd4778a": "* Build up your TP by DEFENDING.",
|
||||
"90b8aadfe723e237a1f4cc102e26bd6e": "* Once you have enough TP, select the APPREHEND ACT.",
|
||||
"255260ed0d04c6856b7c042935870087": "* Damage the criminal enough to make it easier\n\tto APPREHEND.",
|
||||
"78148e0656b6f17b71445354dd668a1a": "* Use Cole's NON-LETHAL SHOT ACT to lower\n\tthe criminal's HP without making them flee.",
|
||||
"597c19cc79c0d6357c6aa6ad025b46f4": "* Kanako seems confused by this whole ordeal.",
|
||||
"2341d8746ec2bb30a08fc3d2563ff59e": "* Mopper and its cohort cleans the way!",
|
||||
"0ab790b0105bff1e214c5741491936a4": "* Smells like cleaning supplies.",
|
||||
"1763255b69fd195648f5580c0a3d01f3": "* Mopper notices some stains near you.",
|
||||
"9cbf922fccce9806a88cdaa5329ab855": "* Mopper is mopping quietly.",
|
||||
"064abbe8112934ca7e1dba8871793442": "* The cleaning squad arrives.",
|
||||
"7ec0c223381461e922354f2f50c8a145": "* A pair of mops mops the path.",
|
||||
"8eee4bf13f59b2b131b9a7bef6372f36": "* The moppers are competing to see\n\twho mops the best.",
|
||||
"9f97883bf5f95a635b6bfd706295677d": "* A lone mopping mopper mops the way.",
|
||||
"d8988c898b28db07a82ca0750b1a71d9": "* The Fort Defenders stand in your path!",
|
||||
"ab88507acf4bd220f9dc65d373fd4b2a": "* Criminal spotted: Pennilton!",
|
||||
"d9a09c056912ac94c8afd4109c95f2c6": "* Pennilton screams something about him being\n\tnumber one.",
|
||||
"0090a031d2f1a8446acf98c3943219a6": "* Pennilton almost drops his bag of coins.",
|
||||
"31a8e3dd68bd69cbbe4383fa3f783e95": "* Pennilton adjusts his hat.",
|
||||
"04dc60d7cbfe61c929349975448bc1b4": "* Smells like coins.",
|
||||
"64b518a9393ae83638fd170e84682fe9": "* Pennilton lets out a deep sigh.",
|
||||
"1702a47305c88fc3ad2fe21ae8b90f84": "* . . .",
|
||||
"0a10f22c80d2212351831d2e48130aec": "* Kanako has learned a new SPELL.",
|
||||
"5ed3879b5963eac3f5e079ccf706338f": "* Shoot down [color=yellow]yellow[/color] bullets by pressing INTERACT.",
|
||||
"cb463741578397b3c5a727fe5aa5857a": "* Cole's SOUL shines with JUSTICE.",
|
||||
"936472cce1d0e148a56d827c7c408d41": "* Criminal spotted: Ringo!",
|
||||
"a9c7a37c8f253777ae04f1f620ab6c66": "* Ringo is whipping up a storm.",
|
||||
"9681cc123ec946afe1abc426f1f1d835": "* Ringo can't stop ringing his bell.",
|
||||
"ee613f14a3c93628095f65e545d21568": "* Ringo is losing steam.",
|
||||
"a05d0f064e91e65ffb361d7eb235bb70": "* Smells like school recess.",
|
||||
"498dcf0514ca56d6ec4cb61fc90082a7": "* Ringo keeps making up noise.",
|
||||
"97e907a909dc0cde34354b315817fb86": "* Kanako tries to cover her ears, but it's useless.",
|
||||
"6838ad861163a414eb54452ca50e885e": "* Criminal spotted: Lord Bearing!",
|
||||
"d619cc22e9b062ac23369847b7cf9cdc": "* Bearing is pulling out his stuffing.",
|
||||
"8a115ad63851ccb89de80e12a2bec7ee": "* Smells like old cloth.",
|
||||
"b218e567a664e81cfd37db3312610ddd": "* Bearing is trying to keep his stiches from opening.",
|
||||
"35178bea414ae0306333eed3ef2b3f26": "* Bearing goes on a monologue about how he hates lightners.",
|
||||
"437495e2b831b75a8d040a356b812a17": "* Bearing is worried about new stiches opening up.",
|
||||
"87c87953545b693af846f1bc62170442": "* Bearing tries to roar, but a squeak sound\n\tcomes out instead.",
|
||||
"15ef34bca3df2603b9fa44dc7589eb1b": "* The fountain roars in the background.",
|
||||
"a6c77f941c4d7375262e96de0486216c": "* A familiar face approaches...",
|
||||
"292c8f7151eb3ed74d2267f3c579f4c7": "* The air is filled with familiarity.",
|
||||
"f643cbff33b882c7be1edd16bc9c63d2": "* Smells like rusted, forgotten metal.",
|
||||
"d3412ee3c629a04e4c38a02aaa6fe9ef": "* Kanako seems apprehensive.",
|
||||
"d8e35f6c1d305368bf60061dd6491eed": "* Foxlace stares at Kanako's SOUL.",
|
||||
"8f1de46e424d923789b6dac1f4f805e8": "* Sadness fills Foxlace's eyes.\n* Then anger.",
|
||||
"044b40520f38a040bdbf8ba8ef4ad0a3": "* Foxlace begs to not be forgotten again.",
|
||||
"3319279a5176d756a885f78a88c33ed4": "* Foxlace stares at Kanako.",
|
||||
"a9fbbf2f4c774394b9bed5ff3ed03c5c": "* Kanako sees her reflection against Foxlace's visage.",
|
||||
"82e2c2936c041ed1804ce1664a93296c": "* ...Something terrible is coming!",
|
||||
"daccd9edf1151ae6603b2c50ddf71186": "* Stay still to avoid [color=cyan]blue[/color] attacks.",
|
||||
"b5e4b3937f1c6832a147b8f7193d41ff": "* Foxlace seems ready to move on.",
|
||||
"62815e4f36a2b80aa10f46c5091b7bce": "* Axis Unit 014, ready to terminate.",
|
||||
"940002c1d181ed0a39ba4cd56c33a7cb": "* Smells like a steam engine.",
|
||||
"efe9296b51c887147725e4d029689b9c": "* Axis' body makes many clicks and clacks.",
|
||||
"804743e04ed669e54ec8833cc9b16ff1": "* Axis seems to be running low on steam.",
|
||||
"41de2899d0ddf8025cd9c363eef8b757": "* Axis tries to keep his body from falling apart.",
|
||||
"f5bd01486ab40ec5f5df601733323005": "* Kanako tries to reason with Axis.\n* He doesn't listen.",
|
||||
"539c82a9f925f461064d6faa061da8c3": "* Steam is filling the room.",
|
||||
"80cd41b5eb6f61594016543f52fca5d0": "* A gear grinds into your path.",
|
||||
"a8e7a1d0526e2b6b735a6b019957010f": "* Smells like a well-oiled machine.",
|
||||
"49451cbcc9e263cc5ebd550e69444f84": "* The gears keep on grinding.",
|
||||
"ac370d5e274a540bcaa6eaadfb6f5d93": "* The gears are coming to a halt.",
|
||||
"6a313097c406bbe1d9e244daf3186088": "* Gearzerd spins around without a care in the world.",
|
||||
"5f40d1bd5509d00d35c7c7077d0af2c0": "* A pair of gears keep the machine running.",
|
||||
"1664d8f8ac161381e4aa51ed1374e723": "* The gears are trying to decide which direction to spin.",
|
||||
"57e0e1a13287d80df709928ac6904580": "* A full gear box assembles itself.",
|
||||
"f4e4b376cf6c516cb7cf56854efc7ce5": "* You hear incessant clicking...",
|
||||
"b652d10d613a971f709f25de13be5153": "* Smells like plastic.",
|
||||
"e59d9b5b0b203e2364583c26517bc310": "* Staplete clicks incessantly.",
|
||||
"6fecbb49fe96cc7112187e61bc279a34": "* Staplete whines as it runs out of clips.",
|
||||
"42df08f7c47263c3eba0670bf4e5bf61": "* Staplete is out of clips.",
|
||||
"f5eaedc730de0c77d434418f94fd7077": "* Clicking from two different sources.",
|
||||
"9983412c0a87d9bff1f843fd3c1a689c": "* Drill-Er 3000 is ready to engage!",
|
||||
"a2c4c450dc68d341918c0f245a7f63fc": "* Drill-Er is revving up its drill.",
|
||||
"7b26dff8abf79db0f1a6fb9f5933b509": "* Drill-Er is running out of fuel.",
|
||||
"98a6d6b3f18d1ef05c4751b68f89f135": "* Smells like gasoline.",
|
||||
"0fb6bf5795046874e9c64509c5763e26": "* Drill-Er is scanning the area for hostiles.\n* It has found you.",
|
||||
"a47de60e5fef0c1cd88681bae919f4c9": "* An ensemble of machinery attacks!",
|
||||
"5daa9c6c6c30ab205d1673a8539e8fd1": "* An entire clicking orchestra.",
|
||||
"8fce9b681dc47f06422bc71907645b0d": "* There is some measuring contest going on.",
|
||||
"8464aada93b726991c37da1a3f40c9c4": "* An entire team of school supplies blocks\n\tthe path!",
|
||||
"7c78b3c698269851d3554ed26eacc92b": "* The edges seem pretty sharp.",
|
||||
"f2c7b8f2ca396bdcde2b518891e577d6": "* Some sharp lads and their cohorts take point!",
|
||||
"529f677698fbde4fe3c88fc9b1eea2cf": "* [NAME] spared [TARGET]!",
|
||||
"8e770cddf433e6ac5d698b869f23ce74": "* [NAME] tried to spare [TARGET], but it wasn't [color=yellow]willing[/color].",
|
||||
"4f2db08b140a418a2ca4aac120884a5f": "* [NAME] casts Foxfire!",
|
||||
"bc6cc79b4f18ad23bbb1082d3d1c0942": "* Cole shot a rubber bullet at [TARGET]!",
|
||||
"b8856ad2b877c40c79a2c51b6c7e7b29": "* You tell Eraserhead his style is lame.\n* He actually agrees with you.",
|
||||
"8252546744ed66aebbdf7fd03eb0f537": "* You tell Eraserhead to take life easy.\n* He agrees with you.",
|
||||
"e27a857c5b226d244e7584a5b766b3aa": "* [NAME] rubbed some dirt off Eraserhead's head.\n* He seem pleased.",
|
||||
"877d60195a2fed9f57f3f20c06037e09": "* [NAME] tried again to rub Eraserhead's head,\n\tbut it seems he don't want any more.",
|
||||
"38a36ff1c0abb783eb9a77192f66c8dd": "* [NAME] attempted to sharpen Penceller's pencil.\n* He's insulted that you even dare suggest that.",
|
||||
"8feb541c507db17f9f75b3cbac07b344": "* [NAME] attempted to sharpen Penceller's pencil.\n* He seems delighted.",
|
||||
"dd4dce444686e6b051086cd6d5e4cbd3": "* [NAME] attempted to sharpen Penceller's pencil,\n\tbut he wasn't having none of it.",
|
||||
"e9e7af99df615df1afc5519f61f7ec59": "* You talk to Penceller about being his friend.\n* He seems to like that idea.",
|
||||
"6cf2535068bc277d8825d285b9ace4b8": "* You tell Penceller his drawings suck.\n* He is deeply hurt by this.",
|
||||
"091c261848abda7189e992a971a28011": "* [NAME] used [ITEM]!",
|
||||
"4c45bfd263f843671445e671bf5691d8": "* You part encouraging words upon Kanako...\n* Her AT went up for this turn!",
|
||||
"8782f898911c6aaa5f071c29a099ee79": "* You tell Kanako to keep going.",
|
||||
"aadd5fed18cc474f3fa84e52ac90a397": "* Press the INTERACT button to\n\tattempt to catch the criminal!",
|
||||
"96555bc9348fbf7b7843b37ba7727b36": "* Seems [TARGET] cannot be apprehended.",
|
||||
"f0205f019b6660f79793729981869d5f": "* [TARGET] resisted arrest!\n* Try lowering their HP more.",
|
||||
"55828b67a6d66346cf33153ad92a72ed": "* [TARGET] was caught!",
|
||||
"d3c99fd0d0a097eac43d7418d8663762": "* Apprehension failed!",
|
||||
"defe9e53eecc2fcdb4e80b8720ef85a8": "* Kanako hits the enemy without mercy.",
|
||||
"24807a2109ad51be3f95e1530db94f21": "* [NAME] casts a healing bell!",
|
||||
"c94226716637877616f782236a74e733": "* [NAME] cast a shield over your SOUL!",
|
||||
"4f8c4a510bfc87a1f9ffb2d3590f4de1": "* You tried taunting Pennilton, but he didn't respond.",
|
||||
"1051d860f678049836c1473d992a2de4": "* You taunt Pennilton with childish insults.\n* Pennilton's AT went UP!\n* Pennilton's DF went DOWN!",
|
||||
"1d5bd89ece2418096506ad059b52ab7c": "* [NAME] tried talking to Pennilton, but he ignores you.",
|
||||
"3160361f33a2dda74ab2e8b1f60df53b": "* [NAME] tries to convince Pennilton to come in quietly.\n* Pennilton's AT went down!",
|
||||
"896f8822d476e3b34e0b946515c69615": "* You try to tell Mopper it is doing a good job.",
|
||||
"1c5549cd9b7c23d5d1ab69b2a40831c8": "* It does not believe you.",
|
||||
"ca3633b1a58ccdf821226546044014cc": "* It is too busy to notice you.",
|
||||
"3393dea7672ddbaaccd23ea7c1006bc0": "* Mopper is happy its hard work is being appreciated.",
|
||||
"82131d3fd141795bf359540770b5f6f2": "* You throw some trash on the floor.",
|
||||
"8193b8a340a596d645caac0900b12d77": "* Mopper is upset.",
|
||||
"8b5f0f7748031370ce71a4d4369f969a": "* [NAME] tries to help Mopper clean some of the mess,\n\tbut it won't let you.",
|
||||
"bd2b641af114e5473dd3593d44c2591b": "* [NAME] helps Mopper clean some of the mess.\n* It seems pleased.",
|
||||
"ecad796143b741e70e3ab9959ef5eac8": "* Everyone begged Foxlace for forgiveness.\n* It looks upon the party sadly.",
|
||||
"fab320ae26414bb4ca266f20efebdae2": "* Everyone begged Foxlace for forgiveness.\n* Tears fills its eyes.",
|
||||
"075b594484651faf215c99d6c54d5588": "* Everyone braced for impact.\n* DF increased for a few turns!",
|
||||
"7e9c740fb4b1ef899ece4ae64713cc7b": "* [NAME] tried to talk down Bearing.",
|
||||
"71f641537873efa4fe387ba1ac7ee1df": "* He reluctantly listens.",
|
||||
"a2b152c6bc9dedf6da03e0d24137e1de": "* Everyone tried to plead with Bearing.",
|
||||
"b0bec4055f68a0ac68c95ec77f8b9a7f": "* [NAME] tried to ask Foxlace forgiveness\n\tfor whatever they did.",
|
||||
"3e9b1afaf70aa10eddf42358447fbb58": "* It refuses to listen to you.",
|
||||
"1ed312c3aa9cd93deba64886e3568766": "* It is starting to listen to reason.",
|
||||
"5c31640db12775912243dc3529ceaf2b": "* Listening to Kanako, it relents.\n* Foxlace's AT and DF went down for a few turns!",
|
||||
"b35aef651cfe0ab04354b871b533fee4": "* [NAME] asked Axis to go easy on the party.",
|
||||
"62fd83b34f9f50a1b8b204f46fd7f9c1": "* He thinks about it.\n* AT DOWN for a few turns!",
|
||||
"7a0dc7d03f90f9956015ed1d4a7a08b9": "* He thinks about it.\n* DF DOWN for a few turns!",
|
||||
"ab93789105d5db0b00d8402e82d7a4f3": "* [NAME] tried to trick Axis with a logical paradox.",
|
||||
"54f305caec3817fa5c6439554bc04979": "* Doesn't seem to have had too much effect.",
|
||||
"ac0285014dc9f4b50be953ca1405f2ff": "* [NAME] tried to cover their ears.\n* It only makes things marginally better. DF UP.",
|
||||
"284067c7cd3c829b617b25cff7bbc519": "* You tried asking Ringo to tone it down.\n* He rings harder, but is distracted. DF DOWN.",
|
||||
"a9d38e6227177f7496e1a608a240ddda": "* You tried ignoring the noise.\n* Ringo's feelings are somewhat hurt. AT DOWN.",
|
||||
"342228a1e056fa71021a9180623cdd3b": "* [NAME] pressed down on Staplete's head,\n\tbut it doesn't have any staples left.",
|
||||
"61fa1fcca98eefde23bc56ca56fc18c8": "* [NAME] pressed down on Staplete's head.\n* It spits out some staples.",
|
||||
"91d51c20cb2881500552d4bbf90f4cee": "* [NAME] pressed down on Staplete's head.\n* It seems to have ran out of staples!",
|
||||
"a0210e79c8e8d666dfef6d403d54e8e1": "* [NAME] tried to pet Staplete, but it's too depressed to react.",
|
||||
"d37c0b553d7a060ee4c2e142221380ee": "* [NAME] petted Staplete. It bounces happily.",
|
||||
"a407754d7dca06530c726e076a927a84": "* [NAME] attempted to spin Gearzerd around,\n\tbut there was little success.",
|
||||
"240db458184e181e08c6f70add6ee0f7": "* [NAME] spun Gearzerd around.\n* It enjoys that a lot.",
|
||||
"dc76c2ce38543a5948794655cf4671af": "* [NAME] applies some oil to Gearzerd.\n* Gearzerd can now spin better.",
|
||||
"9bb703c5995ff058cd53471b97b3f458": "* [NAME] attempted to oil up Gearzerd,\n\tbut Gearzerd is already oiled up.",
|
||||
"0d25094671ac4a672e81f0e5dc9b1f11": "* [NAME] began to spin in place.\n* [TARGET] seems amused.",
|
||||
"a1c790e3c83f33c2dfd349f334156db8": "* [NAME] sprays the party with a stimulant substance!\n* Everyone's AT went up for a few turns!",
|
||||
"112a0915a484c5a438dad1e591bec68f": "* [NAME] sprays the party with a stimulant substance!",
|
||||
"c20bc49b11a21898e44f20ccbad419dc": "* [NAME] spins wildly!",
|
||||
"c9020585ea10eedea92e72d206638472": "* [NAME] tosses a strange canister at [TARGET]!",
|
||||
"456f4b0043411e2d71aef3398979009a": "* [NAME] starts blaring loudly!\n* All enemies focus their attention on him!",
|
||||
"7710846974b81c8b323daf5874c9633a": "* [NAME] offers [TARGET] to fix up Axis\n* It eagerly agrees!",
|
||||
"2ad35e009e042d551c6ac9d5a47daa49": "* [NAME] tries to refuel [TARGET].\n* It is now raring to go! (AT UP)",
|
||||
"17510e6a6c77382ce8a33d96185f33d2": "* [NAME] spreads their arms so [TARGET] can\n\ttake measurements.\n* It seems happy.",
|
||||
"02e5d752b4f8ee6e0218097c3019b402": "* [NAME] starts talking about how circles are\n\tbetter than lines.\n* [TARGET] is displeased at this.",
|
||||
"604c2cd4df44c55aa291e7a8b4cbb610": "* [NAME] spreads their arms so [TARGET] can\n\ttake measurements, but it is still upset at\n\thow you acted earlier.",
|
||||
"5759fbce306f5958d73cd1195eb3a664": "* You open the chest.@BREAK@* Inside you find: @@",
|
||||
"92e18c3bd770506f4312a3ecc4186803": "* Inside the trash can, you find: @@",
|
||||
"e3408388e018767f3f8b86751cfe55fb": "* It was added to your@BREAK@ @@ pocket",
|
||||
"6239722756ca53400e8949b151a1bedc": "* But your inventory was full.",
|
||||
"771064405652b2e16b6ff9ef65b48a0d": "* Someone is watching.",
|
||||
"600b713a8288cd6a3269d7048943812f": "* Someone stands in your way.",
|
||||
"08e1c817c9908278401d434d7211b6a7": "* There is no one around.\n* ...And yet...",
|
||||
"4eed1b14ffb962181f6e93a16f0cb178": "* You tried to CHECK, but the entity\n\tdid not let you.",
|
||||
"901a3a8fd80cadf1746703dd71452dd6": "* You tried moving back.\n* But your body refused to move.",
|
||||
"a8ca3b98a5198c763d3762148e66e0f9": "* Move Forward",
|
||||
"16cd8b89cce6b9a5223058417149b39e": "* Move Back",
|
||||
"e00117335a1e4e72bd369a9c0f26f24b": "* Check"
|
||||
}
|
Reference in New Issue
Block a user