Skip to content

Commit 9c3201a

Browse files
authored
Merge pull request #7 from MalteT/ui-overhaul
Ui overhaul
2 parents 53ae5e7 + f5b4f40 commit 9c3201a

24 files changed

+1894
-833
lines changed

Cargo.toml

+7-6
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
[package]
22
name = "emulator-2a"
3-
version = "4.1.0"
3+
version = "4.2.1"
44
authors = ["Malte Tammena <[email protected]>"]
55
edition = "2018"
66
license = "GPL-3.0"
@@ -13,7 +13,7 @@ path = "src/main.rs"
1313

1414
[dependencies]
1515
log = "0.4.0"
16-
pretty_env_logger = "0.3.0"
16+
pretty_env_logger = "0.4.0"
1717
bitflags = "1.0.0"
1818
pest = "2.1.0"
1919
pest_derive = "2.1.0"
@@ -23,6 +23,7 @@ lazy_static = "1.3.0"
2323
humantime = "2.0.1"
2424
rand = "0.7.0"
2525
paw = "1.0.0"
26+
unicode-width = { version = "0.1.8", optional = true }
2627
rustyline = { version = "5.0.3", optional = true }
2728
nom = { version = "5.1.0", optional = true }
2829
scopeguard = { version = "1.1.0", optional = true }
@@ -38,23 +39,23 @@ version = "0.3.15"
3839
features = ["wrap_help", "paw"]
3940

4041
[dependencies.tui]
41-
version = "0.8.0"
42+
version = "0.9.5"
4243
# TODO: Use termion for linux and mac as soon as #1197 (https://github.com/rust-lang/cargo/issues/1197) is fixed
4344
default-features = false
4445
features = ["crossterm"]
4546
optional = true
4647

4748
[dependencies.crossterm]
4849
# Use tui's version
49-
version = "^0.14"
50+
version = "^0.17"
5051

5152
[features]
5253
default = ["interactive-tui"]
5354
# Enable the interactive tui
54-
interactive-tui = ["tui", "rustyline", "nom", "scopeguard"]
55+
interactive-tui = ["tui", "rustyline", "nom", "scopeguard", "unicode-width"]
5556
# The std::fmt::Display implementation defaults to Display::to_utf8_string
5657
# instead of Display::to_ascii_string
5758
utf8 = []
5859

5960
[profile.release]
60-
opt-level = 1
61+
lto = true

src/args.rs

+54
Original file line numberDiff line numberDiff line change
@@ -2,6 +2,8 @@ use structopt::StructOpt;
22

33
use std::{num::ParseIntError, path::PathBuf};
44

5+
use crate::machine::State;
6+
57
#[derive(Debug, StructOpt)]
68
#[structopt(author = "Malte Tammena <[email protected]>")]
79
/// Emulator for the Minirechner 2a microcomputer.
@@ -47,6 +49,49 @@ pub struct RunArgs {
4749
/// i.e. if the machine halts.
4850
#[structopt(name = "CYCLES")]
4951
pub cycles: usize,
52+
#[structopt(subcommand)]
53+
pub verify: Option<RunVerifySubcommand>,
54+
}
55+
56+
#[derive(Debug, StructOpt)]
57+
pub enum RunVerifySubcommand {
58+
/// Verify the machine state after emulation has finished.
59+
///
60+
/// This does nothing if no expectations are given.
61+
/// Specify any number of expectations using the flags listed below.
62+
///
63+
/// If any discrepance between the given expectations and the emulation
64+
/// results is found an error code of 1 is returned.
65+
Verify(RunVerifyArgs),
66+
}
67+
68+
#[derive(Debug, StructOpt)]
69+
pub struct RunVerifyArgs {
70+
/// The expected machine state after emulation.
71+
///
72+
/// `stopped` expects the machine to have halted naturally because
73+
/// the machine executed a STOP instruction.
74+
///
75+
/// `error` expects the machine to have halted because an error occured.
76+
/// This error can have different origins, i.e. a stack overflow or the
77+
/// execution of the 0x00 instruction. The most common causes of an error stop
78+
/// are a missing stackpointer initialisation or a missing program/missing jump
79+
/// at the end of the program.
80+
///
81+
/// `running` expects the machine to not have halted for any reason. Of course
82+
/// halting and then continueing execution is valid aswell.
83+
#[structopt(long, value_name = "STATE",
84+
parse(from_str = parse_state),
85+
possible_values = &["stopped", "error", "running"])]
86+
pub state: Option<State>,
87+
/// Expected output in register FE after emulation.
88+
#[structopt(long, value_name = "BYTE",
89+
parse(try_from_str = parse_u8_auto_radix))]
90+
pub fe: Option<u8>,
91+
/// Expected output in register FF after emulation.
92+
#[structopt(long, value_name = "BYTE",
93+
parse(try_from_str = parse_u8_auto_radix))]
94+
pub ff: Option<u8>,
5095
}
5196

5297
#[derive(Debug, StructOpt)]
@@ -175,3 +220,12 @@ fn parse_u8_auto_radix(num: &str) -> Result<u8, ParseIntError> {
175220
u8::from_str_radix(num, 10)
176221
}
177222
}
223+
224+
fn parse_state(state: &str) -> State {
225+
match state.to_lowercase().as_str() {
226+
"stopped" => State::Stopped,
227+
"error" => State::ErrorStopped,
228+
"running" => State::Running,
229+
_ => unreachable!(),
230+
}
231+
}

src/error.rs

+20-20
Original file line numberDiff line numberDiff line change
@@ -2,7 +2,6 @@
22
//!
33
//! This module defines the error type used through-out the program.
44
5-
use crossterm::ErrorKind as CrosstermErrorKind;
65
use failure::Fail;
76
use parser2a::parser::ParserError;
87
use pest::error::Error as PestError;
@@ -23,17 +22,17 @@ pub enum Error {
2322
TestFileParsingError(#[cause] PestError<TestRule>),
2423
/// Thrown when a test failes.
2524
TestFailed(String, String),
26-
/// Invalid CLI input.
27-
InvalidInput(String),
2825
/// Initialization of tui failed.
26+
#[cfg(feature = "interactive-tui")]
2927
TuiInitializationFailed(#[cause] IOError),
3028
/// Crossterm backend initialization failed.
31-
CrosstermInitializationFailed(#[cause] CrosstermErrorKind),
29+
#[cfg(feature = "interactive-tui")]
30+
CrosstermInitializationFailed(#[cause] crossterm::ErrorKind),
3231
/// Crossterm backend exit failed.
33-
CrosstermExitFailed(#[cause] CrosstermErrorKind),
34-
/// The emulator was compiled without the 'interactive-tui' feature.
35-
#[cfg(not(feature = "interactive-tui"))]
36-
CompiledWithoutInteractiveFeature,
32+
#[cfg(feature = "interactive-tui")]
33+
CrosstermExitFailed(#[cause] crossterm::ErrorKind),
34+
/// Verification of a run failed. The first field is an explanation.
35+
RunVerificationFailed(String),
3736
}
3837

3938
impl From<IOError> for Error {
@@ -63,32 +62,33 @@ impl fmt::Display for Error {
6362
}
6463
Error::TestFileParsingError(pe) => write!(f, "{}", pe),
6564
Error::TestFailed(n, r) => write!(f, "Test {:?} failed: {}", n, r),
66-
Error::InvalidInput(s) => write!(f, "{}", s),
65+
#[cfg(feature = "interactive-tui")]
6766
Error::TuiInitializationFailed(ioe) => write!(f, "Tui init failed: {}", ioe),
67+
#[cfg(feature = "interactive-tui")]
6868
Error::CrosstermInitializationFailed(cek) => {
6969
write!(f, "Crossterm init failed: {}", cek)
7070
}
71+
#[cfg(feature = "interactive-tui")]
7172
Error::CrosstermExitFailed(cek) => write!(f, "Crossterm exit failed: {}", cek),
72-
#[cfg(not(feature = "interactive-tui"))]
73-
Error::CompiledWithoutInteractiveFeature => {
74-
use colored::Colorize;
75-
write!(
76-
f,
77-
r#"Cannot start interactive session. The 2a-emulator was compiled without the 'interactive-tui' feature. To include the feature during compilation, add: `{}`"#,
78-
"--features interactive-tui".bold().yellow()
79-
)
80-
}
73+
Error::RunVerificationFailed(reason) => write!(
74+
f,
75+
"Verification failed: {:?} did not match expectations",
76+
reason
77+
),
8178
}
8279
}
8380
}
8481

8582
impl Error {
86-
pub fn crossterm_init(err: CrosstermErrorKind) -> Self {
83+
#[cfg(feature = "interactive-tui")]
84+
pub fn crossterm_init(err: crossterm::ErrorKind) -> Self {
8785
Error::CrosstermInitializationFailed(err)
8886
}
89-
pub fn crossterm_exit(err: CrosstermErrorKind) -> Self {
87+
#[cfg(feature = "interactive-tui")]
88+
pub fn crossterm_exit(err: crossterm::ErrorKind) -> Self {
9089
Error::CrosstermExitFailed(err)
9190
}
91+
#[cfg(feature = "interactive-tui")]
9292
pub fn tui_init(err: IOError) -> Self {
9393
Error::TuiInitializationFailed(err)
9494
}

src/helpers/constants.rs

+4
Original file line numberDiff line numberDiff line change
@@ -9,4 +9,8 @@ lazy_static! {
99
pub static ref RED: Style = Style::default().fg(Color::Red);
1010
pub static ref LIGHTRED: Style = Style::default().fg(Color::LightRed);
1111
pub static ref GREEN: Style = Style::default().fg(Color::Green);
12+
pub static ref BOLD: Style = Style::default().modifier(Modifier::BOLD);
13+
pub static ref DIMMED_BOLD: Style = Style::default().modifier(Modifier::BOLD | Modifier::DIM);
14+
pub static ref YELLOW_BOLD: Style = Style::default().fg(Color::Yellow).modifier(Modifier::BOLD);
15+
pub static ref RED_BOLD: Style = Style::default().fg(Color::Red).modifier(Modifier::BOLD);
1216
}

src/machine/bus.rs

+6
Original file line numberDiff line numberDiff line change
@@ -316,6 +316,12 @@ impl Bus {
316316
pub fn is_timer_edge_int_enabled(&self) -> bool {
317317
self.micr.contains(MICR::TIMER_EDGE_INTERRUPT_ENABLE)
318318
}
319+
/// Get the contents of the main memory.
320+
///
321+
/// The main memory ranges from 0x00 - 0xEF.
322+
pub fn memory(&self) -> &[u8; 0xF0] {
323+
&self.ram
324+
}
319325
/// Did anything trigger an interrupt in the UART?
320326
fn has_uart_interrupt(&self) -> bool {
321327
if self.ucr.contains(UCR::INT_ON_RX_READY) {

src/machine/mod.rs

+1-41
Original file line numberDiff line numberDiff line change
@@ -12,7 +12,7 @@ mod register;
1212
mod signal;
1313

1414
pub use alu::Alu;
15-
pub use board::DASR;
15+
pub use board::{Board, DASR};
1616
pub use bus::Bus;
1717
pub use instruction::Instruction;
1818
pub use mp_ram::{MP28BitWord, MicroprogramRam};
@@ -151,46 +151,6 @@ impl Machine {
151151
pub fn output_ff(&self) -> u8 {
152152
self.bus.output_ff()
153153
}
154-
/// Get the currently executed lines of the program.
155-
///
156-
/// # Arguments
157-
/// - `context` The amount of lines before and after the currently executed line.
158-
///
159-
/// # Returns
160-
/// - A tuple with a list of [`String`]s of asm lines and the index of the one
161-
/// currently executed by the machine.
162-
pub fn get_current_lines(&self, context: isize) -> (usize, Vec<&String>) {
163-
// If no program is loaded, no lines are available, prevent errors
164-
if self.program_lines.is_empty() {
165-
return (0, vec![]);
166-
}
167-
let current_byte_index = self.reg.get(RegisterNumber::R3) as isize;
168-
// Find current line
169-
let mut counter = current_byte_index;
170-
let mut index: isize = 0;
171-
while counter >= 0 && index < self.program_lines.len() as isize {
172-
counter -= self.program_lines[index as usize].1 as isize;
173-
if counter >= 0 {
174-
index += 1;
175-
}
176-
}
177-
let mut middle = context;
178-
// Find left border
179-
let left = if index - context >= 0 {
180-
(index - context) as usize
181-
} else {
182-
middle += index - context;
183-
0
184-
};
185-
// Find right border
186-
let right = if index + context < self.program_lines.len() as isize {
187-
(index + context) as usize
188-
} else {
189-
self.program_lines.len() - 1
190-
};
191-
let ret: Vec<_> = self.program_lines.iter().map(|(x, _)| x).collect();
192-
(middle as usize, ret[left..=right].into())
193-
}
194154
/// Next clock rising edge.
195155
pub fn clk(&mut self) {
196156
// Increase the counter

src/machine/register.rs

+5-1
Original file line numberDiff line numberDiff line change
@@ -132,7 +132,7 @@ impl Register {
132132
}
133133
/// Update the CO flag.
134134
pub fn update_co(&mut self, co: bool) {
135-
let co = (co as u8) << 0;
135+
let co = co as u8;
136136
self.content[4] = (self.content[4] & 0b1111_1110) | co;
137137
}
138138
/// Update the ZO flag.
@@ -168,6 +168,10 @@ impl Register {
168168
}
169169
valid
170170
}
171+
/// Get the content of all registers.
172+
pub fn content(&self) -> &[u8; 8] {
173+
&self.content
174+
}
171175
}
172176

173177
impl From<RegisterNumber> for usize {

0 commit comments

Comments
 (0)