Skip to content

Commit 19661c5

Browse files
committed
fuzz: add regression fuzztest for value encoding
1 parent f618d78 commit 19661c5

File tree

5 files changed

+157
-2
lines changed

5 files changed

+157
-2
lines changed

.github/workflows/fuzz.yml

+1
Original file line numberDiff line numberDiff line change
@@ -22,6 +22,7 @@ c_rust_merkle,
2222
decode_natural,
2323
decode_program,
2424
parse_human,
25+
regression_value,
2526
]
2627
steps:
2728
- name: Checkout Crate

fuzz/Cargo.toml

+11-1
Original file line numberDiff line numberDiff line change
@@ -14,7 +14,10 @@ path = "fuzz_lib/lib.rs"
1414

1515
[dependencies]
1616
libfuzzer-sys = "0.4"
17-
simplicity-lang = { path = "..", features = ["test-utils"] }
17+
# We shouldn't need an explicit version on the next line, but Andrew's tools
18+
# choke on it otherwise. See https://github.com/nix-community/crate2nix/issues/373
19+
simplicity-lang = { path = "..", features = ["test-utils"], version = "0.3.0" }
20+
old_simplicity = { package = "simplicity-lang", version = "0.3.0" }
1821

1922
[dev-dependencies]
2023
base64 = "0.22.1"
@@ -56,3 +59,10 @@ path = "fuzz_targets/parse_human.rs"
5659
test = false
5760
doc = false
5861
bench = false
62+
63+
[[bin]]
64+
name = "regression_value"
65+
path = "fuzz_targets/regression_value.rs"
66+
test = false
67+
doc = false
68+
bench = false

fuzz/fuzz_lib/lib.rs

+15
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
11
// SPDX-License-Identifier: CC0-1.0
22

33
use std::sync::Arc;
4+
use simplicity::{BitIter, Value};
45
use simplicity::types::Final as FinalTy;
56

67
/// A wrapper around a buffer which has utilities for extracting various
@@ -91,5 +92,19 @@ impl<'f> Extractor<'f> {
9192
assert_eq!(result_stack.len(), 1);
9293
result_stack.pop()
9394
}
95+
96+
/// Attempt to yield a value from the fuzzer.
97+
pub fn extract_value_padded(&mut self) -> Option<Value> {
98+
let ty = self.extract_final_type()?;
99+
if ty.bit_width() > 64 * 1024 * 1024 {
100+
// little fuzzing value in producing massive values
101+
return None;
102+
}
103+
104+
let mut iter = BitIter::new(self.data.iter().copied());
105+
let ret = Value::from_padded_bits(&mut iter, &ty).ok()?;
106+
self.data = &self.data[iter.n_total_read().div_ceil(8)..];
107+
Some(ret)
108+
}
94109
}
95110

fuzz/fuzz_targets/regression_value.rs

+126
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,126 @@
1+
// SPDX-License-Identifier: CC0-1.0
2+
3+
#![cfg_attr(fuzzing, no_main)]
4+
5+
#[cfg(any(fuzzing, test))]
6+
use std::sync::Arc;
7+
8+
#[cfg(any(fuzzing, test))]
9+
use simplicity::types::Final;
10+
#[cfg(any(fuzzing, test))]
11+
use old_simplicity::{Value as OldValue, types::Final as OldFinal};
12+
13+
#[cfg(any(fuzzing, test))]
14+
fn convert_ty(new: &Final) -> Option<Arc<OldFinal>> {
15+
/// Our stack of tasks describing “what we need to do next.”
16+
enum Task<'a> {
17+
/// Convert this `Final` into an `OldFinal`.
18+
NeedType(&'a Final),
19+
Binary {
20+
is_sum: bool,
21+
dupe: bool,
22+
}
23+
}
24+
25+
// We'll push tasks onto this stack until everything is converted.
26+
let mut task_stack = vec![Task::NeedType(new)];
27+
// As we finish conversion of subtrees, we store them here along with
28+
// a count of units. Because the released version of 0.3.0 does not
29+
// have any typeskip optimization we need to bail out if there are
30+
// too many units, since otherwise we will OOM in from_compact_bits.
31+
let mut result_stack: Vec<(usize, Arc<OldFinal>)> = vec![];
32+
const MAX_UNITS: usize = 1024 * 1024;
33+
34+
// Process tasks in LIFO order
35+
while let Some(task) = task_stack.pop() {
36+
match task {
37+
Task::NeedType(final_ty) => {
38+
if final_ty.is_unit() {
39+
result_stack.push((1, OldFinal::unit()));
40+
} else if let Some((left, right)) = final_ty.as_sum() {
41+
let dupe = Arc::ptr_eq(left, right);
42+
task_stack.push(Task::Binary {
43+
is_sum: true,
44+
dupe,
45+
});
46+
if !dupe {
47+
task_stack.push(Task::NeedType(right));
48+
}
49+
task_stack.push(Task::NeedType(left));
50+
} else if let Some((left, right)) = final_ty.as_product() {
51+
let dupe = Arc::ptr_eq(left, right);
52+
task_stack.push(Task::Binary {
53+
is_sum: false,
54+
dupe,
55+
});
56+
if !dupe {
57+
task_stack.push(Task::NeedType(right));
58+
}
59+
task_stack.push(Task::NeedType(left));
60+
} else {
61+
unreachable!();
62+
}
63+
}
64+
Task::Binary { is_sum, dupe } => {
65+
let right = result_stack.pop().expect("right type missing");
66+
let left = if dupe {
67+
(right.0, Arc::clone(&right.1))
68+
} else {
69+
result_stack.pop().expect("left type missing")
70+
};
71+
let new_total = left.0 + right.0;
72+
if new_total > MAX_UNITS {
73+
return None;
74+
}
75+
if is_sum {
76+
result_stack.push((new_total, OldFinal::sum(left.1, right.1)));
77+
} else {
78+
result_stack.push((new_total, OldFinal::product(left.1, right.1)));
79+
}
80+
}
81+
}
82+
}
83+
84+
// At the end, we should have exactly one final type.
85+
assert_eq!(result_stack.len(), 1, "Internal conversion error");
86+
let (_, res) = result_stack.pop().unwrap();
87+
Some(res)
88+
}
89+
90+
#[cfg(any(fuzzing, test))]
91+
fn do_test(data: &[u8]) {
92+
let mut extractor = simplicity_fuzz::Extractor::new(data);
93+
let val = match extractor.extract_value_padded() {
94+
Some(val) => val,
95+
None => return,
96+
};
97+
let old_ty = match convert_ty(val.ty()) {
98+
Some(converted) => converted,
99+
None => return,
100+
};
101+
102+
let old_val = OldValue::from_padded_bits(&mut val.iter_padded(), &old_ty).unwrap();
103+
assert!(val.iter_compact().eq(old_val.iter_compact()));
104+
105+
let old_val = OldValue::from_compact_bits(&mut val.iter_compact(), &old_ty).unwrap();
106+
assert!(val.iter_compact().eq(old_val.iter_compact()));
107+
}
108+
109+
#[cfg(fuzzing)]
110+
libfuzzer_sys::fuzz_target!(|data| do_test(data));
111+
112+
#[cfg(not(fuzzing))]
113+
fn main() {}
114+
115+
#[cfg(test)]
116+
mod tests {
117+
use base64::Engine;
118+
119+
#[test]
120+
fn duplicate_crash() {
121+
let data = base64::prelude::BASE64_STANDARD
122+
.decode("Cg==")
123+
.expect("base64 should be valid");
124+
super::do_test(&data);
125+
}
126+
}

fuzz/generate-files.sh

+4-1
Original file line numberDiff line numberDiff line change
@@ -25,7 +25,10 @@ path = "fuzz_lib/lib.rs"
2525
2626
[dependencies]
2727
libfuzzer-sys = "0.4"
28-
simplicity-lang = { path = "..", features = ["test-utils"] }
28+
# We shouldn't need an explicit version on the next line, but Andrew's tools
29+
# choke on it otherwise. See https://github.com/nix-community/crate2nix/issues/373
30+
simplicity-lang = { path = "..", features = ["test-utils"], version = "0.3.0" }
31+
old_simplicity = { package = "simplicity-lang", version = "0.3.0" }
2932
3033
[dev-dependencies]
3134
base64 = "0.22.1"

0 commit comments

Comments
 (0)