gb-emu/src/main.rs

156 lines
3.4 KiB
Rust
Raw Normal View History

#![feature(exclusive_range_pattern)]
use clap::Parser;
use std::fs;
/// Simple program to greet a person
#[derive(Parser, Debug)]
#[command(author, version, about, long_about = None)]
struct Args {
/// ROM path
#[arg(short, long)]
rom: String,
}
type Register = u16;
2023-01-15 21:05:28 +11:00
type Instruction = u8;
type Address = u16;
type ROM = Vec<u8>;
struct Memory {
rom: ROM,
2023-01-15 20:34:44 +11:00
vram: [u8; 8192],
ram: [u8; 8192],
}
impl Memory {
2023-01-15 20:34:44 +11:00
fn init(rom: ROM) -> Self {
Self {
rom,
vram: [0x0; 8192],
ram: [0x0; 8192],
}
}
2023-01-15 21:05:28 +11:00
fn get(&self, address: Address) -> u8 {
match address {
0x0..0x8000 => {
// rom access
// todo - switchable rom banks
return self.rom[address as usize];
}
0x8000..0xA000 => {
2023-01-15 20:34:44 +11:00
return self.vram[(address - 0x8000) as usize];
}
0xA000..0xC000 => {
panic!("switchable ram bank");
}
0xC000..0xE000 => {
2023-01-15 20:34:44 +11:00
return self.ram[(address - 0xC000) as usize];
}
0xE000..0xFE00 => {
panic!("ram mirror")
}
0xFE00..0xFEA0 => {
panic!("sprite attrib memory");
}
0xFEA0..0xFF00 => {
panic!("empty")
}
0xFF00..0xFF4C => {
panic!("I/O");
}
0xFF4C..0xFF80 => {
panic!("empty");
}
0xFF80..0xFFFF => {
panic!("internal ram");
}
0xFFFF => {
panic!("interrupt enable register");
}
}
}
}
#[derive(Debug)]
struct State {
af: Register,
bc: Register,
de: Register,
hl: Register,
sp: Register,
pc: Register,
}
impl Default for State {
fn default() -> Self {
2023-01-15 20:34:44 +11:00
// default post-bootrom values
Self {
af: 0x01B0,
bc: 0x0013,
de: 0x00D8,
hl: 0x014D,
sp: 0xFFFE,
pc: 0x0100,
}
}
}
2023-01-15 20:34:44 +11:00
struct CPU {
memory: Memory,
state: State,
}
impl CPU {
2023-01-15 21:05:28 +11:00
fn exec_next(&mut self) {
let opcode = self.next_opcode();
let p1 = self.next_opcode();
let p2 = self.next_opcode();
2023-01-15 20:34:44 +11:00
match opcode {
2023-01-15 21:05:28 +11:00
0x0 => {
2023-01-15 20:34:44 +11:00
// noop
}
2023-01-15 21:05:28 +11:00
0x01 => {
self.state.bc = u8s_to_u16(&p1, &p2);
}
0x66 => {
self.state.hl = u8s_to_u16(&self.memory.get(self.state.hl), &p2);
}
0xC3 => {
self.state.pc = u8s_to_u16(&p1, &p2);
}
2023-01-15 20:34:44 +11:00
_ => {
panic!("unimplemented opcode: {:#X}", opcode);
}
};
}
2023-01-15 21:05:28 +11:00
fn next_opcode(&mut self) -> u8 {
let opcode = self.memory.get(self.state.pc);
self.state.pc += 0x1;
return opcode;
}
2023-01-15 20:34:44 +11:00
}
fn main() {
let args = Args::parse();
let rom: ROM = fs::read(args.rom).expect("Could not load ROM");
2023-01-15 20:34:44 +11:00
let mut cpu = CPU {
memory: Memory::init(rom),
state: State::default(),
};
loop {
2023-01-15 21:05:28 +11:00
cpu.exec_next();
}
}
2023-01-15 21:05:28 +11:00
fn u8s_to_u16(p1: &u8, p2: &u8) -> u16 {
((*p1 as u16) << 8) | *p2 as u16
}
fn u16_to_u8s(p: &u16) -> (u8, u8) {
let p1 = *p as u8;
let p2 = (*p >> 8) as u8;
(p1, p2)
}