1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
use std::path::{PathBuf, is_separator as is_path_separator, MAIN_SEPARATOR as MAIN_PATH_SEPARATOR};
use self::super::isa::GeneralPurposeRegister;
use self::super::util::parse_with_prefix;
use clap::{AppSettings, App, Arg};
use std::fs;
use dirs;
#[derive(Debug, Clone, Hash, PartialEq, Eq)]
pub struct AssemblerOptions {
pub input: Vec<Option<(String, PathBuf)>>,
pub output: Option<(String, PathBuf)>,
pub register_lettters: Option<String>,
}
#[derive(Debug, Clone, Hash, PartialEq, Eq)]
pub struct DisassemblerOptions {
pub input: Option<(String, PathBuf)>,
pub skip: usize,
pub keep: Vec<(usize, usize)>,
pub register_lettters: Option<String>,
}
#[derive(Debug, Clone, Hash, PartialEq, Eq)]
pub struct EmulatorOptions {
pub config_dir: (String, PathBuf),
}
impl AssemblerOptions {
pub fn parse() -> AssemblerOptions {
let matches = App::new("pir-8-as")
.version(crate_version!())
.author(crate_authors!())
.about("Assembler for the pir-8")
.setting(AppSettings::ColoredHelp)
.args(&[Arg::from_usage("-o [BINFILE] 'Name of the the binary-file output'").default_value("a.p8b").validator(output_file_validator),
Arg::from_usage("-r [REGISTERS] 'Use the specified general-purpose register bank letters instead of the defaults'")
.validator(|s| register_bank_validator(&s)),
Arg::from_usage("[ASMFILE]... 'Files to assemble'")
.empty_values(false)
.validator(|s| if s == "-" {
Ok(())
} else {
filesystem_validator("Assembly file", false, &s)
})])
.get_matches();
AssemblerOptions {
input: matches.values_of("ASMFILE")
.map(|ff| {
ff.map(|f| match f {
"-" => None,
_ => Some((f.to_string(), fs::canonicalize(f).unwrap())),
})
.collect()
})
.unwrap_or_else(|| vec![None]),
output: match matches.value_of("o").unwrap_or("a.p8b") {
"-" => None,
f => Some(output_file_process(f)),
},
register_lettters: matches.value_of("r").map(str::to_string),
}
}
}
impl DisassemblerOptions {
pub fn parse() -> DisassemblerOptions {
let matches = App::new("pir-8-disasm")
.version(crate_version!())
.author(crate_authors!())
.about("Disassembler for the pir-8")
.setting(AppSettings::ColoredHelp)
.args(&[Arg::from_usage("-e [BYTES] 'Skip <BYTES> bytes of header'")
.default_value("0")
.hide_default_value(true)
.validator(|s| parse_with_prefix::<usize>(&s).map(|_| ()).ok_or_else(|| format!("\"{}\" not a number with optional base prefix", s))),
Arg::from_usage("-k [START,BYTES]... 'Don't disassemble <BYTES> bytes from position <START>'")
.use_delimiter(false)
.number_of_values(1)
.validator(|s| parse_keep(&s).map(|_| ())),
Arg::from_usage("-r [REGISTERS] 'Use the specified general-purpose register bank letters instead of the defaults'")
.validator(|s| register_bank_validator(&s)),
Arg::from_usage("<FILE> 'Binary to disassemble'").empty_values(false).validator(|s| if s == "-" {
Ok(())
} else {
filesystem_validator("Binary file", false, &s)
})])
.get_matches();
DisassemblerOptions {
input: match matches.value_of("FILE").unwrap() {
"-" => None,
f => Some((f.to_string(), fs::canonicalize(f).unwrap())),
},
skip: parse_with_prefix(matches.value_of("e").unwrap()).unwrap(),
keep: matches.values_of("k").map(|kk| kk.flat_map(parse_keep).collect()).unwrap_or_else(Vec::new),
register_lettters: matches.value_of("r").map(str::to_string),
}
}
}
impl EmulatorOptions {
pub fn parse() -> EmulatorOptions {
let config_dir_default = dirs::home_dir().map(|mut hd| {
hd.push(".pir-8-emu");
hd.display().to_string()
});
let matches = App::new("pir-8-emu")
.version(crate_version!())
.author(crate_authors!())
.about("Emulator of the pir-8")
.setting(AppSettings::ColoredHelp)
.args(&[{
let cd = Arg::from_usage("[CONFIG_DIR] 'Directory containing configuration files'");
if let Some(config_dir_default) = config_dir_default.as_ref() {
cd.default_value(config_dir_default)
} else {
cd
}
}
.validator(config_dir_validator)])
.get_matches();
EmulatorOptions { config_dir: config_dir_process(matches.value_of("CONFIG_DIR").unwrap()) }
}
}
fn filesystem_validator(label: &str, directory: bool, s: &str) -> Result<(), String> {
fs::canonicalize(&s).map_err(|_| format!("{} \"{}\" not found", label, s)).and_then(|f| if f.is_dir() == directory {
Ok(())
} else {
Err(format!("{} \"{}\" not a {}", label, s, if directory { "directory" } else { "file" }))
})
}
fn output_file_validator(s: String) -> Result<(), String> {
if s == "-" {
return Ok(());
}
let mut buf = PathBuf::from(s);
if buf.exists() && buf.is_dir() {
Err(format!("Output file \"{}\" is a directory", buf.display()))
} else {
buf.pop();
if buf.as_os_str().is_empty() {
Ok(())
} else {
buf.canonicalize().map(|_| ()).map_err(|e| format!("Output file: {}", e))
}
}
}
fn config_dir_validator(s: String) -> Result<(), String> {
let mut buf = PathBuf::from(s);
if buf.exists() && !buf.is_dir() {
Err(format!("Config dir \"{}\" is a file", buf.display()))
} else {
buf.pop();
if buf.as_os_str().is_empty() {
Ok(())
} else {
buf.canonicalize().map(|_| ()).map_err(|e| format!("Config dir: {}", e))
}
}
}
pub(crate) fn register_bank_validator(s: &str) -> Result<(), String> {
GeneralPurposeRegister::from_letters(&s).map(|_| ()).map_err(|i| match i {
-1 | 8 => format!("Register bank letterset \"{}\" too {}", s, if i == -1 { "short" } else { "long" }),
i => format!("Register bank register {:#05b} letter '{}' non-ASCII", i, s.chars().nth(i as usize).unwrap()),
})
}
fn parse_keep(s: &str) -> Result<(usize, usize), String> {
match s.find(',').map(|comma_pos| s.split_at(comma_pos)).map(|(first, second)| (first, &second[1..])) {
Some((first, second)) => {
Ok((parse_with_prefix(first).ok_or_else(|| format!("\"{}\" is not a number", first))?,
parse_with_prefix(second).ok_or_else(|| format!("\"{}\" is not a number", second))?))
}
None => Err(format!("\"{}\" is not two numbers separated by a comma", s)),
}
}
fn output_file_process(file: &str) -> (String, PathBuf) {
let mut file = PathBuf::from(file);
let file_name = file.file_name().unwrap().to_os_string();
file.pop();
if file.as_os_str().is_empty() {
file.push(".");
}
(file_name.to_str().unwrap().to_string(),
file.canonicalize()
.map(|mut p| {
p.push(file_name);
p
})
.unwrap())
}
fn config_dir_process(file_s: &str) -> (String, PathBuf) {
let mut file = PathBuf::from(file_s);
let file_name = file.file_name().unwrap().to_os_string();
file.pop();
if file.as_os_str().is_empty() {
file.push(".");
}
(if !file_s.ends_with(is_path_separator) {
format!("{}{}", file_s, MAIN_PATH_SEPARATOR)
} else {
file_s.to_string()
},
file.canonicalize()
.map(|mut p| {
p.push(file_name);
p
})
.unwrap())
}