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
|
#!/usr/bin/env python3
import os
import time
import subprocess
import shutil
import asyncio
dir_path = os.path.dirname(os.path.realpath(__file__))
fail_dir = os.path.join(dir_path, "FailCases", "FuzzDifferential")
tmp_dir = os.path.join(dir_path, ".build", "FuzzDifferential")
def dump_crash_wasm(file, prefix):
import hashlib
with open(file, "rb") as f:
content = f.read()
hash_value = hashlib.sha1(content).hexdigest()
crash_file = os.path.join(fail_dir, f"{prefix}-{hash_value}.wasm")
shutil.copy(file, crash_file)
return crash_file
async def shrink_testcase(wasm_file, program, output):
# The fuzzer executable behaves as a predicate script
# when SHRINKING env variable is set to 1
cmd = ["wasm-tools", "shrink", program, wasm_file, "-o", output]
env = os.environ.copy()
env["SHRINKING"] = "1"
proc = await asyncio.create_subprocess_exec(
*cmd, env=env,
stdout=asyncio.subprocess.DEVNULL,
stderr=asyncio.subprocess.DEVNULL)
await proc.wait()
async def run_single(lane, i, program):
# Generate a WebAssembly file using wasm-smith
wasm_file = os.path.join(tmp_dir, f"t{lane}.wasm")
cmd = [
"wasm-tools", "smith",
"-o", wasm_file,
"--ensure-termination",
"--bulk-memory-enabled=true",
"--canonicalize-nans=true",
"--saturating-float-to-int-enabled=true",
"--sign-extension-ops-enabled=true",
"--min-funcs=1",
"--min-memories=1",
"--max-imports=0",
"--export-everything=true",
"--max-memories=1",
"--max-memory32-bytes=65536",
"--memory-max-size-required=true"
]
random_seed = os.urandom(100)
proc = await asyncio.create_subprocess_exec(
*cmd, stdin=asyncio.subprocess.PIPE)
proc.stdin.write(random_seed)
proc.stdin.close()
await proc.wait()
# Run the target program with a timeout of 60 seconds
found = False
crash_file = None
try:
proc = await asyncio.create_subprocess_exec(program, wasm_file)
await asyncio.wait_for(proc.wait(), timeout=60)
if proc.returncode != 0:
found = True
# If the target program fails, try to shrink the testcase
try:
shrinked = f"{wasm_file}.shrink"
await shrink_testcase(wasm_file, program, shrinked)
crash_file = dump_crash_wasm(shrinked, "diff")
except subprocess.CalledProcessError:
# If shrinking fails, just dump the original testcase
crash_file = dump_crash_wasm(wasm_file, "diff")
except OSError as e:
import errno
if e.errno == errno.ETXTBSY:
# Skip this iteration if the target program is busy
# (e.g., being rebuilt by another process)
pass
else:
raise e
except TimeoutError:
timeout_file = os.path.join(fail_dir, f"timeout-{i}.wasm")
shutil.copy(wasm_file, timeout_file)
print(f"Timeout in iteration {i};"
f" reproduce with {program} {timeout_file})")
except KeyboardInterrupt:
print("Interrupted by user")
exit(0)
return (lane, i, found, crash_file)
class Progress:
def __init__(self):
self.i = 0
def start_new(self, lane):
new = self.i
self.i += 1
return new
def complete(self, i, lane, found, repro):
pass
def finalize(self):
pass
class StdoutProgress(Progress):
def __init__(self):
super().__init__()
self.start_time = time.time()
def complete(self, i, lane, found, repro):
if self.i % 100 == 0:
elapsed_time = time.time() - self.start_time
iter_per_sec = self.i / elapsed_time
print(f"#{self.i} (iter/s: {iter_per_sec:.2f})")
class CursesProgress(Progress):
def __init__(self, max_lanes, program, curses):
super().__init__()
self.curses = curses
self.stdscr = curses.initscr()
self.start_time = time.time()
self.completed_by_lane = {i: 0 for i in range(max_lanes)}
self.max_lanes = max_lanes
# For printing help for reproducing the last crash
self.program = program
self.found_diffs = 0
self.show_overview()
def start_new(self, lane):
task_id = super().start_new(lane)
if self.completed_by_lane[lane] % 40 == 0:
elapsed_time = time.time() - self.start_time
throughput = self.completed_by_lane[lane] / elapsed_time
self.show_lane_status(lane, throughput, task_id)
self.completed_by_lane[lane] = self.completed_by_lane[lane] + 1
return task_id
def show_lane_status(self, lane, throughput, new_task_id):
status = (
f"Lane #{lane:02}:"
f" Running task {new_task_id} ({throughput:.2f} iter/s)"
)
try:
self.stdscr.addstr(self.overview_lines + lane, 0, status)
# Move the cursor to the bottom of the screen
self.stdscr.move(self.overview_lines + self.max_lanes, 0)
self.stdscr.refresh()
except self.curses.error:
pass
def complete(self, i, lane, found, repro):
# Update overview line if a new diff is found
if found:
self.found_diffs += 1
self.show_overview()
def show_overview(self):
self.overview_lines = 1
self.stdscr.addstr(0, 0, f"Found {self.found_diffs} diffs")
self.stdscr.refresh()
def finalize(self):
self.curses.echo()
self.curses.nocbreak()
self.curses.endwin()
async def run(args, progress, num_lanes):
os.makedirs(tmp_dir, exist_ok=True)
lanes = [
asyncio.create_task(run_single(
i, progress.start_new(i), args.program
)) for i in range(num_lanes)
]
try:
while True:
# Run the target program with a timeout of 60 seconds
try:
done, pending = await asyncio.wait(
lanes, return_when=asyncio.FIRST_COMPLETED)
for result in done:
lane, task_id, found, repro = result.result()
progress.complete(task_id, lane, found, repro)
lanes[lane] = asyncio.create_task(
run_single(lane, progress.start_new(lane),
args.program)
)
except KeyboardInterrupt:
print("Interrupted by user")
break
finally:
print("Cleaning up...")
for lane in lanes:
lane.cancel()
progress.finalize()
def derive_progress(args):
if args.progress == "stdout":
return StdoutProgress()
elif args.progress == "curses" and os.isatty(1):
try:
import curses
return CursesProgress(args.jobs, args.program, curses)
except ImportError:
print("Curses is not available; falling back to stdout")
return StdoutProgress()
def main():
import argparse
parser = argparse.ArgumentParser(description="Fuzz differential testing")
default_program = os.path.join(
dir_path, ".build", "debug", "FuzzDifferential")
parser.add_argument(
"program", nargs="?", default=default_program,
help="Path to the target program"
)
parser.add_argument(
"-j", "--jobs", type=int, default=os.cpu_count(),
help="Number of parallel jobs"
)
parser.add_argument(
"--progress", choices=["stdout", "curses"], default="curses",
help="Progress display mode"
)
args = parser.parse_args()
progress = derive_progress(args)
asyncio.run(run(args, progress, args.jobs))
if __name__ == "__main__":
main()
|