-
Notifications
You must be signed in to change notification settings - Fork 21
/
Copy pathcli.rs
461 lines (409 loc) · 13.2 KB
/
cli.rs
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
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
#![allow(deprecated)]
extern crate structopt;
#[macro_use]
extern crate clap;
#[macro_use]
extern crate failure;
extern crate regex;
use std::env;
use std::ffi::OsStr;
use std::fs;
use std::path::{Path, PathBuf};
use std::process::Command;
use failure::{Error, ResultExt};
use regex::Regex;
use structopt::StructOpt;
/// Run fuzzer collection
#[derive(StructOpt, Debug)]
enum Cli {
/// Run all fuzz targets
#[structopt(name = "continuously")]
Continuous {
/// Only run target containing this string
#[structopt(short = "q", long = "filter")]
filter: Option<String>,
/// Set timeout per target
#[structopt(short = "t", long = "timeout", default_value = "30")]
timeout: i32,
// Run until the end of time (or Ctrl+C)
#[structopt(short = "i", long = "infinite")]
infinite: bool,
/// Which fuzzer to run
#[structopt(
long = "fuzzer",
default_value = "Honggfuzz",
raw(
possible_values = "&Fuzzer::variants()",
case_insensitive = "true"
)
)]
fuzzer: Fuzzer,
// Run `cargo update` between cycles
#[structopt(long = "cargo-update")]
cargo_update: bool,
},
/// Run one target with specific fuzzer
#[structopt(name = "target")]
Run {
/// Which target to run
target: String,
/// Which fuzzer to run
#[structopt(
long = "fuzzer",
default_value = "Honggfuzz",
raw(
possible_values = "&Fuzzer::variants()",
case_insensitive = "true"
)
)]
fuzzer: Fuzzer,
},
/// List all available targets
#[structopt(name = "list-targets")]
ListTargets,
}
fn main() {
if let Err(e) = run() {
eprintln!("{}", e);
for cause in e.causes().skip(1) {
eprintln!("caused by: {}", cause);
}
::std::process::exit(1);
}
}
fn run() -> Result<(), Error> {
use Cli::*;
let cli = Cli::from_args();
match cli {
ListTargets => {
for target in &get_targets()? {
println!("{}", target);
}
}
Run { target, fuzzer } => {
let targets = get_targets()?;
if targets.iter().find(|x| *x == &target).is_none() {
bail!(
"Don't know target `{}`. {}",
target,
if let Some(alt) = did_you_mean(&target, &targets) {
format!("Did you mean `{}`?", alt)
} else {
"".into()
}
);
}
use Fuzzer::*;
match fuzzer {
Afl => run_afl(&target, None)?,
Honggfuzz => run_honggfuzz(&target, None)?,
Libfuzzer => run_libfuzzer(&target, None)?,
}
}
Continuous {
filter,
timeout,
infinite,
fuzzer,
cargo_update,
} => {
let run = |target: &str| -> Result<(), Error> {
use Fuzzer::*;
match fuzzer {
Afl => run_afl(&target, Some(timeout))?,
Honggfuzz => run_honggfuzz(&target, Some(timeout))?,
Libfuzzer => run_libfuzzer(&target, Some(timeout))?,
}
Ok(())
};
let targets = get_targets()?;
let targets = targets
.iter()
.filter(|x| filter.as_ref().map(|f| x.contains(f)).unwrap_or(true));
'cycle: loop {
'targets_pass: for target in targets.clone() {
if let Err(e) = run(target) {
match e.downcast::<FuzzerQuit>() {
Ok(_) => {
println!("Fuzzer failed so we'll continue with the next one");
continue 'targets_pass;
}
Err(other_error) => Err(other_error)?,
}
}
}
if !infinite {
break 'cycle;
}
if cargo_update {
run_cargo_update()?;
}
}
}
}
Ok(())
}
fn common_dir() -> Result<PathBuf, Error> {
let p = env::var("CARGO_MANIFEST_DIR")
.map(From::from)
.or_else(|_| env::current_dir())?
.join("common");
Ok(p)
}
fn create_seed_dir(target: &str) -> Result<PathBuf, Error> {
let seed_dir = common_dir()?.join("seeds").join(&target);
fs::create_dir_all(&seed_dir).context(format!("unable to create seed dir for {}", target))?;
Ok(seed_dir)
}
fn create_corpus_dir(base: &Path, target: &str) -> Result<PathBuf, Error> {
let corpus_dir = base.join(&format!("corpus-{}", target));
fs::create_dir_all(&corpus_dir).context(format!(
"unable to create corpus dir for {}{}",
base.display(),
target
))?;
Ok(corpus_dir)
}
fn get_targets() -> Result<Vec<String>, Error> {
let source = common_dir()?.join("src/lib.rs");
let targets_rs = fs::read_to_string(&source).context(format!("unable to read {:?}", source))?;
let match_fuzz_fs = Regex::new(r"pub fn fuzz_(\w+)\(")?;
let target_names = match_fuzz_fs
.captures_iter(&targets_rs)
.map(|x| x[1].to_string());
Ok(target_names.collect())
}
fn run_cargo_update() -> Result<(), Error> {
let run = Command::new("cargo")
.arg("update")
.spawn()
.context("error starting `cargo update`")?
.wait()
.context("error running `cargo update`")?;
ensure!(
run.success(),
"error running `cargo update`: Exited with {:?}",
run.code()
);
Ok(())
}
#[derive(Fail, Debug)]
#[fail(display = "Fuzzer quit")]
pub struct FuzzerQuit;
fn run_honggfuzz(target: &str, timeout: Option<i32>) -> Result<(), Error> {
let fuzzer = Fuzzer::Honggfuzz;
write_fuzzer_target(fuzzer, target)?;
let dir = fuzzer.dir()?;
let seed_dir = create_seed_dir(&target)?;
let args = format!(
"-f {} \
--covdir_all hfuzz_workspace/{}/input \
{} \
{}",
seed_dir.to_string_lossy(),
target,
if let Some(t) = timeout {
format!("--run_time {}", t)
} else {
"".into()
},
env::var("HFUZZ_RUN_ARGS").unwrap_or_default()
);
let fuzzer_bin = Command::new("cargo")
.args(&["hfuzz", "run", &target])
.env("HFUZZ_RUN_ARGS", &args)
.current_dir(&dir)
.spawn()
.context(format!("error starting {:?} to run {}", fuzzer, target))?
.wait()
.context(format!(
"error while waiting for {:?} running {}",
fuzzer, target
))?;
if !fuzzer_bin.success() {
Err(FuzzerQuit)?;
}
Ok(())
}
fn run_afl(target: &str, timeout: Option<i32>) -> Result<(), Error> {
let fuzzer = Fuzzer::Afl;
write_fuzzer_target(fuzzer, target)?;
let dir = fuzzer.dir()?;
let seed_dir = create_seed_dir(&target)?;
let corpus_dir = create_corpus_dir(&dir, target)?;
let build_cmd = Command::new("cargo")
.args(&["afl", "build", "--release", "--bin", target])
.current_dir(&dir)
.spawn()
.context(format!("error starting build for {:?} of {}", fuzzer, target))?
.wait()
.context(format!("error while waiting for build for {:?} of {}", fuzzer, target))?;
if !build_cmd.success() {
Err(FuzzerQuit)?;
}
let queue_dir = corpus_dir.join("queue");
let input_arg: &OsStr = if queue_dir.is_dir() && fs::read_dir(queue_dir)?.next().is_some() {
"-".as_ref()
} else {
seed_dir.as_ref()
};
let mut fuzzer_cmd = Command::new("cargo");
fuzzer_cmd.args(&["afl", "fuzz"]);
if let Some(timeout) = timeout {
fuzzer_cmd.arg(format!("--max_total_time={}", timeout));
}
fuzzer_cmd
.arg("-i")
.arg(&input_arg)
.arg("-o")
.arg(&corpus_dir)
.arg("-T")
.arg(target)
.args(&["--", &format!("../target/release/{}", target)])
.current_dir(&dir);
let fuzzer_status = fuzzer_cmd
.spawn()
.context(format!("error starting {:?} to run {}", fuzzer, target))?
.wait()
.context(format!(
"error while waiting for {:?} running {}",
fuzzer, target
))?;
if !fuzzer_status.success() {
Err(FuzzerQuit)?;
}
Ok(())
}
fn run_libfuzzer(target: &str, timeout: Option<i32>) -> Result<(), Error> {
let fuzzer = Fuzzer::Libfuzzer;
write_fuzzer_target(fuzzer, target)?;
let dir = fuzzer.dir()?;
let seed_dir = create_seed_dir(&target)?;
let corpus_dir = create_corpus_dir(&dir, target)?;
#[cfg(target_os = "macos")]
let target_platform = "x86_64-apple-darwin";
#[cfg(target_os = "linux")]
let target_platform = "x86_64-unknown-linux-gnu";
#[cfg(not(any(target_os = "linux", target_os = "macos")))]
bail!("libfuzzer-sys only supports Linux and macOS");
let mut rust_flags = env::var("RUSTFLAGS").unwrap_or_default();
rust_flags.push_str(
" --cfg fuzzing \
-Cpasses=sancov \
-Cllvm-args=-sanitizer-coverage-level=4 \
-Cllvm-args=-sanitizer-coverage-trace-compares \
-Cllvm-args=-sanitizer-coverage-inline-8bit-counters \
-Cllvm-args=-sanitizer-coverage-pc-table \
-Clink-dead-code \
-Zsanitizer=address"
);
// https://github.com/rust-fuzz/cargo-fuzz/blob/c3fd16b31de1b7bde6d8e551deebdafbafb80bfc/src/project.rs#L186-L193
rust_flags.push_str(" -C codegen-units=1");
let mut asan_options = env::var("ASAN_OPTIONS").unwrap_or_default();
asan_options.push_str(" detect_odr_violation=0 ");
let max_time = if let Some(timeout) = timeout {
format!("-max_total_time={}", timeout)
} else {
"".into()
};
let fuzzer_bin = Command::new("cargo")
.args(&[
"run",
"--release",
"-Zbuild-std",
"--target",
&target_platform,
"--bin",
&target,
"--",
&max_time,
]).arg(&corpus_dir)
.arg(&seed_dir)
.env("RUSTFLAGS", &rust_flags)
.env("ASAN_OPTIONS", &asan_options)
.current_dir(&dir)
.spawn()
.context(format!("error starting {:?} to run {}", fuzzer, target))?
.wait()
.context(format!(
"error while waiting for {:?} running {}",
fuzzer, target
))?;
if !fuzzer_bin.success() {
Err(FuzzerQuit)?;
}
Ok(())
}
fn write_fuzzer_target(fuzzer: Fuzzer, target: &str) -> Result<(), Error> {
use std::io::Write;
let template_path = fuzzer.dir()?.join("template.rs");
let template = fs::read_to_string(&template_path).context(format!(
"error reading template file {}",
template_path.display()
))?;
let target_dir = fuzzer.dir()?.join("src").join("bin");
fs::create_dir_all(&target_dir).context(format!(
"error creating fuzz target dir {}",
target_dir.display()
))?;
let path = target_dir.join(&format!("{}.rs", target));
let mut file = fs::OpenOptions::new()
.write(true)
.create(true)
.truncate(true)
.open(&path)
.context(format!(
"error writing fuzz target binary {}",
path.display()
))?;
let source = template.replace("###TARGET###", &target);
file.write_all(source.as_bytes())?;
Ok(())
}
arg_enum!{
#[derive(StructOpt, Debug, Clone, Copy, PartialEq, Eq)]
enum Fuzzer {
Afl,
Honggfuzz,
Libfuzzer
}
}
impl Fuzzer {
fn dir(&self) -> Result<PathBuf, Error> {
let cwd = env::current_dir().context("error getting current directory")?;
use Fuzzer::*;
let p = match self {
Afl => cwd.join("fuzzer-afl"),
Honggfuzz => cwd.join("fuzzer-honggfuzz"),
Libfuzzer => cwd.join("fuzzer-libfuzzer"),
};
Ok(p)
}
}
/// Produces a string from a given list of possible values which is similar to
/// the passed in value `v` with a certain confidence.
/// Thus in a list of possible values like ["foo", "bar"], the value "fop" will yield
/// `Some("foo")`, whereas "blark" would yield `None`.
///
/// Originally from [clap] which is Copyright (c) 2015-2016 Kevin B. Knapp
///
/// [clap]: https://github.com/kbknapp/clap-rs/blob/dc7ae65fb784dc355d56f09554f1216b22755c3e/src/suggestions.rs
pub fn did_you_mean<'a, T: ?Sized, I>(v: &str, possible_values: I) -> Option<&'a str>
where
T: AsRef<str> + 'a,
I: IntoIterator<Item = &'a T>,
{
extern crate strsim;
let mut candidate: Option<(f64, &str)> = None;
for pv in possible_values {
let confidence = strsim::jaro_winkler(v, pv.as_ref());
if confidence > 0.8 && (candidate.is_none() || (candidate.as_ref().unwrap().0 < confidence))
{
candidate = Some((confidence, pv.as_ref()));
}
}
match candidate {
None => None,
Some((_, candidate)) => Some(candidate),
}
}