moa/src/system.rs

80 lines
2.1 KiB
Rust
Raw Normal View History

use std::cell::{RefCell, RefMut};
use crate::error::Error;
use crate::memory::Bus;
2021-10-09 18:00:32 +00:00
use crate::interrupts::InterruptController;
use crate::devices::{Clock, Address, TransmutableBox};
pub struct System {
pub clock: Clock,
pub devices: Vec<TransmutableBox>,
pub bus: RefCell<Bus>,
2021-10-09 18:00:32 +00:00
pub interrupt_controller: RefCell<InterruptController>,
}
impl System {
pub fn new() -> System {
System {
clock: 0,
devices: vec![],
bus: RefCell::new(Bus::new()),
2021-10-09 18:00:32 +00:00
interrupt_controller: RefCell::new(InterruptController::new()),
}
}
pub fn get_bus(&self) -> RefMut<'_, Bus> {
self.bus.borrow_mut()
}
2021-10-09 18:00:32 +00:00
pub fn get_interrupt_controller(&self) -> RefMut<'_, InterruptController> {
self.interrupt_controller.borrow_mut()
}
pub fn add_addressable_device(&mut self, addr: Address, device: TransmutableBox) -> Result<(), Error> {
let length = device.borrow_mut().as_addressable().unwrap().len();
self.bus.borrow_mut().insert(addr, length, device.clone());
self.devices.push(device);
Ok(())
}
pub fn add_interruptable_device(&mut self, device: TransmutableBox) -> Result<(), Error> {
self.interrupt_controller.borrow_mut().set_target(device.clone())?;
self.devices.push(device);
Ok(())
}
pub fn step(&mut self) -> Result<(), Error> {
self.clock += 1;
for dev in &self.devices {
match dev.borrow_mut().as_steppable() {
Some(dev) => { dev.step(&self)?; },
None => { },
}
}
Ok(())
}
pub fn exit_error(&mut self) {
for dev in &self.devices {
match dev.borrow_mut().as_steppable() {
Some(dev) => dev.on_error(&self),
None => { },
}
}
}
2021-10-15 04:16:31 +00:00
pub fn debug(&mut self) -> Result<(), Error> {
for dev in &self.devices {
match dev.borrow_mut().as_steppable() {
Some(dev) => dev.on_debug(),
None => { },
2021-10-15 04:16:31 +00:00
}
}
Ok(())
}
}