Major Refactor: Make invalid states unrepresentable™️

- Rewrote the instruction decoder as an enum
- Used imperative_rs to auto-generate the bit twiddling logic
- Implemented Display on that enum, for disassembly
- Rewrote CPU::tick
  - Now >10x faster
  - Disassembly mode is still 5x slower though
- Implemented time-based benchmarking
  - (use option -S to set the number of instructions per epoch)
This commit is contained in:
John 2023-03-30 08:27:06 -05:00
parent 8ab9799913
commit cc3bc3a7fe
11 changed files with 200 additions and 661 deletions

View File

@ -4,7 +4,7 @@ test:
cargo test --doc && cargo nextest run cargo test --doc && cargo nextest run
chirp: chirp:
cargo run --bin chirp -- tests/chip8-test-suite/bin/chip8-test-suite.ch8 cargo run --bin chirp-minifb -- tests/chip8-test-suite/bin/chip8-test-suite.ch8
cover: cover:
cargo llvm-cov --open --doctests cargo llvm-cov --open --doctests

View File

@ -127,27 +127,36 @@ impl State {
state.ch8.bus.write(0x1feu16, options.data); state.ch8.bus.write(0x1feu16, options.data);
Ok(state) Ok(state)
} }
fn keys(&mut self) -> Option<()> { fn keys(&mut self) -> Result<Option<()>> {
self.ui.keys(&mut self.ch8) self.ui.keys(&mut self.ch8)
} }
fn frame(&mut self) -> Option<()> { fn frame(&mut self) -> Option<()> {
self.ui.frame(&mut self.ch8) self.ui.frame(&mut self.ch8)
} }
fn tick_cpu(&mut self) { fn tick_cpu(&mut self) -> Result<()> {
if !self.ch8.cpu.flags.pause { if !self.ch8.cpu.flags.pause {
let rate = self.speed; let rate = self.speed;
match self.step { match self.step {
Some(ticks) => { Some(ticks) => {
self.ch8.cpu.multistep(&mut self.ch8.bus, ticks); let time = Instant::now();
self.ch8.cpu.multistep(&mut self.ch8.bus, ticks)?;
let time = time.elapsed();
let nspt = time.as_secs_f64() / ticks as f64;
eprintln!(
"{ticks},\t{time:.05?},\t{:.4}nspt,\t{}ipf",
nspt * 1_000_000_000.0,
((1.0 / 60.0f64) / nspt).trunc(),
);
// Pause the CPU and clear step // Pause the CPU and clear step
self.ch8.cpu.flags.pause = true; //self.ch8.cpu.flags.pause = true;
self.step = None; //self.step = None;
} }
None => { None => {
self.ch8.cpu.multistep(&mut self.ch8.bus, rate); self.ch8.cpu.multistep(&mut self.ch8.bus, rate)?;
} }
} }
} }
Ok(())
} }
fn wait_for_next_frame(&mut self) { fn wait_for_next_frame(&mut self) {
let rate = 1_000_000_000 / self.rate + 1; let rate = 1_000_000_000 / self.rate + 1;
@ -161,8 +170,8 @@ impl Iterator for State {
fn next(&mut self) -> Option<Self::Item> { fn next(&mut self) -> Option<Self::Item> {
self.wait_for_next_frame(); self.wait_for_next_frame();
self.keys()?; self.keys().unwrap_or_else(|_| None)?;
self.tick_cpu(); self.tick_cpu().ok()?;
self.frame(); self.frame();
Some(()) Some(())
} }

View File

@ -13,10 +13,13 @@ pub trait Disassembler {
} }
pub mod disassembler; pub mod disassembler;
pub mod old_disassembler;
use self::disassembler::Dis; use self::disassembler::{Dis, Insn};
use crate::bus::{Bus, Read, Region, Write}; use crate::{
bus::{Bus, Read, Region, Write},
error::Result,
};
use imperative_rs::InstructionSet;
use owo_colors::OwoColorize; use owo_colors::OwoColorize;
use rand::random; use rand::random;
use std::time::Instant; use std::time::Instant;
@ -123,6 +126,22 @@ impl ControlFlags {
} }
} }
#[derive(Clone, Copy, Debug, PartialEq, Eq)]
struct Timers {
frame: Instant,
insn: Instant,
}
impl Default for Timers {
fn default() -> Self {
let now = Instant::now();
Self {
frame: now,
insn: now,
}
}
}
/// Represents the internal state of the CPU interpreter /// Represents the internal state of the CPU interpreter
#[derive(Clone, Debug, PartialEq)] #[derive(Clone, Debug, PartialEq)]
pub struct CPU { pub struct CPU {
@ -142,7 +161,7 @@ pub struct CPU {
// I/O // I/O
keys: [bool; 16], keys: [bool; 16],
// Execution data // Execution data
timer: Instant, timers: Timers,
cycle: usize, cycle: usize,
breakpoints: Vec<Adr>, breakpoints: Vec<Adr>,
disassembler: Dis, disassembler: Dis,
@ -160,7 +179,7 @@ impl CPU {
/// 0x50, // font location /// 0x50, // font location
/// 0x200, // start of program /// 0x200, // start of program
/// 0xefe, // top of stack /// 0xefe, // top of stack
/// Disassemble::default(), /// Dis::default(),
/// vec![], // Breakpoints /// vec![], // Breakpoints
/// ControlFlags::default() /// ControlFlags::default()
/// ); /// );
@ -343,7 +362,7 @@ impl CPU {
/// 0x50, /// 0x50,
/// 0x340, /// 0x340,
/// 0xefe, /// 0xefe,
/// Disassemble::default(), /// Dis::default(),
/// vec![], /// vec![],
/// ControlFlags::default() /// ControlFlags::default()
/// ); /// );
@ -419,18 +438,18 @@ impl CPU {
/// ], /// ],
/// Screen [0x0f00..0x1000], /// Screen [0x0f00..0x1000],
/// }; /// };
/// cpu.singlestep(&mut bus); /// cpu.singlestep(&mut bus)?;
/// assert_eq!(0x202, cpu.pc()); /// assert_eq!(0x202, cpu.pc());
/// assert_eq!(1, cpu.cycle()); /// assert_eq!(1, cpu.cycle());
///# Ok(()) ///# Ok(())
///# } ///# }
/// ``` /// ```
pub fn singlestep(&mut self, bus: &mut Bus) -> &mut Self { pub fn singlestep(&mut self, bus: &mut Bus) -> Result<&mut Self> {
self.flags.pause = false; self.flags.pause = false;
self.tick(bus); self.tick(bus)?;
self.flags.vbi_wait = false; self.flags.vbi_wait = false;
self.flags.pause = true; self.flags.pause = true;
self Ok(self)
} }
/// Unpauses the emulator for `steps` ticks /// Unpauses the emulator for `steps` ticks
@ -448,18 +467,18 @@ impl CPU {
/// ], /// ],
/// Screen [0x0f00..0x1000], /// Screen [0x0f00..0x1000],
/// }; /// };
/// cpu.multistep(&mut bus, 0x20); /// cpu.multistep(&mut bus, 0x20)?;
/// assert_eq!(0x202, cpu.pc()); /// assert_eq!(0x202, cpu.pc());
/// assert_eq!(0x20, cpu.cycle()); /// assert_eq!(0x20, cpu.cycle());
///# Ok(()) ///# Ok(())
///# } ///# }
/// ``` /// ```
pub fn multistep(&mut self, bus: &mut Bus, steps: usize) -> &mut Self { pub fn multistep(&mut self, bus: &mut Bus, steps: usize) -> Result<&mut Self> {
for _ in 0..steps { for _ in 0..steps {
self.tick(bus); self.tick(bus)?;
self.vertical_blank(); self.vertical_blank();
} }
self Ok(self)
} }
/// Simulates vertical blanking /// Simulates vertical blanking
@ -471,6 +490,7 @@ impl CPU {
/// - Subtracts the elapsed time in fractions of a frame /// - Subtracts the elapsed time in fractions of a frame
/// from st/dt /// from st/dt
/// - Disables framepause if the duration exceeds that of a frame /// - Disables framepause if the duration exceeds that of a frame
#[inline(always)]
pub fn vertical_blank(&mut self) -> &mut Self { pub fn vertical_blank(&mut self) -> &mut Self {
if self.flags.pause { if self.flags.pause {
return self; return self;
@ -480,14 +500,15 @@ impl CPU {
if self.flags.vbi_wait { if self.flags.vbi_wait {
self.flags.vbi_wait = !(self.cycle % speed == 0); self.flags.vbi_wait = !(self.cycle % speed == 0);
} }
self.delay -= 1.0 / speed as f64; let speed = 1.0 / speed as f64;
self.sound -= 1.0 / speed as f64; self.delay -= speed;
self.sound -= speed;
return self; return self;
}; };
// Convert the elapsed time to 60ths of a second // Convert the elapsed time to 60ths of a second
let time = self.timer.elapsed().as_secs_f64() * 60.0; let time = self.timers.frame.elapsed().as_secs_f64() * 60.0;
self.timer = Instant::now(); self.timers.frame = Instant::now();
if time > 1.0 { if time > 1.0 {
self.flags.vbi_wait = false; self.flags.vbi_wait = false;
} }
@ -513,7 +534,7 @@ impl CPU {
/// ], /// ],
/// Screen [0x0f00..0x1000], /// Screen [0x0f00..0x1000],
/// }; /// };
/// cpu.tick(&mut bus); /// cpu.tick(&mut bus)?;
/// assert_eq!(0x202, cpu.pc()); /// assert_eq!(0x202, cpu.pc());
/// assert_eq!(1, cpu.cycle()); /// assert_eq!(1, cpu.cycle());
///# Ok(()) ///# Ok(())
@ -534,162 +555,93 @@ impl CPU {
/// ], /// ],
/// Screen [0x0f00..0x1000], /// Screen [0x0f00..0x1000],
/// }; /// };
/// cpu.multistep(&mut bus, 0x10); // panics! /// cpu.tick(&mut bus)?; // panics!
///# Ok(()) ///# Ok(())
///# } ///# }
/// ``` /// ```
pub fn tick(&mut self, bus: &mut Bus) -> &mut Self { pub fn tick(&mut self, bus: &mut Bus) -> Result<&mut Self> {
// Do nothing if paused // Do nothing if paused
if self.flags.pause || self.flags.vbi_wait || self.flags.keypause { if self.flags.pause || self.flags.vbi_wait || self.flags.keypause {
// always tick in test mode // always tick in test mode
if self.flags.monotonic.is_some() { if self.flags.monotonic.is_some() {
self.cycle += 1; self.cycle += 1;
} }
return self; return Ok(self);
} }
self.cycle += 1; self.cycle += 1;
// fetch opcode // fetch opcode
let opcode: u16 = bus.read(self.pc); let opcode: &[u8; 2] = if let Some(slice) = bus.get(self.pc as usize..self.pc as usize + 2)
let pc = self.pc; {
slice.try_into()?
} else {
return Err(crate::error::Error::InvalidBusRange {
range: self.pc as usize..self.pc as usize + 2,
});
};
// DINC pc
self.pc = self.pc.wrapping_add(2);
// decode opcode
use old_disassembler::{a, b, i, n, x, y};
let (i, x, y, n, b, a) = (
i(opcode),
x(opcode),
y(opcode),
n(opcode),
b(opcode),
a(opcode),
);
match i {
// # Issue a system call
// |opcode| effect |
// |------|------------------------------------|
// | 00e0 | Clear screen memory to all 0 |
// | 00ee | Return from subroutine |
0x0 => match a {
0x0e0 => self.clear_screen(bus),
0x0ee => self.ret(bus),
_ => self.sys(a),
},
// | 1aaa | Sets pc to an absolute address
0x1 => self.jump(a),
// | 2aaa | Pushes pc onto the stack, then jumps to a
0x2 => self.call(a, bus),
// | 3xbb | Skips next instruction if register X == b
0x3 => self.skip_equals_immediate(x, b),
// | 4xbb | Skips next instruction if register X != b
0x4 => self.skip_not_equals_immediate(x, b),
// # Performs a register-register comparison
// |opcode| effect |
// |------|------------------------------------|
// | 9XY0 | Skip next instruction if vX == vY |
0x5 => match n {
0x0 => self.skip_equals(x, y),
_ => self.unimplemented(opcode),
},
// 6xbb: Loads immediate byte b into register vX
0x6 => self.load_immediate(x, b),
// 7xbb: Adds immediate byte b to register vX
0x7 => self.add_immediate(x, b),
// # Performs ALU operation
// |opcode| effect |
// |------|------------------------------------|
// | 8xy0 | Y = X |
// | 8xy1 | X = X | Y |
// | 8xy2 | X = X & Y |
// | 8xy3 | X = X ^ Y |
// | 8xy4 | X = X + Y; Set vF=carry |
// | 8xy5 | X = X - Y; Set vF=carry |
// | 8xy6 | X = X >> 1 |
// | 8xy7 | X = Y - X; Set vF=carry |
// | 8xyE | X = X << 1 |
0x8 => match n {
0x0 => self.load(x, y),
0x1 => self.or(x, y),
0x2 => self.and(x, y),
0x3 => self.xor(x, y),
0x4 => self.add(x, y),
0x5 => self.sub(x, y),
0x6 => self.shift_right(x, y),
0x7 => self.backwards_sub(x, y),
0xE => self.shift_left(x, y),
_ => self.unimplemented(opcode),
},
// # Performs a register-register comparison
// |opcode| effect |
// |------|------------------------------------|
// | 9XY0 | Skip next instruction if vX != vY |
0x9 => match n {
0 => self.skip_not_equals(x, y),
_ => self.unimplemented(opcode),
},
// Aaaa: Load address #a into register I
0xa => self.load_i_immediate(a),
// Baaa: Jump to &adr + v0
0xb => self.jump_indexed(a),
// Cxbb: Stores a random number + the provided byte into vX
0xc => self.rand(x, b),
// Dxyn: Draws n-byte sprite to the screen at coordinates (vX, vY)
0xd => self.draw(x, y, n, bus),
// # Skips instruction on value of keypress
// |opcode| effect |
// |------|------------------------------------|
// | eX9e | Skip next instruction if key == vX |
// | eXa1 | Skip next instruction if key != vX |
0xe => match b {
0x9e => self.skip_key_equals(x),
0xa1 => self.skip_key_not_equals(x),
_ => self.unimplemented(opcode),
},
// # Performs IO
// |opcode| effect |
// |------|------------------------------------|
// | fX07 | Set vX to value in delay timer |
// | fX0a | Wait for input, store in vX m |
// | fX15 | Set sound timer to the value in vX |
// | fX18 | set delay timer to the value in vX |
// | fX1e | Add x to I |
// | fX29 | Load sprite for character x into I |
// | fX33 | BCD convert X into I[0..3] |
// | fX55 | DMA Stor from I to registers 0..X |
// | fX65 | DMA Load from I to registers 0..X |
0xf => match b {
0x07 => self.load_delay_timer(x),
0x0A => self.wait_for_key(x),
0x15 => self.store_delay_timer(x),
0x18 => self.store_sound_timer(x),
0x1E => self.add_i(x),
0x29 => self.load_sprite(x),
0x33 => self.bcd_convert(x, bus),
0x55 => self.store_dma(x, bus),
0x65 => self.load_dma(x, bus),
_ => self.unimplemented(opcode),
},
_ => unreachable!("Extracted nibble from byte, got >nibble?"),
}
let elapsed = self.timer.elapsed();
// Print opcode disassembly: // Print opcode disassembly:
if self.flags.debug { if self.flags.debug {
std::println!( println!("{:?}", self.timers.insn.elapsed().bright_black());
"{:3} {:03x}: {:<36}{:?}", self.timers.insn = Instant::now();
std::print!(
"{:3} {:03x}: {:<36}",
self.cycle.bright_black(), self.cycle.bright_black(),
pc, self.pc,
self.disassembler.once(opcode), self.disassembler.once(u16::from_be_bytes(*opcode))
elapsed.dimmed()
); );
} }
// decode opcode
if let Ok((inc, insn)) = Insn::decode(opcode) {
self.pc = self.pc.wrapping_add(inc as u16);
match insn {
Insn::cls => self.clear_screen(bus),
Insn::ret => self.ret(bus),
Insn::jmp { A } => self.jump(A),
Insn::call { A } => self.call(A, bus),
Insn::seb { B, x } => self.skip_equals_immediate(x, B),
Insn::sneb { B, x } => self.skip_not_equals_immediate(x, B),
Insn::se { y, x } => self.skip_equals(x, y),
Insn::movb { B, x } => self.load_immediate(x, B),
Insn::addb { B, x } => self.add_immediate(x, B),
Insn::mov { x, y } => self.load(x, y),
Insn::or { y, x } => self.or(x, y),
Insn::and { y, x } => self.and(x, y),
Insn::xor { y, x } => self.xor(x, y),
Insn::add { y, x } => self.add(x, y),
Insn::sub { y, x } => self.sub(x, y),
Insn::shr { y, x } => self.shift_right(x, y),
Insn::bsub { y, x } => self.backwards_sub(x, y),
Insn::shl { y, x } => self.shift_left(x, y),
Insn::sne { y, x } => self.skip_not_equals(x, y),
Insn::movI { A } => self.load_i_immediate(A),
Insn::jmpr { A } => self.jump_indexed(A),
Insn::rand { B, x } => self.rand(x, B),
Insn::draw { x, y, n } => self.draw(x, y, n, bus),
Insn::sek { x } => self.skip_key_equals(x),
Insn::snek { x } => self.skip_key_not_equals(x),
Insn::getdt { x } => self.load_delay_timer(x),
Insn::waitk { x } => self.wait_for_key(x),
Insn::setdt { x } => self.store_delay_timer(x),
Insn::movst { x } => self.store_sound_timer(x),
Insn::addI { x } => self.add_i(x),
Insn::font { x } => self.load_sprite(x),
Insn::bcd { x } => self.bcd_convert(x, bus),
Insn::dmao { x } => self.store_dma(x, bus),
Insn::dmai { x } => self.load_dma(x, bus),
}
} else {
return Err(crate::error::Error::UnimplementedInstruction {
word: u16::from_be_bytes(*opcode),
});
}
// process breakpoints // process breakpoints
if self.breakpoints.contains(&self.pc) { if !self.breakpoints.is_empty() && self.breakpoints.contains(&self.pc) {
self.flags.pause = true; self.flags.pause = true;
} }
self Ok(self)
} }
/// Dumps the current state of all CPU registers, and the cycle count /// Dumps the current state of all CPU registers, and the cycle count
@ -770,7 +722,7 @@ impl Default for CPU {
debug: true, debug: true,
..Default::default() ..Default::default()
}, },
timer: Instant::now(), timers: Default::default(),
breakpoints: vec![], breakpoints: vec![],
disassembler: Dis::default(), disassembler: Dis::default(),
} }
@ -787,18 +739,8 @@ impl Default for CPU {
// | 00e0 | Clear screen memory to all 0 | // | 00e0 | Clear screen memory to all 0 |
// | 00ee | Return from subroutine | // | 00ee | Return from subroutine |
impl CPU { impl CPU {
/// Unused instructions
#[inline]
fn unimplemented(&self, opcode: u16) {
unimplemented!("Opcode: {opcode:04x}")
}
/// 0aaa: Handles a "machine language function call" (lmao)
#[inline]
fn sys(&mut self, a: Adr) {
unimplemented!("SYS\t{a:03x}");
}
/// 00e0: Clears the screen memory to 0 /// 00e0: Clears the screen memory to 0
#[inline] #[inline(always)]
fn clear_screen(&mut self, bus: &mut Bus) { fn clear_screen(&mut self, bus: &mut Bus) {
if let Some(screen) = bus.get_region_mut(Region::Screen) { if let Some(screen) = bus.get_region_mut(Region::Screen) {
for byte in screen { for byte in screen {
@ -807,7 +749,7 @@ impl CPU {
} }
} }
/// 00ee: Returns from subroutine /// 00ee: Returns from subroutine
#[inline] #[inline(always)]
fn ret(&mut self, bus: &impl Read<u16>) { fn ret(&mut self, bus: &impl Read<u16>) {
self.sp = self.sp.wrapping_add(2); self.sp = self.sp.wrapping_add(2);
self.pc = bus.read(self.sp); self.pc = bus.read(self.sp);
@ -817,7 +759,7 @@ impl CPU {
// | 1aaa | Sets pc to an absolute address // | 1aaa | Sets pc to an absolute address
impl CPU { impl CPU {
/// 1aaa: Sets the program counter to an absolute address /// 1aaa: Sets the program counter to an absolute address
#[inline] #[inline(always)]
fn jump(&mut self, a: Adr) { fn jump(&mut self, a: Adr) {
// jump to self == halt // jump to self == halt
if a.wrapping_add(2) == self.pc { if a.wrapping_add(2) == self.pc {
@ -830,7 +772,7 @@ impl CPU {
// | 2aaa | Pushes pc onto the stack, then jumps to a // | 2aaa | Pushes pc onto the stack, then jumps to a
impl CPU { impl CPU {
/// 2aaa: Pushes pc onto the stack, then jumps to a /// 2aaa: Pushes pc onto the stack, then jumps to a
#[inline] #[inline(always)]
fn call(&mut self, a: Adr, bus: &mut impl Write<u16>) { fn call(&mut self, a: Adr, bus: &mut impl Write<u16>) {
bus.write(self.sp, self.pc); bus.write(self.sp, self.pc);
self.sp = self.sp.wrapping_sub(2); self.sp = self.sp.wrapping_sub(2);
@ -841,7 +783,7 @@ impl CPU {
// | 3xbb | Skips next instruction if register X == b // | 3xbb | Skips next instruction if register X == b
impl CPU { impl CPU {
/// 3xbb: Skips the next instruction if register X == b /// 3xbb: Skips the next instruction if register X == b
#[inline] #[inline(always)]
fn skip_equals_immediate(&mut self, x: Reg, b: u8) { fn skip_equals_immediate(&mut self, x: Reg, b: u8) {
if self.v[x] == b { if self.v[x] == b {
self.pc = self.pc.wrapping_add(2); self.pc = self.pc.wrapping_add(2);
@ -852,7 +794,7 @@ impl CPU {
// | 4xbb | Skips next instruction if register X != b // | 4xbb | Skips next instruction if register X != b
impl CPU { impl CPU {
/// 4xbb: Skips the next instruction if register X != b /// 4xbb: Skips the next instruction if register X != b
#[inline] #[inline(always)]
fn skip_not_equals_immediate(&mut self, x: Reg, b: u8) { fn skip_not_equals_immediate(&mut self, x: Reg, b: u8) {
if self.v[x] != b { if self.v[x] != b {
self.pc = self.pc.wrapping_add(2); self.pc = self.pc.wrapping_add(2);
@ -867,7 +809,7 @@ impl CPU {
// | 5XY0 | Skip next instruction if vX == vY | // | 5XY0 | Skip next instruction if vX == vY |
impl CPU { impl CPU {
/// 5xy0: Skips the next instruction if register X != register Y /// 5xy0: Skips the next instruction if register X != register Y
#[inline] #[inline(always)]
fn skip_equals(&mut self, x: Reg, y: Reg) { fn skip_equals(&mut self, x: Reg, y: Reg) {
if self.v[x] == self.v[y] { if self.v[x] == self.v[y] {
self.pc = self.pc.wrapping_add(2); self.pc = self.pc.wrapping_add(2);
@ -878,7 +820,7 @@ impl CPU {
// | 6xbb | Loads immediate byte b into register vX // | 6xbb | Loads immediate byte b into register vX
impl CPU { impl CPU {
/// 6xbb: Loads immediate byte b into register vX /// 6xbb: Loads immediate byte b into register vX
#[inline] #[inline(always)]
fn load_immediate(&mut self, x: Reg, b: u8) { fn load_immediate(&mut self, x: Reg, b: u8) {
self.v[x] = b; self.v[x] = b;
} }
@ -887,7 +829,7 @@ impl CPU {
// | 7xbb | Adds immediate byte b to register vX // | 7xbb | Adds immediate byte b to register vX
impl CPU { impl CPU {
/// 7xbb: Adds immediate byte b to register vX /// 7xbb: Adds immediate byte b to register vX
#[inline] #[inline(always)]
fn add_immediate(&mut self, x: Reg, b: u8) { fn add_immediate(&mut self, x: Reg, b: u8) {
self.v[x] = self.v[x].wrapping_add(b); self.v[x] = self.v[x].wrapping_add(b);
} }
@ -908,7 +850,7 @@ impl CPU {
// | 8xyE | X = X << 1 | // | 8xyE | X = X << 1 |
impl CPU { impl CPU {
/// 8xy0: Loads the value of y into x /// 8xy0: Loads the value of y into x
#[inline] #[inline(always)]
fn load(&mut self, x: Reg, y: Reg) { fn load(&mut self, x: Reg, y: Reg) {
self.v[x] = self.v[y]; self.v[x] = self.v[y];
} }
@ -916,7 +858,7 @@ impl CPU {
/// ///
/// # Quirk /// # Quirk
/// The original chip-8 interpreter will clobber vF for any 8-series instruction /// The original chip-8 interpreter will clobber vF for any 8-series instruction
#[inline] #[inline(always)]
fn or(&mut self, x: Reg, y: Reg) { fn or(&mut self, x: Reg, y: Reg) {
self.v[x] |= self.v[y]; self.v[x] |= self.v[y];
if self.flags.quirks.bin_ops { if self.flags.quirks.bin_ops {
@ -927,7 +869,7 @@ impl CPU {
/// ///
/// # Quirk /// # Quirk
/// The original chip-8 interpreter will clobber vF for any 8-series instruction /// The original chip-8 interpreter will clobber vF for any 8-series instruction
#[inline] #[inline(always)]
fn and(&mut self, x: Reg, y: Reg) { fn and(&mut self, x: Reg, y: Reg) {
self.v[x] &= self.v[y]; self.v[x] &= self.v[y];
if self.flags.quirks.bin_ops { if self.flags.quirks.bin_ops {
@ -938,7 +880,7 @@ impl CPU {
/// ///
/// # Quirk /// # Quirk
/// The original chip-8 interpreter will clobber vF for any 8-series instruction /// The original chip-8 interpreter will clobber vF for any 8-series instruction
#[inline] #[inline(always)]
fn xor(&mut self, x: Reg, y: Reg) { fn xor(&mut self, x: Reg, y: Reg) {
self.v[x] ^= self.v[y]; self.v[x] ^= self.v[y];
if self.flags.quirks.bin_ops { if self.flags.quirks.bin_ops {
@ -946,14 +888,14 @@ impl CPU {
} }
} }
/// 8xy4: Performs addition of vX and vY, and stores the result in vX /// 8xy4: Performs addition of vX and vY, and stores the result in vX
#[inline] #[inline(always)]
fn add(&mut self, x: Reg, y: Reg) { fn add(&mut self, x: Reg, y: Reg) {
let carry; let carry;
(self.v[x], carry) = self.v[x].overflowing_add(self.v[y]); (self.v[x], carry) = self.v[x].overflowing_add(self.v[y]);
self.v[0xf] = carry.into(); self.v[0xf] = carry.into();
} }
/// 8xy5: Performs subtraction of vX and vY, and stores the result in vX /// 8xy5: Performs subtraction of vX and vY, and stores the result in vX
#[inline] #[inline(always)]
fn sub(&mut self, x: Reg, y: Reg) { fn sub(&mut self, x: Reg, y: Reg) {
let carry; let carry;
(self.v[x], carry) = self.v[x].overflowing_sub(self.v[y]); (self.v[x], carry) = self.v[x].overflowing_sub(self.v[y]);
@ -963,7 +905,7 @@ impl CPU {
/// ///
/// # Quirk /// # Quirk
/// On the original chip-8 interpreter, this shifts vY and stores the result in vX /// On the original chip-8 interpreter, this shifts vY and stores the result in vX
#[inline] #[inline(always)]
fn shift_right(&mut self, x: Reg, y: Reg) { fn shift_right(&mut self, x: Reg, y: Reg) {
let src: Reg = if self.flags.quirks.shift { y } else { x }; let src: Reg = if self.flags.quirks.shift { y } else { x };
let shift_out = self.v[src] & 1; let shift_out = self.v[src] & 1;
@ -971,7 +913,7 @@ impl CPU {
self.v[0xf] = shift_out; self.v[0xf] = shift_out;
} }
/// 8xy7: Performs subtraction of vY and vX, and stores the result in vX /// 8xy7: Performs subtraction of vY and vX, and stores the result in vX
#[inline] #[inline(always)]
fn backwards_sub(&mut self, x: Reg, y: Reg) { fn backwards_sub(&mut self, x: Reg, y: Reg) {
let carry; let carry;
(self.v[x], carry) = self.v[y].overflowing_sub(self.v[x]); (self.v[x], carry) = self.v[y].overflowing_sub(self.v[x]);
@ -982,7 +924,7 @@ impl CPU {
/// # Quirk /// # Quirk
/// On the original chip-8 interpreter, this would perform the operation on vY /// On the original chip-8 interpreter, this would perform the operation on vY
/// and store the result in vX. This behavior was left out, for now. /// and store the result in vX. This behavior was left out, for now.
#[inline] #[inline(always)]
fn shift_left(&mut self, x: Reg, y: Reg) { fn shift_left(&mut self, x: Reg, y: Reg) {
let src: Reg = if self.flags.quirks.shift { y } else { x }; let src: Reg = if self.flags.quirks.shift { y } else { x };
let shift_out: u8 = self.v[src] >> 7; let shift_out: u8 = self.v[src] >> 7;
@ -998,7 +940,7 @@ impl CPU {
// | 9XY0 | Skip next instruction if vX != vY | // | 9XY0 | Skip next instruction if vX != vY |
impl CPU { impl CPU {
/// 9xy0: Skip next instruction if X != y /// 9xy0: Skip next instruction if X != y
#[inline] #[inline(always)]
fn skip_not_equals(&mut self, x: Reg, y: Reg) { fn skip_not_equals(&mut self, x: Reg, y: Reg) {
if self.v[x] != self.v[y] { if self.v[x] != self.v[y] {
self.pc = self.pc.wrapping_add(2); self.pc = self.pc.wrapping_add(2);
@ -1009,7 +951,7 @@ impl CPU {
// | Aaaa | Load address #a into register I // | Aaaa | Load address #a into register I
impl CPU { impl CPU {
/// Aadr: Load address #adr into register I /// Aadr: Load address #adr into register I
#[inline] #[inline(always)]
fn load_i_immediate(&mut self, a: Adr) { fn load_i_immediate(&mut self, a: Adr) {
self.i = a; self.i = a;
} }
@ -1021,7 +963,7 @@ impl CPU {
/// ///
/// Quirk: /// Quirk:
/// On the Super-Chip, this does stupid shit /// On the Super-Chip, this does stupid shit
#[inline] #[inline(always)]
fn jump_indexed(&mut self, a: Adr) { fn jump_indexed(&mut self, a: Adr) {
let reg = if self.flags.quirks.stupid_jumps { let reg = if self.flags.quirks.stupid_jumps {
a as usize >> 8 a as usize >> 8
@ -1035,7 +977,7 @@ impl CPU {
// | Cxbb | Stores a random number & the provided byte into vX // | Cxbb | Stores a random number & the provided byte into vX
impl CPU { impl CPU {
/// Cxbb: Stores a random number & the provided byte into vX /// Cxbb: Stores a random number & the provided byte into vX
#[inline] #[inline(always)]
fn rand(&mut self, x: Reg, b: u8) { fn rand(&mut self, x: Reg, b: u8) {
self.v[x] = random::<u8>() & b; self.v[x] = random::<u8>() & b;
} }
@ -1047,6 +989,7 @@ impl CPU {
/// ///
/// # Quirk /// # Quirk
/// On the original chip-8 interpreter, this will wait for a VBI /// On the original chip-8 interpreter, this will wait for a VBI
#[inline(always)]
fn draw(&mut self, x: Reg, y: Reg, n: Nib, bus: &mut Bus) { fn draw(&mut self, x: Reg, y: Reg, n: Nib, bus: &mut Bus) {
let (x, y) = (self.v[x] as u16 % 64, self.v[y] as u16 % 32); let (x, y) = (self.v[x] as u16 % 64, self.v[y] as u16 % 32);
if self.flags.quirks.draw_wait { if self.flags.quirks.draw_wait {
@ -1084,7 +1027,7 @@ impl CPU {
// | eXa1 | Skip next instruction if key != vX | // | eXa1 | Skip next instruction if key != vX |
impl CPU { impl CPU {
/// Ex9E: Skip next instruction if key == vX /// Ex9E: Skip next instruction if key == vX
#[inline] #[inline(always)]
fn skip_key_equals(&mut self, x: Reg) { fn skip_key_equals(&mut self, x: Reg) {
let x = self.v[x] as usize; let x = self.v[x] as usize;
if self.keys[x] { if self.keys[x] {
@ -1092,7 +1035,7 @@ impl CPU {
} }
} }
/// ExaE: Skip next instruction if key != vX /// ExaE: Skip next instruction if key != vX
#[inline] #[inline(always)]
fn skip_key_not_equals(&mut self, x: Reg) { fn skip_key_not_equals(&mut self, x: Reg) {
let x = self.v[x] as usize; let x = self.v[x] as usize;
if !self.keys[x] { if !self.keys[x] {
@ -1119,12 +1062,12 @@ impl CPU {
/// ```py /// ```py
/// vX = DT /// vX = DT
/// ``` /// ```
#[inline] #[inline(always)]
fn load_delay_timer(&mut self, x: Reg) { fn load_delay_timer(&mut self, x: Reg) {
self.v[x] = self.delay as u8; self.v[x] = self.delay as u8;
} }
/// Fx0A: Wait for key, then vX = K /// Fx0A: Wait for key, then vX = K
#[inline] #[inline(always)]
fn wait_for_key(&mut self, x: Reg) { fn wait_for_key(&mut self, x: Reg) {
if let Some(key) = self.flags.lastkey { if let Some(key) = self.flags.lastkey {
self.v[x] = key as u8; self.v[x] = key as u8;
@ -1138,7 +1081,7 @@ impl CPU {
/// ```py /// ```py
/// DT = vX /// DT = vX
/// ``` /// ```
#[inline] #[inline(always)]
fn store_delay_timer(&mut self, x: Reg) { fn store_delay_timer(&mut self, x: Reg) {
self.delay = self.v[x] as f64; self.delay = self.v[x] as f64;
} }
@ -1146,7 +1089,7 @@ impl CPU {
/// ```py /// ```py
/// ST = vX; /// ST = vX;
/// ``` /// ```
#[inline] #[inline(always)]
fn store_sound_timer(&mut self, x: Reg) { fn store_sound_timer(&mut self, x: Reg) {
self.sound = self.v[x] as f64; self.sound = self.v[x] as f64;
} }
@ -1154,7 +1097,7 @@ impl CPU {
/// ```py /// ```py
/// I += vX; /// I += vX;
/// ``` /// ```
#[inline] #[inline(always)]
fn add_i(&mut self, x: Reg) { fn add_i(&mut self, x: Reg) {
self.i += self.v[x] as u16; self.i += self.v[x] as u16;
} }
@ -1162,12 +1105,12 @@ impl CPU {
/// ```py /// ```py
/// I = sprite(X); /// I = sprite(X);
/// ``` /// ```
#[inline] #[inline(always)]
fn load_sprite(&mut self, x: Reg) { fn load_sprite(&mut self, x: Reg) {
self.i = self.font + (5 * (self.v[x] as Adr % 0x10)); self.i = self.font + (5 * (self.v[x] as Adr % 0x10));
} }
/// Fx33: BCD convert X into I`[0..3]` /// Fx33: BCD convert X into I`[0..3]`
#[inline] #[inline(always)]
fn bcd_convert(&mut self, x: Reg, bus: &mut Bus) { fn bcd_convert(&mut self, x: Reg, bus: &mut Bus) {
let x = self.v[x]; let x = self.v[x];
bus.write(self.i.wrapping_add(2), x % 10); bus.write(self.i.wrapping_add(2), x % 10);
@ -1179,7 +1122,7 @@ impl CPU {
/// # Quirk /// # Quirk
/// The original chip-8 interpreter uses I to directly index memory, /// The original chip-8 interpreter uses I to directly index memory,
/// with the side effect of leaving I as I+X+1 after the transfer is done. /// with the side effect of leaving I as I+X+1 after the transfer is done.
#[inline] #[inline(always)]
fn store_dma(&mut self, x: Reg, bus: &mut Bus) { fn store_dma(&mut self, x: Reg, bus: &mut Bus) {
let i = self.i as usize; let i = self.i as usize;
for (reg, value) in bus for (reg, value) in bus
@ -1199,7 +1142,7 @@ impl CPU {
/// # Quirk /// # Quirk
/// The original chip-8 interpreter uses I to directly index memory, /// The original chip-8 interpreter uses I to directly index memory,
/// with the side effect of leaving I as I+X+1 after the transfer is done. /// with the side effect of leaving I as I+X+1 after the transfer is done.
#[inline] #[inline(always)]
fn load_dma(&mut self, x: Reg, bus: &mut Bus) { fn load_dma(&mut self, x: Reg, bus: &mut Bus) {
let i = self.i as usize; let i = self.i as usize;
for (reg, value) in bus for (reg, value) in bus

View File

@ -6,7 +6,7 @@ use owo_colors::{OwoColorize, Style};
use std::fmt::Display; use std::fmt::Display;
#[allow(non_camel_case_types, non_snake_case, missing_docs)] #[allow(non_camel_case_types, non_snake_case, missing_docs)]
#[derive(Clone, Copy, InstructionSet, PartialEq, Eq, PartialOrd, Ord, Hash)] #[derive(Clone, Copy, InstructionSet)]
/// Implements a Disassembler using imperative_rs /// Implements a Disassembler using imperative_rs
pub enum Insn { pub enum Insn {
/// | 00e0 | Clear screen memory to 0s /// | 00e0 | Clear screen memory to 0s
@ -68,10 +68,10 @@ pub enum Insn {
sne { y: usize, x: usize }, sne { y: usize, x: usize },
/// | Aaaa | Load address #a into register I /// | Aaaa | Load address #a into register I
#[opcode = "0xaAAA"] #[opcode = "0xaAAA"]
movI { A: usize }, movI { A: u16 },
/// | Baaa | Jump to &adr + v0 /// | Baaa | Jump to &adr + v0
#[opcode = "0xbAAA"] #[opcode = "0xbAAA"]
jmpr { A: usize }, jmpr { A: u16 },
/// | Cxbb | Stores a random number & the provided byte into vX /// | Cxbb | Stores a random number & the provided byte into vX
#[opcode = "0xcxBB"] #[opcode = "0xcxBB"]
rand { B: u8, x: usize }, rand { B: u8, x: usize },

View File

@ -1,423 +0,0 @@
// (c) 2023 John A. Breaux
// This code is licensed under MIT license (see LICENSE.txt for details)
//! A disassembler for Chip-8 opcodes
use super::{Adr, Disassembler, Nib, Reg};
use owo_colors::{OwoColorize, Style};
type Ins = Nib;
/// Extracts the I nibble of an IXYN instruction
#[inline]
pub fn i(ins: u16) -> Ins {
(ins >> 12 & 0xf) as Ins
}
/// Extracts the X nibble of an IXYN instruction
#[inline]
pub fn x(ins: u16) -> Reg {
(ins >> 8 & 0xf) as Reg
}
/// Extracts the Y nibble of an IXYN instruction
#[inline]
pub fn y(ins: u16) -> Reg {
(ins >> 4 & 0xf) as Reg
}
/// Extracts the N nibble of an IXYN instruction
#[inline]
pub fn n(ins: u16) -> Nib {
(ins & 0xf) as Nib
}
/// Extracts the B byte of an IXBB instruction
#[inline]
pub fn b(ins: u16) -> u8 {
(ins & 0xff) as u8
}
/// Extracts the ADR trinibble of an IADR instruction
#[inline]
pub fn a(ins: u16) -> Adr {
ins & 0x0fff
}
/// Disassembles Chip-8 instructions, printing them in the provided [owo_colors::Style]s
#[derive(Clone, Debug, PartialEq)]
pub struct DeprecatedDisassembler {
invalid: Style,
normal: Style,
}
impl Default for DeprecatedDisassembler {
fn default() -> Self {
DeprecatedDisassembler::builder().build()
}
}
// Public API
impl DeprecatedDisassembler {
/// Returns a new Disassemble with the provided Styles
pub fn new(invalid: Style, normal: Style) -> DeprecatedDisassembler {
DeprecatedDisassembler { invalid, normal }
}
/// Creates a [DisassembleBuilder], for partial configuration
pub fn builder() -> DisassembleBuilder {
DisassembleBuilder::default()
}
/// Disassemble a single instruction
pub fn instruction(&self, opcode: u16) -> String {
let (i, x, y, n, b, a) = (
i(opcode),
x(opcode),
y(opcode),
n(opcode),
b(opcode),
a(opcode),
);
match i {
// # Issue a system call
// |opcode| effect |
// |------|------------------------------------|
// | 00e0 | Clear screen memory to all 0 |
// | 00ee | Return from subroutine |
0x0 => match a {
0x0e0 => self.clear_screen(),
0x0ee => self.ret(),
_ => self.sys(a),
},
// | 1aaa | Sets pc to an absolute address
0x1 => self.jump(a),
// | 2aaa | Pushes pc onto the stack, then jumps to a
0x2 => self.call(a),
// | 3xbb | Skips next instruction if register X == b
0x3 => self.skip_equals_immediate(x, b),
// | 4xbb | Skips next instruction if register X != b
0x4 => self.skip_not_equals_immediate(x, b),
// # Performs a register-register comparison
// |opcode| effect |
// |------|------------------------------------|
// | 9XY0 | Skip next instruction if vX == vY |
0x5 => match n {
0x0 => self.skip_equals(x, y),
_ => self.unimplemented(opcode),
},
// 6xbb: Loads immediate byte b into register vX
0x6 => self.load_immediate(x, b),
// 7xbb: Adds immediate byte b to register vX
0x7 => self.add_immediate(x, b),
// # Performs ALU operation
// |opcode| effect |
// |------|------------------------------------|
// | 8xy0 | Y = X |
// | 8xy1 | X = X | Y |
// | 8xy2 | X = X & Y |
// | 8xy3 | X = X ^ Y |
// | 8xy4 | X = X + Y; Set vF=carry |
// | 8xy5 | X = X - Y; Set vF=carry |
// | 8xy6 | X = X >> 1 |
// | 8xy7 | X = Y - X; Set vF=carry |
// | 8xyE | X = X << 1 |
0x8 => match n {
0x0 => self.load(x, y),
0x1 => self.or(x, y),
0x2 => self.and(x, y),
0x3 => self.xor(x, y),
0x4 => self.add(x, y),
0x5 => self.sub(x, y),
0x6 => self.shift_right(x),
0x7 => self.backwards_sub(x, y),
0xE => self.shift_left(x),
_ => self.unimplemented(opcode),
},
// # Performs a register-register comparison
// |opcode| effect |
// |------|------------------------------------|
// | 9XY0 | Skip next instruction if vX != vY |
0x9 => match n {
0 => self.skip_not_equals(x, y),
_ => self.unimplemented(opcode),
},
// Aaaa: Load address #a into register I
0xa => self.load_i_immediate(a),
// Baaa: Jump to &adr + v0
0xb => self.jump_indexed(a),
// Cxbb: Stores a random number + the provided byte into vX
0xc => self.rand(x, b),
// Dxyn: Draws n-byte sprite to the screen at coordinates (vX, vY)
0xd => self.draw(x, y, n),
// # Skips instruction on value of keypress
// |opcode| effect |
// |------|------------------------------------|
// | eX9e | Skip next instruction if key == #X |
// | eXa1 | Skip next instruction if key != #X |
0xe => match b {
0x9e => self.skip_key_equals(x),
0xa1 => self.skip_key_not_equals(x),
_ => self.unimplemented(opcode),
},
// # Performs IO
// |opcode| effect |
// |------|------------------------------------|
// | fX07 | Set vX to value in delay timer |
// | fX0a | Wait for input, store in vX m |
// | fX15 | Set sound timer to the value in vX |
// | fX18 | set delay timer to the value in vX |
// | fX1e | Add x to I |
// | fX29 | Load sprite for character x into I |
// | fX33 | BCD convert X into I[0..3] |
// | fX55 | DMA Stor from I to registers 0..X |
// | fX65 | DMA Load from I to registers 0..X |
0xf => match b {
0x07 => self.load_delay_timer(x),
0x0A => self.wait_for_key(x),
0x15 => self.store_delay_timer(x),
0x18 => self.store_sound_timer(x),
0x1E => self.add_to_indirect(x),
0x29 => self.load_sprite(x),
0x33 => self.bcd_convert(x),
0x55 => self.store_dma(x),
0x65 => self.load_dma(x),
_ => self.unimplemented(opcode),
},
_ => unreachable!("Extracted nibble from byte, got >nibble?"),
}
}
}
impl Disassembler for DeprecatedDisassembler {
fn once(&self, insn: u16) -> String {
self.instruction(insn)
}
}
// Private api
impl DeprecatedDisassembler {
/// Unused instructions
fn unimplemented(&self, opcode: u16) -> String {
format!("inval {opcode:04x}")
.style(self.invalid)
.to_string()
}
/// `0aaa`: Handles a "machine language function call" (lmao)
pub fn sys(&self, a: Adr) -> String {
format!("sysc {a:03x}").style(self.invalid).to_string()
}
/// `00e0`: Clears the screen memory to 0
pub fn clear_screen(&self) -> String {
"cls ".style(self.normal).to_string()
}
/// `00ee`: Returns from subroutine
pub fn ret(&self) -> String {
"ret ".style(self.normal).to_string()
}
/// `1aaa`: Sets the program counter to an absolute address
pub fn jump(&self, a: Adr) -> String {
format!("jmp {a:03x}").style(self.normal).to_string()
}
/// `2aaa`: Pushes pc onto the stack, then jumps to a
pub fn call(&self, a: Adr) -> String {
format!("call {a:03x}").style(self.normal).to_string()
}
/// `3xbb`: Skips the next instruction if register X == b
pub fn skip_equals_immediate(&self, x: Reg, b: u8) -> String {
format!("se #{b:02x}, v{x:X}")
.style(self.normal)
.to_string()
}
/// `4xbb`: Skips the next instruction if register X != b
pub fn skip_not_equals_immediate(&self, x: Reg, b: u8) -> String {
format!("sne #{b:02x}, v{x:X}")
.style(self.normal)
.to_string()
}
/// `5xy0`: Skips the next instruction if register X != register Y
pub fn skip_equals(&self, x: Reg, y: Reg) -> String {
format!("se v{x:X}, v{y:X}")
.style(self.normal)
.to_string()
}
/// `6xbb`: Loads immediate byte b into register vX
pub fn load_immediate(&self, x: Reg, b: u8) -> String {
format!("mov #{b:02x}, v{x:X}")
.style(self.normal)
.to_string()
}
/// `7xbb`: Adds immediate byte b to register vX
pub fn add_immediate(&self, x: Reg, b: u8) -> String {
format!("add #{b:02x}, v{x:X}")
.style(self.normal)
.to_string()
}
/// `8xy0`: Loads the value of y into x
pub fn load(&self, x: Reg, y: Reg) -> String {
format!("mov v{y:X}, v{x:X}")
.style(self.normal)
.to_string()
}
/// `8xy1`: Performs bitwise or of vX and vY, and stores the result in vX
pub fn or(&self, x: Reg, y: Reg) -> String {
format!("or v{y:X}, v{x:X}")
.style(self.normal)
.to_string()
}
/// `8xy2`: Performs bitwise and of vX and vY, and stores the result in vX
pub fn and(&self, x: Reg, y: Reg) -> String {
format!("and v{y:X}, v{x:X}")
.style(self.normal)
.to_string()
}
/// `8xy3`: Performs bitwise xor of vX and vY, and stores the result in vX
pub fn xor(&self, x: Reg, y: Reg) -> String {
format!("xor v{y:X}, v{x:X}")
.style(self.normal)
.to_string()
}
/// `8xy4`: Performs addition of vX and vY, and stores the result in vX
pub fn add(&self, x: Reg, y: Reg) -> String {
format!("add v{y:X}, v{x:X}")
.style(self.normal)
.to_string()
}
/// `8xy5`: Performs subtraction of vX and vY, and stores the result in vX
pub fn sub(&self, x: Reg, y: Reg) -> String {
format!("sub v{y:X}, v{x:X}")
.style(self.normal)
.to_string()
}
/// `8xy6`: Performs bitwise right shift of vX
pub fn shift_right(&self, x: Reg) -> String {
format!("shr v{x:X}").style(self.normal).to_string()
}
/// `8xy7`: Performs subtraction of vY and vX, and stores the result in vX
pub fn backwards_sub(&self, x: Reg, y: Reg) -> String {
format!("bsub v{y:X}, v{x:X}")
.style(self.normal)
.to_string()
}
/// 8X_E: Performs bitwise left shift of vX
pub fn shift_left(&self, x: Reg) -> String {
format!("shl v{x:X}").style(self.normal).to_string()
}
/// `9xy0`: Skip next instruction if X != y
pub fn skip_not_equals(&self, x: Reg, y: Reg) -> String {
format!("sne v{x:X}, v{y:X}")
.style(self.normal)
.to_string()
}
/// Aadr: Load address #adr into register I
pub fn load_i_immediate(&self, a: Adr) -> String {
format!("mov ${a:03x}, I").style(self.normal).to_string()
}
/// Badr: Jump to &adr + v0
pub fn jump_indexed(&self, a: Adr) -> String {
format!("jmp ${a:03x}+v0").style(self.normal).to_string()
}
/// `Cxbb`: Stores a random number + the provided byte into vX
/// Pretty sure the input byte is supposed to be the seed of a LFSR or something
pub fn rand(&self, x: Reg, b: u8) -> String {
format!("rand #{b:X}, v{x:X}")
.style(self.normal)
.to_string()
}
/// `Dxyn`: Draws n-byte sprite to the screen at coordinates (vX, vY)
pub fn draw(&self, x: Reg, y: Reg, n: Nib) -> String {
format!("draw #{n:x}, v{x:X}, v{y:X}")
.style(self.normal)
.to_string()
}
/// `Ex9E`: Skip next instruction if key == #X
pub fn skip_key_equals(&self, x: Reg) -> String {
format!("sek v{x:X}").style(self.normal).to_string()
}
/// `ExaE`: Skip next instruction if key != #X
pub fn skip_key_not_equals(&self, x: Reg) -> String {
format!("snek v{x:X}").style(self.normal).to_string()
}
/// `Fx07`: Get the current DT, and put it in vX
/// ```py
/// vX = DT
/// ```
pub fn load_delay_timer(&self, x: Reg) -> String {
format!("mov DT, v{x:X}").style(self.normal).to_string()
}
/// `Fx0A`: Wait for key, then vX = K
pub fn wait_for_key(&self, x: Reg) -> String {
format!("waitk v{x:X}").style(self.normal).to_string()
}
/// `Fx15`: Load vX into DT
/// ```py
/// DT = vX
/// ```
pub fn store_delay_timer(&self, x: Reg) -> String {
format!("mov v{x:X}, DT").style(self.normal).to_string()
}
/// `Fx18`: Load vX into ST
/// ```py
/// ST = vX;
/// ```
pub fn store_sound_timer(&self, x: Reg) -> String {
format!("mov v{x:X}, ST").style(self.normal).to_string()
}
/// `Fx1e`: Add vX to I,
/// ```py
/// I += vX;
/// ```
pub fn add_to_indirect(&self, x: Reg) -> String {
format!("add v{x:X}, I").style(self.normal).to_string()
}
/// `Fx29`: Load sprite for character in vX into I
/// ```py
/// I = sprite(X);
/// ```
pub fn load_sprite(&self, x: Reg) -> String {
format!("font v{x:X}, I").style(self.normal).to_string()
}
/// `Fx33`: BCD convert X into I`[0..3]`
pub fn bcd_convert(&self, x: Reg) -> String {
format!("bcd v{x:X}, &I").style(self.normal).to_string()
}
/// `Fx55`: DMA Stor from I to registers 0..X
pub fn store_dma(&self, x: Reg) -> String {
format!("dmao v{x:X}").style(self.normal).to_string()
}
/// `Fx65`: DMA Load from I to registers 0..X
pub fn load_dma(&self, x: Reg) -> String {
format!("dmai v{x:X}").style(self.normal).to_string()
}
}
/// Builder for [Disassemble]rs
#[derive(Clone, Debug, Default, PartialEq)]
pub struct DisassembleBuilder {
invalid: Option<Style>,
normal: Option<Style>,
}
impl DisassembleBuilder {
/// Styles invalid (or unimplemented) instructions
pub fn invalid(mut self, style: Style) -> Self {
self.invalid = Some(style);
self
}
/// Styles valid (implemented) instructions
pub fn normal(mut self, style: Style) -> Self {
self.normal = Some(style);
self
}
/// Builds a Disassemble
pub fn build(self) -> DeprecatedDisassembler {
DeprecatedDisassembler {
invalid: if let Some(style) = self.invalid {
style
} else {
Style::new().bold().red()
},
normal: if let Some(style) = self.normal {
style
} else {
Style::new().green()
},
}
}
}

View File

@ -54,28 +54,28 @@ mod unimplemented {
fn ins_5xyn() { fn ins_5xyn() {
let (mut cpu, mut bus) = setup_environment(); let (mut cpu, mut bus) = setup_environment();
bus.write(0x200u16, 0x500fu16); // 0x500f is not an instruction bus.write(0x200u16, 0x500fu16); // 0x500f is not an instruction
cpu.tick(&mut bus); cpu.tick(&mut bus).unwrap();
} }
#[test] #[test]
#[should_panic] #[should_panic]
fn ins_8xyn() { fn ins_8xyn() {
let (mut cpu, mut bus) = setup_environment(); let (mut cpu, mut bus) = setup_environment();
bus.write(0x200u16, 0x800fu16); // 0x800f is not an instruction bus.write(0x200u16, 0x800fu16); // 0x800f is not an instruction
cpu.tick(&mut bus); cpu.tick(&mut bus).unwrap();
} }
#[test] #[test]
#[should_panic] #[should_panic]
fn ins_9xyn() { fn ins_9xyn() {
let (mut cpu, mut bus) = setup_environment(); let (mut cpu, mut bus) = setup_environment();
bus.write(0x200u16, 0x900fu16); // 0x800f is not an instruction bus.write(0x200u16, 0x900fu16); // 0x800f is not an instruction
cpu.tick(&mut bus); cpu.tick(&mut bus).unwrap();
} }
#[test] #[test]
#[should_panic] #[should_panic]
fn ins_exbb() { fn ins_exbb() {
let (mut cpu, mut bus) = setup_environment(); let (mut cpu, mut bus) = setup_environment();
bus.write(0x200u16, 0xe00fu16); // 0xe00f is not an instruction bus.write(0x200u16, 0xe00fu16); // 0xe00f is not an instruction
cpu.tick(&mut bus); cpu.tick(&mut bus).unwrap();
} }
// Fxbb // Fxbb
#[test] #[test]
@ -83,22 +83,12 @@ mod unimplemented {
fn ins_fxbb() { fn ins_fxbb() {
let (mut cpu, mut bus) = setup_environment(); let (mut cpu, mut bus) = setup_environment();
bus.write(0x200u16, 0xf00fu16); // 0xf00f is not an instruction bus.write(0x200u16, 0xf00fu16); // 0xf00f is not an instruction
cpu.tick(&mut bus); cpu.tick(&mut bus).unwrap();
} }
} }
mod sys { mod sys {
use super::*; use super::*;
/// 0aaa: Handles a "machine language function call" (lmao)
#[test]
#[should_panic]
fn sys() {
let (mut cpu, mut bus) = setup_environment();
bus.write(0x200u16, 0x0200u16); // 0x0200 is not one of the allowed routines
cpu.tick(&mut bus);
cpu.sys(0x200);
}
/// 00e0: Clears the screen memory to 0 /// 00e0: Clears the screen memory to 0
#[test] #[test]
fn clear_screen() { fn clear_screen() {
@ -639,11 +629,13 @@ mod io {
for test in SCREEN_TESTS { for test in SCREEN_TESTS {
let (mut cpu, mut bus) = setup_environment(); let (mut cpu, mut bus) = setup_environment();
cpu.flags.quirks = test.quirks; cpu.flags.quirks = test.quirks;
// Debug mode is 5x slower
cpu.flags.debug = false;
// Load the test program // Load the test program
bus = bus.load_region(Program, test.program); bus = bus.load_region(Program, test.program);
// Run the test program for the specified number of steps // Run the test program for the specified number of steps
while cpu.cycle() < test.steps { while cpu.cycle() < test.steps {
cpu.multistep(&mut bus, test.steps - cpu.cycle()); cpu.multistep(&mut bus, test.steps - cpu.cycle()).unwrap();
} }
// Compare the screen to the reference screen buffer // Compare the screen to the reference screen buffer
bus.print_screen().unwrap(); bus.print_screen().unwrap();
@ -938,7 +930,7 @@ mod behavior {
cpu.flags.monotonic = None; cpu.flags.monotonic = None;
cpu.delay = 10.0; cpu.delay = 10.0;
for _ in 0..2 { for _ in 0..2 {
cpu.multistep(&mut bus, 8); cpu.multistep(&mut bus, 8).unwrap();
std::thread::sleep(Duration::from_secs_f64(1.0 / 60.0)); std::thread::sleep(Duration::from_secs_f64(1.0 / 60.0));
} }
// time is within 1 frame deviance over a theoretical 2 frame pause // time is within 1 frame deviance over a theoretical 2 frame pause
@ -950,7 +942,7 @@ mod behavior {
cpu.flags.monotonic = None; // disable monotonic timing cpu.flags.monotonic = None; // disable monotonic timing
cpu.sound = 10.0; cpu.sound = 10.0;
for _ in 0..2 { for _ in 0..2 {
cpu.multistep(&mut bus, 8); cpu.multistep(&mut bus, 8).unwrap();
std::thread::sleep(Duration::from_secs_f64(1.0 / 60.0)); std::thread::sleep(Duration::from_secs_f64(1.0 / 60.0));
} }
// time is within 1 frame deviance over a theoretical 2 frame pause // time is within 1 frame deviance over a theoretical 2 frame pause
@ -962,7 +954,7 @@ mod behavior {
cpu.flags.monotonic = None; // disable monotonic timing cpu.flags.monotonic = None; // disable monotonic timing
cpu.flags.vbi_wait = true; cpu.flags.vbi_wait = true;
for _ in 0..2 { for _ in 0..2 {
cpu.multistep(&mut bus, 8); cpu.multistep(&mut bus, 8).unwrap();
std::thread::sleep(Duration::from_secs_f64(1.0 / 60.0)); std::thread::sleep(Duration::from_secs_f64(1.0 / 60.0));
} }
// Display wait is disabled after a 1 frame pause // Display wait is disabled after a 1 frame pause
@ -975,7 +967,7 @@ mod behavior {
fn hit_break() { fn hit_break() {
let (mut cpu, mut bus) = setup_environment(); let (mut cpu, mut bus) = setup_environment();
cpu.set_break(0x202); cpu.set_break(0x202);
cpu.multistep(&mut bus, 10); cpu.multistep(&mut bus, 10).unwrap();
assert_eq!(true, cpu.flags.pause); assert_eq!(true, cpu.flags.pause);
assert_eq!(0x202, cpu.pc); assert_eq!(0x202, cpu.pc);
} }

View File

@ -14,7 +14,7 @@ fn run_single_op(op: &[u8]) -> CPU {
); );
cpu.v = *INDX; cpu.v = *INDX;
cpu.flags.quirks = Quirks::from(true); cpu.flags.quirks = Quirks::from(true);
cpu.tick(&mut bus); // will panic if unimplemented cpu.tick(&mut bus).unwrap(); // will panic if unimplemented
cpu cpu
} }

View File

@ -3,6 +3,8 @@
//! Error type for Chirp //! Error type for Chirp
use std::ops::Range;
use crate::bus::Region; use crate::bus::Region;
use thiserror::Error; use thiserror::Error;
@ -24,9 +26,18 @@ pub enum Error {
/// The offending [Region] /// The offending [Region]
region: Region, region: Region,
}, },
/// Tried to fetch [Range] from bus, received nothing
#[error("Invalid range {range:?} for bus")]
InvalidBusRange {
/// The offending [Range]
range: Range<usize>,
},
/// Error originated in [std::io] /// Error originated in [std::io]
#[error(transparent)] #[error(transparent)]
IoError(#[from] std::io::Error), IoError(#[from] std::io::Error),
/// Error originated in [std::array::TryFromSliceError]
#[error(transparent)]
TryFromSliceError(#[from] std::array::TryFromSliceError),
/// Error originated in [minifb] /// Error originated in [minifb]
#[error(transparent)] #[error(transparent)]
MinifbError(#[from] minifb::Error), MinifbError(#[from] minifb::Error),

View File

@ -7,6 +7,7 @@
use std::{ use std::{
ffi::OsStr, ffi::OsStr,
path::{Path, PathBuf}, path::{Path, PathBuf},
time::Instant,
}; };
use crate::{ use crate::{
@ -48,6 +49,7 @@ impl UIBuilder {
keyboard: Default::default(), keyboard: Default::default(),
fb: Default::default(), fb: Default::default(),
rom: self.rom.to_owned().unwrap_or_default(), rom: self.rom.to_owned().unwrap_or_default(),
time: Instant::now(),
}; };
Ok(ui) Ok(ui)
} }
@ -135,6 +137,7 @@ pub struct UI {
keyboard: Vec<Key>, keyboard: Vec<Key>,
fb: FrameBuffer, fb: FrameBuffer,
rom: PathBuf, rom: PathBuf,
time: Instant,
} }
impl UI { impl UI {
@ -143,15 +146,19 @@ impl UI {
if ch8.cpu.flags.pause { if ch8.cpu.flags.pause {
self.window.set_title("Chirp ⏸") self.window.set_title("Chirp ⏸")
} else { } else {
self.window.set_title("Chirp ▶"); self.window.set_title(&format!(
"Chirp ▶ {:2?}",
(1.0 / self.time.elapsed().as_secs_f64()).trunc()
));
} }
self.time = Instant::now();
// update framebuffer // update framebuffer
self.fb.render(&mut self.window, &mut ch8.bus); self.fb.render(&mut self.window, &mut ch8.bus);
} }
Some(()) Some(())
} }
pub fn keys(&mut self, ch8: &mut Chip8) -> Option<()> { pub fn keys(&mut self, ch8: &mut Chip8) -> Result<Option<()>> {
// TODO: Remove this hacky workaround for minifb's broken get_keys_* functions. // TODO: Remove this hacky workaround for minifb's broken get_keys_* functions.
let get_keys_pressed = || { let get_keys_pressed = || {
self.window self.window
@ -201,7 +208,7 @@ impl UI {
}), }),
F6 | Enter => { F6 | Enter => {
eprintln!("Step"); eprintln!("Step");
ch8.cpu.singlestep(&mut ch8.bus); ch8.cpu.singlestep(&mut ch8.bus)?;
} }
F7 => { F7 => {
eprintln!("Set breakpoint {:03x}.", ch8.cpu.pc()); eprintln!("Set breakpoint {:03x}.", ch8.cpu.pc());
@ -216,12 +223,12 @@ impl UI {
ch8.cpu.soft_reset(); ch8.cpu.soft_reset();
ch8.bus.clear_region(Screen); ch8.bus.clear_region(Screen);
} }
Escape => return None, Escape => return Ok(None),
key => ch8.cpu.press(identify_key(key)), key => ch8.cpu.press(identify_key(key)),
} }
} }
self.keyboard = self.window.get_keys(); self.keyboard = self.window.get_keys();
Some(()) Ok(Some(()))
} }
} }

View File

@ -33,7 +33,7 @@ fn run_screentest(test: SuiteTest, mut cpu: CPU, mut bus: Bus) {
bus = bus.load_region(Program, test.program); bus = bus.load_region(Program, test.program);
// The test suite always initiates a keypause on test completion // The test suite always initiates a keypause on test completion
while !cpu.flags.keypause { while !cpu.flags.keypause {
cpu.multistep(&mut bus, 8); cpu.multistep(&mut bus, 8).unwrap();
} }
// Compare the screen to the reference screen buffer // Compare the screen to the reference screen buffer
bus.print_screen().unwrap(); bus.print_screen().unwrap();

View File

@ -236,7 +236,7 @@ mod ui {
let mut ch8 = new_chip8(); let mut ch8 = new_chip8();
let ch8 = &mut ch8; let ch8 = &mut ch8;
ui.frame(ch8).unwrap(); ui.frame(ch8).unwrap();
ui.keys(ch8); ui.keys(ch8).unwrap();
Ok(()) Ok(())
} }
#[test] #[test]