import java.io.* enum class OpCode(val opcode: Int, val useM: Boolean, val useADR: Boolean, val useReg: Boolean = true) { LOAD(0, true, true), STORE(1, true, true), ADD(2, true, true), SUB(3, true, true), AND(4, true, true), LSR(5, true, true), BRA(6, false, true), BNE(7, false, true), CMP(8, true, false), BEQ(9, false, true), HALT(15, false, false, false); companion object { fun fromString(name: String) = OpCode.values().firstOrNull{ it.name == name } } } enum class Mode(val id: Int) { DIRECT(0), IMMEDIATE(1), INDIRECT(2), INDEXED(3) } abstract class Instruction(val words: Int) { abstract fun getData(insns: Iterable): ShortArray } class Label(val name: String): Instruction(0) { override fun getData(insns: Iterable) = ShortArray(0) } class Operation(val code: OpCode, val reg: Int, val m: Mode, val adr: AddressReference, val immediate: Short? = null): Instruction(if(m == Mode.IMMEDIATE) 2 else 1) { constructor(code: OpCode, reg: Int): this(code, reg, Mode.DIRECT, AddressReference(0)){ if(code.useM || code.useADR) throw IllegalArgumentException("Not enough parameters specified for instruction: ${code.name}") } constructor(code: OpCode, m: Mode, adr: AddressReference, immediate: Short? = null): this(code, 0, m, adr, immediate){ if(code.useReg) throw IllegalArgumentException("Not enough parameters specified for instruction: ${code.name}") } constructor(code: OpCode): this(code, 0, Mode.DIRECT, AddressReference(0)){ if(code.useM || code.useADR || code.useReg) throw IllegalArgumentException("Not enough parameters specified for instruction: ${code.name}") } init { if(m == Mode.IMMEDIATE && immediate == null) throw IllegalArgumentException("No immediate argument passed!") } override fun getData(insns: Iterable): ShortArray { val array = ShortArray(words) array[0] = code.opcode .and(0b1111) .shl(12) .or( if(code.useReg) reg.and(0b11).shl(10) else 0 ) .or( if(code.useM) m.id.and(0b11).shl(8) else 0 ) .or( if(code.useADR) adr.getAddress(insns).and(0b11111111) else 0 ) .toShort() if(m == Mode.IMMEDIATE) array[1] = immediate!! return array } } class AddressReference(private val label: Label?, private val absolute: Int?) { constructor(label: Label): this(label, null) constructor(absolute: Int): this(null, absolute) fun getAddress(insns: Iterable): Int { if(absolute != null) return absolute var addrOff = 0 for(insn in insns) if(insn == label) return addrOff else addrOff += insn.words throw RuntimeException("Found reference to undeclared label!") } } class CompilationUnit { private val instructions = ArrayList() private val labels = ArrayList