An emulator, assembler, and disassembler for the Sega Game Gear
Vous ne pouvez pas sélectionner plus de 25 sujets Les noms de sujets doivent commencer par une lettre ou un nombre, peuvent contenir des tirets ('-') et peuvent comporter jusqu'à 35 caractères.
 
 
 
 
 

326 lignes
11 KiB

  1. #!/usr/bin/env python
  2. # -*- coding: utf-8 -*-
  3. # Copyright (C) 2014-2015 Ben Kurtovic <ben.kurtovic@gmail.com>
  4. # Released under the terms of the MIT License. See LICENSE for details.
  5. """
  6. This script generates 'src/assembler/instructions.inc.c' from
  7. 'src/assembler/instructions.yml'. It should be run automatically by make
  8. when the latter is modified, but can also be run manually.
  9. """
  10. from __future__ import print_function
  11. from itertools import product
  12. import re
  13. import time
  14. SOURCE = "src/assembler/instructions.yml"
  15. DEST = "src/assembler/instructions.inc.c"
  16. ENCODING = "utf8"
  17. TAB = " " * 4
  18. try:
  19. import yaml
  20. except ImportError:
  21. print("Error: PyYAML is required (https://pypi.python.org/pypi/PyYAML)\n"
  22. "If you don't want to rebuild {0}, do:\n`make -t {0}`".format(DEST))
  23. exit(1)
  24. re_date = re.compile(r"^(\s*@AUTOGEN_DATE\s*)(.*?)$", re.M)
  25. re_inst = re.compile(
  26. r"(/\* @AUTOGEN_INST_BLOCK_START \*/\n*)(.*?)"
  27. r"(\n*/\* @AUTOGEN_INST_BLOCK_END \*/)", re.S)
  28. re_lookup = re.compile(
  29. r"(/\* @AUTOGEN_LOOKUP_BLOCK_START \*/\n*)(.*?)"
  30. r"(\n*/\* @AUTOGEN_LOOKUP_BLOCK_END \*/)", re.S)
  31. class Instruction(object):
  32. """
  33. Represent a single ASM instruction mnemonic.
  34. """
  35. ARG_TYPES = {
  36. "register": "AT_REGISTER",
  37. "immediate": "AT_IMMEDIATE",
  38. "indirect": "AT_INDIRECT",
  39. "indexed": "AT_INDEXED",
  40. "condition": "AT_CONDITION",
  41. "port": "AT_PORT"
  42. }
  43. PSEUDO_TYPES = {
  44. "indirect_hl_or_indexed": ["AT_INDIRECT", "AT_INDEXED"]
  45. }
  46. def __init__(self, name, data):
  47. self._name = name
  48. self._data = data
  49. def _get_arg_parse_mask(self, num):
  50. """
  51. Return the appropriate mask to parse_args() for the num-th argument.
  52. """
  53. types = set()
  54. optional = False
  55. for case in self._data["cases"]:
  56. if num < len(case["type"]):
  57. atype = case["type"][num]
  58. if atype in self.ARG_TYPES:
  59. types.add(self.ARG_TYPES[atype])
  60. else:
  61. types.update(self.PSEUDO_TYPES[atype])
  62. else:
  63. optional = True
  64. if not types:
  65. return "AT_NONE"
  66. if optional:
  67. types.add("AT_OPTIONAL")
  68. return "|".join(types)
  69. def _handle_return(self, ret, indent=1):
  70. """
  71. Return code to handle an instruction return statement.
  72. """
  73. data = ", ".join("0x%02X" % byte if isinstance(byte, int) else byte
  74. for byte in ret)
  75. return TAB * indent + "INST_RETURN({0}, {1})".format(len(ret), data)
  76. def _build_case_type_check(self, args):
  77. """
  78. Return the test part of an if statement for an instruction case.
  79. """
  80. conds = ["INST_TYPE({0}) == {1}".format(i, self.ARG_TYPES[cond])
  81. for i, cond in enumerate(args)]
  82. return "INST_NARGS == {0} && {1}".format(len(args), " && ".join(conds))
  83. def _build_register_check(self, num, cond):
  84. """
  85. Return an expression to check for a particular register value.
  86. """
  87. return "INST_REG({0}) == REG_{1}".format(num, cond.upper())
  88. def _build_immediate_check(self, num, cond):
  89. """
  90. Return an expression to check for a particular immediate value.
  91. """
  92. # TODO: also allow direct value comparisons here
  93. return "INST_IMM({0}).mask & IMM_{1}".format(num, cond.upper())
  94. def _build_indirect_check(self, num, cond):
  95. """
  96. Return an expression to check for a particular indirect value.
  97. """
  98. if cond.startswith("reg."):
  99. test1 = "INST_INDIRECT({0}).type == AT_REGISTER".format(num)
  100. test2 = "INST_INDIRECT({0}).addr.reg == REG_{1}".format(
  101. num, cond[len("reg."):].upper())
  102. return "({0} && {1})".format(test1, test2)
  103. # TODO
  104. err = "Unknown condition for indirect argument: {0}"
  105. return RuntimeError(err.format(cond))
  106. def _build_indexed_check(self, num, cond):
  107. """
  108. Return an expression to check for a particular indexed value.
  109. """
  110. raise RuntimeError("The indexed arg type does not support conditions")
  111. def _build_condition_check(self, num, cond):
  112. """
  113. Return an expression to check for a particular condition value.
  114. """
  115. return "INST_COND({0}) == COND_{1}".format(num, cond.upper())
  116. def _build_port_check(self, num, cond):
  117. """
  118. Return an expression to check for a particular port value.
  119. """
  120. # TODO
  121. err = "Unknown condition for port argument: {0}"
  122. return RuntimeError(err.format(cond))
  123. _SUBCASE_LOOKUP_TABLE = {
  124. "register": _build_register_check,
  125. "immediate": _build_immediate_check,
  126. "indirect": _build_indirect_check,
  127. "indexed": _build_indexed_check,
  128. "condition": _build_condition_check,
  129. "port": _build_port_check
  130. }
  131. def _build_subcase_check(self, types, conds):
  132. """
  133. Return the test part of an if statement for an instruction subcase.
  134. """
  135. return " && ".join(self._SUBCASE_LOOKUP_TABLE[types[i]](self, i, cond)
  136. for i, cond in enumerate(conds) if cond != "_")
  137. def _iter_permutations(self, types, conds):
  138. """
  139. Iterate over all permutations of the given subcase conditions.
  140. """
  141. def split(typ, cond):
  142. if "|" in cond:
  143. sets = [split(typ, c) for c in cond.split("|")]
  144. return {choice for s in sets for choice in s}
  145. if typ == "register" and cond == "ih":
  146. return {"ixh", "iyh"}
  147. if typ == "register" and cond == "il":
  148. return {"ixl", "iyl"}
  149. return {cond}
  150. return product(*(split(types[i], cond)
  151. for i, cond in enumerate(conds)))
  152. def _adapt_return(self, types, conds, ret):
  153. """
  154. Return a modified byte list to accomodate for prefixes and immediates.
  155. """
  156. ret = ret[:]
  157. for i, byte in enumerate(ret):
  158. if not isinstance(byte, int):
  159. if byte == "u8":
  160. imm = types.index("immediate")
  161. ret[i] = "INST_IMM({0}).uval".format(imm)
  162. else:
  163. msg = "Unsupported return byte: {0}"
  164. raise RuntimeError(msg.format(byte))
  165. for i, cond in enumerate(conds):
  166. if types[i] == "register" and cond.startswith("ix"):
  167. ret.insert(0, "INST_IX_PREFIX")
  168. elif types[i] == "register" and cond.startswith("iy"):
  169. ret.insert(0, "INST_IY_PREFIX")
  170. elif types[i] == "indexed":
  171. ret.insert(0, "INST_INDEX_PREFIX({0})".format(i))
  172. ret.append("INST_INDEX({0}).offset".format(i))
  173. return ret
  174. def _handle_pseudo_case(self, pseudo, case):
  175. """
  176. Return code to handle an instruction pseudo-case.
  177. Pseudo-cases are cases that have pseudo-types as arguments. This means
  178. they are expanded to cover multiple "real" argument types.
  179. """
  180. index = case["type"].index(pseudo)
  181. if pseudo == "indirect_hl_or_indexed":
  182. case["type"][index] = "indexed"
  183. indexed = self._handle_case(case)
  184. case["type"][index] = "indirect"
  185. for subcase in case["cases"]:
  186. if subcase["cond"][index] != "_":
  187. raise RuntimeError(
  188. "indirect_hl_or_indexed pseudo-type requires a "
  189. "wildcard (_) in all corresponding conditionals")
  190. subcase["cond"][index] = "reg.hl"
  191. return self._handle_case(case) + indexed
  192. raise RuntimeError("Unknown pseudo-type: {0}".format(pseudo))
  193. def _handle_case(self, case):
  194. """
  195. Return code to handle an instruction case.
  196. """
  197. for pseudo in self.PSEUDO_TYPES:
  198. if pseudo in case["type"]:
  199. return self._handle_pseudo_case(pseudo, case)
  200. lines = []
  201. cond = self._build_case_type_check(case["type"])
  202. lines.append(TAB + "if ({0}) {{".format(cond))
  203. for subcase in case["cases"]:
  204. for perm in self._iter_permutations(case["type"], subcase["cond"]):
  205. cond = self._build_subcase_check(case["type"], perm)
  206. ret = self._adapt_return(case["type"], perm, subcase["return"])
  207. lines.append(TAB * 2 + "if ({0})".format(cond))
  208. lines.append(self._handle_return(ret, 3))
  209. lines.append(TAB * 2 + "INST_ERROR(ARG_VALUE)")
  210. lines.append(TAB + "}")
  211. return lines
  212. def render(self):
  213. """
  214. Convert data for an individual instruction into a C parse function.
  215. """
  216. lines = []
  217. if self._data["args"]:
  218. lines.append("{tab}INST_TAKES_ARGS(\n{tab2}{0}, \n{tab2}{1}, "
  219. "\n{tab2}{2}\n{tab})".format(
  220. self._get_arg_parse_mask(0), self._get_arg_parse_mask(1),
  221. self._get_arg_parse_mask(2), tab=TAB, tab2=TAB * 2))
  222. else:
  223. lines.append(TAB + "INST_TAKES_NO_ARGS")
  224. if "return" in self._data:
  225. lines.append(self._handle_return(self._data["return"]))
  226. elif "cases" in self._data:
  227. for case in self._data["cases"]:
  228. lines.extend(self._handle_case(case))
  229. lines.append(TAB + "INST_ERROR(ARG_TYPE)")
  230. else:
  231. msg = "Missing return or case block for {0} instruction"
  232. raise RuntimeError(msg.format(self._name))
  233. contents = "\n".join(lines)
  234. return "INST_FUNC({0})\n{{\n{1}\n}}".format(self._name, contents)
  235. def build_inst_block(data):
  236. """
  237. Return the instruction parser block, given instruction data.
  238. """
  239. return "\n\n".join(
  240. Instruction(k, v).render() for k, v in sorted(data.items()))
  241. def build_lookup_block(data):
  242. """
  243. Return the instruction lookup block, given instruction data.
  244. """
  245. macro = TAB + "HANDLE({0})"
  246. return "\n".join(macro.format(inst) for inst in sorted(data.keys()))
  247. def process(template, data):
  248. """
  249. Return C code generated from a source template and instruction data.
  250. """
  251. inst_block = build_inst_block(data)
  252. lookup_block = build_lookup_block(data)
  253. date = time.asctime(time.gmtime())
  254. result = re_date.sub(r"\1{0} UTC".format(date), template)
  255. result = re_inst.sub(r"\1{0}\3".format(inst_block), result)
  256. result = re_lookup.sub(r"\1{0}\3".format(lookup_block), result)
  257. return result
  258. def main():
  259. """
  260. Main script entry point.
  261. """
  262. with open(SOURCE, "r") as fp:
  263. text = fp.read().decode(ENCODING)
  264. with open(DEST, "r") as fp:
  265. template = fp.read().decode(ENCODING)
  266. data = yaml.load(text)
  267. result = process(template, data)
  268. # with open(DEST, "w") as fp:
  269. # fp.write(result.encode(ENCODING))
  270. print(result) # TODO: remove me!
  271. if __name__ == "__main__":
  272. main()